diff --git a/ChangeLog b/ChangeLog
index ed418b08f5c77eeef61b23fdba41b39289936095..4a1e6ca357661c3171689206c291fc2a316c651b 100644
--- a/ChangeLog
+++ b/ChangeLog
@@ -35,6 +35,7 @@ For developers:
 - New: Function yn can show a visual checkbox.
 - New: Introduced select2 jquery plugin.
 - New: Possibility to add javascript in main login page with "getLoginPageOptions" hook
+- New: possibility to defined a tab for all entities in module descriptor
 
 WARNING: Following changes may create regression for some external modules, but was necessary to make
 Dolibarr better:
diff --git a/dev/translation/txpush.sh b/dev/translation/txpush.sh
index 34ab5c97f5debd97c97fa75c555baf6bebe44b99..75b21ede2126ee09ba4b9e72f0f4853ee96a17e3 100755
--- a/dev/translation/txpush.sh
+++ b/dev/translation/txpush.sh
@@ -2,9 +2,9 @@
 #------------------------------------------------------
 # Script to push language files to Transifex
 #
-# Laurent Destailleur - eldy@users.sourceforge.net
+# Laurent Destailleur (eldy) - eldy@users.sourceforge.net
 #------------------------------------------------------
-# Usage: txpush.sh (source|all|xx_XX) [-r dolibarr.file] [-f]
+# Usage: txpush.sh (source|xx_XX) [-r dolibarr.file] [-f]
 #------------------------------------------------------
 
 # Syntax
@@ -13,7 +13,7 @@ then
 	echo "This push local files to transifex."
 	echo "Note:  If you push a language file (not source), file will be skipped if transifex file is newer."
 	echo "       Using -f will overwrite translation but not memory."
-	echo "Usage: ./dev/translation/txpush.sh (source|all|xx_XX) [-r dolibarr.file] [-f] [--no-interactive]"
+	echo "Usage: ./dev/translation/txpush.sh (source|xx_XX) [-r dolibarr.file] [-f] [--no-interactive]"
 	exit
 fi
 
@@ -23,20 +23,15 @@ then
 	exit
 fi
 
-if [ "x$1" = "xall" ]
-then
-	for fic in ar_SA bg_BG bs_BA ca_ES cs_CZ da_DK de_DE el_GR es_ES et_EE eu_ES fa_IR fi_FI fr_FR he_IL hr_HR hu_HU id_ID is_IS it_IT ja_JP ka_GE ko_KR lt_LT lv_LV mk_MK nb_NO nl_NL pl_PL pt_PT ro_RO ru_RU ru_UA sk_SK sl_SI sq_AL sv_SE th_TH tr_TR uk_UA uz_UZ vi_VN zh_CN zh_TW
-	do
-		echo "tx push --skip -t -l $fic $2 $3"
-		tx push --skip -t -l $fic $2 $3
-	done
-else
 if [ "x$1" = "xsource" ]
 then
 	echo "tx push -s $2 $3"
 	tx push -s $2 $3 
 else
-	echo "tx push --skip -t -l $1 $2 $3 $4"
-	tx push --skip -t -l $1 $2 $3 $4
-fi
+	for file in `find htdocs/langs/$1/*.lang -type f`
+	do
+		export basefile=`basename $file | sed -s s/\.lang//g`
+		echo "tx push --skip -r dolibarr.$basfile -t -l $1 $2 $3 $4"
+		tx push --skip -r dolibarr.$basefile -t -l $1 $2 $3 $4
+	done
 fi
diff --git a/htdocs/accountancy/admin/account.php b/htdocs/accountancy/admin/account.php
index 0c2a825604b277d136a09b174b5265a17e4ac24f..d935eb025dc09e3f929a81e9c98e4f8264e3ad02 100644
--- a/htdocs/accountancy/admin/account.php
+++ b/htdocs/accountancy/admin/account.php
@@ -1,6 +1,6 @@
 <?php
 /* Copyright (C) 2013-2014 Olivier Geffroy      <jeff@jeffinfo.com>
- * Copyright (C) 2013-2014 Alexandre Spangaro   <alexandre.spangaro@gmail.com>
+ * Copyright (C) 2013-2015 Alexandre Spangaro   <alexandre.spangaro@gmail.com>
  *
  * This program is free software; you can redistribute it and/or modify
  * it under the terms of the GNU General Public License as published by
@@ -154,7 +154,7 @@ if ($result) {
 	print_liste_field_titre($langs->trans("Accountparent"), $_SERVER["PHP_SELF"], "aa.account_parent", "", $param, "", $sortfield, $sortorder);
 	print_liste_field_titre($langs->trans("Pcgtype"), $_SERVER["PHP_SELF"], "aa.pcg_type", "", $param, "", $sortfield, $sortorder);
 	print_liste_field_titre($langs->trans("Pcgsubtype"), $_SERVER["PHP_SELF"], "aa.pcg_subtype", "", $param, "", $sortfield, $sortorder);
-	print_liste_field_titre($langs->trans("Active"), $_SERVER["PHP_SELF"], "aa.active", "", $param, "", $sortfield, $sortorder);
+	print_liste_field_titre($langs->trans("Activated"), $_SERVER["PHP_SELF"], "aa.active", "", $param, "", $sortfield, $sortorder);
 	print_liste_field_titre($langs->trans("Action"),$_SERVER["PHP_SELF"],"",$param,"",'width="60" align="center"',$sortfield,$sortorder);
 	print '</tr>';
 	
@@ -174,12 +174,17 @@ if ($result) {
 	
 	$var = true;
 	
+	$accountstatic=new AccountingAccount($db);
+	
 	while ( $i < min($num, $limit) ) {
 		$obj = $db->fetch_object($resql);
 		
-		$var = ! $var;
+		$accountstatic->id=$obj->rowid;
+		$accountstatic->label=$obj->label;
+		$accountstatic->account_number=$obj->account_number;
+
 		print '<tr ' . $bc[$var] . '>';
-		print '<td><a href="./card.php?id=' . $obj->rowid . '">' . $obj->account_number . '</td>';
+		print '<td>' . $accountstatic->getNomUrl(1) . '</td>';
 		print '<td>' . $obj->label . '</td>';
 		print '<td>' . $obj->account_parent . '</td>';
 		print '<td>' . $obj->pcg_type . '</td>';
@@ -210,6 +215,7 @@ if ($result) {
 		print '</td>' . "\n";
 		
 		print "</tr>\n";
+		$var=!$var;
 		$i ++;
 	}
 	
diff --git a/htdocs/accountancy/class/accountingaccount.class.php b/htdocs/accountancy/class/accountingaccount.class.php
index 1161e83004c0984b2393ace631e47e1000279fb7..f3ad3e23a477156c134b3af72d2fea0ae86e093e 100644
--- a/htdocs/accountancy/class/accountingaccount.class.php
+++ b/htdocs/accountancy/class/accountingaccount.class.php
@@ -1,6 +1,6 @@
 <?php
 /* Copyright (C) 2013-2014 Olivier Geffroy      <jeff@jeffinfo.com>
- * Copyright (C) 2013-2014 Alexandre Spangaro   <alexandre.spangaro@gmail.com>
+ * Copyright (C) 2013-2015 Alexandre Spangaro   <alexandre.spangaro@gmail.com>
  * Copyright (C) 2013-2014 Florian Henry		<florian.henry@open-concept.pro>
  * Copyright (C) 2014 	   Juanjo Menent		<jmenent@2byte.es>
  *
@@ -66,8 +66,7 @@ class AccountingAccount extends CommonObject
 	 */
 	function fetch($rowid = null, $account_number = null)
 	{
-		if ($rowid || $account_number)
-		{
+		if ($rowid || $account_number) {
 			$sql = "SELECT rowid, datec, tms, fk_pcg_version, pcg_type, pcg_subtype, account_number, account_parent, label, fk_user_author, fk_user_modif, active";
 			$sql.= " FROM " . MAIN_DB_PREFIX . "accountingaccount WHERE";
 			if ($rowid) {
@@ -78,12 +77,10 @@ class AccountingAccount extends CommonObject
 
 			dol_syslog(get_class($this) . "::fetch sql=" . $sql, LOG_DEBUG);
 			$result = $this->db->query($sql);
-			if ($result)
-			{
+			if ($result) {
 				$obj = $this->db->fetch_object($result);
 
-				if ($obj)
-				{
+				if ($obj) {
 					$this->id = $obj->rowid;
 					$this->rowid = $obj->rowid;
 					$this->datec = $obj->datec;
@@ -99,18 +96,13 @@ class AccountingAccount extends CommonObject
 					$this->active = $obj->active;
 
 					return $this->id;
-				}
-				else
-				{
+				} else {
 					return 0;
 				}
-			}
-			else
-			{
+			} else {
 				dol_print_error($this->db);
 			}
 		}
-
 		return -1;
 	}
 
@@ -344,6 +336,31 @@ class AccountingAccount extends CommonObject
 		}
 	}
 
+	/**
+	 *	Return clicable name (with picto eventually)
+	 *
+	 *	@param		int		$withpicto		0=No picto, 1=Include picto into link, 2=Only picto
+	 *	@return		string					Chaine avec URL
+	 */
+	function getNomUrl($withpicto=0)
+	{
+		global $langs;
+
+		$result='';
+
+		$link = '<a href="'.DOL_URL_ROOT.'/accountancy/admin/card.php?id='.$this->id.'">';
+		$linkend='</a>';
+
+		$picto='billr';
+
+		$label=$langs->trans("Show").': '.$this->account_number.' - '.$this->label;
+
+		if ($withpicto) $result.=($link.img_object($label,$picto).$linkend);
+		if ($withpicto && $withpicto != 2) $result.=' ';
+		if ($withpicto != 2) $result.=$link.$this->account_number.$linkend;
+		return $result;
+	}
+
 	/**
 	 * Information on record
 	 *
diff --git a/htdocs/admin/company.php b/htdocs/admin/company.php
index db4c1dff2096b8d4908b551d79e7d7c458854b21..53f5962f017c3a9c2fc6ac3dc91fe1abb7aa3ba8 100644
--- a/htdocs/admin/company.php
+++ b/htdocs/admin/company.php
@@ -51,216 +51,216 @@ $error=0;
 if ( ($action == 'update' && empty($_POST["cancel"]))
 || ($action == 'updateedit') )
 {
-    require_once DOL_DOCUMENT_ROOT.'/core/lib/files.lib.php';
-
-    $tmparray=getCountry(GETPOST('country_id','int'),'all',$db,$langs,0);
-    if (! empty($tmparray['id']))
-    {
-        $mysoc->country_id   =$tmparray['id'];
-        $mysoc->country_code =$tmparray['code'];
-        $mysoc->country_label=$tmparray['label'];
-
-        $s=$mysoc->country_id.':'.$mysoc->country_code.':'.$mysoc->country_label;
-        dolibarr_set_const($db, "MAIN_INFO_SOCIETE_COUNTRY", $s,'chaine',0,'',$conf->entity);
-    }
-
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_NOM",$_POST["nom"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_ADDRESS",$_POST["address"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_TOWN",$_POST["town"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_ZIP",$_POST["zipcode"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_STATE",$_POST["state_id"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_MONNAIE",$_POST["currency"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_TEL",$_POST["tel"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_FAX",$_POST["fax"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_MAIL",$_POST["mail"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_WEB",$_POST["web"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_NOTE",$_POST["note"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_GENCOD",$_POST["barcode"],'chaine',0,'',$conf->entity);
-    if ($_FILES["logo"]["tmp_name"])
-    {
-        if (preg_match('/([^\\/:]+)$/i',$_FILES["logo"]["name"],$reg))
-        {
-            $original_file=$reg[1];
-
-            $isimage=image_format_supported($original_file);
-            if ($isimage >= 0)
-            {
-                dol_syslog("Move file ".$_FILES["logo"]["tmp_name"]." to ".$conf->mycompany->dir_output.'/logos/'.$original_file);
-                if (! is_dir($conf->mycompany->dir_output.'/logos/'))
-                {
-                    dol_mkdir($conf->mycompany->dir_output.'/logos/');
-                }
-                $result=dol_move_uploaded_file($_FILES["logo"]["tmp_name"],$conf->mycompany->dir_output.'/logos/'.$original_file,1,0,$_FILES['logo']['error']);
-                if ($result > 0)
-                {
-                    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_LOGO",$original_file,'chaine',0,'',$conf->entity);
-
-                    // Create thumbs of logo (Note that PDF use original file and not thumbs)
-                    if ($isimage > 0)
-                    {
-                        // Create small thumbs for company (Ratio is near 16/9)
-                        // Used on logon for example
-                        $imgThumbSmall = vignette($conf->mycompany->dir_output.'/logos/'.$original_file, $maxwidthsmall, $maxheightsmall, '_small', $quality);
-                        if (preg_match('/([^\\/:]+)$/i',$imgThumbSmall,$reg))
-                        {
-                            $imgThumbSmall = $reg[1];
-                            dolibarr_set_const($db, "MAIN_INFO_SOCIETE_LOGO_SMALL",$imgThumbSmall,'chaine',0,'',$conf->entity);
-                        }
-                        else dol_syslog($imgThumbSmall);
-
-                        // Create mini thumbs for company (Ratio is near 16/9)
-                        // Used on menu or for setup page for example
-                        $imgThumbMini = vignette($conf->mycompany->dir_output.'/logos/'.$original_file, $maxwidthmini, $maxheightmini, '_mini', $quality);
-                        if (preg_match('/([^\\/:]+)$/i',$imgThumbMini,$reg))
-                        {
-                            $imgThumbMini = $reg[1];
-                            dolibarr_set_const($db, "MAIN_INFO_SOCIETE_LOGO_MINI",$imgThumbMini,'chaine',0,'',$conf->entity);
-                        }
-                        else dol_syslog($imgThumbMini);
-                    }
-                    else dol_syslog("ErrorImageFormatNotSupported",LOG_WARNING);
-                }
-                else if (preg_match('/^ErrorFileIsInfectedWithAVirus/',$result))
-                {
-                	$error++;
-                    $langs->load("errors");
-                    $tmparray=explode(':',$result);
-                    setEventMessage($langs->trans('ErrorFileIsInfectedWithAVirus',$tmparray[1]),'errors');
-                }
-                else
-                {
-                	$error++;
-                    setEventMessage($langs->trans("ErrorFailedToSaveFile"),'errors');
-                }
-            }
-            else
+	require_once DOL_DOCUMENT_ROOT.'/core/lib/files.lib.php';
+
+	$tmparray=getCountry(GETPOST('country_id','int'),'all',$db,$langs,0);
+	if (! empty($tmparray['id']))
+	{
+		$mysoc->country_id   =$tmparray['id'];
+		$mysoc->country_code =$tmparray['code'];
+		$mysoc->country_label=$tmparray['label'];
+
+		$s=$mysoc->country_id.':'.$mysoc->country_code.':'.$mysoc->country_label;
+		dolibarr_set_const($db, "MAIN_INFO_SOCIETE_COUNTRY", $s,'chaine',0,'',$conf->entity);
+	}
+
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_NOM",$_POST["nom"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_ADDRESS",$_POST["address"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_TOWN",$_POST["town"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_ZIP",$_POST["zipcode"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_STATE",$_POST["state_id"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_MONNAIE",$_POST["currency"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_TEL",$_POST["tel"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_FAX",$_POST["fax"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_MAIL",$_POST["mail"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_WEB",$_POST["web"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_NOTE",$_POST["note"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_GENCOD",$_POST["barcode"],'chaine',0,'',$conf->entity);
+	if ($_FILES["logo"]["tmp_name"])
+	{
+		if (preg_match('/([^\\/:]+)$/i',$_FILES["logo"]["name"],$reg))
+		{
+			$original_file=$reg[1];
+
+			$isimage=image_format_supported($original_file);
+			if ($isimage >= 0)
+			{
+				dol_syslog("Move file ".$_FILES["logo"]["tmp_name"]." to ".$conf->mycompany->dir_output.'/logos/'.$original_file);
+				if (! is_dir($conf->mycompany->dir_output.'/logos/'))
+				{
+					dol_mkdir($conf->mycompany->dir_output.'/logos/');
+				}
+				$result=dol_move_uploaded_file($_FILES["logo"]["tmp_name"],$conf->mycompany->dir_output.'/logos/'.$original_file,1,0,$_FILES['logo']['error']);
+				if ($result > 0)
+				{
+					dolibarr_set_const($db, "MAIN_INFO_SOCIETE_LOGO",$original_file,'chaine',0,'',$conf->entity);
+
+					// Create thumbs of logo (Note that PDF use original file and not thumbs)
+					if ($isimage > 0)
+					{
+						// Create small thumbs for company (Ratio is near 16/9)
+						// Used on logon for example
+						$imgThumbSmall = vignette($conf->mycompany->dir_output.'/logos/'.$original_file, $maxwidthsmall, $maxheightsmall, '_small', $quality);
+						if (preg_match('/([^\\/:]+)$/i',$imgThumbSmall,$reg))
+						{
+							$imgThumbSmall = $reg[1];
+							dolibarr_set_const($db, "MAIN_INFO_SOCIETE_LOGO_SMALL",$imgThumbSmall,'chaine',0,'',$conf->entity);
+						}
+						else dol_syslog($imgThumbSmall);
+
+						// Create mini thumbs for company (Ratio is near 16/9)
+						// Used on menu or for setup page for example
+						$imgThumbMini = vignette($conf->mycompany->dir_output.'/logos/'.$original_file, $maxwidthmini, $maxheightmini, '_mini', $quality);
+						if (preg_match('/([^\\/:]+)$/i',$imgThumbMini,$reg))
+						{
+							$imgThumbMini = $reg[1];
+							dolibarr_set_const($db, "MAIN_INFO_SOCIETE_LOGO_MINI",$imgThumbMini,'chaine',0,'',$conf->entity);
+						}
+						else dol_syslog($imgThumbMini);
+					}
+					else dol_syslog("ErrorImageFormatNotSupported",LOG_WARNING);
+				}
+				else if (preg_match('/^ErrorFileIsInfectedWithAVirus/',$result))
+				{
+					$error++;
+					$langs->load("errors");
+					$tmparray=explode(':',$result);
+					setEventMessage($langs->trans('ErrorFileIsInfectedWithAVirus',$tmparray[1]),'errors');
+				}
+				else
+				{
+					$error++;
+					setEventMessage($langs->trans("ErrorFailedToSaveFile"),'errors');
+				}
+			}
+			else
 			{
-            	$error++;
+				$error++;
 				$langs->load("errors");
-            	setEventMessage($langs->trans("ErrorBadImageFormat"),'errors');
-            }
-        }
-    }
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_MANAGERS",$_POST["MAIN_INFO_SOCIETE_MANAGERS"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_CAPITAL",$_POST["capital"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SOCIETE_FORME_JURIDIQUE",$_POST["forme_juridique_code"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SIREN",$_POST["siren"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_SIRET",$_POST["siret"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_APE",$_POST["ape"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_RCS",$_POST["rcs"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_PROFID5",$_POST["MAIN_INFO_PROFID5"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "MAIN_INFO_PROFID6",$_POST["MAIN_INFO_PROFID6"],'chaine',0,'',$conf->entity);
-
-    dolibarr_set_const($db, "MAIN_INFO_TVAINTRA",$_POST["tva"],'chaine',0,'',$conf->entity);
+				setEventMessage($langs->trans("ErrorBadImageFormat"),'errors');
+			}
+		}
+	}
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_MANAGERS",$_POST["MAIN_INFO_SOCIETE_MANAGERS"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_CAPITAL",$_POST["capital"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_FORME_JURIDIQUE",$_POST["forme_juridique_code"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SIREN",$_POST["siren"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_SIRET",$_POST["siret"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_APE",$_POST["ape"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_RCS",$_POST["rcs"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_PROFID5",$_POST["MAIN_INFO_PROFID5"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "MAIN_INFO_PROFID6",$_POST["MAIN_INFO_PROFID6"],'chaine',0,'',$conf->entity);
+
+	dolibarr_set_const($db, "MAIN_INFO_TVAINTRA",$_POST["tva"],'chaine',0,'',$conf->entity);
 	dolibarr_set_const($db, "MAIN_INFO_SOCIETE_OBJECT",$_POST["object"],'chaine',0,'',$conf->entity);
 
-    dolibarr_set_const($db, "SOCIETE_FISCAL_MONTH_START",$_POST["fiscalmonthstart"],'chaine',0,'',$conf->entity);
-
-    dolibarr_set_const($db, "FACTURE_TVAOPTION",$_POST["optiontva"],'chaine',0,'',$conf->entity);
-
-    // Local taxes
-    dolibarr_set_const($db, "FACTURE_LOCAL_TAX1_OPTION",$_POST["optionlocaltax1"],'chaine',0,'',$conf->entity);
-    dolibarr_set_const($db, "FACTURE_LOCAL_TAX2_OPTION",$_POST["optionlocaltax2"],'chaine',0,'',$conf->entity);
-
-    if($_POST["optionlocaltax1"]=="localtax1on")
-    {
-    	if(!isset($_REQUEST['lt1']))
-    	{
-    		dolibarr_set_const($db, "MAIN_INFO_VALUE_LOCALTAX1", 0,'chaine',0,'',$conf->entity);
-    	}
-    	else
-    	{
-    		dolibarr_set_const($db, "MAIN_INFO_VALUE_LOCALTAX1", GETPOST('lt1'),'chaine',0,'',$conf->entity);
-    	}
-    	dolibarr_set_const($db,"MAIN_INFO_LOCALTAX_CALC1", $_POST["clt1"],'chaine',0,'',$conf->entity);
-    }
-    if($_POST["optionlocaltax2"]=="localtax2on")
-    {
-    	if(!isset($_REQUEST['lt2']))
-    	{
-    		dolibarr_set_const($db, "MAIN_INFO_VALUE_LOCALTAX2", 0,'chaine',0,'',$conf->entity);
-    	}
-    	else
-    	{
-    		dolibarr_set_const($db, "MAIN_INFO_VALUE_LOCALTAX2", GETPOST('lt2'),'chaine',0,'',$conf->entity);
-    	}
-    	dolibarr_set_const($db,"MAIN_INFO_LOCALTAX_CALC2", $_POST["clt2"],'chaine',0,'',$conf->entity);
-    }
-
-    if ($action != 'updateedit' && ! $error)
-    {
-        header("Location: ".$_SERVER["PHP_SELF"]);
-        exit;
-    }
+	dolibarr_set_const($db, "SOCIETE_FISCAL_MONTH_START",$_POST["fiscalmonthstart"],'chaine',0,'',$conf->entity);
+
+	dolibarr_set_const($db, "FACTURE_TVAOPTION",$_POST["optiontva"],'chaine',0,'',$conf->entity);
+
+	// Local taxes
+	dolibarr_set_const($db, "FACTURE_LOCAL_TAX1_OPTION",$_POST["optionlocaltax1"],'chaine',0,'',$conf->entity);
+	dolibarr_set_const($db, "FACTURE_LOCAL_TAX2_OPTION",$_POST["optionlocaltax2"],'chaine',0,'',$conf->entity);
+
+	if($_POST["optionlocaltax1"]=="localtax1on")
+	{
+		if(!isset($_REQUEST['lt1']))
+		{
+			dolibarr_set_const($db, "MAIN_INFO_VALUE_LOCALTAX1", 0,'chaine',0,'',$conf->entity);
+		}
+		else
+		{
+			dolibarr_set_const($db, "MAIN_INFO_VALUE_LOCALTAX1", GETPOST('lt1'),'chaine',0,'',$conf->entity);
+		}
+		dolibarr_set_const($db,"MAIN_INFO_LOCALTAX_CALC1", $_POST["clt1"],'chaine',0,'',$conf->entity);
+	}
+	if($_POST["optionlocaltax2"]=="localtax2on")
+	{
+		if(!isset($_REQUEST['lt2']))
+		{
+			dolibarr_set_const($db, "MAIN_INFO_VALUE_LOCALTAX2", 0,'chaine',0,'',$conf->entity);
+		}
+		else
+		{
+			dolibarr_set_const($db, "MAIN_INFO_VALUE_LOCALTAX2", GETPOST('lt2'),'chaine',0,'',$conf->entity);
+		}
+		dolibarr_set_const($db,"MAIN_INFO_LOCALTAX_CALC2", $_POST["clt2"],'chaine',0,'',$conf->entity);
+	}
+
+	if ($action != 'updateedit' && ! $error)
+	{
+		header("Location: ".$_SERVER["PHP_SELF"]);
+		exit;
+	}
 }
 
 if ($action == 'addthumb')
 {
-    if (file_exists($conf->mycompany->dir_output.'/logos/'.$_GET["file"]))
-    {
-        $isimage=image_format_supported($_GET["file"]);
-
-        // Create thumbs of logo
-        if ($isimage > 0)
-        {
-            // Create small thumbs for company (Ratio is near 16/9)
-            // Used on logon for example
-            $imgThumbSmall = vignette($conf->mycompany->dir_output.'/logos/'.$_GET["file"], $maxwidthsmall, $maxheightsmall, '_small',$quality);
-            if (image_format_supported($imgThumbSmall) >= 0 && preg_match('/([^\\/:]+)$/i',$imgThumbSmall,$reg))
-            {
-                $imgThumbSmall = $reg[1];
-                dolibarr_set_const($db, "MAIN_INFO_SOCIETE_LOGO_SMALL",$imgThumbSmall,'chaine',0,'',$conf->entity);
-            }
-            else dol_syslog($imgThumbSmall);
-
-            // Create mini thumbs for company (Ratio is near 16/9)
-            // Used on menu or for setup page for example
-            $imgThumbMini = vignette($conf->mycompany->dir_output.'/logos/'.$_GET["file"], $maxwidthmini, $maxheightmini, '_mini',$quality);
-            if (image_format_supported($imgThumbSmall) >= 0 && preg_match('/([^\\/:]+)$/i',$imgThumbMini,$reg))
-            {
-                $imgThumbMini = $reg[1];
-                dolibarr_set_const($db, "MAIN_INFO_SOCIETE_LOGO_MINI",$imgThumbMini,'chaine',0,'',$conf->entity);
-            }
-            else dol_syslog($imgThumbMini);
-
-            header("Location: ".$_SERVER["PHP_SELF"]);
-            exit;
-        }
-        else
-        {
-        	$error++;
-        	$langs->load("errors");
-            setEventMessage($langs->trans("ErrorBadImageFormat"),'errors');
-            dol_syslog($langs->transnoentities("ErrorBadImageFormat"),LOG_WARNING);
-        }
-    }
-    else
-    {
-    	$error++;
-    	$langs->load("errors");
-        setEventMessage($langs->trans("ErrorFileDoesNotExists",$_GET["file"]),'errors');
-        dol_syslog($langs->transnoentities("ErrorFileDoesNotExists",$_GET["file"]),LOG_WARNING);
-    }
+	if (file_exists($conf->mycompany->dir_output.'/logos/'.$_GET["file"]))
+	{
+		$isimage=image_format_supported($_GET["file"]);
+
+		// Create thumbs of logo
+		if ($isimage > 0)
+		{
+			// Create small thumbs for company (Ratio is near 16/9)
+			// Used on logon for example
+			$imgThumbSmall = vignette($conf->mycompany->dir_output.'/logos/'.$_GET["file"], $maxwidthsmall, $maxheightsmall, '_small',$quality);
+			if (image_format_supported($imgThumbSmall) >= 0 && preg_match('/([^\\/:]+)$/i',$imgThumbSmall,$reg))
+			{
+				$imgThumbSmall = $reg[1];
+				dolibarr_set_const($db, "MAIN_INFO_SOCIETE_LOGO_SMALL",$imgThumbSmall,'chaine',0,'',$conf->entity);
+			}
+			else dol_syslog($imgThumbSmall);
+
+			// Create mini thumbs for company (Ratio is near 16/9)
+			// Used on menu or for setup page for example
+			$imgThumbMini = vignette($conf->mycompany->dir_output.'/logos/'.$_GET["file"], $maxwidthmini, $maxheightmini, '_mini',$quality);
+			if (image_format_supported($imgThumbSmall) >= 0 && preg_match('/([^\\/:]+)$/i',$imgThumbMini,$reg))
+			{
+				$imgThumbMini = $reg[1];
+				dolibarr_set_const($db, "MAIN_INFO_SOCIETE_LOGO_MINI",$imgThumbMini,'chaine',0,'',$conf->entity);
+			}
+			else dol_syslog($imgThumbMini);
+
+			header("Location: ".$_SERVER["PHP_SELF"]);
+			exit;
+		}
+		else
+		{
+			$error++;
+			$langs->load("errors");
+			setEventMessage($langs->trans("ErrorBadImageFormat"),'errors');
+			dol_syslog($langs->transnoentities("ErrorBadImageFormat"),LOG_WARNING);
+		}
+	}
+	else
+	{
+		$error++;
+		$langs->load("errors");
+		setEventMessage($langs->trans("ErrorFileDoesNotExists",$_GET["file"]),'errors');
+		dol_syslog($langs->transnoentities("ErrorFileDoesNotExists",$_GET["file"]),LOG_WARNING);
+	}
 }
 
 if ($action == 'removelogo')
 {
-    require_once DOL_DOCUMENT_ROOT.'/core/lib/files.lib.php';
-
-    $logofile=$conf->mycompany->dir_output.'/logos/'.$mysoc->logo;
-    dol_delete_file($logofile);
-    dolibarr_del_const($db, "MAIN_INFO_SOCIETE_LOGO",$conf->entity);
-    $mysoc->logo='';
-
-    $logosmallfile=$conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_small;
-    dol_delete_file($logosmallfile);
-    dolibarr_del_const($db, "MAIN_INFO_SOCIETE_LOGO_SMALL",$conf->entity);
-    $mysoc->logo_small='';
-
-    $logominifile=$conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_mini;
-    dol_delete_file($logominifile);
-    dolibarr_del_const($db, "MAIN_INFO_SOCIETE_LOGO_MINI",$conf->entity);
-    $mysoc->logo_mini='';
+	require_once DOL_DOCUMENT_ROOT.'/core/lib/files.lib.php';
+
+	$logofile=$conf->mycompany->dir_output.'/logos/'.$mysoc->logo;
+	dol_delete_file($logofile);
+	dolibarr_del_const($db, "MAIN_INFO_SOCIETE_LOGO",$conf->entity);
+	$mysoc->logo='';
+
+	$logosmallfile=$conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_small;
+	dol_delete_file($logosmallfile);
+	dolibarr_del_const($db, "MAIN_INFO_SOCIETE_LOGO_SMALL",$conf->entity);
+	$mysoc->logo_small='';
+
+	$logominifile=$conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_mini;
+	dol_delete_file($logominifile);
+	dolibarr_del_const($db, "MAIN_INFO_SOCIETE_LOGO_MINI",$conf->entity);
+	$mysoc->logo_mini='';
 }
 
 
@@ -284,829 +284,821 @@ print "<br>\n";
 
 if ($action == 'edit' || $action == 'updateedit')
 {
-    /**
-     * Edition des parametres
-     */
-    print "\n".'<script type="text/javascript" language="javascript">';
-    print '$(document).ready(function () {
-              $("#selectcountry_id").change(function() {
-                document.form_index.action.value="updateedit";
-                document.form_index.submit();
-              });
-          });';
-    print '</script>'."\n";
-
-    print '<form enctype="multipart/form-data" method="post" action="'.$_SERVER["PHP_SELF"].'" name="form_index">';
-    print '<input type="hidden" name="token" value="'.$_SESSION['newtoken'].'">';
-    print '<input type="hidden" name="action" value="update">';
-    $var=true;
-
-    print '<table class="noborder" width="100%">';
-    print '<tr class="liste_titre"><th width="35%">'.$langs->trans("CompanyInfo").'</th><th>'.$langs->trans("Value").'</th></tr>'."\n";
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td class="fieldrequired"><label for="name">'.$langs->trans("CompanyName").'</label></td><td>';
-    print '<input name="nom" id="name" size="30" value="'. ($conf->global->MAIN_INFO_SOCIETE_NOM?$conf->global->MAIN_INFO_SOCIETE_NOM:$_POST["nom"]) . '" autofocus="autofocus"></td></tr>'."\n";
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td><label for="address">'.$langs->trans("CompanyAddress").'</label></td><td>';
-    print '<textarea name="address" id="address" cols="80" rows="'.ROWS_3.'">'. ($conf->global->MAIN_INFO_SOCIETE_ADDRESS?$conf->global->MAIN_INFO_SOCIETE_ADDRESS:$_POST["address"]) . '</textarea></td></tr>'."\n";
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td><label for="zipcode">'.$langs->trans("CompanyZip").'</label></td><td>';
-    print '<input name="zipcode" id="zipcode" value="'. ($conf->global->MAIN_INFO_SOCIETE_ZIP?$conf->global->MAIN_INFO_SOCIETE_ZIP:$_POST["zipcode"]) . '" size="10"></td></tr>'."\n";
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td><label for="town">'.$langs->trans("CompanyTown").'</label></td><td>';
-    print '<input name="town" id="town" size="30" value="'. ($conf->global->MAIN_INFO_SOCIETE_TOWN?$conf->global->MAIN_INFO_SOCIETE_TOWN:$_POST["town"]) . '"></td></tr>'."\n";
-
-    // Country
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td class="fieldrequired"><label for="selectcountry_id">'.$langs->trans("Country").'</label></td><td class="maxwidthonsmartphone">';
-    //if (empty($country_selected)) $country_selected=substr($langs->defaultlang,-2);    // By default, country of localization
-    print $form->select_country($mysoc->country_id,'country_id');
-    if ($user->admin) print info_admin($langs->trans("YouCanChangeValuesForThisListFromDictionarySetup"),1);
-    print '</td></tr>'."\n";
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td><label for="state_id">'.$langs->trans("State").'</label></td><td class="maxwidthonsmartphone">';
-    $formcompany->select_departement($conf->global->MAIN_INFO_SOCIETE_STATE,$mysoc->country_code,'state_id');
-    print '</td></tr>'."\n";
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td><label for="currency">'.$langs->trans("CompanyCurrency").'</label></td><td>';
-    print $form->selectCurrency($conf->currency,"currency");
-    print '</td></tr>'."\n";
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td><label for="phone">'.$langs->trans("Phone").'</label></td><td>';
-    print '<input name="tel" id="phone" value="'. $conf->global->MAIN_INFO_SOCIETE_TEL . '"></td></tr>';
-    print '</td></tr>'."\n";
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td><label for="fax">'.$langs->trans("Fax").'</label></td><td>';
-    print '<input name="fax" id="fax" value="'. $conf->global->MAIN_INFO_SOCIETE_FAX . '"></td></tr>';
-    print '</td></tr>'."\n";
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td><label for="email">'.$langs->trans("EMail").'</label></td><td>';
-    print '<input name="mail" id="email" size="60" value="'. $conf->global->MAIN_INFO_SOCIETE_MAIL . '"></td></tr>';
-    print '</td></tr>'."\n";
-
-    // Web
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td><label for="web">'.$langs->trans("Web").'</label></td><td>';
-    print '<input name="web" id="web" size="60" value="'. $conf->global->MAIN_INFO_SOCIETE_WEB . '"></td></tr>';
-    print '</td></tr>'."\n";
-
-    // Barcode
-    if (! empty($conf->barcode->enabled))
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td><label for="barcode">'.$langs->trans("Gencod").'</label></td><td>';
-        print '<input name="barcode" id="barcode" size="40" value="'. $conf->global->MAIN_INFO_SOCIETE_GENCOD . '"></td></tr>';
-        print '</td></tr>';
-    }
-
-    // Logo
-    $var=!$var;
-    print '<tr'.dol_bc($var,'hideonsmartphone').'><td><label for="logo">'.$langs->trans("Logo").' (png,jpg)</label></td><td>';
-    print '<table width="100%" class="nobordernopadding"><tr class="nocellnopadd"><td valign="middle" class="nocellnopadd">';
-    print '<input type="file" class="flat" name="logo" id="logo" size="50">';
-    print '</td><td class="nocellnopadd" valign="middle" align="right">';
-    if (! empty($mysoc->logo_mini))
-    {
-        print '<a href="'.$_SERVER["PHP_SELF"].'?action=removelogo">'.img_delete($langs->trans("Delete")).'</a>';
-        if (file_exists($conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_mini))
-        {
-            print ' &nbsp; ';
-            print '<img src="'.DOL_URL_ROOT.'/viewimage.php?modulepart=companylogo&amp;file='.urlencode('/thumbs/'.$mysoc->logo_mini).'">';
-        }
-    }
-    else
-    {
-        print '<img height="30" src="'.DOL_URL_ROOT.'/public/theme/common/nophoto.jpg">';
-    }
-    print '</td></tr></table>';
-    print '</td></tr>';
-
-    // Note
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td valign="top"><label for="note">'.$langs->trans("Note").'</label></td><td>';
-    print '<textarea class="flat" name="note" id="note" cols="80" rows="'.ROWS_5.'">'.(! empty($conf->global->MAIN_INFO_SOCIETE_NOTE) ? $conf->global->MAIN_INFO_SOCIETE_NOTE : '').'</textarea></td></tr>';
-    print '</td></tr>';
-
-    print '</table>';
-
-    print '<br>';
-
-    // Identifiants de la societe (country-specific)
-    print '<table class="noborder" width="100%">';
-    print '<tr class="liste_titre"><td>'.$langs->trans("CompanyIds").'</td><td>'.$langs->trans("Value").'</td></tr>';
-    $var=true;
-
-    $langs->load("companies");
-
-    // Managing Director(s)
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%"><label for="director">'.$langs->trans("ManagingDirectors").'</label></td><td>';
-    print '<input name="MAIN_INFO_SOCIETE_MANAGERS" id="director" size="80" value="' . $conf->global->MAIN_INFO_SOCIETE_MANAGERS . '"></td></tr>';
-
-    // Capital
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%"><label for="capital">'.$langs->trans("Capital").'</label></td><td>';
-    print '<input name="capital" id="capital" size="20" value="' . $conf->global->MAIN_INFO_CAPITAL . '"></td></tr>';
-
-    // Forme juridique
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td><label for="legal_form">'.$langs->trans("JuridicalStatus").'</label></td><td>';
-    if ($mysoc->country_code)
-    {
-        print $formcompany->select_juridicalstatus($conf->global->MAIN_INFO_SOCIETE_FORME_JURIDIQUE, $mysoc->country_code, '', 'legal_form');
-    }
-    else
-    {
-        print $countrynotdefined;
-    }
-    print '</td></tr>';
-
-    // ProfID1
-    if ($langs->transcountry("ProfId1",$mysoc->country_code) != '-')
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%"><label for="profid1">'.$langs->transcountry("ProfId1",$mysoc->country_code).'</label></td><td>';
-        if (! empty($mysoc->country_code))
-        {
-            print '<input name="siren" id="profid1" size="20" value="' . (! empty($conf->global->MAIN_INFO_SIREN) ? $conf->global->MAIN_INFO_SIREN : '') . '">';
-        }
-        else
-        {
-            print $countrynotdefined;
-        }
-        print '</td></tr>';
-    }
-
-    // ProfId2
-    if ($langs->transcountry("ProfId2",$mysoc->country_code) != '-')
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%"><label for="profid2">'.$langs->transcountry("ProfId2",$mysoc->country_code).'</label></td><td>';
-        if (! empty($mysoc->country_code))
-        {
-            print '<input name="siret" id="profid2" size="20" value="' . (! empty($conf->global->MAIN_INFO_SIRET) ? $conf->global->MAIN_INFO_SIRET : '' ) . '">';
-        }
-        else
-        {
-            print $countrynotdefined;
-        }
-        print '</td></tr>';
-    }
-
-    // ProfId3
-    if ($langs->transcountry("ProfId3",$mysoc->country_code) != '-')
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%"><label for="profid3">'.$langs->transcountry("ProfId3",$mysoc->country_code).'</label></td><td>';
-        if (! empty($mysoc->country_code))
-        {
-            print '<input name="ape" id="profid3" size="20" value="' . (! empty($conf->global->MAIN_INFO_APE) ? $conf->global->MAIN_INFO_APE : '') . '">';
-        }
-        else
-        {
-            print $countrynotdefined;
-        }
-        print '</td></tr>';
-    }
-
-    // ProfId4
-    if ($langs->transcountry("ProfId4",$mysoc->country_code) != '-')
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%"><label for="profid4">'.$langs->transcountry("ProfId4",$mysoc->country_code).'</label></td><td>';
-        if (! empty($mysoc->country_code))
-        {
-            print '<input name="rcs" id="profid4" size="20" value="' . (! empty($conf->global->MAIN_INFO_RCS) ? $conf->global->MAIN_INFO_RCS : '') . '">';
-        }
-        else
-        {
-            print $countrynotdefined;
-        }
-        print '</td></tr>';
-    }
-
-    // ProfId5
-    if ($langs->transcountry("ProfId5",$mysoc->country_code) != '-')
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%"><label for="profid5">'.$langs->transcountry("ProfId5",$mysoc->country_code).'</label></td><td>';
-        if (! empty($mysoc->country_code))
-        {
-            print '<input name="MAIN_INFO_PROFID5" id="profid5" size="20" value="' . (! empty($conf->global->MAIN_INFO_PROFID5) ? $conf->global->MAIN_INFO_PROFID5 : '') . '">';
-        }
-        else
-        {
-            print $countrynotdefined;
-        }
-        print '</td></tr>';
-    }
-
-    // ProfId6
-    if ($langs->transcountry("ProfId6",$mysoc->country_code) != '-')
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%"><label for="profid6">'.$langs->transcountry("ProfId6",$mysoc->country_code).'</label></td><td>';
-        if (! empty($mysoc->country_code))
-        {
-            print '<input name="MAIN_INFO_PROFID6" id="profid6" size="20" value="' . (! empty($conf->global->MAIN_INFO_PROFID6) ? $conf->global->MAIN_INFO_PROFID6 : '') . '">';
-        }
-        else
-        {
-            print $countrynotdefined;
-        }
-        print '</td></tr>';
-    }
-
-    // TVA Intra
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%"><label for="intra_vat">'.$langs->trans("VATIntra").'</label></td><td>';
-    print '<input name="tva" id="intra_vat" size="20" value="' . (! empty($conf->global->MAIN_INFO_TVAINTRA) ? $conf->global->MAIN_INFO_TVAINTRA : '') . '">';
-    print '</td></tr>';
+	/**
+	 * Edition des parametres
+	 */
+	print "\n".'<script type="text/javascript" language="javascript">';
+	print '$(document).ready(function () {
+			  $("#selectcountry_id").change(function() {
+				document.form_index.action.value="updateedit";
+				document.form_index.submit();
+			  });
+		  });';
+	print '</script>'."\n";
+
+	print '<form enctype="multipart/form-data" method="post" action="'.$_SERVER["PHP_SELF"].'" name="form_index">';
+	print '<input type="hidden" name="token" value="'.$_SESSION['newtoken'].'">';
+	print '<input type="hidden" name="action" value="update">';
+	$var=true;
+
+	print '<table class="noborder" width="100%">';
+	print '<tr class="liste_titre"><th width="35%">'.$langs->trans("CompanyInfo").'</th><th>'.$langs->trans("Value").'</th></tr>'."\n";
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td class="fieldrequired"><label for="name">'.$langs->trans("CompanyName").'</label></td><td>';
+	print '<input name="nom" id="name" size="30" value="'. ($conf->global->MAIN_INFO_SOCIETE_NOM?$conf->global->MAIN_INFO_SOCIETE_NOM:$_POST["nom"]) . '" autofocus="autofocus"></td></tr>'."\n";
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td><label for="address">'.$langs->trans("CompanyAddress").'</label></td><td>';
+	print '<textarea name="address" id="address" cols="80" rows="'.ROWS_3.'">'. ($conf->global->MAIN_INFO_SOCIETE_ADDRESS?$conf->global->MAIN_INFO_SOCIETE_ADDRESS:$_POST["address"]) . '</textarea></td></tr>'."\n";
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td><label for="zipcode">'.$langs->trans("CompanyZip").'</label></td><td>';
+	print '<input name="zipcode" id="zipcode" value="'. ($conf->global->MAIN_INFO_SOCIETE_ZIP?$conf->global->MAIN_INFO_SOCIETE_ZIP:$_POST["zipcode"]) . '" size="10"></td></tr>'."\n";
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td><label for="town">'.$langs->trans("CompanyTown").'</label></td><td>';
+	print '<input name="town" id="town" size="30" value="'. ($conf->global->MAIN_INFO_SOCIETE_TOWN?$conf->global->MAIN_INFO_SOCIETE_TOWN:$_POST["town"]) . '"></td></tr>'."\n";
+
+	// Country
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td class="fieldrequired"><label for="selectcountry_id">'.$langs->trans("Country").'</label></td><td class="maxwidthonsmartphone">';
+	//if (empty($country_selected)) $country_selected=substr($langs->defaultlang,-2);    // By default, country of localization
+	print $form->select_country($mysoc->country_id,'country_id');
+	if ($user->admin) print info_admin($langs->trans("YouCanChangeValuesForThisListFromDictionarySetup"),1);
+	print '</td></tr>'."\n";
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td><label for="state_id">'.$langs->trans("State").'</label></td><td class="maxwidthonsmartphone">';
+	$formcompany->select_departement($conf->global->MAIN_INFO_SOCIETE_STATE,$mysoc->country_code,'state_id');
+	print '</td></tr>'."\n";
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td><label for="currency">'.$langs->trans("CompanyCurrency").'</label></td><td>';
+	print $form->selectCurrency($conf->currency,"currency");
+	print '</td></tr>'."\n";
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td><label for="phone">'.$langs->trans("Phone").'</label></td><td>';
+	print '<input name="tel" id="phone" value="'. $conf->global->MAIN_INFO_SOCIETE_TEL . '"></td></tr>';
+	print '</td></tr>'."\n";
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td><label for="fax">'.$langs->trans("Fax").'</label></td><td>';
+	print '<input name="fax" id="fax" value="'. $conf->global->MAIN_INFO_SOCIETE_FAX . '"></td></tr>';
+	print '</td></tr>'."\n";
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td><label for="email">'.$langs->trans("EMail").'</label></td><td>';
+	print '<input name="mail" id="email" size="60" value="'. $conf->global->MAIN_INFO_SOCIETE_MAIL . '"></td></tr>';
+	print '</td></tr>'."\n";
+
+	// Web
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td><label for="web">'.$langs->trans("Web").'</label></td><td>';
+	print '<input name="web" id="web" size="60" value="'. $conf->global->MAIN_INFO_SOCIETE_WEB . '"></td></tr>';
+	print '</td></tr>'."\n";
+
+	// Barcode
+	if (! empty($conf->barcode->enabled)) {
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td><label for="barcode">'.$langs->trans("Gencod").'</label></td><td>';
+		print '<input name="barcode" id="barcode" size="40" value="'. $conf->global->MAIN_INFO_SOCIETE_GENCOD . '"></td></tr>';
+		print '</td></tr>';
+	}
+
+	// Logo
+	$var=!$var;
+	print '<tr'.dol_bc($var,'hideonsmartphone').'><td><label for="logo">'.$langs->trans("Logo").' (png,jpg)</label></td><td>';
+	print '<table width="100%" class="nobordernopadding"><tr class="nocellnopadd"><td valign="middle" class="nocellnopadd">';
+	print '<input type="file" class="flat" name="logo" id="logo" size="50">';
+	print '</td><td class="nocellnopadd" valign="middle" align="right">';
+	if (! empty($mysoc->logo_mini)) {
+		print '<a href="'.$_SERVER["PHP_SELF"].'?action=removelogo">'.img_delete($langs->trans("Delete")).'</a>';
+		if (file_exists($conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_mini)) {
+			print ' &nbsp; ';
+			print '<img src="'.DOL_URL_ROOT.'/viewimage.php?modulepart=companylogo&amp;file='.urlencode('/thumbs/'.$mysoc->logo_mini).'">';
+		}
+	} else {
+		print '<img height="30" src="'.DOL_URL_ROOT.'/public/theme/common/nophoto.jpg">';
+	}
+	print '</td></tr></table>';
+	print '</td></tr>';
+
+	// Note
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td valign="top"><label for="note">'.$langs->trans("Note").'</label></td><td>';
+	print '<textarea class="flat" name="note" id="note" cols="80" rows="'.ROWS_5.'">'.(! empty($conf->global->MAIN_INFO_SOCIETE_NOTE) ? $conf->global->MAIN_INFO_SOCIETE_NOTE : '').'</textarea></td></tr>';
+	print '</td></tr>';
+
+	print '</table>';
+
+	print '<br>';
+
+	// Identifiants de la societe (country-specific)
+	print '<table class="noborder" width="100%">';
+	print '<tr class="liste_titre"><td>'.$langs->trans("CompanyIds").'</td><td>'.$langs->trans("Value").'</td></tr>';
+	$var=true;
+
+	$langs->load("companies");
+
+	// Managing Director(s)
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%"><label for="director">'.$langs->trans("ManagingDirectors").'</label></td><td>';
+	print '<input name="MAIN_INFO_SOCIETE_MANAGERS" id="director" size="80" value="' . $conf->global->MAIN_INFO_SOCIETE_MANAGERS . '"></td></tr>';
+
+	// Capital
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%"><label for="capital">'.$langs->trans("Capital").'</label></td><td>';
+	print '<input name="capital" id="capital" size="20" value="' . $conf->global->MAIN_INFO_CAPITAL . '"></td></tr>';
+
+	// Forme juridique
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td><label for="legal_form">'.$langs->trans("JuridicalStatus").'</label></td><td>';
+	if ($mysoc->country_code) {
+		print $formcompany->select_juridicalstatus($conf->global->MAIN_INFO_SOCIETE_FORME_JURIDIQUE, $mysoc->country_code, '', 'legal_form');
+	} else {
+		print $countrynotdefined;
+	}
+	print '</td></tr>';
+
+	// ProfID1
+	if ($langs->transcountry("ProfId1",$mysoc->country_code) != '-')
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%"><label for="profid1">'.$langs->transcountry("ProfId1",$mysoc->country_code).'</label></td><td>';
+		if (! empty($mysoc->country_code))
+		{
+			print '<input name="siren" id="profid1" size="20" value="' . (! empty($conf->global->MAIN_INFO_SIREN) ? $conf->global->MAIN_INFO_SIREN : '') . '">';
+		}
+		else
+		{
+			print $countrynotdefined;
+		}
+		print '</td></tr>';
+	}
+
+	// ProfId2
+	if ($langs->transcountry("ProfId2",$mysoc->country_code) != '-')
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%"><label for="profid2">'.$langs->transcountry("ProfId2",$mysoc->country_code).'</label></td><td>';
+		if (! empty($mysoc->country_code))
+		{
+			print '<input name="siret" id="profid2" size="20" value="' . (! empty($conf->global->MAIN_INFO_SIRET) ? $conf->global->MAIN_INFO_SIRET : '' ) . '">';
+		}
+		else
+		{
+			print $countrynotdefined;
+		}
+		print '</td></tr>';
+	}
+
+	// ProfId3
+	if ($langs->transcountry("ProfId3",$mysoc->country_code) != '-')
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%"><label for="profid3">'.$langs->transcountry("ProfId3",$mysoc->country_code).'</label></td><td>';
+		if (! empty($mysoc->country_code))
+		{
+			print '<input name="ape" id="profid3" size="20" value="' . (! empty($conf->global->MAIN_INFO_APE) ? $conf->global->MAIN_INFO_APE : '') . '">';
+		}
+		else
+		{
+			print $countrynotdefined;
+		}
+		print '</td></tr>';
+	}
+
+	// ProfId4
+	if ($langs->transcountry("ProfId4",$mysoc->country_code) != '-')
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%"><label for="profid4">'.$langs->transcountry("ProfId4",$mysoc->country_code).'</label></td><td>';
+		if (! empty($mysoc->country_code))
+		{
+			print '<input name="rcs" id="profid4" size="20" value="' . (! empty($conf->global->MAIN_INFO_RCS) ? $conf->global->MAIN_INFO_RCS : '') . '">';
+		}
+		else
+		{
+			print $countrynotdefined;
+		}
+		print '</td></tr>';
+	}
+
+	// ProfId5
+	if ($langs->transcountry("ProfId5",$mysoc->country_code) != '-')
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%"><label for="profid5">'.$langs->transcountry("ProfId5",$mysoc->country_code).'</label></td><td>';
+		if (! empty($mysoc->country_code))
+		{
+			print '<input name="MAIN_INFO_PROFID5" id="profid5" size="20" value="' . (! empty($conf->global->MAIN_INFO_PROFID5) ? $conf->global->MAIN_INFO_PROFID5 : '') . '">';
+		}
+		else
+		{
+			print $countrynotdefined;
+		}
+		print '</td></tr>';
+	}
+
+	// ProfId6
+	if ($langs->transcountry("ProfId6",$mysoc->country_code) != '-')
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%"><label for="profid6">'.$langs->transcountry("ProfId6",$mysoc->country_code).'</label></td><td>';
+		if (! empty($mysoc->country_code))
+		{
+			print '<input name="MAIN_INFO_PROFID6" id="profid6" size="20" value="' . (! empty($conf->global->MAIN_INFO_PROFID6) ? $conf->global->MAIN_INFO_PROFID6 : '') . '">';
+		}
+		else
+		{
+			print $countrynotdefined;
+		}
+		print '</td></tr>';
+	}
+
+	// TVA Intra
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%"><label for="intra_vat">'.$langs->trans("VATIntra").'</label></td><td>';
+	print '<input name="tva" id="intra_vat" size="20" value="' . (! empty($conf->global->MAIN_INFO_TVAINTRA) ? $conf->global->MAIN_INFO_TVAINTRA : '') . '">';
+	print '</td></tr>';
 	
 	// Object of the company
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%"><label for="object">'.$langs->trans("CompanyObject").'</label></td><td>';
-    print '<textarea class="flat" name="object" id="object" cols="80" rows="'.ROWS_5.'">'.(! empty($conf->global->MAIN_INFO_SOCIETE_OBJECT) ? $conf->global->MAIN_INFO_SOCIETE_OBJECT : '').'</textarea></td></tr>';
-    print '</td></tr>';
-
-    print '</table>';
-
-
-    // Fiscal year start
-    print '<br>';
-    print '<table class="noborder" width="100%">';
-    print '<tr class="liste_titre">';
-    print '<td>'.$langs->trans("FiscalYearInformation").'</td><td>'.$langs->trans("Value").'</td>';
-    print "</tr>\n";
-    $var=true;
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%"><label for="fiscalmonthstart">'.$langs->trans("FiscalMonthStart").'</label></td><td>';
-    print $formother->select_month($conf->global->SOCIETE_FISCAL_MONTH_START,'fiscalmonthstart',0,1) . '</td></tr>';
-
-    print "</table>";
-
-
-    // Fiscal options
-    print '<br>';
-    print '<table class="noborder" width="100%">';
-    print '<tr class="liste_titre">';
-    print '<td>'.$langs->trans("VATManagement").'</td><td>'.$langs->trans("Description").'</td>';
-    print '<td align="right">&nbsp;</td>';
-    print "</tr>\n";
-    $var=true;
-
-    $var=!$var;
-    print "<tr ".$bc[$var]."><td width=\"140\"><label><input type=\"radio\" name=\"optiontva\" id=\"use_vat\" value=\"1\"".(empty($conf->global->FACTURE_TVAOPTION)?"":" checked")."> ".$langs->trans("VATIsUsed")."</label></td>";
-    print '<td colspan="2">';
-    print "<table>";
-    print "<tr><td><label for=\"use_vat\">".$langs->trans("VATIsUsedDesc")."</label></td></tr>";
-    print "<tr><td><i>".$langs->trans("Example").': '.$langs->trans("VATIsUsedExampleFR")."</i></td></tr>\n";
-    print "</table>";
-    print "</td></tr>\n";
-
-    $var=!$var;
-    print "<tr ".$bc[$var]."><td width=\"140\"><label><input type=\"radio\" name=\"optiontva\" id=\"no_vat\" value=\"0\"".(empty($conf->global->FACTURE_TVAOPTION)?" checked":"")."> ".$langs->trans("VATIsNotUsed")."</label></td>";
-    print '<td colspan="2">';
-    print "<table>";
-    print "<tr><td><label for=\"no_vat\">".$langs->trans("VATIsNotUsedDesc")."</label></td></tr>";
-    print "<tr><td><i>".$langs->trans("Example").': '.$langs->trans("VATIsNotUsedExampleFR")."</i></td></tr>\n";
-    print "</table>";
-    print "</td></tr>\n";
-
-    print "</table>";
-
-    /*
-     *  Local Taxes
-     */
-    if ($mysoc->useLocalTax(1))
-    {
-        // Local Tax 1
-        print '<br>';
-        print '<table class="noborder" width="100%">';
-        print '<tr class="liste_titre">';
-        print '<td>'.$langs->transcountry("LocalTax1Management",$mysoc->country_code).'</td><td>'.$langs->trans("Description").'</td>';
-        print '<td align="right">&nbsp;</td>';
-        print "</tr>\n";
-        $var=true;
-        $var=!$var;
-        // Note: When option is not set, it must not appears as set on on, because there is no default value for this option
-        print "<tr ".$bc[$var]."><td width=\"140\"><input type=\"radio\" name=\"optionlocaltax1\" id=\"lt1\" value=\"localtax1on\"".(($conf->global->FACTURE_LOCAL_TAX1_OPTION == '1' || $conf->global->FACTURE_LOCAL_TAX1_OPTION == "localtax1on")?" checked":"")."> ".$langs->transcountry("LocalTax1IsUsed",$mysoc->country_code)."</td>";
-        print '<td colspan="2">';
-        print "<table>";
-        print "<tr><td><label for=\"lt1\">".$langs->transcountry("LocalTax1IsUsedDesc",$mysoc->country_code)."</label></td></tr>";
-        $example=$langs->transcountry("LocalTax1IsUsedExample",$mysoc->country_code);
-        print ($example!="LocalTax1IsUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax1IsUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
-        if(! isOnlyOneLocalTax(1))
-        {
-	        print '<tr><td align="left"><label for="lt1">'.$langs->trans("LTRate").'</label>: ';
-    	    $formcompany->select_localtax(1,$conf->global->MAIN_INFO_VALUE_LOCALTAX1, "lt1");
-        }
-        print '</td></tr>';
-
-        $opcions=array($langs->trans("CalcLocaltax1").' '.$langs->trans("CalcLocaltax1Desc"),$langs->trans("CalcLocaltax2").' - '.$langs->trans("CalcLocaltax2Desc"),$langs->trans("CalcLocaltax3").' - '.$langs->trans("CalcLocaltax3Desc"));
-
-        print '<tr><td align="left"></label for="clt1">'.$langs->trans("CalcLocaltax").'</label>: ';
-        print $form->selectarray("clt1", $opcions, $conf->global->MAIN_INFO_LOCALTAX_CALC1);
-        print '</td></tr>';
-        print "</table>";
-        print "</td></tr>\n";
-
-        $var=!$var;
-        print "<tr ".$bc[$var]."><td width=\"140\"><input type=\"radio\" name=\"optionlocaltax1\" id=\"nolt1\" value=\"localtax1off\"".($conf->global->FACTURE_LOCAL_TAX1_OPTION == "localtax1off"?" checked":"")."> ".$langs->transcountry("LocalTax1IsNotUsed",$mysoc->country_code)."</td>";
-        print '<td colspan="2">';
-        print "<table>";
-        print "<tr><td><label for=\"nolt1\">".$langs->transcountry("LocalTax1IsNotUsedDesc",$mysoc->country_code)."</label></td></tr>";
-        $example=$langs->transcountry("LocalTax1IsNotUsedExample",$mysoc->country_code);
-        print ($example!="LocalTax1IsNotUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax1IsNotUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
-        print "</table>";
-        print "</td></tr>\n";
-        print "</table>";
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%"><label for="object">'.$langs->trans("CompanyObject").'</label></td><td>';
+	print '<textarea class="flat" name="object" id="object" cols="80" rows="'.ROWS_5.'">'.(! empty($conf->global->MAIN_INFO_SOCIETE_OBJECT) ? $conf->global->MAIN_INFO_SOCIETE_OBJECT : '').'</textarea></td></tr>';
+	print '</td></tr>';
+
+	print '</table>';
+
+
+	// Fiscal year start
+	print '<br>';
+	print '<table class="noborder" width="100%">';
+	print '<tr class="liste_titre">';
+	print '<td>'.$langs->trans("FiscalYearInformation").'</td><td>'.$langs->trans("Value").'</td>';
+	print "</tr>\n";
+	$var=true;
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%"><label for="fiscalmonthstart">'.$langs->trans("FiscalMonthStart").'</label></td><td>';
+	print $formother->select_month($conf->global->SOCIETE_FISCAL_MONTH_START,'fiscalmonthstart',0,1) . '</td></tr>';
+
+	print "</table>";
+
+
+	// Fiscal options
+	print '<br>';
+	print '<table class="noborder" width="100%">';
+	print '<tr class="liste_titre">';
+	print '<td>'.$langs->trans("VATManagement").'</td><td>'.$langs->trans("Description").'</td>';
+	print '<td align="right">&nbsp;</td>';
+	print "</tr>\n";
+	$var=true;
+
+	$var=!$var;
+	print "<tr ".$bc[$var]."><td width=\"140\"><label><input type=\"radio\" name=\"optiontva\" id=\"use_vat\" value=\"1\"".(empty($conf->global->FACTURE_TVAOPTION)?"":" checked")."> ".$langs->trans("VATIsUsed")."</label></td>";
+	print '<td colspan="2">';
+	print "<table>";
+	print "<tr><td><label for=\"use_vat\">".$langs->trans("VATIsUsedDesc")."</label></td></tr>";
+	print "<tr><td><i>".$langs->trans("Example").': '.$langs->trans("VATIsUsedExampleFR")."</i></td></tr>\n";
+	print "</table>";
+	print "</td></tr>\n";
+
+	$var=!$var;
+	print "<tr ".$bc[$var]."><td width=\"140\"><label><input type=\"radio\" name=\"optiontva\" id=\"no_vat\" value=\"0\"".(empty($conf->global->FACTURE_TVAOPTION)?" checked":"")."> ".$langs->trans("VATIsNotUsed")."</label></td>";
+	print '<td colspan="2">';
+	print "<table>";
+	print "<tr><td><label for=\"no_vat\">".$langs->trans("VATIsNotUsedDesc")."</label></td></tr>";
+	print "<tr><td><i>".$langs->trans("Example").': '.$langs->trans("VATIsNotUsedExampleFR")."</i></td></tr>\n";
+	print "</table>";
+	print "</td></tr>\n";
+
+	print "</table>";
+
+	/*
+	 *  Local Taxes
+	 */
+	if ($mysoc->useLocalTax(1))
+	{
+		// Local Tax 1
+		print '<br>';
+		print '<table class="noborder" width="100%">';
+		print '<tr class="liste_titre">';
+		print '<td>'.$langs->transcountry("LocalTax1Management",$mysoc->country_code).'</td><td>'.$langs->trans("Description").'</td>';
+		print '<td align="right">&nbsp;</td>';
+		print "</tr>\n";
+		$var=true;
+		$var=!$var;
+		// Note: When option is not set, it must not appears as set on on, because there is no default value for this option
+		print "<tr ".$bc[$var]."><td width=\"140\"><input type=\"radio\" name=\"optionlocaltax1\" id=\"lt1\" value=\"localtax1on\"".(($conf->global->FACTURE_LOCAL_TAX1_OPTION == '1' || $conf->global->FACTURE_LOCAL_TAX1_OPTION == "localtax1on")?" checked":"")."> ".$langs->transcountry("LocalTax1IsUsed",$mysoc->country_code)."</td>";
+		print '<td colspan="2">';
+		print "<table>";
+		print "<tr><td><label for=\"lt1\">".$langs->transcountry("LocalTax1IsUsedDesc",$mysoc->country_code)."</label></td></tr>";
+		$example=$langs->transcountry("LocalTax1IsUsedExample",$mysoc->country_code);
+		print ($example!="LocalTax1IsUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax1IsUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
+		if(! isOnlyOneLocalTax(1))
+		{
+			print '<tr><td align="left"><label for="lt1">'.$langs->trans("LTRate").'</label>: ';
+			$formcompany->select_localtax(1,$conf->global->MAIN_INFO_VALUE_LOCALTAX1, "lt1");
+		}
+		print '</td></tr>';
+
+		$opcions=array($langs->trans("CalcLocaltax1").' '.$langs->trans("CalcLocaltax1Desc"),$langs->trans("CalcLocaltax2").' - '.$langs->trans("CalcLocaltax2Desc"),$langs->trans("CalcLocaltax3").' - '.$langs->trans("CalcLocaltax3Desc"));
+
+		print '<tr><td align="left"></label for="clt1">'.$langs->trans("CalcLocaltax").'</label>: ';
+		print $form->selectarray("clt1", $opcions, $conf->global->MAIN_INFO_LOCALTAX_CALC1);
+		print '</td></tr>';
+		print "</table>";
+		print "</td></tr>\n";
+
+		$var=!$var;
+		print "<tr ".$bc[$var]."><td width=\"140\"><input type=\"radio\" name=\"optionlocaltax1\" id=\"nolt1\" value=\"localtax1off\"".($conf->global->FACTURE_LOCAL_TAX1_OPTION == "localtax1off"?" checked":"")."> ".$langs->transcountry("LocalTax1IsNotUsed",$mysoc->country_code)."</td>";
+		print '<td colspan="2">';
+		print "<table>";
+		print "<tr><td><label for=\"nolt1\">".$langs->transcountry("LocalTax1IsNotUsedDesc",$mysoc->country_code)."</label></td></tr>";
+		$example=$langs->transcountry("LocalTax1IsNotUsedExample",$mysoc->country_code);
+		print ($example!="LocalTax1IsNotUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax1IsNotUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
+		print "</table>";
+		print "</td></tr>\n";
+		print "</table>";
+	}
+	if ($mysoc->useLocalTax(2))
+	{
+		// Local Tax 2
+		print '<br>';
+		print '<table class="noborder" width="100%">';
+		print '<tr class="liste_titre">';
+		print '<td>'.$langs->transcountry("LocalTax2Management",$mysoc->country_code).'</td><td>'.$langs->trans("Description").'</td>';
+		print '<td align="right">&nbsp;</td>';
+		print "</tr>\n";
+		$var=true;
+
+		$var=!$var;
+		// Note: When option is not set, it must not appears as set on on, because there is no default value for this option
+		print "<tr ".$bc[$var]."><td width=\"140\"><input type=\"radio\" name=\"optionlocaltax2\" id=\"lt2\" value=\"localtax2on\"".(($conf->global->FACTURE_LOCAL_TAX2_OPTION == '1' || $conf->global->FACTURE_LOCAL_TAX2_OPTION == "localtax2on")?" checked":"")."> ".$langs->transcountry("LocalTax2IsUsed",$mysoc->country_code)."</td>";
+		print '<td colspan="2">';
+		print "<table>";
+		print "<tr><td><label for=\"lt2\">".$langs->transcountry("LocalTax2IsUsedDesc",$mysoc->country_code)."</label></td></tr>";
+		$example=$langs->transcountry("LocalTax2IsUsedExample",$mysoc->country_code);
+		print ($example!="LocalTax2IsUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax2IsUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
+		print '<tr><td align="left"><label for="lt2">'.$langs->trans("LTRate").'</label>: ';
+		if(! isOnlyOneLocalTax(2))
+		{
+			$formcompany->select_localtax(2,$conf->global->MAIN_INFO_VALUE_LOCALTAX2, "lt2");
+			print '</td></tr>';
+		}
+		print '<tr><td align="left"><label for="clt2">'.$langs->trans("CalcLocaltax").'</label>: ';
+		print $form->selectarray("clt2", $opcions, $conf->global->MAIN_INFO_LOCALTAX_CALC2);
+		print '</td></tr>';
+		print "</table>";
+		print "</td></tr>\n";
+
+		$var=!$var;
+		print "<tr ".$bc[$var]."><td width=\"140\"><input type=\"radio\" name=\"optionlocaltax2\" id=\"nolt2\" value=\"localtax2off\"".($conf->global->FACTURE_LOCAL_TAX2_OPTION == "localtax2off"?" checked":"")."> ".$langs->transcountry("LocalTax2IsNotUsed",$mysoc->country_code)."</td>";
+		print '<td colspan="2">';
+		print "<table>";
+		print "<tr><td><label for=\"nolt2\">".$langs->transcountry("LocalTax2IsNotUsedDesc",$mysoc->country_code)."</label></td></tr>";
+		$example=$langs->transcountry("LocalTax2IsNotUsedExample",$mysoc->country_code);
+		print ($example!="LocalTax2IsNotUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax2IsNotUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
+		print "</table>";
+		print "</td></tr>\n";
+		print "</table>";
 	}
-    if ($mysoc->useLocalTax(2))
-    {
-        // Local Tax 2
-        print '<br>';
-        print '<table class="noborder" width="100%">';
-        print '<tr class="liste_titre">';
-        print '<td>'.$langs->transcountry("LocalTax2Management",$mysoc->country_code).'</td><td>'.$langs->trans("Description").'</td>';
-        print '<td align="right">&nbsp;</td>';
-        print "</tr>\n";
-        $var=true;
-
-        $var=!$var;
-        // Note: When option is not set, it must not appears as set on on, because there is no default value for this option
-        print "<tr ".$bc[$var]."><td width=\"140\"><input type=\"radio\" name=\"optionlocaltax2\" id=\"lt2\" value=\"localtax2on\"".(($conf->global->FACTURE_LOCAL_TAX2_OPTION == '1' || $conf->global->FACTURE_LOCAL_TAX2_OPTION == "localtax2on")?" checked":"")."> ".$langs->transcountry("LocalTax2IsUsed",$mysoc->country_code)."</td>";
-        print '<td colspan="2">';
-        print "<table>";
-        print "<tr><td><label for=\"lt2\">".$langs->transcountry("LocalTax2IsUsedDesc",$mysoc->country_code)."</label></td></tr>";
-        $example=$langs->transcountry("LocalTax2IsUsedExample",$mysoc->country_code);
-        print ($example!="LocalTax2IsUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax2IsUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
-        print '<tr><td align="left"><label for="lt2">'.$langs->trans("LTRate").'</label>: ';
-        if(! isOnlyOneLocalTax(2))
-        {
-	        $formcompany->select_localtax(2,$conf->global->MAIN_INFO_VALUE_LOCALTAX2, "lt2");
-	        print '</td></tr>';
-        }
-        print '<tr><td align="left"><label for="clt2">'.$langs->trans("CalcLocaltax").'</label>: ';
-        print $form->selectarray("clt2", $opcions, $conf->global->MAIN_INFO_LOCALTAX_CALC2);
-        print '</td></tr>';
-        print "</table>";
-        print "</td></tr>\n";
-
-        $var=!$var;
-        print "<tr ".$bc[$var]."><td width=\"140\"><input type=\"radio\" name=\"optionlocaltax2\" id=\"nolt2\" value=\"localtax2off\"".($conf->global->FACTURE_LOCAL_TAX2_OPTION == "localtax2off"?" checked":"")."> ".$langs->transcountry("LocalTax2IsNotUsed",$mysoc->country_code)."</td>";
-        print '<td colspan="2">';
-        print "<table>";
-        print "<tr><td><label for=\"nolt2\">".$langs->transcountry("LocalTax2IsNotUsedDesc",$mysoc->country_code)."</label></td></tr>";
-        $example=$langs->transcountry("LocalTax2IsNotUsedExample",$mysoc->country_code);
-        print ($example!="LocalTax2IsNotUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax2IsNotUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
-        print "</table>";
-        print "</td></tr>\n";
-        print "</table>";
-    }
-
-
-    print '<br><div class="center">';
-    print '<input type="submit" class="button" name="save" value="'.$langs->trans("Save").'">';
-    print '&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;';
-    print '<input type="submit" class="button" name="cancel" value="'.$langs->trans("Cancel").'">';
-    print '</div>';
-    print '<br>';
-
-    print '</form>';
+
+
+	print '<br><div class="center">';
+	print '<input type="submit" class="button" name="save" value="'.$langs->trans("Save").'">';
+	print '&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;';
+	print '<input type="submit" class="button" name="cancel" value="'.$langs->trans("Cancel").'">';
+	print '</div>';
+	print '<br>';
+
+	print '</form>';
 }
 else
 {
-    /*
-     * Show parameters
-     */
-
-    // Actions buttons
-    //print '<div class="tabsAction">';
-    //print '<a class="butAction" href="'.$_SERVER["PHP_SELF"].'?action=edit">'.$langs->trans("Modify").'</a>';
-    //print '</div><br>';
-
-    print '<table class="noborder" width="100%">';
-    print '<tr class="liste_titre"><td>'.$langs->trans("CompanyInfo").'</td><td>'.$langs->trans("Value").'</td></tr>';
-    $var=true;
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("CompanyName").'</td><td>';
-    if (! empty($conf->global->MAIN_INFO_SOCIETE_NOM)) print $conf->global->MAIN_INFO_SOCIETE_NOM;
-    else print img_warning().' <font class="error">'.$langs->trans("ErrorFieldRequired",$langs->transnoentitiesnoconv("CompanyName")).'</font>';
-    print '</td></tr>';
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("CompanyAddress").'</td><td>' . nl2br(empty($conf->global->MAIN_INFO_SOCIETE_ADDRESS)?'':$conf->global->MAIN_INFO_SOCIETE_ADDRESS) . '</td></tr>';
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("CompanyZip").'</td><td>' . (empty($conf->global->MAIN_INFO_SOCIETE_ZIP)?'':$conf->global->MAIN_INFO_SOCIETE_ZIP) . '</td></tr>';
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("CompanyTown").'</td><td>' . (empty($conf->global->MAIN_INFO_SOCIETE_TOWN)?'':$conf->global->MAIN_INFO_SOCIETE_TOWN) . '</td></tr>';
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td>'.$langs->trans("CompanyCountry").'</td><td>';
-    if ($mysoc->country_code)
-    {
-        $img=picto_from_langcode($mysoc->country_code);
-        print $img?$img.' ':'';
-        print getCountry($mysoc->country_code,1);
-    }
-    else print img_warning().' <font class="error">'.$langs->trans("ErrorFieldRequired",$langs->transnoentitiesnoconv("CompanyCountry")).'</font>';
-    print '</td></tr>';
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td>'.$langs->trans("State").'</td><td>';
-    if (! empty($conf->global->MAIN_INFO_SOCIETE_STATE)) print getState($conf->global->MAIN_INFO_SOCIETE_STATE);
-    else print '&nbsp;';
-    print '</td></tr>';
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("CompanyCurrency").'</td><td>';
-    print currency_name($conf->currency,1);
-    print ' ('.$langs->getCurrencySymbol($conf->currency).')';
-    print '</td></tr>';
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Phone").'</td><td>' . dol_print_phone($conf->global->MAIN_INFO_SOCIETE_TEL,$mysoc->country_code) . '</td></tr>';
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Fax").'</td><td>' . dol_print_phone($conf->global->MAIN_INFO_SOCIETE_FAX,$mysoc->country_code) . '</td></tr>';
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Mail").'</td><td>' . dol_print_email($conf->global->MAIN_INFO_SOCIETE_MAIL,0,0,0,80) . '</td></tr>';
-
-    // Web
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Web").'</td><td>' . dol_print_url($conf->global->MAIN_INFO_SOCIETE_WEB,'_blank',80) . '</td></tr>';
-
-    // Barcode
-    if (! empty($conf->barcode->enabled))
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Gencod").'</td><td>' . $conf->global->MAIN_INFO_SOCIETE_GENCOD . '</td></tr>';
-    }
-
-    // Logo
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Logo").'</td><td>';
-
-    print '<table width="100%" class="nobordernopadding"><tr class="nocellnopadd"><td valign="middle" class="nocellnopadd">';
-    print $mysoc->logo;
-    print '</td><td class="nocellnopadd" valign="center" align="right">';
-
-    // On propose la generation de la vignette si elle n'existe pas
-    if (!is_file($conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_mini) && preg_match('/(\.jpg|\.jpeg|\.png)$/i',$mysoc->logo))
-    {
-        print '<a href="'.$_SERVER["PHP_SELF"].'?action=addthumb&amp;file='.urlencode($mysoc->logo).'">'.img_picto($langs->trans('GenerateThumb'),'refresh').'&nbsp;&nbsp;</a>';
-    }
-    else if ($mysoc->logo_mini && is_file($conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_mini))
-    {
-        print '<img src="'.DOL_URL_ROOT.'/viewimage.php?modulepart=companylogo&amp;file='.urlencode('/thumbs/'.$mysoc->logo_mini).'">';
-    }
-    else
-    {
-        print '<img height="30" src="'.DOL_URL_ROOT.'/public/theme/common/nophoto.jpg">';
-    }
-    print '</td></tr></table>';
-
-    print '</td></tr>';
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%" valign="top">'.$langs->trans("Note").'</td><td>' . (! empty($conf->global->MAIN_INFO_SOCIETE_NOTE) ? nl2br($conf->global->MAIN_INFO_SOCIETE_NOTE) : '') . '</td></tr>';
-
-    print '</table>';
-
-
-    print '<br>';
-
-
-    // Identifiants de la societe (country-specific)
-    print '<form name="formsoc" method="post">';
-    print '<input type="hidden" name="token" value="'.$_SESSION['newtoken'].'">';
-    print '<table class="noborder" width="100%">';
-    print '<tr class="liste_titre"><td>'.$langs->trans("CompanyIds").'</td><td>'.$langs->trans("Value").'</td></tr>';
-    $var=true;
-
-    // Managing Director(s)
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("ManagingDirectors").'</td><td>';
-    print $conf->global->MAIN_INFO_SOCIETE_MANAGERS . '</td></tr>';
-
-    // Capital
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Capital").'</td><td>';
-    print $conf->global->MAIN_INFO_CAPITAL . '</td></tr>';
-
-    // Forme juridique
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("JuridicalStatus").'</td><td>';
-    print getFormeJuridiqueLabel($conf->global->MAIN_INFO_SOCIETE_FORME_JURIDIQUE);
-    print '</td></tr>';
-
-    // ProfId1
-    if ($langs->transcountry("ProfId1",$mysoc->country_code) != '-')
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%">'.$langs->transcountry("ProfId1",$mysoc->country_code).'</td><td>';
-        if (! empty($conf->global->MAIN_INFO_SIREN))
-        {
-            print $conf->global->MAIN_INFO_SIREN;
-            if ($mysoc->country_code == 'FR') print ' &nbsp; <a href="http://avis-situation-sirene.insee.fr/avisitu/jsp/avis.jsp" target="_blank">'.$langs->trans("Check").'</a>';
-        } else {
-        	print '&nbsp;';
-        }
-        print '</td></tr>';
-    }
-
-    // ProfId2
-    if ($langs->transcountry("ProfId2",$mysoc->country_code) != '-')
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%">'.$langs->transcountry("ProfId2",$mysoc->country_code).'</td><td>';
-        if (! empty($conf->global->MAIN_INFO_SIRET))
-        {
-            print $conf->global->MAIN_INFO_SIRET;
-        } else {
-        	print '&nbsp;';
-        }
-        print '</td></tr>';
-    }
-
-    // ProfId3
-    if ($langs->transcountry("ProfId3",$mysoc->country_code) != '-')
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%">'.$langs->transcountry("ProfId3",$mysoc->country_code).'</td><td>';
-        if (! empty($conf->global->MAIN_INFO_APE))
-        {
-            print $conf->global->MAIN_INFO_APE;
-        } else {
-        	print '&nbsp;';
-        }
-        print '</td></tr>';
-    }
-
-    // ProfId4
-    if ($langs->transcountry("ProfId4",$mysoc->country_code) != '-')
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%">'.$langs->transcountry("ProfId4",$mysoc->country_code).'</td><td>';
-        if (! empty($conf->global->MAIN_INFO_RCS))
-        {
-            print $conf->global->MAIN_INFO_RCS;
-        } else {
-        	print '&nbsp;';
-        }
-        print '</td></tr>';
-    }
-
-    // ProfId5
-    if ($langs->transcountry("ProfId5",$mysoc->country_code) != '-')
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%">'.$langs->transcountry("ProfId5",$mysoc->country_code).'</td><td>';
-        if (! empty($conf->global->MAIN_INFO_PROFID5))
-        {
-            print $conf->global->MAIN_INFO_PROFID5;
-        } else {
-        	print '&nbsp;';
-        }
-        print '</td></tr>';
-    }
-
-    // ProfId6
-    if ($langs->transcountry("ProfId6",$mysoc->country_code) != '-')
-    {
-        $var=!$var;
-        print '<tr '.$bc[$var].'><td width="35%">'.$langs->transcountry("ProfId6",$mysoc->country_code).'</td><td>';
-        if (! empty($conf->global->MAIN_INFO_PROFID6))
-        {
-            print $conf->global->MAIN_INFO_PROFID6;
-        } else {
-        	print '&nbsp;';
-        }
-        print '</td></tr>';
-    }
-
-    // TVA
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td>'.$langs->trans("VATIntra").'</td>';
-    print '<td>';
-    if (! empty($conf->global->MAIN_INFO_TVAINTRA))
-    {
-        $s='';
-        $s.=$conf->global->MAIN_INFO_TVAINTRA;
-        $s.='<input type="hidden" name="tva_intra" size="12" maxlength="20" value="'.$conf->global->MAIN_INFO_TVAINTRA.'">';
-        if (empty($conf->global->MAIN_DISABLEVATCHECK))
-        {
-            $s.=' &nbsp; ';
-            if (! empty($conf->use_javascript_ajax))
-            {
-                print "\n";
-                print '<script language="JavaScript" type="text/javascript">';
-                print "function CheckVAT(a) {\n";
-                print "newpopup('".DOL_URL_ROOT."/societe/checkvat/checkVatPopup.php?vatNumber='+a,'".dol_escape_js($langs->trans("VATIntraCheckableOnEUSite"))."',500,285);\n";
-                print "}\n";
-                print '</script>';
-                print "\n";
-                $s.='<a href="#" onClick="javascript: CheckVAT(document.formsoc.tva_intra.value);">'.$langs->trans("VATIntraCheck").'</a>';
-                $s = $form->textwithpicto($s,$langs->trans("VATIntraCheckDesc",$langs->trans("VATIntraCheck")),1);
-            }
-            else
-            {
-                $s.='<a href="'.$langs->transcountry("VATIntraCheckURL",$soc->id_country).'" target="_blank">'.img_picto($langs->trans("VATIntraCheckableOnEUSite"),'help').'</a>';
-            }
-        }
-        print $s;
-    }
-    else
-    {
-        print '&nbsp;';
-    }
-    print '</td>';
-    print '</tr>';
+	/*
+	 * Show parameters
+	 */
+
+	// Actions buttons
+	//print '<div class="tabsAction">';
+	//print '<a class="butAction" href="'.$_SERVER["PHP_SELF"].'?action=edit">'.$langs->trans("Modify").'</a>';
+	//print '</div><br>';
+
+	print '<table class="noborder" width="100%">';
+	print '<tr class="liste_titre"><td>'.$langs->trans("CompanyInfo").'</td><td>'.$langs->trans("Value").'</td></tr>';
+	$var=true;
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("CompanyName").'</td><td>';
+	if (! empty($conf->global->MAIN_INFO_SOCIETE_NOM)) print $conf->global->MAIN_INFO_SOCIETE_NOM;
+	else print img_warning().' <font class="error">'.$langs->trans("ErrorFieldRequired",$langs->transnoentitiesnoconv("CompanyName")).'</font>';
+	print '</td></tr>';
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("CompanyAddress").'</td><td>' . nl2br(empty($conf->global->MAIN_INFO_SOCIETE_ADDRESS)?'':$conf->global->MAIN_INFO_SOCIETE_ADDRESS) . '</td></tr>';
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("CompanyZip").'</td><td>' . (empty($conf->global->MAIN_INFO_SOCIETE_ZIP)?'':$conf->global->MAIN_INFO_SOCIETE_ZIP) . '</td></tr>';
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("CompanyTown").'</td><td>' . (empty($conf->global->MAIN_INFO_SOCIETE_TOWN)?'':$conf->global->MAIN_INFO_SOCIETE_TOWN) . '</td></tr>';
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td>'.$langs->trans("CompanyCountry").'</td><td>';
+	if ($mysoc->country_code)
+	{
+		$img=picto_from_langcode($mysoc->country_code);
+		print $img?$img.' ':'';
+		print getCountry($mysoc->country_code,1);
+	}
+	else print img_warning().' <font class="error">'.$langs->trans("ErrorFieldRequired",$langs->transnoentitiesnoconv("CompanyCountry")).'</font>';
+	print '</td></tr>';
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td>'.$langs->trans("State").'</td><td>';
+	if (! empty($conf->global->MAIN_INFO_SOCIETE_STATE)) print getState($conf->global->MAIN_INFO_SOCIETE_STATE);
+	else print '&nbsp;';
+	print '</td></tr>';
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("CompanyCurrency").'</td><td>';
+	print currency_name($conf->currency,1);
+	print ' ('.$langs->getCurrencySymbol($conf->currency).')';
+	print '</td></tr>';
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Phone").'</td><td>' . dol_print_phone($conf->global->MAIN_INFO_SOCIETE_TEL,$mysoc->country_code) . '</td></tr>';
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Fax").'</td><td>' . dol_print_phone($conf->global->MAIN_INFO_SOCIETE_FAX,$mysoc->country_code) . '</td></tr>';
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Mail").'</td><td>' . dol_print_email($conf->global->MAIN_INFO_SOCIETE_MAIL,0,0,0,80) . '</td></tr>';
+
+	// Web
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Web").'</td><td>' . dol_print_url($conf->global->MAIN_INFO_SOCIETE_WEB,'_blank',80) . '</td></tr>';
+
+	// Barcode
+	if (! empty($conf->barcode->enabled))
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Gencod").'</td><td>' . $conf->global->MAIN_INFO_SOCIETE_GENCOD . '</td></tr>';
+	}
+
+	// Logo
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Logo").'</td><td>';
+
+	print '<table width="100%" class="nobordernopadding"><tr class="nocellnopadd"><td valign="middle" class="nocellnopadd">';
+	print $mysoc->logo;
+	print '</td><td class="nocellnopadd" valign="center" align="right">';
+
+	// On propose la generation de la vignette si elle n'existe pas
+	if (!is_file($conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_mini) && preg_match('/(\.jpg|\.jpeg|\.png)$/i',$mysoc->logo))
+	{
+		print '<a href="'.$_SERVER["PHP_SELF"].'?action=addthumb&amp;file='.urlencode($mysoc->logo).'">'.img_picto($langs->trans('GenerateThumb'),'refresh').'&nbsp;&nbsp;</a>';
+	}
+	else if ($mysoc->logo_mini && is_file($conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_mini))
+	{
+		print '<img src="'.DOL_URL_ROOT.'/viewimage.php?modulepart=companylogo&amp;file='.urlencode('/thumbs/'.$mysoc->logo_mini).'">';
+	}
+	else
+	{
+		print '<img height="30" src="'.DOL_URL_ROOT.'/public/theme/common/nophoto.jpg">';
+	}
+	print '</td></tr></table>';
+
+	print '</td></tr>';
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%" valign="top">'.$langs->trans("Note").'</td><td>' . (! empty($conf->global->MAIN_INFO_SOCIETE_NOTE) ? nl2br($conf->global->MAIN_INFO_SOCIETE_NOTE) : '') . '</td></tr>';
+
+	print '</table>';
+
+
+	print '<br>';
+
+
+	// Identifiants de la societe (country-specific)
+	print '<form name="formsoc" method="post">';
+	print '<input type="hidden" name="token" value="'.$_SESSION['newtoken'].'">';
+	print '<table class="noborder" width="100%">';
+	print '<tr class="liste_titre"><td>'.$langs->trans("CompanyIds").'</td><td>'.$langs->trans("Value").'</td></tr>';
+	$var=true;
+
+	// Managing Director(s)
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("ManagingDirectors").'</td><td>';
+	print $conf->global->MAIN_INFO_SOCIETE_MANAGERS . '</td></tr>';
+
+	// Capital
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("Capital").'</td><td>';
+	print $conf->global->MAIN_INFO_CAPITAL . '</td></tr>';
+
+	// Forme juridique
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("JuridicalStatus").'</td><td>';
+	print getFormeJuridiqueLabel($conf->global->MAIN_INFO_SOCIETE_FORME_JURIDIQUE);
+	print '</td></tr>';
+
+	// ProfId1
+	if ($langs->transcountry("ProfId1",$mysoc->country_code) != '-')
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%">'.$langs->transcountry("ProfId1",$mysoc->country_code).'</td><td>';
+		if (! empty($conf->global->MAIN_INFO_SIREN))
+		{
+			print $conf->global->MAIN_INFO_SIREN;
+			if ($mysoc->country_code == 'FR') print ' &nbsp; <a href="http://avis-situation-sirene.insee.fr/avisitu/jsp/avis.jsp" target="_blank">'.$langs->trans("Check").'</a>';
+		} else {
+			print '&nbsp;';
+		}
+		print '</td></tr>';
+	}
+
+	// ProfId2
+	if ($langs->transcountry("ProfId2",$mysoc->country_code) != '-')
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%">'.$langs->transcountry("ProfId2",$mysoc->country_code).'</td><td>';
+		if (! empty($conf->global->MAIN_INFO_SIRET))
+		{
+			print $conf->global->MAIN_INFO_SIRET;
+		} else {
+			print '&nbsp;';
+		}
+		print '</td></tr>';
+	}
+
+	// ProfId3
+	if ($langs->transcountry("ProfId3",$mysoc->country_code) != '-')
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%">'.$langs->transcountry("ProfId3",$mysoc->country_code).'</td><td>';
+		if (! empty($conf->global->MAIN_INFO_APE))
+		{
+			print $conf->global->MAIN_INFO_APE;
+		} else {
+			print '&nbsp;';
+		}
+		print '</td></tr>';
+	}
+
+	// ProfId4
+	if ($langs->transcountry("ProfId4",$mysoc->country_code) != '-')
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%">'.$langs->transcountry("ProfId4",$mysoc->country_code).'</td><td>';
+		if (! empty($conf->global->MAIN_INFO_RCS))
+		{
+			print $conf->global->MAIN_INFO_RCS;
+		} else {
+			print '&nbsp;';
+		}
+		print '</td></tr>';
+	}
+
+	// ProfId5
+	if ($langs->transcountry("ProfId5",$mysoc->country_code) != '-')
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%">'.$langs->transcountry("ProfId5",$mysoc->country_code).'</td><td>';
+		if (! empty($conf->global->MAIN_INFO_PROFID5))
+		{
+			print $conf->global->MAIN_INFO_PROFID5;
+		} else {
+			print '&nbsp;';
+		}
+		print '</td></tr>';
+	}
+
+	// ProfId6
+	if ($langs->transcountry("ProfId6",$mysoc->country_code) != '-')
+	{
+		$var=!$var;
+		print '<tr '.$bc[$var].'><td width="35%">'.$langs->transcountry("ProfId6",$mysoc->country_code).'</td><td>';
+		if (! empty($conf->global->MAIN_INFO_PROFID6))
+		{
+			print $conf->global->MAIN_INFO_PROFID6;
+		} else {
+			print '&nbsp;';
+		}
+		print '</td></tr>';
+	}
+
+	// TVA
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td>'.$langs->trans("VATIntra").'</td>';
+	print '<td>';
+	if (! empty($conf->global->MAIN_INFO_TVAINTRA))
+	{
+		$s='';
+		$s.=$conf->global->MAIN_INFO_TVAINTRA;
+		$s.='<input type="hidden" name="tva_intra" size="12" maxlength="20" value="'.$conf->global->MAIN_INFO_TVAINTRA.'">';
+		if (empty($conf->global->MAIN_DISABLEVATCHECK))
+		{
+			$s.=' &nbsp; ';
+			if (! empty($conf->use_javascript_ajax))
+			{
+				print "\n";
+				print '<script language="JavaScript" type="text/javascript">';
+				print "function CheckVAT(a) {\n";
+				print "newpopup('".DOL_URL_ROOT."/societe/checkvat/checkVatPopup.php?vatNumber='+a,'".dol_escape_js($langs->trans("VATIntraCheckableOnEUSite"))."',500,285);\n";
+				print "}\n";
+				print '</script>';
+				print "\n";
+				$s.='<a href="#" onClick="javascript: CheckVAT(document.formsoc.tva_intra.value);">'.$langs->trans("VATIntraCheck").'</a>';
+				$s = $form->textwithpicto($s,$langs->trans("VATIntraCheckDesc",$langs->trans("VATIntraCheck")),1);
+			}
+			else
+			{
+				$s.='<a href="'.$langs->transcountry("VATIntraCheckURL",$soc->id_country).'" target="_blank">'.img_picto($langs->trans("VATIntraCheckableOnEUSite"),'help').'</a>';
+			}
+		}
+		print $s;
+	}
+	else
+	{
+		print '&nbsp;';
+	}
+	print '</td>';
+	print '</tr>';
 	
 	$var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%" valign="top">'.$langs->trans("CompanyObject").'</td><td>' . (! empty($conf->global->MAIN_INFO_SOCIETE_OBJECT) ? nl2br($conf->global->MAIN_INFO_SOCIETE_OBJECT) : '') . '</td></tr>';
-
-    print '</table>';
-    print '</form>';
-
-    /*
-     *  Debut d'annee fiscale
-     */
-    print '<br>';
-    print '<table class="noborder" width="100%">';
-    print '<tr class="liste_titre">';
-    print '<td>'.$langs->trans("FiscalYearInformation").'</td><td>'.$langs->trans("Value").'</td>';
-    print "</tr>\n";
-    $var=true;
-
-    $var=!$var;
-    print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("FiscalMonthStart").'</td><td>';
-    $monthstart=(! empty($conf->global->SOCIETE_FISCAL_MONTH_START)) ? $conf->global->SOCIETE_FISCAL_MONTH_START : 1;
-    print dol_print_date(dol_mktime(12,0,0,$monthstart,1,2000,1),'%B','gm') . '</td></tr>';
-
-    print "</table>";
-
-    /*
-     *  Options fiscale
-     */
-    print '<br>';
-    print '<table class="noborder" width="100%">';
-    print '<tr class="liste_titre">';
-    print '<td>'.$langs->trans("VATManagement").'</td><td>'.$langs->trans("Description").'</td>';
-    print '<td align="right">&nbsp;</td>';
-    print "</tr>\n";
-    $var=true;
-
-    $var=!$var;
-    print "<tr ".$bc[$var]."><td width=\"140\"><input ".$bc[$var]." type=\"radio\" name=\"optiontva\" id=\"use_vat\" disabled value=\"1\"".(empty($conf->global->FACTURE_TVAOPTION)?"":" checked")."> ".$langs->trans("VATIsUsed")."</td>";
-    print '<td colspan="2">';
-    print "<table>";
-    print "<tr><td><label for=\"use_vat\">".$langs->trans("VATIsUsedDesc")."</label></td></tr>";
-    print "<tr><td><i>".$langs->trans("Example").': '.$langs->trans("VATIsUsedExampleFR")."</i></td></tr>\n";
-    print "</table>";
-    print "</td></tr>\n";
-
-    $var=!$var;
-    print "<tr ".$bc[$var]."><td width=\"140\"><input ".$bc[$var]." type=\"radio\" name=\"optiontva\" id=\"no_vat\" disabled value=\"0\"".(empty($conf->global->FACTURE_TVAOPTION)?" checked":"")."> ".$langs->trans("VATIsNotUsed")."</td>";
-    print '<td colspan="2">';
-    print "<table>";
-    print "<tr><td><label=\"no_vat\">".$langs->trans("VATIsNotUsedDesc")."</label></td></tr>";
-    print "<tr><td><i>".$langs->trans("Example").': '.$langs->trans("VATIsNotUsedExampleFR")."</i></td></tr>\n";
-    print "</table>";
-    print "</td></tr>\n";
-
-    print "</table>";
-
-
-    /*
-     *  Local Taxes
-     */
-    if ($mysoc->useLocalTax(1))
-    {
-        // Local Tax 1
-        print '<br>';
-        print '<table class="noborder" width="100%">';
-        print '<tr class="liste_titre">';
-        print '<td>'.$langs->transcountry("LocalTax1Management",$mysoc->country_code).'</td><td>'.$langs->trans("Description").'</td>';
-        print '<td align="right">&nbsp;</td>';
-        print "</tr>\n";
-        $var=true;
-
-        $var=!$var;
-        print "<tr ".$bc[$var]."><td width=\"140\"><input ".$bc[$var]." type=\"radio\" name=\"optionlocaltax1\" id=\"lt1\" disabled value=\"localtax1on\"".(($conf->global->FACTURE_LOCAL_TAX1_OPTION == '1' || $conf->global->FACTURE_LOCAL_TAX1_OPTION == "localtax1on")?" checked":"")."> ".$langs->transcountry("LocalTax1IsUsed",$mysoc->country_code)."</td>";
-        print '<td colspan="2">';
-        print "<table>";
-        print "<tr><td></label for=\"lt1\">".$langs->transcountry("LocalTax1IsUsedDesc",$mysoc->country_code)."</label></td></tr>";
-        $example=$langs->transcountry("LocalTax1IsUsedExample",$mysoc->country_code);
-        print ($example!="LocalTax1IsUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax1IsUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
-        if($conf->global->MAIN_INFO_VALUE_LOCALTAX1!=0)
-        {
-	        print '<tr><td>'.$langs->trans("LTRate").': '. $conf->global->MAIN_INFO_VALUE_LOCALTAX1 .'</td></tr>';
-	    }
-        print '<tr><td align="left">'.$langs->trans("CalcLocaltax").': ';
-        if($conf->global->MAIN_INFO_LOCALTAX_CALC1==0)
-        {
-        	print $langs->transcountry("CalcLocaltax1",$mysoc->country_code);
-        }
-        else if($conf->global->MAIN_INFO_LOCALTAX_CALC1==1)
-        {
-        	print $langs->transcountry("CalcLocaltax2",$mysoc->country_code);
-        }
-        else if($conf->global->MAIN_INFO_LOCALTAX_CALC1==2){
-        	print $langs->transcountry("CalcLocaltax3",$mysoc->country_code);
-        }
-
-        print '</td></tr>';
-        print "</table>";
-        print "</td></tr>\n";
-
-        $var=!$var;
-        print "<tr ".$bc[$var]."><td width=\"140\"><input ".$bc[$var]." type=\"radio\" name=\"optionlocaltax1\" id=\"nolt1\" disabled value=\"localtax1off\"".($conf->global->FACTURE_LOCAL_TAX1_OPTION == "localtax1off"?" checked":"")."> ".$langs->transcountry("LocalTax1IsNotUsed",$mysoc->country_code)."</td>";
-        print '<td colspan="2">';
-        print "<table>";
-        print "<tr><td><label for=\"no_lt1\">".$langs->transcountry("LocalTax1IsNotUsedDesc",$mysoc->country_code)."</label></td></tr>";
-        $example=$langs->transcountry("LocalTax1IsNotUsedExample",$mysoc->country_code);
-        print ($example!="LocalTax1IsNotUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax1IsNotUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
-        print "</table>";
-        print "</td></tr>\n";
-
-        print "</table>";
+	print '<tr '.$bc[$var].'><td width="35%" valign="top">'.$langs->trans("CompanyObject").'</td><td>' . (! empty($conf->global->MAIN_INFO_SOCIETE_OBJECT) ? nl2br($conf->global->MAIN_INFO_SOCIETE_OBJECT) : '') . '</td></tr>';
+
+	print '</table>';
+	print '</form>';
+
+	/*
+	 *  Debut d'annee fiscale
+	 */
+	print '<br>';
+	print '<table class="noborder" width="100%">';
+	print '<tr class="liste_titre">';
+	print '<td>'.$langs->trans("FiscalYearInformation").'</td><td>'.$langs->trans("Value").'</td>';
+	print "</tr>\n";
+	$var=true;
+
+	$var=!$var;
+	print '<tr '.$bc[$var].'><td width="35%">'.$langs->trans("FiscalMonthStart").'</td><td>';
+	$monthstart=(! empty($conf->global->SOCIETE_FISCAL_MONTH_START)) ? $conf->global->SOCIETE_FISCAL_MONTH_START : 1;
+	print dol_print_date(dol_mktime(12,0,0,$monthstart,1,2000,1),'%B','gm') . '</td></tr>';
+
+	print "</table>";
+
+	/*
+	 *  Options fiscale
+	 */
+	print '<br>';
+	print '<table class="noborder" width="100%">';
+	print '<tr class="liste_titre">';
+	print '<td>'.$langs->trans("VATManagement").'</td><td>'.$langs->trans("Description").'</td>';
+	print '<td align="right">&nbsp;</td>';
+	print "</tr>\n";
+	$var=true;
+
+	$var=!$var;
+	print "<tr ".$bc[$var]."><td width=\"140\"><input ".$bc[$var]." type=\"radio\" name=\"optiontva\" id=\"use_vat\" disabled value=\"1\"".(empty($conf->global->FACTURE_TVAOPTION)?"":" checked")."> ".$langs->trans("VATIsUsed")."</td>";
+	print '<td colspan="2">';
+	print "<table>";
+	print "<tr><td><label for=\"use_vat\">".$langs->trans("VATIsUsedDesc")."</label></td></tr>";
+	print "<tr><td><i>".$langs->trans("Example").': '.$langs->trans("VATIsUsedExampleFR")."</i></td></tr>\n";
+	print "</table>";
+	print "</td></tr>\n";
+
+	$var=!$var;
+	print "<tr ".$bc[$var]."><td width=\"140\"><input ".$bc[$var]." type=\"radio\" name=\"optiontva\" id=\"no_vat\" disabled value=\"0\"".(empty($conf->global->FACTURE_TVAOPTION)?" checked":"")."> ".$langs->trans("VATIsNotUsed")."</td>";
+	print '<td colspan="2">';
+	print "<table>";
+	print "<tr><td><label=\"no_vat\">".$langs->trans("VATIsNotUsedDesc")."</label></td></tr>";
+	print "<tr><td><i>".$langs->trans("Example").': '.$langs->trans("VATIsNotUsedExampleFR")."</i></td></tr>\n";
+	print "</table>";
+	print "</td></tr>\n";
+
+	print "</table>";
+
+
+	/*
+	 *  Local Taxes
+	 */
+	if ($mysoc->useLocalTax(1))
+	{
+		// Local Tax 1
+		print '<br>';
+		print '<table class="noborder" width="100%">';
+		print '<tr class="liste_titre">';
+		print '<td>'.$langs->transcountry("LocalTax1Management",$mysoc->country_code).'</td><td>'.$langs->trans("Description").'</td>';
+		print '<td align="right">&nbsp;</td>';
+		print "</tr>\n";
+		$var=true;
+
+		$var=!$var;
+		print "<tr ".$bc[$var]."><td width=\"140\"><input ".$bc[$var]." type=\"radio\" name=\"optionlocaltax1\" id=\"lt1\" disabled value=\"localtax1on\"".(($conf->global->FACTURE_LOCAL_TAX1_OPTION == '1' || $conf->global->FACTURE_LOCAL_TAX1_OPTION == "localtax1on")?" checked":"")."> ".$langs->transcountry("LocalTax1IsUsed",$mysoc->country_code)."</td>";
+		print '<td colspan="2">';
+		print "<table>";
+		print "<tr><td></label for=\"lt1\">".$langs->transcountry("LocalTax1IsUsedDesc",$mysoc->country_code)."</label></td></tr>";
+		$example=$langs->transcountry("LocalTax1IsUsedExample",$mysoc->country_code);
+		print ($example!="LocalTax1IsUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax1IsUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
+		if($conf->global->MAIN_INFO_VALUE_LOCALTAX1!=0)
+		{
+			print '<tr><td>'.$langs->trans("LTRate").': '. $conf->global->MAIN_INFO_VALUE_LOCALTAX1 .'</td></tr>';
+		}
+		print '<tr><td align="left">'.$langs->trans("CalcLocaltax").': ';
+		if($conf->global->MAIN_INFO_LOCALTAX_CALC1==0)
+		{
+			print $langs->transcountry("CalcLocaltax1",$mysoc->country_code);
+		}
+		else if($conf->global->MAIN_INFO_LOCALTAX_CALC1==1)
+		{
+			print $langs->transcountry("CalcLocaltax2",$mysoc->country_code);
+		}
+		else if($conf->global->MAIN_INFO_LOCALTAX_CALC1==2){
+			print $langs->transcountry("CalcLocaltax3",$mysoc->country_code);
+		}
+
+		print '</td></tr>';
+		print "</table>";
+		print "</td></tr>\n";
+
+		$var=!$var;
+		print "<tr ".$bc[$var]."><td width=\"140\"><input ".$bc[$var]." type=\"radio\" name=\"optionlocaltax1\" id=\"nolt1\" disabled value=\"localtax1off\"".($conf->global->FACTURE_LOCAL_TAX1_OPTION == "localtax1off"?" checked":"")."> ".$langs->transcountry("LocalTax1IsNotUsed",$mysoc->country_code)."</td>";
+		print '<td colspan="2">';
+		print "<table>";
+		print "<tr><td><label for=\"no_lt1\">".$langs->transcountry("LocalTax1IsNotUsedDesc",$mysoc->country_code)."</label></td></tr>";
+		$example=$langs->transcountry("LocalTax1IsNotUsedExample",$mysoc->country_code);
+		print ($example!="LocalTax1IsNotUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax1IsNotUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
+		print "</table>";
+		print "</td></tr>\n";
+
+		print "</table>";
+	}
+	if ($mysoc->useLocalTax(2))
+	{
+		// Local Tax 2
+		print '<br>';
+		print '<table class="noborder" width="100%">';
+		print '<tr class="liste_titre">';
+		print '<td>'.$langs->transcountry("LocalTax2Management",$mysoc->country_code).'</td><td>'.$langs->trans("Description").'</td>';
+		print '<td align="right">&nbsp;</td>';
+		print "</tr>\n";
+		$var=true;
+
+		$var=!$var;
+		print "<tr ".$bc[$var]."><td width=\"140\"><input ".$bc[$var]." type=\"radio\" name=\"optionlocaltax2\" id=\"lt2\" disabled value=\"localtax2on\"".(($conf->global->FACTURE_LOCAL_TAX2_OPTION == '1' || $conf->global->FACTURE_LOCAL_TAX2_OPTION == "localtax2on")?" checked":"")."> ".$langs->transcountry("LocalTax2IsUsed",$mysoc->country_code)."</td>";
+		print '<td colspan="2">';
+		print "<table>";
+		print "<tr><td><label for=\"lt2\">".$langs->transcountry("LocalTax2IsUsedDesc",$mysoc->country_code)."</label></td></tr>";
+		$example=$langs->transcountry("LocalTax2IsUsedExample",$mysoc->country_code);
+		print ($example!="LocalTax2IsUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax2IsUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
+		if($conf->global->MAIN_INFO_VALUE_LOCALTAX2!=0)
+		{
+			print '<tr><td>'.$langs->trans("LTRate").': '. $conf->global->MAIN_INFO_VALUE_LOCALTAX2 .'</td></tr>';
+		}
+		print '<tr><td align="left">'.$langs->trans("CalcLocaltax").': ';
+		if($conf->global->MAIN_INFO_LOCALTAX_CALC2==0)
+		{
+			print $langs->trans("CalcLocaltax1").' - '.$langs->trans("CalcLocaltax1Desc");
+		}
+		else if($conf->global->MAIN_INFO_LOCALTAX_CALC2==1)
+		{
+			print $langs->trans("CalcLocaltax2").' - '.$langs->trans("CalcLocaltax2Desc");
+		}
+		else if($conf->global->MAIN_INFO_LOCALTAX_CALC2==2)
+		{
+			print $langs->trans("CalcLocaltax3").' - '.$langs->trans("CalcLocaltax3Desc");
+		}
+
+		print '</td></tr>';
+		print "</table>";
+		print "</td></tr>\n";
+
+		$var=!$var;
+		print "<tr ".$bc[$var]."><td width=\"140\"><input ".$bc[$var]." type=\"radio\" name=\"optionlocaltax2\" id=\"nolt2\" disabled value=\"localtax2off\"".($conf->global->FACTURE_LOCAL_TAX2_OPTION == "localtax2off"?" checked":"")."> ".$langs->transcountry("LocalTax2IsNotUsed",$mysoc->country_code)."</td>";
+		print '<td colspan="2">';
+		print "<table>";
+		print "<tr><td><label for=\"nolt2\">".$langs->transcountry("LocalTax2IsNotUsedDesc",$mysoc->country_code)."</label></td></tr>";
+		$example=$langs->transcountry("LocalTax2IsNotUsedExample",$mysoc->country_code);
+		print ($example!="LocalTax2IsNotUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax2IsNotUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
+		print "</table>";
+		print "</td></tr>\n";
+
+		print "</table>";
 	}
-    if ($mysoc->useLocalTax(2))
-    {
-        // Local Tax 2
-        print '<br>';
-        print '<table class="noborder" width="100%">';
-        print '<tr class="liste_titre">';
-        print '<td>'.$langs->transcountry("LocalTax2Management",$mysoc->country_code).'</td><td>'.$langs->trans("Description").'</td>';
-        print '<td align="right">&nbsp;</td>';
-        print "</tr>\n";
-        $var=true;
-
-        $var=!$var;
-        print "<tr ".$bc[$var]."><td width=\"140\"><input ".$bc[$var]." type=\"radio\" name=\"optionlocaltax2\" id=\"lt2\" disabled value=\"localtax2on\"".(($conf->global->FACTURE_LOCAL_TAX2_OPTION == '1' || $conf->global->FACTURE_LOCAL_TAX2_OPTION == "localtax2on")?" checked":"")."> ".$langs->transcountry("LocalTax2IsUsed",$mysoc->country_code)."</td>";
-        print '<td colspan="2">';
-        print "<table>";
-        print "<tr><td><label for=\"lt2\">".$langs->transcountry("LocalTax2IsUsedDesc",$mysoc->country_code)."</label></td></tr>";
-        $example=$langs->transcountry("LocalTax2IsUsedExample",$mysoc->country_code);
-        print ($example!="LocalTax2IsUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax2IsUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
-        if($conf->global->MAIN_INFO_VALUE_LOCALTAX2!=0)
-        {
-	        print '<tr><td>'.$langs->trans("LTRate").': '. $conf->global->MAIN_INFO_VALUE_LOCALTAX2 .'</td></tr>';
-	    }
-        print '<tr><td align="left">'.$langs->trans("CalcLocaltax").': ';
-        if($conf->global->MAIN_INFO_LOCALTAX_CALC2==0)
-        {
-        	print $langs->trans("CalcLocaltax1").' - '.$langs->trans("CalcLocaltax1Desc");
-        }
-        else if($conf->global->MAIN_INFO_LOCALTAX_CALC2==1)
-        {
-        	print $langs->trans("CalcLocaltax2").' - '.$langs->trans("CalcLocaltax2Desc");
-        }
-        else if($conf->global->MAIN_INFO_LOCALTAX_CALC2==2)
-        {
-        	print $langs->trans("CalcLocaltax3").' - '.$langs->trans("CalcLocaltax3Desc");
-        }
-
-        print '</td></tr>';
-        print "</table>";
-        print "</td></tr>\n";
-
-        $var=!$var;
-        print "<tr ".$bc[$var]."><td width=\"140\"><input ".$bc[$var]." type=\"radio\" name=\"optionlocaltax2\" id=\"nolt2\" disabled value=\"localtax2off\"".($conf->global->FACTURE_LOCAL_TAX2_OPTION == "localtax2off"?" checked":"")."> ".$langs->transcountry("LocalTax2IsNotUsed",$mysoc->country_code)."</td>";
-        print '<td colspan="2">';
-        print "<table>";
-        print "<tr><td><label for=\"nolt2\">".$langs->transcountry("LocalTax2IsNotUsedDesc",$mysoc->country_code)."</label></td></tr>";
-        $example=$langs->transcountry("LocalTax2IsNotUsedExample",$mysoc->country_code);
-        print ($example!="LocalTax2IsNotUsedExample"?"<tr><td><i>".$langs->trans("Example").': '.$langs->transcountry("LocalTax2IsNotUsedExample",$mysoc->country_code)."</i></td></tr>\n":"");
-        print "</table>";
-        print "</td></tr>\n";
-
-        print "</table>";
-    }
-
-
-    // Actions buttons
-    print '<div class="tabsAction">';
-    print '<div class="inline-block divButAction"><a class="butAction" href="'.$_SERVER["PHP_SELF"].'?action=edit">'.$langs->trans("Modify").'</a></div>';
-    print '</div>';
-
-    print '<br>';
+
+
+	// Actions buttons
+	print '<div class="tabsAction">';
+	print '<div class="inline-block divButAction"><a class="butAction" href="'.$_SERVER["PHP_SELF"].'?action=edit">'.$langs->trans("Modify").'</a></div>';
+	print '</div>';
+
+	print '<br>';
 }
 
 
diff --git a/htdocs/admin/dict.php b/htdocs/admin/dict.php
index 3b6fca620057f8dcda43ddf483080273e2a67e9d..bc9e855046dca7abaa71d832afc949f73e3e8ce0 100644
--- a/htdocs/admin/dict.php
+++ b/htdocs/admin/dict.php
@@ -38,6 +38,7 @@ require_once DOL_DOCUMENT_ROOT.'/core/lib/admin.lib.php';
 $langs->load("errors");
 $langs->load("admin");
 $langs->load("companies");
+$langs->load("resource");
 
 $action=GETPOST('action','alpha')?GETPOST('action','alpha'):'view';
 $confirm=GETPOST('confirm','alpha');
@@ -226,7 +227,7 @@ $tabfield[21]= "code,label";
 $tabfield[22]= "code,label";
 $tabfield[23]= "country_id,country,taux,accountancy_code_sell,accountancy_code_buy,note";
 $tabfield[24]= "code,label";
-$tabfield[25]= "label,type_template,private,position,topic,content";
+$tabfield[25]= "label,type_template,position,topic,content";
 $tabfield[26]= "code,label,short_label";
 $tabfield[27]= "code,libelle";
 $tabfield[28]= "code,label,delay,newByMonth,country_id,country";
@@ -258,7 +259,7 @@ $tabfieldvalue[21]= "code,label";
 $tabfieldvalue[22]= "code,label";
 $tabfieldvalue[23]= "country,taux,accountancy_code_sell,accountancy_code_buy,note";
 $tabfieldvalue[24]= "code,label";
-$tabfieldvalue[25]= "label,type_template,private,position,topic,content";
+$tabfieldvalue[25]= "label,type_template,position,topic,content";
 $tabfieldvalue[26]= "code,label,short_label";
 $tabfieldvalue[27]= "code,libelle";
 $tabfieldvalue[28]= "code,label,delay,newByMonth,country";
@@ -290,7 +291,7 @@ $tabfieldinsert[21]= "code,label";
 $tabfieldinsert[22]= "code,label";
 $tabfieldinsert[23]= "fk_pays,taux,accountancy_code_sell,accountancy_code_buy,note";
 $tabfieldinsert[24]= "code,label";
-$tabfieldinsert[25]= "label,type_template,private,position,topic,content";
+$tabfieldinsert[25]= "label,type_template,position,topic,content";
 $tabfieldinsert[26]= "code,label,short_label";
 $tabfieldinsert[27]= "code,libelle";
 $tabfieldinsert[28]= "code,label,delay,newByMonth,fk_country";
@@ -364,35 +365,35 @@ $tabcond[29]= ! empty($conf->projet->enabled);
 
 // List of help for fields
 $tabhelp=array();
-$tabhelp[1]  = array();
-$tabhelp[2]  = array();
-$tabhelp[3]  = array();
-$tabhelp[4]  = array();
-$tabhelp[5]  = array();
-$tabhelp[6]  = array();
-$tabhelp[7]  = array();
-$tabhelp[8]  = array();
-$tabhelp[9]  = array();
-$tabhelp[10] = array();
+$tabhelp[1]  = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[2]  = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[3]  = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[4]  = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[5]  = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[6]  = array('code'=>$langs->trans("EnterAnyCode"), 'position'=>$langs->trans("PositionIntoComboList"));
+$tabhelp[7]  = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[8]  = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[9]  = array('code'=>$langs->trans("EnterAnyCode"), 'unicode'=>$langs->trans("UnicodeCurrency"));
+$tabhelp[10] = array('taux'=>$langs->trans("SellTaxRate"), 'recuperableonly'=>$langs->trans("RecuperableOnly"), 'localtax1_type'=>$langs->trans("LocalTaxDesc"), 'localtax2_type'=>$langs->trans("LocalTaxDesc"));
 $tabhelp[11] = array();
-$tabhelp[12] = array();
-$tabhelp[13] = array();
-$tabhelp[14] = array();
-$tabhelp[15] = array();
-$tabhelp[16] = array();
-$tabhelp[17] = array();
-$tabhelp[18] = array();
-$tabhelp[19] = array();
-$tabhelp[20] = array();
-$tabhelp[21] = array();
-$tabhelp[22] = array();
+$tabhelp[12] = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[13] = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[14] = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[15] = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[16] = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[17] = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[18] = array('code'=>$langs->trans("EnterAnyCode"), 'tracking'=>$langs->trans("UrlTrackingDesc"));
+$tabhelp[19] = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[20] = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[21] = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[22] = array('code'=>$langs->trans("EnterAnyCode"));
 $tabhelp[23] = array();
-$tabhelp[24] = array();
-$tabhelp[25] = array();
-$tabhelp[26] = array();
-$tabhelp[27] = array();
-$tabhelp[28] = array();
-$tabhelp[29] = array();
+$tabhelp[24] = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[25] = array('type_template'=>$langs->trans("TemplateForElement"),'private'=>$langs->trans("TemplateIsVisibleByOwnerOnly"), 'position'=>$langs->trans("PositionIntoComboList"));
+$tabhelp[26] = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[27] = array('code'=>$langs->trans("EnterAnyCode"));
+$tabhelp[28] = array('delay'=>$langs->trans("MinimumNoticePeriod"), 'newByMonth'=>$langs->trans("NbAddedAutomatically"));
+$tabhelp[29] = array('code'=>$langs->trans("EnterAnyCode"), 'percent'=>$langs->trans("OpportunityPercent"), 'position'=>$langs->trans("PositionIntoComboList"));
 
 // List of check for fields (NOT USED YET)
 $tabfieldcheck=array();
@@ -468,6 +469,24 @@ if ($id == 11)
 			'external' => $langs->trans('External')
 	);
 }
+if ($id == 25)
+{
+	// We save list of template type Dolibarr can manage. This list can found by a grep into code on "->param['models']"
+	$elementList = array(
+			'propal_send'    => $langs->trans('MailToSendProposal'),
+			'order_send'     => $langs->trans('MailToSendOrder'),
+			'facture_send'   => $langs->trans('MailToSendInvoice'),
+
+			'shipping_send'  => $langs->trans('MailToSendShipment'),
+			'fichinter_send' => $langs->trans('MailToSendIntervention'),
+
+			'askpricesupplier_send'  => $langs->trans('MailToSendSupplierRequestForQuotation'),
+			'order_supplier_send'    => $langs->trans('MailToSendSupplierOrder'),
+			'invoice_supplier_send'  => $langs->trans('MailToSendSupplierInvoice'),
+
+			'thirdparty'    => $langs->trans('MailToThirdparty')
+	);
+}
 
 // Define localtax_typeList (used for dictionary "llx_c_tva")
 $localtax_typeList = array();
@@ -869,9 +888,9 @@ if ($id)
 				else $valuetoshow=$langs->trans("Amount");
 				$align='right';
             }
-            if ($fieldlist[$field]=='localtax1_type')  { $valuetoshow=$form->textwithtooltip($langs->trans("UseLocalTax")." 2",$langs->trans("LocalTaxDesc"),2,1,img_help(1,'')); $align="center"; $sortable=0; }
+            if ($fieldlist[$field]=='localtax1_type')  { $valuetoshow=$langs->trans("UseLocalTax")." 2"; $align="center"; $sortable=0; }
             if ($fieldlist[$field]=='localtax1')       { $valuetoshow=$langs->trans("Rate")." 2";}
-            if ($fieldlist[$field]=='localtax2_type')  { $valuetoshow=$form->textwithtooltip($langs->trans("UseLocalTax")." 3",$langs->trans("LocalTaxDesc"),2,1,img_help(1,'')); $align="center"; $sortable=0; }
+            if ($fieldlist[$field]=='localtax2_type')  { $valuetoshow=$langs->trans("UseLocalTax")." 3"; $align="center"; $sortable=0; }
             if ($fieldlist[$field]=='localtax2')       { $valuetoshow=$langs->trans("Rate")." 3";}
             if ($fieldlist[$field]=='organization')    { $valuetoshow=$langs->trans("Organization"); }
             if ($fieldlist[$field]=='lang')            { $valuetoshow=$langs->trans("Language"); }
@@ -903,6 +922,7 @@ if ($id)
             if ($fieldlist[$field]=='pcg_subtype')     { $valuetoshow=$langs->trans("Pcg_subtype"); }
             if ($fieldlist[$field]=='sortorder')       { $valuetoshow=$langs->trans("SortOrder"); }
 	        if ($fieldlist[$field]=='short_label')     { $valuetoshow=$langs->trans("ShortLabel"); }
+            if ($fieldlist[$field]=='type_template')   { $valuetoshow=$langs->trans("TypeOfTemplate"); }
 
             if ($id == 2)	// Special cas for state page
             {
@@ -969,6 +989,8 @@ if ($id)
 
     print '</form>';
 
+
+
     // List of available values in database
     dol_syslog("htdocs/admin/dict", LOG_DEBUG);
     $resql=$db->query($sql);
@@ -983,7 +1005,7 @@ if ($id)
             if ($num > $listlimit)
             {
                 print '<tr class="none"><td align="right" colspan="'.(3+count($fieldlist)).'">';
-                print_fleche_navigation($page,$_SERVER["PHP_SELF"],'&id='.$id,($num > $listlimit),$langs->trans("Page").' '.($page+1));
+                print_fleche_navigation($page, $_SERVER["PHP_SELF"], '&id='.$id, ($num > $listlimit), '<li class="pagination"><span>'.$langs->trans("Page").' '.($page+1).'</span></li>');
                 print '</td></tr>';
             }
 
@@ -1013,9 +1035,9 @@ if ($id)
 					else $valuetoshow=$langs->trans("Amount");
 					$align='right';
 	            }
-                if ($fieldlist[$field]=='localtax1_type')  { $valuetoshow=$form->textwithtooltip($langs->trans("UseLocalTax")." 2",$langs->trans("LocalTaxDesc"),2,1,img_help(1,'')); $align="center"; $sortable=0; }
+                if ($fieldlist[$field]=='localtax1_type')  { $valuetoshow=$langs->trans("UseLocalTax")." 2"; $align="center"; $sortable=0; }
                 if ($fieldlist[$field]=='localtax1')       { $valuetoshow=$langs->trans("Rate")." 2"; $sortable=0; }
-                if ($fieldlist[$field]=='localtax2_type')  { $valuetoshow=$form->textwithtooltip($langs->trans("UseLocalTax")." 3",$langs->trans("LocalTaxDesc"),2,1,img_help(1,'')); $align="center"; $sortable=0; }
+                if ($fieldlist[$field]=='localtax2_type')  { $valuetoshow=$langs->trans("UseLocalTax")." 3"; $align="center"; $sortable=0; }
                 if ($fieldlist[$field]=='localtax2')       { $valuetoshow=$langs->trans("Rate")." 3"; $sortable=0; }
                 if ($fieldlist[$field]=='organization')    { $valuetoshow=$langs->trans("Organization"); }
                 if ($fieldlist[$field]=='lang')            { $valuetoshow=$langs->trans("Language"); }
@@ -1041,6 +1063,7 @@ if ($id)
                 if ($fieldlist[$field]=='pcg_subtype')     { $valuetoshow=$langs->trans("Pcg_subtype"); }
                 if ($fieldlist[$field]=='sortorder')       { $valuetoshow=$langs->trans("SortOrder"); }
 	            if ($fieldlist[$field]=='short_label')     { $valuetoshow=$langs->trans("ShortLabel"); }
+            	if ($fieldlist[$field]=='type_template')   { $valuetoshow=$langs->trans("TypeOfTemplate"); }
 
                 // Affiche nom du champ
                 if ($showfield)
@@ -1096,6 +1119,10 @@ if ($id)
                             $showfield=1;
                         	$align="left";
                             $valuetoshow=$obj->$fieldlist[$field];
+                            if ($value == 'type_template')
+                            {
+                                $valuetoshow = isset($elementList[$valuetoshow])?$elementList[$valuetoshow]:$valuetoshow;
+                            }
                             if ($value == 'element')
                             {
                                 $valuetoshow = isset($elementList[$valuetoshow])?$elementList[$valuetoshow]:$valuetoshow;
@@ -1406,7 +1433,8 @@ function fieldList($fieldlist,$obj='',$tabname='')
 
 	foreach ($fieldlist as $field => $value)
 	{
-		if ($fieldlist[$field] == 'country') {
+		if ($fieldlist[$field] == 'country')
+		{
 			if (in_array('region_id',$fieldlist))
 			{
 				print '<td>';
@@ -1419,7 +1447,8 @@ function fieldList($fieldlist,$obj='',$tabname='')
 			print $form->select_country((! empty($obj->country_code)?$obj->country_code:(! empty($obj->country)?$obj->country:'')), $fieldname, '', 28);
 			print '</td>';
 		}
-		elseif ($fieldlist[$field] == 'country_id') {
+		elseif ($fieldlist[$field] == 'country_id')
+		{
 			if (! in_array('country',$fieldlist))	// If there is already a field country, we don't show country_id (avoid duplicate)
 			{
 				$country_id = (! empty($obj->$fieldlist[$field]) ? $obj->$fieldlist[$field] : 0);
@@ -1428,22 +1457,32 @@ function fieldList($fieldlist,$obj='',$tabname='')
 				print '</td>';
 			}
 		}
-		elseif ($fieldlist[$field] == 'region') {
+		elseif ($fieldlist[$field] == 'region')
+		{
 			print '<td>';
 			$formcompany->select_region($region_id,'region');
 			print '</td>';
 		}
-		elseif ($fieldlist[$field] == 'region_id') {
+		elseif ($fieldlist[$field] == 'region_id')
+		{
 			$region_id = (! empty($obj->$fieldlist[$field])?$obj->$fieldlist[$field]:0);
 			print '<td>';
 			print '<input type="hidden" name="'.$fieldlist[$field].'" value="'.$region_id.'">';
 			print '</td>';
 		}
-		elseif ($fieldlist[$field] == 'lang') {
+		elseif ($fieldlist[$field] == 'lang')
+		{
 			print '<td>';
 			print $formadmin->select_language($conf->global->MAIN_LANG_DEFAULT,'lang');
 			print '</td>';
 		}
+		// Le type de template
+		elseif ($fieldlist[$field] == 'type_template')
+		{
+			print '<td>';
+			print $form->selectarray('type_template', $elementList,(! empty($obj->$fieldlist[$field])?$obj->$fieldlist[$field]:''));
+			print '</td>';
+		}
 		// Le type de l'element (pour les type de contact)
 		elseif ($fieldlist[$field] == 'element')
 		{
diff --git a/htdocs/comm/askpricesupplier/card.php b/htdocs/comm/askpricesupplier/card.php
index bfbcc9d4273ef9457000e1d4674bc1deebfd0177..3fe244c739681bff6217d5cedc1db38bcc4e00fe 100644
--- a/htdocs/comm/askpricesupplier/card.php
+++ b/htdocs/comm/askpricesupplier/card.php
@@ -1768,8 +1768,11 @@ if ($action == 'create')
 			$file = $fileparams['fullname'];
 		}
 
+		print '<div class="clearboth"></div>';
 		print '<br>';
-		print_titre($langs->trans('SendAskByMail'));
+		print_fiche_titre($langs->trans('SendAskByMail'));
+
+		dol_fiche_head('');
 
 		// Create form object
 		include_once DOL_DOCUMENT_ROOT . '/core/class/html.formmail.class.php';
@@ -1816,7 +1819,7 @@ if ($action == 'create')
 
 		print $formmail->get_form();
 
-		print '<br>';
+		dol_fiche_end();
 	}
 }
 
diff --git a/htdocs/comm/mailing/card.php b/htdocs/comm/mailing/card.php
index 9108264691331157b46dd1bfc595f16e08f7229d..b7d4f909fa7e72cc094de99e078e0908b0903c02 100644
--- a/htdocs/comm/mailing/card.php
+++ b/htdocs/comm/mailing/card.php
@@ -992,6 +992,9 @@ else
 
 			// Print mail content
 			print_fiche_titre($langs->trans("EMail"),'','');
+
+			dol_fiche_head('');
+
 			print '<table class="border" width="100%">';
 
 			// Subject
@@ -1042,7 +1045,8 @@ else
 			print '</tr>';
 
 			print '</table>';
-			print "<br>";
+
+			dol_fiche_end();
 		}
 		else
 		{
diff --git a/htdocs/comm/mailing/cibles.php b/htdocs/comm/mailing/cibles.php
index 5e2aa787dba555b9fb331c044e3da28006d50c83..99c73dc48374524ebd9ce42363ab8d74653f4d62 100644
--- a/htdocs/comm/mailing/cibles.php
+++ b/htdocs/comm/mailing/cibles.php
@@ -1,6 +1,6 @@
 <?php
 /* Copyright (C) 2004      Rodolphe Quiedeville <rodolphe@quiedeville.org>
- * Copyright (C) 2005-2013 Laurent Destailleur  <eldy@uers.sourceforge.net>
+ * Copyright (C) 2005-2015 Laurent Destailleur  <eldy@uers.sourceforge.net>
  * Copyright (C) 2005-2010 Regis Houssin        <regis.houssin@capnetworks.com>
  * Copyright (C) 2014	   Florian Henry        <florian.henry@open-concept.pro>
  *
@@ -408,20 +408,17 @@ if ($object->fetch($id) >= 0)
 		print_liste_field_titre($langs->trans("Firstname"),$_SERVER["PHP_SELF"],"mc.firstname",$param,"","",$sortfield,$sortorder);
 		print_liste_field_titre($langs->trans("OtherInformations"),$_SERVER["PHP_SELF"],"",$param,"","",$sortfield,$sortorder);
 		print_liste_field_titre($langs->trans("Source"),$_SERVER["PHP_SELF"],"",$param,"",'align="center"',$sortfield,$sortorder);
-
 		// Date sending
 		if ($object->statut < 2)
 		{
-			print '<td class="liste_titre">&nbsp;</td>';
+			print_liste_field_titre('');
 		}
 		else
 		{
 			print_liste_field_titre($langs->trans("DateSending"),$_SERVER["PHP_SELF"],"mc.date_envoi",$param,'','align="center"',$sortfield,$sortorder);
 		}
-
 		print_liste_field_titre($langs->trans("Status"),$_SERVER["PHP_SELF"],"mc.statut",$param,'','align="right"',$sortfield,$sortorder);
 		print_liste_field_titre('',$_SERVER["PHP_SELF"],"",'','','',$sortfield,$sortorder,'maxwidthsearch ');
-
 		print '</tr>';
 
 		// Ligne des champs de filtres
@@ -458,7 +455,6 @@ if ($object->fetch($id) >= 0)
 		//Search Icon
 		print '<td class="liste_titre" align="right">';
 		print '<input type="image" class="liste_titre" src="'.img_picto($langs->trans("Search"),'search.png','','',1).'" name="button_search" value="'.dol_escape_htmltag($langs->trans("Search")).'" title="'.dol_escape_htmltag($langs->trans("Search")).'">';
-		print '&nbsp; ';
 		print '<input type="image" class="liste_titre" src="'.img_picto($langs->trans("Reset"),'searchclear.png','','',1).'" name="button_removefilter" value="'.dol_escape_htmltag($langs->trans("RemoveFilter")).'" title="'.dol_escape_htmltag($langs->trans("RemoveFilter")).'">';
 		print '</td>';
 		print '</tr>';
@@ -518,9 +514,6 @@ if ($object->fetch($id) >= 0)
 				{
 					print '<td align="center">&nbsp;</td>';
 					print '<td align="right" class="nowrap">'.$langs->trans("MailingStatusNotSent");
-					if ($user->rights->mailing->creer && $allowaddtarget) {
-						print '<a href="'.$_SERVER['PHP_SELF'].'?action=delete&rowid='.$obj->rowid.$param.'">'.img_delete($langs->trans("RemoveRecipient"));
-					}
 					print '</td>';
 				}
 				else
@@ -532,7 +525,14 @@ if ($object->fetch($id) >= 0)
 				}
 
 				//Sreach Icon
-				print '<td></td>';
+				print '<td align="right">';
+				if ($obj->statut == 0)
+				{
+					if ($user->rights->mailing->creer && $allowaddtarget) {
+						print '<a href="'.$_SERVER['PHP_SELF'].'?action=delete&rowid='.$obj->rowid.$param.'">'.img_delete($langs->trans("RemoveRecipient"));
+					}
+				}
+				print '</td>';
 				print '</tr>';
 
 				$i++;
@@ -540,7 +540,7 @@ if ($object->fetch($id) >= 0)
 		}
 		else
 		{
-			print '<tr '.$bc[false].'><td colspan="7">'.$langs->trans("NoTargetYet").'</td></tr>';
+			print '<tr '.$bc[false].'><td colspan="8">'.$langs->trans("NoTargetYet").'</td></tr>';
 		}
 		print "</table><br>";
 
diff --git a/htdocs/comm/propal.php b/htdocs/comm/propal.php
index 8cd48a75f40d11fca167e1b04d3ec0b92d40c58d..dc0f376234e5ade294b568803952246fd3ab66ed 100644
--- a/htdocs/comm/propal.php
+++ b/htdocs/comm/propal.php
@@ -2288,6 +2288,9 @@ if ($action == 'create')
 	}
 	print "<br>\n";
 
+	//Select mail models is same action as presend
+	if (GETPOST('modelselected')) $action = 'presend';
+
 	if ($action != 'presend')
 	{
 		print '<div class="fichecenter"><div class="fichehalfleft">';
@@ -2330,10 +2333,6 @@ if ($action == 'create')
 	/*
 	 * Action presend
  	 */
-	//Select mail models is same action as presend
-	if (GETPOST('modelselected')) {
-		$action = 'presend';
-	}
 	if ($action == 'presend')
 	{
 		$object->fetch_projet();
@@ -2369,8 +2368,11 @@ if ($action == 'create')
 			$file = $fileparams['fullname'];
 		}
 
+		print '<div class="clearboth"></div>';
 		print '<br>';
-		print_titre($langs->trans('SendPropalByMail'));
+		print_fiche_titre($langs->trans('SendPropalByMail'));
+
+		dol_fiche_head('');
 
 		// Create form object
 		include_once DOL_DOCUMENT_ROOT . '/core/class/html.formmail.class.php';
@@ -2439,7 +2441,7 @@ if ($action == 'create')
 
 		print $formmail->get_form();
 
-		print '<br>';
+		dol_fiche_end();
 	}
 }
 
diff --git a/htdocs/commande/card.php b/htdocs/commande/card.php
index 79f752f83558a598ab9df8d3d3e9dbc571995701..cbe411b9217c34a688a27af0dab30769b15fc41b 100644
--- a/htdocs/commande/card.php
+++ b/htdocs/commande/card.php
@@ -32,6 +32,7 @@
  * \ingroup commande
  * \brief Page to show customer order
  */
+
 require '../main.inc.php';
 require_once DOL_DOCUMENT_ROOT . '/core/class/html.formfile.class.php';
 require_once DOL_DOCUMENT_ROOT . '/core/class/html.formorder.class.php';
@@ -2362,8 +2363,11 @@ if ($action == 'create' && $user->rights->commande->creer)
 				$file = $fileparams['fullname'];
 			}
 
+			print '<div class="clearboth"></div>';
 			print '<br>';
-			print_titre($langs->trans('SendOrderByMail'));
+			print_fiche_titre($langs->trans('SendOrderByMail'));
+
+			dol_fiche_head('');
 
 			// Cree l'objet formulaire mail
 			include_once DOL_DOCUMENT_ROOT . '/core/class/html.formmail.class.php';
@@ -2402,8 +2406,10 @@ if ($action == 'create' && $user->rights->commande->creer)
 			$contactarr = array();
 			$contactarr = $object->liste_contact(- 1, 'external');
 
-			if (is_array($contactarr) && count($contactarr) > 0) {
-				foreach ($contactarr as $contact) {
+			if (is_array($contactarr) && count($contactarr) > 0)
+			{
+				foreach ($contactarr as $contact)
+				{
 					if ($contact['libelle'] == $langs->trans('TypeContact_commande_external_CUSTOMER')) {	// TODO Use code and not label
 						$contactstatic = new Contact($db);
 						$contactstatic->fetch($contact ['id']);
@@ -2432,7 +2438,7 @@ if ($action == 'create' && $user->rights->commande->creer)
 			// Show form
 			print $formmail->get_form();
 
-			print '<br>';
+			dol_fiche_end();
 		}
 	}
 }
diff --git a/htdocs/compta/bank/account.php b/htdocs/compta/bank/account.php
index f2a7649166a2b2b40c42e6d10ec14d7ba9421d36..680a12c211c82bd2d49a2c129574eecd7e7a2618 100644
--- a/htdocs/compta/bank/account.php
+++ b/htdocs/compta/bank/account.php
@@ -374,43 +374,34 @@ if ($id > 0 || ! empty($ref))
 	 * Boutons actions
 	 */
 
-	if ($action != 'delete')
-	{
+	if ($action != 'delete') {
 		print '<div class="tabsAction">';
 
-		if ($object->type != 2 && $object->rappro)  // If not cash account and can be reconciliate
-		{
-			if ($user->rights->banque->consolidate)
-			{
+		if ($object->type != 2 && $object->rappro) { // If not cash account and can be reconciliate
+			if ($user->rights->banque->consolidate) {
 				print '<a class="butAction" href="'.DOL_URL_ROOT.'/compta/bank/rappro.php?account='.$object->id.($vline?'&amp;vline='.$vline:'').'">'.$langs->trans("Conciliate").'</a>';
-			}
-			else
-			{
+			} else {
 				print '<a class="butActionRefused" title="'.$langs->trans("NotEnoughPermissions").'" href="#">'.$langs->trans("Conciliate").'</a>';
 			}
 		}
 
-		if ($action != 'addline')
-		{
-			if (empty($conf->global->BANK_DISABLE_DIRECT_INPUT))
-			{
-				if ($user->rights->banque->modifier)
-				{
-					print '<a class="butAction" href="'.$_SERVER["PHP_SELF"].'?action=addline&amp;id='.$object->id.'&amp;page='.$page.($vline?'&amp;vline='.$vline:'').'">'.$langs->trans("AddBankRecord").'</a>';
-				}
-				else
-				{
-					print '<a class="butActionRefused" title="'.$langs->trans("NotEnoughPermissions").'" href="#">'.$langs->trans("AddBankRecord").'</a>';
-				}
-			}
-			else
-			{
-				print '<a class="butActionRefused" title="'.$langs->trans("FeatureDisabled").'" href="#">'.$langs->trans("AddBankRecord").'</a>';
-			}
-		}
-
-		print '</div>';
-	}
+		if ($action != 'addline') {
+			if (empty($conf->global->BANK_DISABLE_DIRECT_INPUT)) {
+                if (empty($conf->accounting->enabled)) {
+                    if ($user->rights->banque->modifier) {
+                        print '<a class="butAction" href="'.$_SERVER["PHP_SELF"].'?action=addline&amp;id='.$object->id.'&amp;page='.$page.($vline?'&amp;vline='.$vline:'').'">'.$langs->trans("AddBankRecord").'</a>';
+                    } else {
+                        print '<a class="butActionRefused" title="'.$langs->trans("NotEnoughPermissions").'" href="#">'.$langs->trans("AddBankRecord").'</a>';
+                    }
+                } else {
+                    print '<a class="butActionRefused" title="'.$langs->trans("FeatureDisabled").'" href="#">'.$langs->trans("AddBankRecord").'</a>';
+                }
+			} else {
+                print '<a class="butActionRefused" title="'.$langs->trans("FeatureDisabled").'" href="#">'.$langs->trans("AddBankRecord").'</a>';
+            }
+        }
+        print '</div>';
+    }
 	
 	print '<br>';
 		
@@ -466,15 +457,12 @@ if ($id > 0 || ! empty($ref))
 		print '<div class="floatright">'.$navig.'</div>';
 	}
 	
-	print '<table class="noborder" width="100%">';
-
 	// Form to add a transaction with no invoice
 	if ($user->rights->banque->modifier && $action == 'addline')
 	{
-		print '<tr>';
-		print '<td align="left" colspan="10"><b>'.$langs->trans("AddBankRecordLong").'</b></td>';
-		print '</tr>';
+        print_fiche_titre($langs->trans("AddBankRecordLong"),'','');
 
+		print '<table class="noborder" width="100%">';
 		print '<tr class="liste_titre">';
 		print '<td>'.$langs->trans("Date").'</td>';
 		print '<td>&nbsp;</td>';
@@ -507,11 +495,13 @@ if ($id > 0 || ! empty($ref))
 		print '<input type="submit" name="save" class="button" value="'.$langs->trans("Add").'"><br>';
 		print '<input type="submit" name="cancel" class="button" value="'.$langs->trans("Cancel").'">';
 		print '</td></tr>';
-		print "</form>";
-
-		print '<tr class="noborder"><td colspan="10">&nbsp;</td></tr>'."\n";
+		print '</table>';
+		print '</form>';
+		print '<br>';
 	}
 
+	print '<table class="noborder" width="100%">';
+
 	/*
 	 * Affiche tableau des transactions bancaires
 	 */
diff --git a/htdocs/compta/facture.php b/htdocs/compta/facture.php
index 518a22ede78bd26ca85007bb31a74587eb062fe2..434afbea3586e201be7778e1ada4d2047bdff1aa 100644
--- a/htdocs/compta/facture.php
+++ b/htdocs/compta/facture.php
@@ -2502,8 +2502,8 @@ if ($action == 'create')
 	}
 
 	print '<br>';
-} 
-else if ($id > 0 || ! empty($ref)) 
+}
+else if ($id > 0 || ! empty($ref))
 {
 	/*
 	 * Show object in view mode
@@ -2860,7 +2860,7 @@ else if ($id > 0 || ! empty($ref))
 		$outstandingBills = $soc->get_OutstandingBill();
 		print ' - ' . $langs->trans('CurrentOutstandingBill') . ': ';
 		print price($outstandingBills, '', $langs, 0, 0, - 1, $conf->currency);
-		if ($soc->outstanding_limit != '') 
+		if ($soc->outstanding_limit != '')
 		{
 			if ($outstandingBills > $soc->outstanding_limit)
 				print img_warning($langs->trans("OutstandingBillReached"));
@@ -2950,7 +2950,7 @@ else if ($id > 0 || ! empty($ref))
 		} else
 			print '. ';
 	}
-	if ($absolute_creditnote > 0) 
+	if ($absolute_creditnote > 0)
 	{
 		// If validated, we show link "add credit note to payment"
 		if ($object->statut != 1 || $object->type == Facture::TYPE_CREDIT_NOTE || $object->type == Facture::TYPE_DEPOSIT) {
@@ -3855,8 +3855,9 @@ else if ($id > 0 || ! empty($ref))
 			$file = $fileparams['fullname'];
 		}
 
+		print '<div class="clearboth"></div>';
 		print '<br>';
-		print_titre($langs->trans($titreform));
+		print_fiche_titre($langs->trans($titreform));
 
 		// Cree l'objet formulaire mail
 		dol_fiche_head();
diff --git a/htdocs/compta/facture/class/facture.class.php b/htdocs/compta/facture/class/facture.class.php
index d91352a4a1a4e4d1a03dd7c52c0e0183cd7bfc0e..dbbc1d88212bbe98b3a54ada72cc933ec7adb5a0 100644
--- a/htdocs/compta/facture/class/facture.class.php
+++ b/htdocs/compta/facture/class/facture.class.php
@@ -2721,7 +2721,10 @@ class Facture extends CommonInvoice
 				$dir = dol_buildpath($reldir."core/modules/facture/");
 
 				// Load file with numbering class (if found)
-				$mybool|=@include_once $dir.$file;
+				if (is_file($dir.$file) && is_readable($dir.$file))
+				{
+                    $mybool |= include_once $dir . $file;
+                }
 			}
 
 			// For compatibility
@@ -2734,8 +2737,11 @@ class Facture extends CommonInvoice
 				foreach ($conf->file->dol_document_root as $dirroot)
 				{
 					$dir = $dirroot."/core/modules/facture/";
+
 					// Load file with numbering class (if found)
-					$mybool|=@include_once $dir.$file;
+					if (is_file($dir.$file) && is_readable($dir.$file)) {
+                        $mybool |= include_once $dir . $file;
+                    }
 				}
 			}
 
diff --git a/htdocs/compta/hrm.php b/htdocs/compta/hrm.php
index f253193b1a9af051f40864d205447552d47373d0..584077509b30e1316deec46e0cf664d988b1aba1 100644
--- a/htdocs/compta/hrm.php
+++ b/htdocs/compta/hrm.php
@@ -203,7 +203,7 @@ if (! empty($conf->deplacement->enabled) && $user->rights->deplacement->lire)
 
 if (! empty($conf->expensereport->enabled) && $user->rights->expensereport->lire)
 {
-	$sql = "SELECT u.rowid as uid, u.lastname, u.firstname, x.rowid, x.date_debut as date, x.tms as dm, x.total_ttc, x.fk_statut as status";
+	$sql = "SELECT u.rowid as uid, u.lastname, u.firstname, x.rowid, x.ref, x.date_debut as date, x.tms as dm, x.total_ttc, x.fk_statut as status";
 	$sql.= " FROM ".MAIN_DB_PREFIX."expensereport as x, ".MAIN_DB_PREFIX."user as u";
 	if (!$user->rights->societe->client->voir && !$user->societe_id) $sql.= ", ".MAIN_DB_PREFIX."societe as s, ".MAIN_DB_PREFIX."societe_commerciaux as sc";
 	$sql.= " WHERE u.rowid = x.fk_user_author";
@@ -238,8 +238,8 @@ if (! empty($conf->expensereport->enabled) && $user->rights->expensereport->lire
 			while ($i < $num && $i < $max)
 			{
 				$obj = $db->fetch_object($result);
-				$expensereportstatic->ref=$obj->rowid;
 				$expensereportstatic->id=$obj->rowid;
+				$expensereportstatic->ref=$obj->ref;
 				$userstatic->id=$obj->uid;
 				$userstatic->lastname=$obj->lastname;
 				$userstatic->firstname=$obj->firstname;
diff --git a/htdocs/compta/paiement/cheque/card.php b/htdocs/compta/paiement/cheque/card.php
index fdd61727069e76e9468d95f5a5798ff9ac1a8b98..bafa20aa84f35ad565f174ec712346d14389ad3f 100644
--- a/htdocs/compta/paiement/cheque/card.php
+++ b/htdocs/compta/paiement/cheque/card.php
@@ -221,7 +221,26 @@ if ($action == 'confirm_valide' && $confirm == 'yes' && $user->rights->banque->c
 	}
 	else
 	{
-		setEventMessage($paiement->error, 'errors');
+		setEventMessage($object->error, 'errors');
+	}
+}
+
+if ($action == 'confirm_reject_check' && $confirm == 'yes' && $user->rights->banque->cheque)
+{
+	$reject_date = dol_mktime(0, 0, 0, GETPOST('rejectdate_month'), GETPOST('rejectdate_day'), GETPOST('rejectdate_year'));
+	$rejected_check = GETPOST('bankid');
+
+	$object->fetch($id);
+	$paiement_id = $object->reject_check($rejected_check, $reject_date);
+	if ($paiement_id > 0)
+	{
+		setEventMessage($langs->trans("CheckRejectedAndInvoicesReopened"));
+		header("Location: ".DOL_URL_ROOT.'/compta/paiement/card.php?id='.$paiement_id);
+		exit;
+	}
+	else
+	{
+		setEventMessage($object->error, 'errors');
 	}
 }
 
@@ -334,6 +353,18 @@ else
 		print $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans("ValidateCheckReceipt"), $langs->trans("ConfirmValidateCheckReceipt"), 'confirm_valide','','',1);
 
 	}
+
+	/*
+	 * Confirm check rejection
+	 */
+	if ($action == 'reject_check')
+	{
+		$formquestion = array(
+			array('type' => 'hidden','name' => 'bankid','value' => GETPOST('lineid')),
+			array('type' => 'date','name' => 'rejectdate_','label' => $langs->trans("RejectCheckDate"),'value' => dol_now())
+		);
+		print $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans("RejectCheck"), $langs->trans("ConfirmRejectCheck"), 'confirm_reject_check',$formquestion,'',1);
+	}
 }
 
 $accounts = array();
@@ -350,7 +381,7 @@ if ($action == 'new')
 	print '<input type="hidden" name="action" value="new">';
 
 	dol_fiche_head();
-	
+
 	print '<table class="border" width="100%">';
 	//print '<tr><td width="30%">'.$langs->trans('Date').'</td><td width="70%">'.dol_print_date($now,'day').'</td></tr>';
 	// Filter
@@ -361,9 +392,9 @@ if ($action == 'new')
     $form->select_comptes($filteraccountid,'accountid',0,'courant <> 2',1);
     print '</td></tr>';
 	print '</table>';
-	
+
 	dol_fiche_end();
-	
+
     print '<div class="center">';
 	print '<input type="submit" class="button" name="filter" value="'.dol_escape_htmltag($langs->trans("ToFilter")).'">';
     if ($filterdate || $filteraccountid > 0)
@@ -377,10 +408,9 @@ if ($action == 'new')
 
 	$sql = "SELECT ba.rowid as bid, b.datec as datec, b.dateo as date, b.rowid as chqid, ";
 	$sql.= " b.amount, ba.label, b.emetteur, b.num_chq, b.banque";
-	$sql.= " FROM ".MAIN_DB_PREFIX."bank as b,";
-	$sql.= " ".MAIN_DB_PREFIX."bank_account as ba";
+	$sql.= " FROM ".MAIN_DB_PREFIX."bank as b";
+	$sql.= " LEFT JOIN ".MAIN_DB_PREFIX."bank_account as ba ON (b.fk_account = ba.rowid)";
 	$sql.= " WHERE b.fk_type = 'CHQ'";
-	$sql.= " AND b.fk_account = ba.rowid";
 	$sql.= " AND ba.entity IN (".getEntity('bank_account', 1).")";
 	$sql.= " AND b.fk_bordereau = 0";
 	$sql.= " AND b.amount > 0";
@@ -599,12 +629,11 @@ else
 	// Liste des cheques
 	$sql = "SELECT b.rowid, b.amount, b.num_chq, b.emetteur,";
 	$sql.= " b.dateo as date, b.datec as datec, b.banque,";
-	$sql.= " p.rowid as pid, ba.rowid as bid";
+	$sql.= " p.rowid as pid, ba.rowid as bid, p.statut";
 	$sql.= " FROM ".MAIN_DB_PREFIX."bank_account as ba";
-	$sql.= ", ".MAIN_DB_PREFIX."bank as b";
+	$sql.= " LEFT JOIN ".MAIN_DB_PREFIX."bank as b ON (b.fk_account = ba.rowid)";
 	$sql.= " LEFT JOIN ".MAIN_DB_PREFIX."paiement as p ON p.fk_bank = b.rowid";
-	$sql.= " WHERE ba.rowid = b.fk_account";
-	$sql.= " AND ba.entity IN (".getEntity('bank_account', 1).")";
+	$sql.= " WHERE ba.entity IN (".getEntity('bank_account', 1).")";
 	$sql.= " AND b.fk_type= 'CHQ'";
 	$sql.= " AND b.fk_bordereau = ".$object->id;
 	$sql.= " ORDER BY $sortfield $sortorder";
@@ -625,7 +654,8 @@ else
 		print_liste_field_titre($langs->trans("Bank"),$_SERVER["PHP_SELF"],"b.banque", "",$param,"",$sortfield,$sortorder);
 		print_liste_field_titre($langs->trans("Amount"),$_SERVER["PHP_SELF"],"b.amount", "",$param,'align="right"',$sortfield,$sortorder);
 		print_liste_field_titre($langs->trans("LineRecord"),$_SERVER["PHP_SELF"],"b.rowid", "",$param,'align="center"',$sortfield,$sortorder);
-		print_liste_field_titre('');
+		print_liste_field_titre($langs->trans("Payment"),$_SERVER["PHP_SELF"],"p.rowid", "",$param,'align="center"',$sortfield,$sortorder);
+		print_liste_field_titre('',$_SERVER["PHP_SELF"],"",'','','',$sortfield,$sortorder,'maxwidthsearch ');
 		print "</tr>\n";
 		$i=1;
 		$var=false;
@@ -654,13 +684,25 @@ else
 				print '&nbsp;';
 			}
 			print '</td>';
-			if ($object->statut == 0)
+			print '<td align="center">';
+			$paymentstatic->id=$objp->pid;
+			$paymentstatic->ref=$objp->pid;
+			if ($paymentstatic->id)
 			{
-				print '<td align="right"><a href="'.$_SERVER["PHP_SELF"].'?id='.$object->id.'&amp;action=remove&amp;lineid='.$objp->rowid.'">'.img_delete().'</a></td>';
+				print $paymentstatic->getNomUrl(1);
 			}
 			else
 			{
-				print '<td>&nbsp;</td>';
+				print '&nbsp;';
+			}
+			print '</td>';
+			if ($object->statut == 0)
+			{
+				print '<td align="right"><a href="'.$_SERVER["PHP_SELF"].'?id='.$object->id.'&amp;action=remove&amp;lineid='.$objp->rowid.'">'.img_delete().'</a>';
+				print '<a href="'.$_SERVER["PHP_SELF"].'?id='.$object->id.'&amp;action=reject_check&amp;lineid='.$objp->rowid.'">'.img_picto($langs->trans("RejectCheck"),'disable').'</a></td>';
+			}
+			else if($objp->statut == 2) {
+				print '<td align="right">'.img_picto($langs->trans('CheckRejected'),'statut8').'</a></td>';
 			}
 			print '</tr>';
 			$var=!$var;
diff --git a/htdocs/compta/paiement/cheque/class/remisecheque.class.php b/htdocs/compta/paiement/cheque/class/remisecheque.class.php
index 2dc1efe04b40395e7f07f21386efbade22230a4c..20923222741d8f3615529c9610b8fd2192d4c9b2 100644
--- a/htdocs/compta/paiement/cheque/class/remisecheque.class.php
+++ b/htdocs/compta/paiement/cheque/class/remisecheque.class.php
@@ -25,6 +25,7 @@
  *	\brief      File with class to manage cheque delivery receipts
  */
 require_once DOL_DOCUMENT_ROOT .'/core/class/commonobject.class.php';
+require_once DOL_DOCUMENT_ROOT.'/compta/facture/class/facture.class.php';
 
 
 /**
@@ -647,17 +648,83 @@ class RemiseCheque extends CommonObject
 
 			$resql = $this->db->query($sql);
 			if ($resql)
-	  {
-	  	$this->updateAmount();
-	  }
-	  else
-	  {
-	  	$this->errno = -1032;
-	  	dol_syslog("RemiseCheque::removeCheck ERREUR UPDATE ($this->errno)");
-	  }
+			{
+				$this->updateAmount();
+			}
+			else
+			{
+				$this->errno = -1032;
+				dol_syslog("RemiseCheque::removeCheck ERREUR UPDATE ($this->errno)");
+			}
 		}
 		return 0;
 	}
+
+	/**
+	 *	Check rejection management
+	 *	Reopen linked invoices and saves a new negative payment
+	 *
+	 *	@param	int		$bank_id 		Id of bank line concerned
+	 *	@param	date	$rejection_date	Date to use on the negative payment
+	 * 	@return	int
+	 */
+	function reject_check($bank_id, $rejection_date)
+	{
+		global $db, $user;
+
+		$payment = new Paiement($db);
+		$payment->fetch(0,0,$bank_id);
+
+		$bankaccount = $payment->fk_account;
+
+		// Get invoice list to reopen them
+		$sql = 'SELECT pf.fk_facture, pf.amount';
+		$sql.= ' FROM '.MAIN_DB_PREFIX.'paiement_facture as pf';
+		$sql.= ' WHERE pf.fk_paiement = '.$payment->id;
+
+		$resql=$db->query($sql);
+		if ($resql)
+		{
+			$rejectedPayment = new Paiement($db);
+			$rejectedPayment->amounts = array();
+			$rejectedPayment->datepaye = $rejection_date;
+			$rejectedPayment->paiementid = dol_getIdFromCode($this->db, 'CHQ', 'c_paiement');
+			$rejectedPayment->num_paiement = $payment->numero;
+
+			while($obj = $db->fetch_object($resql))
+			{
+				$invoice = new Facture($db);
+				$invoice->fetch($obj->fk_facture);
+				$invoice->set_unpaid($user);
+
+				$rejectedPayment->amounts[$obj->fk_facture] = price2num($obj->amount) * -1;
+			}
+
+			if ($rejectedPayment->create($user) > 0)
+			{
+				$result=$rejectedPayment->addPaymentToBank($user,'payment','(CheckRejected)',$bankaccount,'','');
+				if ($result > 0)
+				{
+					$payment->reject();
+					return $rejectedPayment->id;
+				}
+				else
+				{
+					return -1;
+				}
+			}
+			else
+			{
+				return -1;
+			}
+		}
+		else
+		{
+			$this->error=$this->db->error();
+			return -1;
+		}
+	}
+
 	/**
 	 *	Charge les proprietes ref_previous et ref_next
 	 *
@@ -747,7 +814,7 @@ class RemiseCheque extends CommonObject
 			$sql = "UPDATE ".MAIN_DB_PREFIX."bordereau_cheque";
 			$sql.= " SET number = '".$number."'" ;
 			$sql.= " WHERE rowid = ".$this->id;
-			
+
 			dol_syslog("RemiseCheque::set_number", LOG_DEBUG);
 			$resql=$this->db->query($sql);
 			if ($resql)
diff --git a/htdocs/compta/paiement/class/paiement.class.php b/htdocs/compta/paiement/class/paiement.class.php
index 60d669fcacfb7b29da7665a12c9f89768d113696..e45d0936bccf2513522fb2cd9c0d5604b8cd4a4d 100644
--- a/htdocs/compta/paiement/class/paiement.class.php
+++ b/htdocs/compta/paiement/class/paiement.class.php
@@ -78,11 +78,12 @@ class Paiement extends CommonObject
 	/**
 	 *    Load payment from database
 	 *
-	 *    @param	int		$id     Id of payment to get
-	 *    @param	int		$ref    Ref of payment to get (same as $id)
-	 *    @return   int     		<0 if KO, 0 if not found, >0 if OK
+	 *    @param	int		$id			Id of payment to get
+	 *    @param	string	$ref		Ref of payment to get (currently ref = id but this may change in future)
+	 *    @param	int		$fk_bank	Id of bank line associated to payment
+	 *    @return   int		<0 if KO, 0 if not found, >0 if OK
 	 */
-	function fetch($id, $ref='')
+	function fetch($id, $ref='', $fk_bank='')
 	{
 		$sql = 'SELECT p.rowid, p.datep as dp, p.amount, p.statut, p.fk_bank,';
 		$sql.= ' c.code as type_code, c.libelle as type_libelle,';
@@ -91,10 +92,12 @@ class Paiement extends CommonObject
 		$sql.= ' FROM '.MAIN_DB_PREFIX.'c_paiement as c, '.MAIN_DB_PREFIX.'paiement as p';
 		$sql.= ' LEFT JOIN '.MAIN_DB_PREFIX.'bank as b ON p.fk_bank = b.rowid ';
 		$sql.= ' WHERE p.fk_paiement = c.id';
-		if ($ref)
-			$sql.= ' AND p.rowid = '.$ref;
-		else
+		if ($id > 0)
 			$sql.= ' AND p.rowid = '.$id;
+		else if ($ref)
+			$sql.= ' AND p.rowid = '.$ref;
+		else if ($fk_bank)
+			$sql.= ' AND p.fk_bank = '.$fk_bank;
 
 		dol_syslog(get_class($this)."::fetch", LOG_DEBUG);
 		$result = $this->db->query($sql);
@@ -116,7 +119,8 @@ class Paiement extends CommonObject
 				$this->type_code      = $obj->type_code;
 				$this->statut         = $obj->statut;
 
-				$this->bank_account   = $obj->fk_account;
+				$this->bank_account   = $obj->fk_account; // deprecated
+				$this->fk_account     = $obj->fk_account;
 				$this->bank_line      = $obj->fk_bank;
 
 				$this->db->free($result);
@@ -670,6 +674,29 @@ class Paiement extends CommonObject
 		}
 	}
 
+	/**
+	 *    Reject payment
+	 *
+	 *    @return     int     <0 if KO, >0 if OK
+	 */
+	function reject()
+	{
+		$sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element.' SET statut = 2 WHERE rowid = '.$this->id;
+
+		dol_syslog(get_class($this).'::reject', LOG_DEBUG);
+		$result = $this->db->query($sql);
+		if ($result)
+		{
+			return 1;
+		}
+		else
+		{
+			$this->error=$this->db->lasterror();
+			dol_syslog(get_class($this).'::reject '.$this->error);
+			return -1;
+		}
+	}
+
 	/*
 	 *    \brief      Information sur l'objet
 	 *    \param      id      id du paiement dont il faut afficher les infos
diff --git a/htdocs/compta/paiement_charge.php b/htdocs/compta/paiement_charge.php
index 420fbd7af6917c9123df5ecb67e666e45f38de06..173226f6ab5283c83d46e1970dc1f600359526a8 100644
--- a/htdocs/compta/paiement_charge.php
+++ b/htdocs/compta/paiement_charge.php
@@ -176,6 +176,8 @@ if ($_GET["action"] == 'create')
 	print '<input type="hidden" name="chid" value="'.$chid.'">';
 	print '<input type="hidden" name="action" value="add_payment">';
 
+	dol_fiche_head('', '');
+
 	print '<table cellspacing="0" class="border" width="100%" cellpadding="2">';
 
 	print "<tr class=\"liste_titre\"><td colspan=\"3\">".$langs->trans("SocialContribution")."</td>";
@@ -235,7 +237,7 @@ if ($_GET["action"] == 'create')
 
 	print '</table>';
 
-	print '<br>';
+	dol_fiche_end();
 
 	/*
  	 * Autres charges impayees
diff --git a/htdocs/compta/tva/clients.php b/htdocs/compta/tva/clients.php
index 5d8dce0fd738e44ea8e5712a65e94e7301ad1c66..857523673342d169dc6ee6a7ee7a2d42ff76f3ed 100644
--- a/htdocs/compta/tva/clients.php
+++ b/htdocs/compta/tva/clients.php
@@ -21,7 +21,7 @@
 
 /**
  *	    \file       htdocs/compta/tva/clients.php
- *      \ingroup    tax
+ *	  \ingroup    tax
  *		\brief      Page des societes
  */
 
@@ -30,6 +30,7 @@ require_once DOL_DOCUMENT_ROOT.'/core/lib/report.lib.php';
 require_once DOL_DOCUMENT_ROOT.'/core/lib/tax.lib.php';
 require_once DOL_DOCUMENT_ROOT.'/core/lib/date.lib.php';
 require_once DOL_DOCUMENT_ROOT.'/compta/tva/class/tva.class.php';
+require_once DOL_DOCUMENT_ROOT.'/core/class/ccountry.class.php';
 
 $langs->load("bills");
 $langs->load("compta");
@@ -39,8 +40,7 @@ $langs->load("other");
 
 // Date range
 $year=GETPOST("year");
-if (empty($year))
-{
+if (empty($year)) {
 	$year_current = strftime("%Y",dol_now());
 	$year_start = $year_current;
 } else {
@@ -50,38 +50,55 @@ if (empty($year))
 $date_start=dol_mktime(0,0,0,$_REQUEST["date_startmonth"],$_REQUEST["date_startday"],$_REQUEST["date_startyear"]);
 $date_end=dol_mktime(23,59,59,$_REQUEST["date_endmonth"],$_REQUEST["date_endday"],$_REQUEST["date_endyear"]);
 // Quarter
-if (empty($date_start) || empty($date_end)) // We define date_start and date_end
-{
-    $q=GETPOST("q");
-    if (empty($q))
-	{
-		if (isset($_REQUEST["month"])) { $date_start=dol_get_first_day($year_start,$_REQUEST["month"],false); $date_end=dol_get_last_day($year_start,$_REQUEST["month"],false); }
-		else
-		{
-		    $month_current = strftime("%m",dol_now());
-		    if ($month_current >= 10) $q=4;
-            elseif ($month_current >= 7) $q=3;
-            elseif ($month_current >= 4) $q=2;
-            else $q=1;
+if (empty($date_start) || empty($date_end)) {// We define date_start and date_end
+	$q=GETPOST("q");
+	if (empty($q)) {
+		if (isset($_REQUEST["month"])) {
+			$date_start=dol_get_first_day($year_start,$_REQUEST["month"],false);
+			$date_end=dol_get_last_day($year_start,$_REQUEST["month"],false);
+		} else {
+			$month_current = strftime("%m",dol_now());
+			if ($month_current >= 10) $q=4;
+			elseif ($month_current >= 7) $q=3;
+			elseif ($month_current >= 4) $q=2;
+			else $q=1;
 		}
 	}
-	if ($q==1) { $date_start=dol_get_first_day($year_start,1,false); $date_end=dol_get_last_day($year_start,3,false); }
-	if ($q==2) { $date_start=dol_get_first_day($year_start,4,false); $date_end=dol_get_last_day($year_start,6,false); }
-	if ($q==3) { $date_start=dol_get_first_day($year_start,7,false); $date_end=dol_get_last_day($year_start,9,false); }
-	if ($q==4) { $date_start=dol_get_first_day($year_start,10,false); $date_end=dol_get_last_day($year_start,12,false); }
+	if ($q==1) {
+		$date_start=dol_get_first_day($year_start,1,false);
+		$date_end=dol_get_last_day($year_start,3,false);
+	}
+	if ($q==2) {
+		$date_start=dol_get_first_day($year_start,4,false);
+		$date_end=dol_get_last_day($year_start,6,false);
+	}
+	if ($q==3) {
+		$date_start=dol_get_first_day($year_start,7,false);
+		$date_end=dol_get_last_day($year_start,9,false);
+	}
+	if ($q==4) {
+		$date_start=dol_get_first_day($year_start,10,false);
+		$date_end=dol_get_last_day($year_start,12,false);
+	}
 }
 
 $min = GETPOST("min");
-if (empty($min)) $min = 0;
+if (empty($min)) {
+	$min = 0;
+}
 
 // Define modetax (0 or 1)
 // 0=normal, 1=option vat for services is on debit
 $modetax = $conf->global->TAX_MODE;
-if (isset($_REQUEST["modetax"])) $modetax=$_REQUEST["modetax"];
+if (isset($_REQUEST["modetax"])) {
+	$modetax=$_REQUEST["modetax"];
+}
 
 // Security check
 $socid = GETPOST('socid','int');
-if ($user->societe_id) $socid=$user->societe_id;
+if ($user->societe_id) {
+	$socid=$user->societe_id;
+}
 $result = restrictedArea($user, 'tax', '', '', 'charges');
 
 
@@ -95,9 +112,15 @@ $company_static=new Societe($db);
 
 $morequerystring='';
 $listofparams=array('date_startmonth','date_startyear','date_startday','date_endmonth','date_endyear','date_endday');
-foreach($listofparams as $param)
-{
-	if (GETPOST($param)!='') $morequerystring.=($morequerystring?'&':'').$param.'='.GETPOST($param);
+foreach($listofparams as $param) {
+	if (GETPOST($param)!='') {
+		$morequerystring.=($morequerystring?'&':'').$param.'='.GETPOST($param);
+	}
+}
+
+$special_report = false;
+if (isset($_REQUEST['extra_report']) && $_REQUEST['extra_report'] == 1) {
+	$special_report = true;
 }
 
 llxHeader('','','','',0,0,'','',$morequerystring);
@@ -109,62 +132,92 @@ $fsearch.='  '.$langs->trans("SalesTurnoverMinimum").': ';
 $fsearch.='  <input type="text" name="min" id="min" value="'.$min.'" size="6">';
 
 // Affiche en-tete du rapport
-if ($modetax==1)	// Calculate on invoice for goods and services
-{
-    $name=$langs->trans("VATReportByCustomersInDueDebtMode");
+if ($modetax==1) {	// Calculate on invoice for goods and services
+	$name=$langs->trans("VATReportByCustomersInDueDebtMode");
 	$calcmode=$langs->trans("CalcModeVATDebt");
-    $calcmode.='<br>('.$langs->trans("TaxModuleSetupToModifyRules",DOL_URL_ROOT.'/admin/taxes.php').')';
-    //$name.='<br>('.$langs->trans("SeeVATReportInInputOutputMode",'<a href="'.$_SERVER["PHP_SELF"].'?year='.$year_start.'&modetax=0">','</a>').')';
-    $period=$form->select_date($date_start,'date_start',0,0,0,'',1,0,1).' - '.$form->select_date($date_end,'date_end',0,0,0,'',1,0,1);
-    //$periodlink=($year_start?"<a href='".$_SERVER["PHP_SELF"]."?year=".($year_start-1)."&modetax=".$modetax."'>".img_previous()."</a> <a href='".$_SERVER["PHP_SELF"]."?year=".($year_start+1)."&modetax=".$modetax."'>".img_next()."</a>":"");
-    $description=$langs->trans("RulesVATDueServices");
-    $description.='<br>';
-    $description.=$langs->trans("RulesVATDueProducts");
-    //if ($conf->global->MAIN_MODULE_COMPTABILITE || $conf->global->MAIN_MODULE_ACCOUNTING) $description.='<br>'.img_warning().' '.$langs->trans('OptionVatInfoModuleComptabilite');
-    //if (! empty($conf->global->MAIN_MODULE_COMPTABILITE)) $description.='<br>'.$langs->trans("WarningDepositsNotIncluded");
-    if (! empty($conf->global->FACTURE_DEPOSITS_ARE_JUST_PAYMENTS)) $description.='<br>'.$langs->trans("DepositsAreNotIncluded");
-	else  $description.='<br>'.$langs->trans("DepositsAreIncluded");
+	$calcmode.='<br>('.$langs->trans("TaxModuleSetupToModifyRules",DOL_URL_ROOT.'/admin/taxes.php').')';
+	//$name.='<br>('.$langs->trans("SeeVATReportInInputOutputMode",'<a href="'.$_SERVER["PHP_SELF"].'?year='.$year_start.'&modetax=0">','</a>').')';
+	$period=$form->select_date($date_start,'date_start',0,0,0,'',1,0,1).' - '.$form->select_date($date_end,'date_end',0,0,0,'',1,0,1);
+	//$periodlink=($year_start?"<a href='".$_SERVER["PHP_SELF"]."?year=".($year_start-1)."&modetax=".$modetax."'>".img_previous()."</a> <a href='".$_SERVER["PHP_SELF"]."?year=".($year_start+1)."&modetax=".$modetax."'>".img_next()."</a>":"");
+	$description=$langs->trans("RulesVATDueServices");
+	$description.='<br>';
+	$description.=$langs->trans("RulesVATDueProducts");
+	//if ($conf->global->MAIN_MODULE_COMPTABILITE || $conf->global->MAIN_MODULE_ACCOUNTING) $description.='<br>'.img_warning().' '.$langs->trans('OptionVatInfoModuleComptabilite');
+	//if (! empty($conf->global->MAIN_MODULE_COMPTABILITE)) $description.='<br>'.$langs->trans("WarningDepositsNotIncluded");
+	if (! empty($conf->global->FACTURE_DEPOSITS_ARE_JUST_PAYMENTS)) {
+		$description.='<br>'.$langs->trans("DepositsAreNotIncluded");
+	} else {
+		$description.='<br>'.$langs->trans("DepositsAreIncluded");
+	}
 	$description.=$fsearch;
+	$description.='<br>'
+		. '<input type="radio" name="extra_report" value="0" '.($special_report?'':'checked="checked"').'> '
+		. $langs->trans('SimpleReport')
+		. '</input>'
+		. '<br>'
+		. '<input type="radio" name="extra_report" value="1" '.($special_report?'checked="checked"':'').'> '
+		. $langs->trans('AddExtraReport')
+		. '</input>'
+		. '<br>';
 	$builddate=time();
-    //$exportlink=$langs->trans("NotYetAvailable");
+	//$exportlink=$langs->trans("NotYetAvailable");
 
 	$elementcust=$langs->trans("CustomersInvoices");
 	$productcust=$langs->trans("Description");
 	$amountcust=$langs->trans("AmountHT");
-	if ($mysoc->tva_assuj) $vatcust.=' ('.$langs->trans("ToPay").')';
+	if ($mysoc->tva_assuj) {
+		$vatcust.=' ('.$langs->trans("ToPay").')';
+	}
 	$elementsup=$langs->trans("SuppliersInvoices");
 	$productsup=$langs->trans("Description");
 	$amountsup=$langs->trans("AmountHT");
-	if ($mysoc->tva_assuj) $vatsup.=' ('.$langs->trans("ToGetBack").')';
+	if ($mysoc->tva_assuj) {
+		$vatsup.=' ('.$langs->trans("ToGetBack").')';
+	}
 }
-if ($modetax==0) 	// Invoice for goods, payment for services
-{
-    $name=$langs->trans("VATReportByCustomersInInputOutputMode");
-    $calcmode=$langs->trans("CalcModeVATEngagement");
-    $calcmode.='<br>('.$langs->trans("TaxModuleSetupToModifyRules",DOL_URL_ROOT.'/admin/taxes.php').')';
-    //$name.='<br>('.$langs->trans("SeeVATReportInDueDebtMode",'<a href="'.$_SERVER["PHP_SELF"].'?year='.$year_start.'&modetax=1">','</a>').')';
-    $period=$form->select_date($date_start,'date_start',0,0,0,'',1,0,1).' - '.$form->select_date($date_end,'date_end',0,0,0,'',1,0,1);
-    //$periodlink=($year_start?"<a href='".$_SERVER["PHP_SELF"]."?year=".($year_start-1)."&modetax=".$modetax."'>".img_previous()."</a> <a href='".$_SERVER["PHP_SELF"]."?year=".($year_start+1)."&modetax=".$modetax."'>".img_next()."</a>":"");
-    $description=$langs->trans("RulesVATInServices");
-    $description.=' '.$langs->trans("DepositsAreIncluded");
-    $description.='<br>';
-    $description.=$langs->trans("RulesVATInProducts");
-    if (! empty($conf->global->FACTURE_DEPOSITS_ARE_JUST_PAYMENTS)) $description.=' '.$langs->trans("DepositsAreNotIncluded");
-	else  $description.=' '.$langs->trans("DepositsAreIncluded");
-    //if ($conf->global->MAIN_MODULE_COMPTABILITE || $conf->global->MAIN_MODULE_ACCOUNTING) $description.='<br>'.img_warning().' '.$langs->trans('OptionVatInfoModuleComptabilite');
-    //if (! empty($conf->global->MAIN_MODULE_COMPTABILITE)) $description.='<br>'.$langs->trans("WarningDepositsNotIncluded");
-    $description.=$fsearch;
-    $builddate=time();
-    //$exportlink=$langs->trans("NotYetAvailable");
+if ($modetax==0) {	// Invoice for goods, payment for services
+	$name=$langs->trans("VATReportByCustomersInInputOutputMode");
+	$calcmode=$langs->trans("CalcModeVATEngagement");
+	$calcmode.='<br>('.$langs->trans("TaxModuleSetupToModifyRules",DOL_URL_ROOT.'/admin/taxes.php').')';
+	//$name.='<br>('.$langs->trans("SeeVATReportInDueDebtMode",'<a href="'.$_SERVER["PHP_SELF"].'?year='.$year_start.'&modetax=1">','</a>').')';
+	$period=$form->select_date($date_start,'date_start',0,0,0,'',1,0,1).' - '.$form->select_date($date_end,'date_end',0,0,0,'',1,0,1);
+	//$periodlink=($year_start?"<a href='".$_SERVER["PHP_SELF"]."?year=".($year_start-1)."&modetax=".$modetax."'>".img_previous()."</a> <a href='".$_SERVER["PHP_SELF"]."?year=".($year_start+1)."&modetax=".$modetax."'>".img_next()."</a>":"");
+	$description=$langs->trans("RulesVATInServices");
+	$description.=' '.$langs->trans("DepositsAreIncluded");
+	$description.='<br>';
+	$description.=$langs->trans("RulesVATInProducts");
+	if (! empty($conf->global->FACTURE_DEPOSITS_ARE_JUST_PAYMENTS)) {
+		$description .= ' ' . $langs->trans("DepositsAreNotIncluded");
+	} else {
+		$description .= ' ' . $langs->trans("DepositsAreIncluded");
+	}
+	//if ($conf->global->MAIN_MODULE_COMPTABILITE || $conf->global->MAIN_MODULE_ACCOUNTING) $description.='<br>'.img_warning().' '.$langs->trans('OptionVatInfoModuleComptabilite');
+	//if (! empty($conf->global->MAIN_MODULE_COMPTABILITE)) $description.='<br>'.$langs->trans("WarningDepositsNotIncluded");
+	$description.=$fsearch;
+	$description.='<br>'
+		. '<input type="radio" name="extra_report" value="0" '.($special_report?'':'checked="checked"').'> '
+		. $langs->trans('SimpleReport')
+		. '</input>'
+		. '<br>'
+		. '<input type="radio" name="extra_report" value="1" '.($special_report?'checked="checked"':'').'> '
+		. $langs->trans('AddExtraReport')
+		. '</input>'
+		. '<br>';
+	$builddate=time();
+	//$exportlink=$langs->trans("NotYetAvailable");
 
 	$elementcust=$langs->trans("CustomersInvoices");
 	$productcust=$langs->trans("Description");
 	$amountcust=$langs->trans("AmountHT");
-	if ($mysoc->tva_assuj) $vatcust.=' ('.$langs->trans("ToPay").')';
+	if ($mysoc->tva_assuj) {
+		$vatcust.=' ('.$langs->trans("ToPay").')';
+	}
 	$elementsup=$langs->trans("SuppliersInvoices");
 	$productsup=$langs->trans("Description");
 	$amountsup=$langs->trans("AmountHT");
-	if ($mysoc->tva_assuj) $vatsup.=' ('.$langs->trans("ToGetBack").')';
+	if ($mysoc->tva_assuj) {
+		$vatsup.=' ('.$langs->trans("ToGetBack").')';
+	}
 }
 report_header($name,$nomlink,$period,$periodlink,$description,$builddate,$exportlink,array(),$calcmode);
 
@@ -198,25 +251,18 @@ $parameters["direction"] = 'sell';
 $hookmanager->initHooks(array('externalbalance'));
 $reshook=$hookmanager->executeHooks('addStatisticLine',$parameters,$object,$action);    // Note that $action and $object may have been modified by some hooks
 
-if (is_array($coll_list))
-{
+if (is_array($coll_list)) {
 	$var=true;
 	$total = 0;  $totalamount = 0;
 	$i = 1;
-	foreach($coll_list as $coll)
-	{
-		if($min == 0 or ($min > 0 && $coll->amount > $min))
-		{
+	foreach ($coll_list as $coll) {
+		if ($min == 0 or ($min > 0 && $coll->amount > $min)) {
 			$var=!$var;
 			$intra = str_replace($find,$replace,$coll->tva_intra);
-			if(empty($intra))
-			{
-				if($coll->assuj == '1')
-				{
+			if(empty($intra)) {
+				if($coll->assuj == '1') {
 					$intra = $langs->trans('Unknown');
-				}
-				else
-				{
+				} else {
 					//$intra = $langs->trans('NotRegistered');
 					$intra = '';
 				}
@@ -232,28 +278,27 @@ if (is_array($coll_list))
 			print '<td class="nowrap">'.$intra."</td>";
 			print "<td class=\"nowrap\" align=\"right\">".price($coll->amount)."</td>";
 			print "<td class=\"nowrap\" align=\"right\">".price($coll->tva)."</td>";
-            $totalamount = $totalamount + $coll->amount;
+			$totalamount = $totalamount + $coll->amount;
 			$total = $total + $coll->tva;
 			print "</tr>\n";
 			$i++;
 		}
 	}
-    $x_coll_sum = $total;
+	$x_coll_sum = $total;
 
 	print '<tr class="liste_total"><td align="right" colspan="3">'.$langs->trans("Total").':</td>';
-    print '<td class="nowrap" align="right">'.price($totalamount).'</td>';
+	print '<td class="nowrap" align="right">'.price($totalamount).'</td>';
 	print '<td class="nowrap" align="right">'.price($total).'</td>';
 	print '</tr>';
-}
-else
-{
+} else {
 	$langs->load("errors");
-	if ($coll_list == -1)
-		print '<tr><td colspan="5">'.$langs->trans("ErrorNoAccountancyModuleLoaded").'</td></tr>';
-	else if ($coll_list == -2)
-		print '<tr><td colspan="5">'.$langs->trans("FeatureNotYetAvailable").'</td></tr>';
-	else
-		print '<tr><td colspan="5">'.$langs->trans("Error").'</td></tr>';
+	if ($coll_list == -1) {
+		print '<tr><td colspan="5">' . $langs->trans("ErrorNoAccountancyModuleLoaded") . '</td></tr>';
+	} else if ($coll_list == -2) {
+		print '<tr><td colspan="5">' . $langs->trans("FeatureNotYetAvailable") . '</td></tr>';
+	} else {
+		print '<tr><td colspan="5">' . $langs->trans("Error") . '</td></tr>';
+	}
 }
 
 //print '</table>';
@@ -279,25 +324,18 @@ $coll_list = vat_by_thirdparty($db,0,$date_start,$date_end,$modetax,'buy');
 
 $parameters["direction"] = 'buy';
 $reshook=$hookmanager->executeHooks('addStatisticLine',$parameters,$object,$action);    // Note that $action and $object may have been modified by some hooks
-if (is_array($coll_list))
-{
+if (is_array($coll_list)) {
 	$var=true;
 	$total = 0;  $totalamount = 0;
 	$i = 1;
-	foreach($coll_list as $coll)
-	{
-		if($min == 0 or ($min > 0 && $coll->amount > $min))
-		{
+	foreach ($coll_list as $coll) {
+		if ($min == 0 or ($min > 0 && $coll->amount > $min)) {
 			$var=!$var;
 			$intra = str_replace($find,$replace,$coll->tva_intra);
-			if(empty($intra))
-			{
-				if($coll->assuj == '1')
-				{
+			if (empty($intra)) {
+				if ($coll->assuj == '1') {
 					$intra = $langs->trans('Unknown');
-				}
-				else
-				{
+				} else {
 					//$intra = $langs->trans('NotRegistered');
 					$intra = '';
 				}
@@ -313,44 +351,197 @@ if (is_array($coll_list))
 			print '<td class="nowrap">'.$intra."</td>";
 			print "<td class=\"nowrap\" align=\"right\">".price($coll->amount)."</td>";
 			print "<td class=\"nowrap\" align=\"right\">".price($coll->tva)."</td>";
-            $totalamount = $totalamount + $coll->amount;
+			$totalamount = $totalamount + $coll->amount;
 			$total = $total + $coll->tva;
 			print "</tr>\n";
 			$i++;
 		}
 	}
-    $x_paye_sum = $total;
+	$x_paye_sum = $total;
 
 	print '<tr class="liste_total"><td align="right" colspan="3">'.$langs->trans("Total").':</td>';
-    print '<td class="nowrap" align="right">'.price($totalamount).'</td>';
+	print '<td class="nowrap" align="right">'.price($totalamount).'</td>';
 	print '<td class="nowrap" align="right">'.price($total).'</td>';
 	print '</tr>';
 
 	print '</table>';
 
-    // Total to pay
-    print '<br><br>';
-    print '<table class="noborder" width="100%">';
-    $diff = $x_coll_sum - $x_paye_sum;
-    print '<tr class="liste_total">';
-    print '<td class="liste_total" colspan="4">'.$langs->trans("TotalToPay").($q?', '.$langs->trans("Quadri").' '.$q:'').'</td>';
-    print '<td class="liste_total nowrap" align="right"><b>'.price(price2num($diff,'MT'))."</b></td>\n";
-    print "</tr>\n";
+	// Total to pay
+	print '<br><br>';
+	print '<table class="noborder" width="100%">';
+	$diff = $x_coll_sum - $x_paye_sum;
+	print '<tr class="liste_total">';
+	print '<td class="liste_total" colspan="4">'.$langs->trans("TotalToPay").($q?', '.$langs->trans("Quadri").' '.$q:'').'</td>';
+	print '<td class="liste_total nowrap" align="right"><b>'.price(price2num($diff,'MT'))."</b></td>\n";
+	print "</tr>\n";
 
-}
-else
-{
+} else {
 	$langs->load("errors");
-	if ($coll_list == -1)
-		print '<tr><td colspan="5">'.$langs->trans("ErrorNoAccountancyModuleLoaded").'</td></tr>';
-	else if ($coll_list == -2)
-		print '<tr><td colspan="5">'.$langs->trans("FeatureNotYetAvailable").'</td></tr>';
-	else
-		print '<tr><td colspan="5">'.$langs->trans("Error").'</td></tr>';
+	if ($coll_list == -1) {
+		print '<tr><td colspan="5">' . $langs->trans("ErrorNoAccountancyModuleLoaded") . '</td></tr>';
+	} else if ($coll_list == -2) {
+		print '<tr><td colspan="5">' . $langs->trans("FeatureNotYetAvailable") . '</td></tr>';
+	} else {
+		print '<tr><td colspan="5">' . $langs->trans("Error") . '</td></tr>';
+	}
 }
 
 print '</table>';
 
+if ($special_report) {
+	// Get country 2-letters code
+	global $mysoc;
+	$country_id = $mysoc->country_id;
+	$country = new Ccountry($db);
+	$country->fetch($country_id);
+
+	// Print listing of other-country customers as additional report
+	// This matches tax requirements to list all same-country customers (only)
+	print '<h3>'.$langs->trans('OtherCountriesCustomersReport').'</h3>';
+	print $langs->trans('BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry');
+	$coll_list = vat_by_thirdparty($db, 0, $date_start, $date_end, $modetax, 'sell');
+
+	print "<table class=\"noborder\" width=\"100%\">";
+	print "<tr class=\"liste_titre\">";
+	print '<td align="left">' . $langs->trans("Num") . "</td>";
+	print '<td align="left">' . $langs->trans("Customer") . "</td>";
+	print "<td>" . $langs->trans("VATIntra") . "</td>";
+	print "<td align=\"right\">" . $langs->trans("AmountHTVATRealReceived") . "</td>";
+	print "<td align=\"right\">" . $vatcust . "</td>";
+	print "</tr>\n";
+
+	if (is_array($coll_list)) {
+		$var = true;
+		$total = 0;
+		$totalamount = 0;
+		$i = 1;
+		foreach ($coll_list as $coll) {
+			if (substr($coll->tva_intra, 0, 2) == $country->code) {
+				// Only use different-country VAT codes
+				continue;
+			}
+			if ($min == 0 or ($min > 0 && $coll->amount > $min)) {
+				$var = !$var;
+				$intra = str_replace($find, $replace, $coll->tva_intra);
+				if (empty($intra)) {
+					if ($coll->assuj == '1') {
+						$intra = $langs->trans('Unknown');
+					} else {
+						//$intra = $langs->trans('NotRegistered');
+						$intra = '';
+					}
+				}
+				print "<tr " . $bc[$var] . ">";
+				print '<td class="nowrap">' . $i . "</td>";
+				$company_static->id = $coll->socid;
+				$company_static->name = $coll->name;
+				$company_static->client = 1;
+				print '<td class="nowrap">' . $company_static->getNomUrl(1,
+						'customer') . '</td>';
+				$find = array(' ', '.');
+				$replace = array('', '');
+				print '<td class="nowrap">' . $intra . "</td>";
+				print "<td class=\"nowrap\" align=\"right\">" . price($coll->amount) . "</td>";
+				print "<td class=\"nowrap\" align=\"right\">" . price($coll->tva) . "</td>";
+				$totalamount = $totalamount + $coll->amount;
+				$total = $total + $coll->tva;
+				print "</tr>\n";
+				$i++;
+			}
+		}
+		$x_coll_sum = $total;
+
+		print '<tr class="liste_total"><td align="right" colspan="3">' . $langs->trans("Total") . ':</td>';
+		print '<td class="nowrap" align="right">' . price($totalamount) . '</td>';
+		print '<td class="nowrap" align="right">' . price($total) . '</td>';
+		print '</tr>';
+	} else {
+		$langs->load("errors");
+		if ($coll_list == -1) {
+			print '<tr><td colspan="5">' . $langs->trans("ErrorNoAccountancyModuleLoaded") . '</td></tr>';
+		} else {
+			if ($coll_list == -2) {
+				print '<tr><td colspan="5">' . $langs->trans("FeatureNotYetAvailable") . '</td></tr>';
+			} else {
+				print '<tr><td colspan="5">' . $langs->trans("Error") . '</td></tr>';
+			}
+		}
+	}
+	print '</table>';
+
+	// Print listing of same-country customers as additional report
+	// This matches tax requirements to list all same-country customers (only)
+	print '<h3>'.$langs->trans('SameCountryCustomersWithVAT').'</h3>';
+	print $langs->trans('BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry');
+	$coll_list = vat_by_thirdparty($db, 0, $date_start, $date_end, $modetax, 'sell');
+
+	print "<table class=\"noborder\" width=\"100%\">";
+	print "<tr class=\"liste_titre\">";
+	print '<td align="left">' . $langs->trans("Num") . "</td>";
+	print '<td align="left">' . $langs->trans("Customer") . "</td>";
+	print "<td>" . $langs->trans("VATIntra") . "</td>";
+	print "<td align=\"right\">" . $langs->trans("AmountHTVATRealReceived") . "</td>";
+	print "<td align=\"right\">" . $vatcust . "</td>";
+	print "</tr>\n";
+
+	if (is_array($coll_list)) {
+		$var = true;
+		$total = 0;
+		$totalamount = 0;
+		$i = 1;
+		foreach ($coll_list as $coll) {
+			if (substr($coll->tva_intra, 0, 2) != $country->code) {
+				// Only use same-country VAT codes
+				continue;
+			}
+			if ($min == 0 or ($min > 0 && $coll->amount > $min)) {
+				$var = !$var;
+				$intra = str_replace($find, $replace, $coll->tva_intra);
+				if (empty($intra)) {
+					if ($coll->assuj == '1') {
+						$intra = $langs->trans('Unknown');
+					} else {
+						//$intra = $langs->trans('NotRegistered');
+						$intra = '';
+					}
+				}
+				print "<tr " . $bc[$var] . ">";
+				print '<td class="nowrap">' . $i . "</td>";
+				$company_static->id = $coll->socid;
+				$company_static->name = $coll->name;
+				$company_static->client = 1;
+				print '<td class="nowrap">' . $company_static->getNomUrl(1, 'customer') . '</td>';
+				$find = array(' ', '.');
+				$replace = array('', '');
+				print '<td class="nowrap">' . $intra . "</td>";
+				print "<td class=\"nowrap\" align=\"right\">" . price($coll->amount) . "</td>";
+				print "<td class=\"nowrap\" align=\"right\">" . price($coll->tva) . "</td>";
+				$totalamount = $totalamount + $coll->amount;
+				$total = $total + $coll->tva;
+				print "</tr>\n";
+				$i++;
+			}
+		}
+		$x_coll_sum = $total;
+
+		print '<tr class="liste_total"><td align="right" colspan="3">' . $langs->trans("Total") . ':</td>';
+		print '<td class="nowrap" align="right">' . price($totalamount) . '</td>';
+		print '<td class="nowrap" align="right">' . price($total) . '</td>';
+		print '</tr>';
+	} else {
+		$langs->load("errors");
+		if ($coll_list == -1) {
+			print '<tr><td colspan="5">' . $langs->trans("ErrorNoAccountancyModuleLoaded") . '</td></tr>';
+		} else {
+			if ($coll_list == -2) {
+				print '<tr><td colspan="5">' . $langs->trans("FeatureNotYetAvailable") . '</td></tr>';
+			} else {
+				print '<tr><td colspan="5">' . $langs->trans("Error") . '</td></tr>';
+			}
+		}
+	}
+	print '</table>';
+}
 
 llxFooter();
 
diff --git a/htdocs/compta/tva/quadri.php b/htdocs/compta/tva/quadri.php
index 4b399d65248307c67b012ae903be9944da1827ca..3918b56c3bffddbd00c6034b93cb86b6d869fcef 100644
--- a/htdocs/compta/tva/quadri.php
+++ b/htdocs/compta/tva/quadri.php
@@ -72,8 +72,8 @@ function tva_coll($db,$y,$q)
         $sql.= " AND f.fk_statut in (1,2)";
         $sql.= " AND f.rowid = d.fk_facture ";
         $sql.= " AND date_format(f.datef,'%Y') = '".$y."'";
-        $sql.= " AND (round(date_format(f.datef,'%m') > ".(($q-1)*3);
-        $sql.= " AND round(date_format(f.datef,'%m')) <= ".($q*3).")";
+        $sql.= " AND (date_format(f.datef,'%m') > ".(($q-1)*3);
+        $sql.= " AND date_format(f.datef,'%m') <= ".($q*3).")";
         $sql.= " ORDER BY rate, facid";
 
     }
@@ -131,7 +131,7 @@ function tva_paye($db, $y,$q)
     if ($conf->global->ACCOUNTING_MODE == "CREANCES-DETTES")
     {
         // Si on paye la tva sur les factures dues (non brouillon)
-        $sql = "SELECT d.fk_facture_fourn as facid, f.facnumber as facnum, d.tva_tx as rate, d.total_ht as totalht, d.tva as amount";
+        $sql = "SELECT d.fk_facture_fourn as facid, f.ref_supplier as facnum, d.tva_tx as rate, d.total_ht as totalht, d.tva as amount";
         $sql.= " FROM ".MAIN_DB_PREFIX."facture_fourn as f";
         $sql.= ", ".MAIN_DB_PREFIX."facture_fourn_det as d" ;
         $sql.= ", ".MAIN_DB_PREFIX."societe as s";
@@ -222,8 +222,7 @@ if ($conf->global->ACCOUNTING_MODE == "CREANCES-DETTES")
 	$subtot_coll_vat = 0;
 	$subtot_paye_total = 0;
 	$subtot_paye_vat = 0;
-	for ($q = 1 ; $q <= 4 ; $q++)
-	{
+	for ($q = 1 ; $q <= 4 ; $q++) {
 		print "<tr class=\"liste_titre\"><td colspan=\"8\">".$langs->trans("Quadri")." $q (".dol_print_date(dol_mktime(0,0,0,(($q-1)*3)+1,1,$y),"%b %Y").' - '.dol_print_date(dol_mktime(0,0,0,($q*3),1,$y),"%b %Y").")</td></tr>";
 		$var=true;
 
diff --git a/htdocs/compta/tva/quarter_report.php b/htdocs/compta/tva/quarter_report.php
new file mode 100644
index 0000000000000000000000000000000000000000..5861dcdaff45022ad23301f4d86e7bc6ba32d782
--- /dev/null
+++ b/htdocs/compta/tva/quarter_report.php
@@ -0,0 +1,713 @@
+<?php
+/* Copyright (C) 2001-2003 Rodolphe Quiedeville <rodolphe@quiedeville.org>
+ * Copyright (C) 2004      Eric Seigne          <eric.seigne@ryxeo.com>
+ * Copyright (C) 2004-2013 Laurent Destailleur  <eldy@users.sourceforge.net>
+ * Copyright (C) 2006-2007, 2015 Yannick Warnier      <ywarnier@beeznest.org>
+ * Copyright (C) 2014	   Ferran Marcet        <fmarcet@2byte.es>
+ *
+ * This program is free software; you can redistribute it and/or modify
+ * it under the terms of the GNU General Public License as published by
+ * the Free Software Foundation; either version 3 of the License, or
+ * (at your option) any later version.
+ *
+ * This program is distributed in the hope that it will be useful,
+ * but WITHOUT ANY WARRANTY; without even the implied warranty of
+ * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
+ * GNU General Public License for more details.
+ *
+ * You should have received a copy of the GNU General Public License
+ * along with this program. If not, see <http://www.gnu.org/licenses/>.
+ */
+
+/**
+ *		\file       htdocs/compta/tva/quadri_detail.php
+ *		\ingroup    tax
+ *		\brief      Trimestrial page - detailed version
+ *		TODO 		Deal with recurrent invoices as well
+ */
+
+require '../../main.inc.php';
+require_once DOL_DOCUMENT_ROOT.'/core/lib/report.lib.php';
+require_once DOL_DOCUMENT_ROOT.'/core/lib/tax.lib.php';
+require_once DOL_DOCUMENT_ROOT.'/core/lib/date.lib.php';
+require_once DOL_DOCUMENT_ROOT.'/compta/tva/class/tva.class.php';
+require_once DOL_DOCUMENT_ROOT.'/compta/facture/class/facture.class.php';
+require_once DOL_DOCUMENT_ROOT.'/product/class/product.class.php';
+require_once DOL_DOCUMENT_ROOT.'/compta/paiement/class/paiement.class.php';
+require_once DOL_DOCUMENT_ROOT.'/fourn/class/fournisseur.facture.class.php';
+require_once DOL_DOCUMENT_ROOT.'/fourn/class/paiementfourn.class.php';
+
+$langs->load("main");
+$langs->load("bills");
+$langs->load("compta");
+$langs->load("companies");
+$langs->load("products");
+$langs->load("other");
+
+// Date range
+$year=GETPOST('year', 'int');
+if (empty($year)) {
+	$year_current = strftime("%Y",dol_now());
+	$year_start = $year_current;
+} else {
+	$year_current = $year;
+	$year_start = $year;
+}
+$date_start=dol_mktime(0,0,0,$_REQUEST["date_startmonth"],$_REQUEST["date_startday"],$_REQUEST["date_startyear"]);
+$date_end=dol_mktime(23,59,59,$_REQUEST["date_endmonth"],$_REQUEST["date_endday"],$_REQUEST["date_endyear"]);
+// Quarter
+if (empty($date_start) || empty($date_end)) { // We define date_start and date_end
+	$q=GETPOST('q', 'int');
+	if (empty($q)) {
+		if (isset($_REQUEST["month"])) {
+			$date_start=dol_get_first_day($year_start,$_REQUEST["month"],false);
+			$date_end=dol_get_last_day($year_start,$_REQUEST["month"],false);
+		} else {
+			$month_current = strftime("%m",dol_now());
+			if ($month_current >= 10) $q=4;
+			elseif ($month_current >= 7) $q=3;
+			elseif ($month_current >= 4) $q=2;
+			else $q=1;
+		}
+	}
+	if ($q==1) {
+		$date_start=dol_get_first_day($year_start,1,false);
+		$date_end=dol_get_last_day($year_start,3,false);
+	}
+	if ($q==2) {
+		$date_start=dol_get_first_day($year_start,4,false);
+		$date_end=dol_get_last_day($year_start,6,false);
+	}
+	if ($q==3) {
+		$date_start=dol_get_first_day($year_start,7,false);
+		$date_end=dol_get_last_day($year_start,9,false);
+	}
+	if ($q==4) {
+		$date_start=dol_get_first_day($year_start,10,false);
+		$date_end=dol_get_last_day($year_start,12,false);
+	}
+}
+
+$min = GETPOST("min");
+if (empty($min)) {
+	$min = 0;
+}
+
+// Define modetax (0 or 1)
+// 0=normal, 1=option vat for services is on debit
+$modetax = $conf->global->TAX_MODE;
+if (isset($_REQUEST["modetax"])) {
+	$modetax=$_REQUEST["modetax"];
+}
+if (empty($modetax)) {
+	$modetax=0;
+}
+
+// Security check
+$socid = GETPOST('socid','int');
+if ($user->societe_id) {
+	$socid=$user->societe_id;
+}
+$result = restrictedArea($user, 'tax', '', '', 'charges');
+
+
+
+/*
+ * View
+ */
+
+$morequerystring='';
+$listofparams=array('date_startmonth','date_startyear','date_startday','date_endmonth','date_endyear','date_endday');
+foreach ($listofparams as $param) {
+	if (GETPOST($param)!='') {
+		$morequerystring.=($morequerystring?'&':'').$param.'='.GETPOST($param);
+	}
+}
+
+llxHeader('','','','',0,0,'','',$morequerystring);
+
+$form=new Form($db);
+
+$company_static=new Societe($db);
+$invoice_customer=new Facture($db);
+$invoice_supplier=new FactureFournisseur($db);
+$product_static=new Product($db);
+$payment_static=new Paiement($db);
+$paymentfourn_static=new PaiementFourn($db);
+
+//print_fiche_titre($langs->trans("VAT"),"");
+
+//$fsearch.='<br>';
+$fsearch.='  <input type="hidden" name="year" value="'.$year.'">';
+$fsearch.='  <input type="hidden" name="modetax" value="'.$modetax.'">';
+//$fsearch.='  '.$langs->trans("SalesTurnoverMinimum").': ';
+//$fsearch.='  <input type="text" name="min" value="'.$min.'">';
+
+
+// Affiche en-tete du rapport
+if ($modetax==1) { // Calculate on invoice for goods and services
+	$nom=$langs->trans("VATReportByQuartersInDueDebtMode");
+	$calcmode=$langs->trans("CalcModeVATDebt");
+	$calcmode.='<br>('.$langs->trans("TaxModuleSetupToModifyRules",DOL_URL_ROOT.'/admin/taxes.php').')';
+	$period=$form->select_date($date_start,'date_start',0,0,0,'',1,0,1).' - '.$form->select_date($date_end,'date_end',0,0,0,'',1,0,1);
+	$prevyear=$year_start; $prevquarter=$q;
+	if ($prevquarter > 1) {
+		$prevquarter--;
+	} else {
+		$prevquarter=4; $prevyear--;
+	}
+	$nextyear=$year_start; $nextquarter=$q;
+	if ($nextquarter < 4) {
+		$nextquarter++;
+	} else {
+		$nextquarter=1; $nextyear++;
+	}
+	//$periodlink=($prevyear?"<a href='".$_SERVER["PHP_SELF"]."?year=".$prevyear."&q=".$prevquarter."&modetax=".$modetax."'>".img_previous()."</a> <a href='".$_SERVER["PHP_SELF"]."?year=".$nextyear."&q=".$nextquarter."&modetax=".$modetax."'>".img_next()."</a>":"");
+	$description=$langs->trans("RulesVATDueServices");
+	$description.='<br>';
+	$description.=$langs->trans("RulesVATDueProducts");
+	//if ($conf->global->MAIN_MODULE_COMPTABILITE || $conf->global->MAIN_MODULE_ACCOUNTING) $description.='<br>'.img_warning().' '.$langs->trans('OptionVatInfoModuleComptabilite');
+	//if (! empty($conf->global->MAIN_MODULE_COMPTABILITE)) $description.='<br>'.$langs->trans("WarningDepositsNotIncluded");
+	if (! empty($conf->global->FACTURE_DEPOSITS_ARE_JUST_PAYMENTS)) {
+		$description.='<br>'.$langs->trans("DepositsAreNotIncluded");
+	} else {
+		$description.='<br>'.$langs->trans("DepositsAreIncluded");
+	}
+	$description.=$fsearch;
+	$builddate=time();
+	//$exportlink=$langs->trans("NotYetAvailable");
+
+	$elementcust=$langs->trans("CustomersInvoices");
+	$productcust=$langs->trans("ProductOrService");
+	$amountcust=$langs->trans("AmountHT");
+	$vatcust=$langs->trans("VATReceived");
+	$namecust=$langs->trans("Name");
+	if ($mysoc->tva_assuj) {
+		$vatcust.=' ('.$langs->trans("ToPay").')';
+	}
+	$elementsup=$langs->trans("SuppliersInvoices");
+	$productsup=$langs->trans("ProductOrService");
+	$amountsup=$langs->trans("AmountHT");
+	$vatsup=$langs->trans("VATPaid");
+	$namesup=$namecust;
+	if ($mysoc->tva_assuj) {
+		$vatsup.=' ('.$langs->trans("ToGetBack").')';
+	}
+}
+if ($modetax==0) {	// Invoice for goods, payment for services
+	$nom=$langs->trans("VATReportByQuartersInInputOutputMode");
+	$calcmode=$langs->trans("CalcModeVATEngagement");
+	$calcmode.='<br>('.$langs->trans("TaxModuleSetupToModifyRules",DOL_URL_ROOT.'/admin/taxes.php').')';
+	$period=$form->select_date($date_start,'date_start',0,0,0,'',1,0,1).' - '.$form->select_date($date_end,'date_end',0,0,0,'',1,0,1);
+	$prevyear=$year_start; $prevquarter=$q;
+	if ($prevquarter > 1) {
+		$prevquarter--;
+	} else {
+		$prevquarter=4; $prevyear--;
+	}
+	$nextyear=$year_start; $nextquarter=$q;
+	if ($nextquarter < 4) {
+		$nextquarter++;
+	} else {
+		$nextquarter=1; $nextyear++;
+	}
+	//$periodlink=($prevyear?"<a href='".$_SERVER["PHP_SELF"]."?year=".$prevyear."&q=".$prevquarter."&modetax=".$modetax."'>".img_previous()."</a> <a href='".$_SERVER["PHP_SELF"]."?year=".$nextyear."&q=".$nextquarter."&modetax=".$modetax."'>".img_next()."</a>":"");
+	$description=$langs->trans("RulesVATInServices");
+	$description.=' '.$langs->trans("DepositsAreIncluded");
+	$description.='<br>';
+	$description.=$langs->trans("RulesVATInProducts");
+	if (! empty($conf->global->FACTURE_DEPOSITS_ARE_JUST_PAYMENTS)) {
+		$description.=' '.$langs->trans("DepositsAreNotIncluded");
+	} else {
+		$description.=' '.$langs->trans("DepositsAreIncluded");
+	}
+	//if ($conf->global->MAIN_MODULE_COMPTABILITE || $conf->global->MAIN_MODULE_ACCOUNTING) $description.='<br>'.img_warning().' '.$langs->trans('OptionVatInfoModuleComptabilite');
+	//if (! empty($conf->global->MAIN_MODULE_COMPTABILITE)) $description.='<br>'.$langs->trans("WarningDepositsNotIncluded");
+	$description.=$fsearch;
+	$builddate=time();
+	//$exportlink=$langs->trans("NotYetAvailable");
+
+	$elementcust=$langs->trans("CustomersInvoices");
+	$productcust=$langs->trans("ProductOrService");
+	$amountcust=$langs->trans("AmountHT");
+	$vatcust=$langs->trans("VATReceived");
+	$namecust=$langs->trans("Name");
+	if ($mysoc->tva_assuj) {
+		$vatcust.=' ('.$langs->trans("ToPay").')';
+	}
+	$elementsup=$langs->trans("SuppliersInvoices");
+	$productsup=$productcust;
+	$amountsup=$amountcust;
+	$vatsup=$langs->trans("VATPaid");
+	$namesup=$namecust;
+	if ($mysoc->tva_assuj) {
+		$vatsup.=' ('.$langs->trans("ToGetBack").')';
+	}
+}
+report_header($nom,$nomlink,$period,$periodlink,$description,$builddate,$exportlink,array(),$calcmode);
+
+$vatcust=$langs->trans("VATReceived");
+$vatsup=$langs->trans("VATPaid");
+
+
+// VAT Received and paid
+
+echo '<table class="noborder" width="100%">';
+
+$y = $year_current;
+$total = 0;
+$i=0;
+$columns = 6;
+
+// Load arrays of datas
+$x_coll = vat_by_date($db, 0, 0, $date_start, $date_end, $modetax, 'sell');
+$x_paye = vat_by_date($db, 0, 0, $date_start, $date_end, $modetax, 'buy');
+
+if (!is_array($x_coll) || !is_array($x_paye)) {
+	$langs->load("errors");
+	if ($x_coll == -1) {
+		print '<tr><td colspan="' . $columns . '">' . $langs->trans("ErrorNoAccountancyModuleLoaded") . '</td></tr>';
+	} else if ($x_coll == -2) {
+		print '<tr><td colspan="' . $columns . '">' . $langs->trans("FeatureNotYetAvailable") . '</td></tr>';
+	} else {
+		print '<tr><td colspan="' . $columns . '">' . $langs->trans("Error") . '</td></tr>';
+	}
+} else {
+	$x_both = array();
+	//now, from these two arrays, get another array with one rate per line
+	foreach(array_keys($x_coll) as $my_coll_rate) {
+		$x_both[$my_coll_rate]['coll']['totalht'] = $x_coll[$my_coll_rate]['totalht'];
+		$x_both[$my_coll_rate]['coll']['vat']	 = $x_coll[$my_coll_rate]['vat'];
+		$x_both[$my_coll_rate]['paye']['totalht'] = 0;
+		$x_both[$my_coll_rate]['paye']['vat'] = 0;
+		$x_both[$my_coll_rate]['coll']['links'] = '';
+		$x_both[$my_coll_rate]['coll']['detail'] = array();
+		foreach($x_coll[$my_coll_rate]['facid'] as $id=>$dummy) {
+			$invoice_customer->id=$x_coll[$my_coll_rate]['facid'][$id];
+			$invoice_customer->ref=$x_coll[$my_coll_rate]['facnum'][$id];
+			$invoice_customer->type=$x_coll[$my_coll_rate]['type'][$id];
+			$company_static->fetch($x_coll[$my_coll_rate]['company_id'][$id]);
+			$x_both[$my_coll_rate]['coll']['detail'][] = array(
+				'id'        =>$x_coll[$my_coll_rate]['facid'][$id],
+				'descr'     =>$x_coll[$my_coll_rate]['descr'][$id],
+				'pid'       =>$x_coll[$my_coll_rate]['pid'][$id],
+				'pref'      =>$x_coll[$my_coll_rate]['pref'][$id],
+				'ptype'     =>$x_coll[$my_coll_rate]['ptype'][$id],
+				'payment_id'=>$x_coll[$my_coll_rate]['payment_id'][$id],
+				'payment_amount'=>$x_coll[$my_coll_rate]['payment_amount'][$id],
+				'ftotal_ttc'=>$x_coll[$my_coll_rate]['ftotal_ttc'][$id],
+				'dtotal_ttc'=>$x_coll[$my_coll_rate]['dtotal_ttc'][$id],
+				'dtype'     =>$x_coll[$my_coll_rate]['dtype'][$id],
+				'datef'     =>$x_coll[$my_coll_rate]['datef'][$id],
+				'company_link'=>$company_static->getNomUrl(1,'',20),
+				'ddate_start'=>$x_coll[$my_coll_rate]['ddate_start'][$id],
+				'ddate_end'  =>$x_coll[$my_coll_rate]['ddate_end'][$id],
+				'totalht'   =>$x_coll[$my_coll_rate]['totalht_list'][$id],
+				'vat'       =>$x_coll[$my_coll_rate]['vat_list'][$id],
+				'link'      =>$invoice_customer->getNomUrl(1,'',12)
+			);
+		}
+	}
+	// tva paid
+	foreach (array_keys($x_paye) as $my_paye_rate) {
+		$x_both[$my_paye_rate]['paye']['totalht'] = $x_paye[$my_paye_rate]['totalht'];
+		$x_both[$my_paye_rate]['paye']['vat'] = $x_paye[$my_paye_rate]['vat'];
+		if (!isset($x_both[$my_paye_rate]['coll']['totalht'])) {
+			$x_both[$my_paye_rate]['coll']['totalht'] = 0;
+			$x_both[$my_paye_rate]['coll']['vat'] = 0;
+		}
+		$x_both[$my_paye_rate]['paye']['links'] = '';
+		$x_both[$my_paye_rate]['paye']['detail'] = array();
+
+		foreach ($x_paye[$my_paye_rate]['facid'] as $id=>$dummy) {
+			$invoice_supplier->id=$x_paye[$my_paye_rate]['facid'][$id];
+			$invoice_supplier->ref=$x_paye[$my_paye_rate]['facnum'][$id];
+			$invoice_supplier->type=$x_paye[$my_paye_rate]['type'][$id];
+			$company_static->fetch($x_paye[$my_paye_rate]['company_id'][$id]);
+			$x_both[$my_paye_rate]['paye']['detail'][] = array(
+				'id'        =>$x_paye[$my_paye_rate]['facid'][$id],
+				'descr'     =>$x_paye[$my_paye_rate]['descr'][$id],
+				'pid'       =>$x_paye[$my_paye_rate]['pid'][$id],
+				'pref'      =>$x_paye[$my_paye_rate]['pref'][$id],
+				'ptype'     =>$x_paye[$my_paye_rate]['ptype'][$id],
+				'payment_id'=>$x_paye[$my_paye_rate]['payment_id'][$id],
+				'payment_amount'=>$x_paye[$my_paye_rate]['payment_amount'][$id],
+				'ftotal_ttc'=>price2num($x_paye[$my_paye_rate]['ftotal_ttc'][$id]),
+				'dtotal_ttc'=>price2num($x_paye[$my_paye_rate]['dtotal_ttc'][$id]),
+				'dtype'     =>$x_paye[$my_paye_rate]['dtype'][$id],
+				'datef'     =>$x_paye[$my_paye_rate]['datef'][$id],
+				'company_link'=>$company_static->getNomUrl(1,'',20),
+				'ddate_start'=>$x_paye[$my_paye_rate]['ddate_start'][$id],
+				'ddate_end'  =>$x_paye[$my_paye_rate]['ddate_end'][$id],
+				'totalht'   =>price2num($x_paye[$my_paye_rate]['totalht_list'][$id]),
+				'vat'       =>$x_paye[$my_paye_rate]['vat_list'][$id],
+				'link'      =>$invoice_supplier->getNomUrl(1,'',12)
+			);
+		}
+	}
+	//now we have an array (x_both) indexed by rates for coll and paye
+
+
+	//print table headers for this quadri - incomes first
+
+	$x_coll_sum = 0;
+	$x_coll_ht = 0;
+	$x_paye_sum = 0;
+	$x_paye_ht = 0;
+
+	$span=$columns-3;
+	if ($modetax == 0) $span+=2;
+
+	//print '<tr><td colspan="'.($span+1).'">'..')</td></tr>';
+
+	// Customers invoices
+	print '<tr class="liste_titre">';
+	print '<td align="left">'.$elementcust.'</td>';
+	print '<td align="left">'.$langs->trans("Date").'</td>';
+	print '<td align="left">'.$namecust.'</td>';
+	print '<td align="left">'.$productcust.'</td>';
+	if ($modetax == 0) {
+		print '<td align="right">'.$amountcust.'</td>';
+		print '<td align="right">'.$langs->trans("Payment").' ('.$langs->trans("PercentOfInvoice").')</td>';
+	}
+	print '<td align="right">'.$langs->trans("AmountHTVATRealReceived").'</td>';
+	print '<td align="right">'.$vatcust.'</td>';
+	print '</tr>';
+	
+	$action = "tvadetail";
+	$parameters["mode"] = $modetax;
+	$parameters["start"] = $date_start;
+	$parameters["end"] = $date_end;
+	$object = array(&$x_coll, &$x_paye, &$x_both);
+	// Initialize technical object to manage hooks of expenses. Note that conf->hooks_modules contains array array
+	$hookmanager->initHooks(array('externalbalance'));
+	$reshook=$hookmanager->executeHooks('addStatisticLine',$parameters,$object,$action);    // Note that $action and $object may have been modified by some hooks
+	
+	foreach (array_keys($x_coll) as $rate) {
+		$subtot_coll_total_ht = 0;
+		$subtot_coll_vat = 0;
+
+		if (is_array($x_both[$rate]['coll']['detail'])) {
+			// VAT Rate
+			$var=true;
+			print "<tr>";
+			print '<td class="tax_rate">'.$langs->trans("Rate").': '.vatrate($rate).'%</td><td colspan="'.$span.'"></td>';
+			print '</tr>'."\n";
+
+			foreach ($x_both[$rate]['coll']['detail'] as $index => $fields) {
+				// Define type
+				$type=($fields['dtype']?$fields['dtype']:$fields['ptype']);
+				// Try to enhance type detection using date_start and date_end for free lines where type
+				// was not saved.
+				if (!empty($fields['ddate_start'])) {
+					$type=1;
+				}
+				if (!empty($fields['ddate_end'])) {
+					$type=1;
+				}
+
+				$var=!$var;
+				print '<tr '.$bc[$var].'>';
+
+				// Ref
+				print '<td class="nowrap" align="left">'.$fields['link'].'</td>';
+
+				// Invoice date
+				print '<td align="left">' . $fields['datef'] . '</td>';
+				// Company name
+				print '<td align="left">' . $fields['company_link'] . '</td>';
+
+				// Description
+				print '<td align="left">';
+				if ($fields['pid']) {
+					$product_static->id=$fields['pid'];
+					$product_static->ref=$fields['pref'];
+					$product_static->type=$fields['ptype'];
+					print $product_static->getNomUrl(1);
+					if (dol_string_nohtmltag($fields['descr'])) {
+						print ' - '.dol_trunc(dol_string_nohtmltag($fields['descr']),16);
+					}
+				} else {
+					if ($type) {
+						$text = img_object($langs->trans('Service'),'service');
+					} else {
+						$text = img_object($langs->trans('Product'),'product');
+					}
+					if (preg_match('/^\((.*)\)$/',$fields['descr'],$reg)) {
+						if ($reg[1]=='DEPOSIT') {
+							$fields['descr']=$langs->transnoentitiesnoconv('Deposit');
+						} elseif ($reg[1]=='CREDIT_NOTE') {
+							$fields['descr']=$langs->transnoentitiesnoconv('CreditNote');
+						} else {
+							$fields['descr']=$langs->transnoentitiesnoconv($reg[1]);
+						}
+					}
+					print $text.' '.dol_trunc(dol_string_nohtmltag($fields['descr']),16);
+
+					// Show range
+					print_date_range($fields['ddate_start'],$fields['ddate_end']);
+				}
+				print '</td>';
+
+				// Total HT
+				if ($modetax == 0) {
+					print '<td class="nowrap" align="right">';
+					print price($fields['totalht']);
+					if (price2num($fields['ftotal_ttc'])) {
+						//print $fields['dtotal_ttc']."/".$fields['ftotal_ttc']." - ";
+						$ratiolineinvoice=($fields['dtotal_ttc']/$fields['ftotal_ttc']);
+						//print ' ('.round($ratiolineinvoice*100,2).'%)';
+					}
+					print '</td>';
+				}
+
+				// Payment
+				$ratiopaymentinvoice=1;
+				if ($modetax == 0) {
+					if (isset($fields['payment_amount']) && $fields['ftotal_ttc']) {
+						$ratiopaymentinvoice=($fields['payment_amount']/$fields['ftotal_ttc']);
+					}
+					print '<td class="nowrap" align="right">';
+					//print $fields['totalht']."-".$fields['payment_amount']."-".$fields['ftotal_ttc'];
+					if ($fields['payment_amount'] && $fields['ftotal_ttc']) {
+						$payment_static->id=$fields['payment_id'];
+						print $payment_static->getNomUrl(2);
+					}
+					if ($type == 0) {
+						print $langs->trans("NotUsedForGoods");
+					} else {
+						print $fields['payment_amount'];
+						if (isset($fields['payment_amount'])) {
+							print ' ('.round($ratiopaymentinvoice*100,2).'%)';
+						}
+					}
+					print '</td>';
+				}
+
+				// Total collected
+				print '<td class="nowrap" align="right">';
+				$temp_ht=$fields['totalht'];
+				if ($type == 1) {
+					$temp_ht=$fields['totalht']*$ratiopaymentinvoice;
+				}
+				print price(price2num($temp_ht,'MT'),1);
+				print '</td>';
+
+				// VAT
+				print '<td class="nowrap" align="right">';
+				$temp_vat=$fields['vat'];
+				if ($type == 1) {
+					$temp_vat=$fields['vat']*$ratiopaymentinvoice;
+				}
+				print price(price2num($temp_vat,'MT'),1);
+				//print price($fields['vat']);
+				print '</td>';
+				print '</tr>';
+
+				$subtot_coll_total_ht += $temp_ht;
+				$subtot_coll_vat      += $temp_vat;
+				$x_coll_sum           += $temp_vat;
+			}
+		}
+		// Total customers for this vat rate
+		print '<tr class="liste_total">';
+		print '<td colspan="'.$span.'"></td>';
+		print '<td align="right">'.$langs->trans("Total").':</td>';
+		if ($modetax == 0) {
+			print '<td class="nowrap" align="right">&nbsp;</td>';
+			print '<td align="right">&nbsp;</td>';
+		}
+		print '<td align="right">'.price(price2num($subtot_coll_total_ht,'MT')).'</td>';
+		print '<td class="nowrap" align="right">'.price(price2num($subtot_coll_vat,'MT')).'</td>';
+		print '</tr>';
+	}
+
+	if (count($x_coll) == 0) {  // Show a total ine if nothing shown
+		print '<tr class="liste_total">';
+		print '<td colspan="'.$span.'"></td>';
+		print '<td align="right">'.$langs->trans("Total").':</td>';
+		if ($modetax == 0) {
+			print '<td class="nowrap" align="right">&nbsp;</td>';
+			print '<td align="right">&nbsp;</td>';
+		}
+		print '<td align="right">'.price(price2num(0,'MT')).'</td>';
+		print '<td class="nowrap" align="right">'.price(price2num(0,'MT')).'</td>';
+		print '</tr>';
+	}
+
+	// Blank line
+	print '<tr><td colspan="'.($span+1).'">&nbsp;</td></tr>';
+
+	//print table headers for this quadri - expenses now
+	//imprime les en-tete de tables pour ce quadri - maintenant les d�penses
+	print '<tr class="liste_titre">';
+	print '<td align="left">'.$elementsup.'</td>';
+	print '<td align="left">'.$langs->trans("Date").'</td>';
+	print '<td align="left">'.$namesup.'</td>';
+	print '<td align="left">'.$productsup.'</td>';
+	if ($modetax == 0) {
+		print '<td align="right">'.$amountsup.'</td>';
+		print '<td align="right">'.$langs->trans("Payment").' ('.$langs->trans("PercentOfInvoice").')</td>';
+	}
+	print '<td align="right">'.$langs->trans("AmountHTVATRealPaid").'</td>';
+	print '<td align="right">'.$vatsup.'</td>';
+	print '</tr>'."\n";
+
+	foreach (array_keys($x_paye) as $rate) {
+		$subtot_paye_total_ht = 0;
+		$subtot_paye_vat = 0;
+
+		if (is_array($x_both[$rate]['paye']['detail'])) {
+			$var=true;
+			print "<tr>";
+			print '<td class="tax_rate">'.$langs->trans("Rate").': '.vatrate($rate).'%</td><td colspan="'.$span.'"></td>';
+			print '</tr>'."\n";
+
+			foreach ($x_both[$rate]['paye']['detail'] as $index=>$fields) {
+				// Define type
+				$type=($fields['dtype']?$fields['dtype']:$fields['ptype']);
+				// Try to enhance type detection using date_start and date_end for free lines where type
+				// was not saved.
+				if (!empty($fields['ddate_start'])) {
+					$type=1;
+				}
+				if (!empty($fields['ddate_end'])) {
+					$type=1;
+				}
+
+				$var=!$var;
+				print '<tr '.$bc[$var].'>';
+
+				// Ref
+				print '<td class="nowrap" align="left">'.$fields['link'].'</td>';
+				// Invoice date
+				print '<td align="left">' . $fields['datef'] . '</td>';
+				// Company name
+				print '<td align="left">' . $fields['company_link'] . '</td>';
+
+				// Description
+				print '<td align="left">';
+				if ($fields['pid']) {
+					$product_static->id=$fields['pid'];
+					$product_static->ref=$fields['pref'];
+					$product_static->type=$fields['ptype'];
+					print $product_static->getNomUrl(1);
+					if (dol_string_nohtmltag($fields['descr'])) {
+						print ' - '.dol_trunc(dol_string_nohtmltag($fields['descr']),16);
+					}
+				} else {
+					if ($type) {
+						$text = img_object($langs->trans('Service'),'service');
+					} else {
+						$text = img_object($langs->trans('Product'),'product');
+					}
+					print $text.' '.dol_trunc(dol_string_nohtmltag($fields['descr']),16);
+
+					// Show range
+					print_date_range($fields['ddate_start'],$fields['ddate_end']);
+				}
+				print '</td>';
+
+				// Total HT
+				if ($modetax == 0) {
+					print '<td class="nowrap" align="right">';
+					print price($fields['totalht']);
+					if (price2num($fields['ftotal_ttc'])) {
+						//print $fields['dtotal_ttc']."/".$fields['ftotal_ttc']." - ";
+						$ratiolineinvoice=($fields['dtotal_ttc']/$fields['ftotal_ttc']);
+						//print ' ('.round($ratiolineinvoice*100,2).'%)';
+					}
+					print '</td>';
+				}
+
+				// Payment
+				$ratiopaymentinvoice=1;
+				if ($modetax == 0) {
+					if (isset($fields['payment_amount']) && $fields['ftotal_ttc']) {
+						$ratiopaymentinvoice=($fields['payment_amount']/$fields['ftotal_ttc']);
+					}
+					print '<td class="nowrap" align="right">';
+					if ($fields['payment_amount'] && $fields['ftotal_ttc']) {
+						$paymentfourn_static->id=$fields['payment_id'];
+						print $paymentfourn_static->getNomUrl(2);
+					}
+					if ($type == 0) {
+						print $langs->trans("NotUsedForGoods");
+					} else {
+						print $fields['payment_amount'];
+						if (isset($fields['payment_amount'])) {
+							print ' ('.round($ratiopaymentinvoice*100,2).'%)';
+						}
+					}
+					print '</td>';
+				}
+
+				// VAT paid
+				print '<td class="nowrap" align="right">';
+				$temp_ht=$fields['totalht'];
+				if ($type == 1) {
+					$temp_ht=$fields['totalht']*$ratiopaymentinvoice;
+				}
+				print price(price2num($temp_ht,'MT'),1);
+				print '</td>';
+
+				// VAT
+				print '<td class="nowrap" align="right">';
+				$temp_vat=$fields['vat'];
+				if ($type == 1) {
+					$temp_vat=$fields['vat']*$ratiopaymentinvoice;
+				}
+				print price(price2num($temp_vat,'MT'),1);
+				//print price($fields['vat']);
+				print '</td>';
+				print '</tr>';
+
+				$subtot_paye_total_ht += $temp_ht;
+				$subtot_paye_vat	  += $temp_vat;
+				$x_paye_sum		   += $temp_vat;
+			}
+		}
+		// Total suppliers for this vat rate
+		print '<tr class="liste_total">';
+		print '<td colspan="'.$span.'"></td>';
+		print '<td align="right">'.$langs->trans("Total").':</td>';
+		if ($modetax == 0) {
+			print '<td class="nowrap" align="right">&nbsp;</td>';
+			print '<td align="right">&nbsp;</td>';
+		}
+		print '<td align="right">'.price(price2num($subtot_paye_total_ht,'MT')).'</td>';
+		print '<td class="nowrap" align="right">'.price(price2num($subtot_paye_vat,'MT')).'</td>';
+		print '</tr>';
+	}
+
+	if (count($x_paye) == 0) {  // Show a total ine if nothing shown
+		print '<tr class="liste_total">';
+		print '<td colspan="'.$span.'"></td>';
+		print '<td align="right">'.$langs->trans("Total").':</td>';
+		if ($modetax == 0) {
+			print '<td class="nowrap" align="right">&nbsp;</td>';
+			print '<td align="right">&nbsp;</td>';
+		}
+		print '<td align="right">'.price(price2num(0,'MT')).'</td>';
+		print '<td class="nowrap" align="right">'.price(price2num(0,'MT')).'</td>';
+		print '</tr>';
+	}
+
+	print '</table>';
+
+	// Total to pay
+	print '<br><br>';
+	print '<table class="noborder" width="100%">';
+	$diff = $x_coll_sum - $x_paye_sum;
+	print '<tr class="liste_total">';
+	print '<td class="liste_total" colspan="'.$span.'">'.$langs->trans("TotalToPay").($q?', '.$langs->trans("Quadri").' '.$q:'').'</td>';
+	print '<td class="liste_total nowrap" align="right"><b>'.price(price2num($diff,'MT'))."</b></td>\n";
+	print "</tr>\n";
+
+	$i++;
+}
+echo '</table>';
+
+$db->close();
+
+llxFooter();
diff --git a/htdocs/core/class/html.form.class.php b/htdocs/core/class/html.form.class.php
index 74188b069fac157a7bf5fd5464f1679b03bcd586..d5f0c367c221fe09ecf0e1c992ba7f4f6e030c49 100644
--- a/htdocs/core/class/html.form.class.php
+++ b/htdocs/core/class/html.form.class.php
@@ -3167,6 +3167,18 @@ class Form
                             $i++;
                         }
                     }
+					else if ($input['type'] == 'date')
+					{
+						$more.='<tr><td>'.$input['label'].'</td>';
+						$more.='<td colspan="2" align="left">';
+						$more.=$this->select_date($input['value'],$input['name'],0,0,0,'',1,0,1);
+						$more.='</td></tr>'."\n";
+						$formquestion[] = array('name'=>$input['name'].'day');
+						$formquestion[] = array('name'=>$input['name'].'month');
+						$formquestion[] = array('name'=>$input['name'].'year');
+						$formquestion[] = array('name'=>$input['name'].'hour');
+						$formquestion[] = array('name'=>$input['name'].'min');
+					}
                     else if ($input['type'] == 'other')
                     {
                         $more.='<tr><td>';
diff --git a/htdocs/core/class/html.formmail.class.php b/htdocs/core/class/html.formmail.class.php
index 4e1a8ffc0c55d2a5f8ac2b843f87f7a1ad23e8dd..8310db730ab9bb6c0207e4a40e1fb200e8985c1a 100644
--- a/htdocs/core/class/html.formmail.class.php
+++ b/htdocs/core/class/html.formmail.class.php
@@ -276,7 +276,8 @@ class FormMail extends Form
 
         	// Get message template
 			$model_id=0;
-        	if (array_key_exists('models_id',$this->param)) {
+        	if (array_key_exists('models_id',$this->param))
+        	{
         		$model_id=$this->param["models_id"];
         	}
         	$arraydefaultmessage=$this->getEMailTemplate($this->db, $this->param["models"], $user, $outputlangs, $model_id);
@@ -295,23 +296,26 @@ class FormMail extends Form
         	}
 
         	$result = $this->fetchAllEMailTemplate($this->param["models"], $user, $outputlangs);
-        	if ($result<0) {
+        	if ($result<0)
+        	{
         		setEventMessage($this->error,'errors');
         	}
         	$modelmail_array=array();
-        	foreach($this->lines_model as $line) {
+        	foreach($this->lines_model as $line)
+        	{
         		$modelmail_array[$line->id]=$line->label;
         	}
 
-        	if (count($modelmail_array)>0) {
-	        	$out.= '<table class="nobordernopadding" width="100%"><tr><td width="20%">'."\n";
+        	// Zone to select its email template
+        	if (count($modelmail_array)>0)
+        	{
+	        	$out.= '<div style="padding: 3px 0 3px 0">'."\n";
 	        	$out.= $langs->trans('SelectMailModel').':'.$this->selectarray('modelmailselected', $modelmail_array,$model_id);
-	        	$out.= '</td>';
-	        	$out.= '<td width="5px">';
 	        	if ($user->admin) $out.= info_admin($langs->trans("YouCanChangeValuesForThisListFromDictionarySetup"),1);
-	        	$out.= '</td>';
-	        	$out.= '<td><input class="flat" type="submit" value="'.$langs->trans('Valid').'" name="modelselected" id="modelselected"></td>';
-	        	$out.= '</tr></table>';
+	        	$out.= ' &nbsp; ';
+	        	$out.= '<input class="button" type="submit" value="'.$langs->trans('Valid').'" name="modelselected" id="modelselected">';
+	        	$out.= ' &nbsp; ';
+	        	$out.= '</div>';
         	}
 
 
diff --git a/htdocs/core/class/html.formprojet.class.php b/htdocs/core/class/html.formprojet.class.php
index 3178fd67620d954d5d109ba99bb718bbcdfb940b..d51516359adde7caf4e715965153b298a5359500 100644
--- a/htdocs/core/class/html.formprojet.class.php
+++ b/htdocs/core/class/html.formprojet.class.php
@@ -261,7 +261,7 @@ class FormProjets
 	 *
 	 *	@param	int		$socid      	Id third party (-1=all, 0=only projects not linked to a third party, id=projects not linked or linked to third party id)
 	 *	@param  int		$selected   	Id task preselected
-	 *	@param  string	$htmlname   	Nom de la zone html
+	 *	@param  string	$htmlname   	Name of HTML select
 	 *	@param	int		$maxlength		Maximum length of label
 	 *	@param	int		$option_only	Return only html options lines without the select tag
 	 *	@param	int		$show_empty		Add an empty line
@@ -270,7 +270,7 @@ class FormProjets
      *  @param	int		$disabled		Disabled
 	 *	@return int         			Nber of project if OK, <0 if KO
 	 */
-	function select_task($socid=-1, $selected='', $htmlname='taskid', $maxlength=24, $option_only=0, $show_empty=1, $discard_closed=0, $forcefocus=0, $disabled=0)
+	function selectTasks($socid=-1, $selected='', $htmlname='taskid', $maxlength=24, $option_only=0, $show_empty=1, $discard_closed=0, $forcefocus=0, $disabled=0)
 	{
 		global $user,$conf,$langs;
 
@@ -289,8 +289,11 @@ class FormProjets
 		}
 
 		// Search all projects
-		$sql = 'SELECT t.rowid, t.ref as tref, t.label as tlabel, p.ref, p.title, p.fk_soc, p.fk_statut, p.public';
-		$sql.= ' FROM '.MAIN_DB_PREFIX .'projet as p, '.MAIN_DB_PREFIX.'projet_task as t';
+		$sql = 'SELECT t.rowid, t.ref as tref, t.label as tlabel, p.ref, p.title, p.fk_soc, p.fk_statut, p.public,';
+		$sql.= ' s.nom as name';
+		$sql.= ' FROM '.MAIN_DB_PREFIX .'projet as p';
+		$sql.= ' LEFT JOIN '.MAIN_DB_PREFIX.'societe as s ON s.rowid = p.fk_soc';
+		$sql.= ', '.MAIN_DB_PREFIX.'projet_task as t';
 		$sql.= " WHERE p.entity = ".$conf->entity;
 		$sql.= " AND t.fk_projet = p.rowid";
 		if ($projectsListId !== false) $sql.= " AND p.rowid IN (".$projectsListId.")";
@@ -312,7 +315,7 @@ class FormProjets
 	           	$comboenhancement = ajax_combobox($htmlname, '', 0, $forcefocus);
             	$out.=$comboenhancement;
             	$nodatarole=($comboenhancement?' data-role="none"':'');
-            	$minmax='minwidth100';
+            	$minmax='minwidth200';
 			}
 
 			if (empty($option_only)) {
@@ -346,6 +349,8 @@ class FormProjets
 						//else $labeltoshow.=' ('.$langs->trans("Private").')';
 						$labeltoshow.=' '.dol_trunc($obj->title,$maxlength);
 
+						if ($obj->name) $labeltoshow.=' ('.$obj->name.')';
+
 						$disabled=0;
 						if ($obj->fk_statut == 0)
 						{
@@ -512,7 +517,7 @@ class FormProjets
 	 *
 	 *    @param	string		$htmlname			HTML name
 	 *    @param	int			$preselected		Preselected
-	 *    @param	int			$shwoempty			Add an empty line
+	 *    @param	int			$showempty			Add an empty line
 	 *    @param	int			$useshortlabel		Use short label
 	 *    @return	int|string						The HTML select list of element or '' if nothing or -1 if KO
 	 */
diff --git a/htdocs/core/js/lib_head.js b/htdocs/core/js/lib_head.js
index ba3dc38da9e2467b912e390f124309b5e284c79b..6ddfa529beec0e90c722d41991fc563536a5c633 100644
--- a/htdocs/core/js/lib_head.js
+++ b/htdocs/core/js/lib_head.js
@@ -57,7 +57,8 @@ function showDP(base,dateFieldID,format,codelang)
 
 	showDP.box=document.createElement("div");
 	showDP.box.className="bodyline";
-	showDP.box.style.siplay="block";
+	showDP.box.style.display="block";
+	showDP.box.style.zIndex="1000";
 	showDP.box.style.position="absolute";
 	showDP.box.style.top=thetop + "px";
 	showDP.box.style.left=theleft + "px";
diff --git a/htdocs/core/lib/functions.lib.php b/htdocs/core/lib/functions.lib.php
index 0e86a1b6163aff3522bf3cb9916a82b86abdc1aa..ed3d709f16f23ae958c8214b77723ec1340b6869 100644
--- a/htdocs/core/lib/functions.lib.php
+++ b/htdocs/core/lib/functions.lib.php
@@ -2901,11 +2901,11 @@ function print_barre_liste($titre, $page, $file, $options='', $sortfield='', $so
  *	@param	string			$file				Page URL (in most cases provided with $_SERVER["PHP_SELF"])
  *	@param	string			$options         	Other url paramaters to propagate ("" by default)
  *	@param	integer			$nextpage	    	Do we show a next page button
- *	@param	string			$betweenarrows		HTML content to show between arrows. Must contains '<li> </li>' tags.
+ *	@param	string			$betweenarrows		HTML content to show between arrows. MUST contains '<li> </li>' tags or '<li><span> </span></li>'.
  *  @param	string			$afterarrows		HTML content to show after arrows. Must NOT contains '<li> </li>' tags.
  *	@return	void
  */
-function print_fleche_navigation($page,$file,$options='',$nextpage=0,$betweenarrows='',$afterarrows='')
+function print_fleche_navigation($page, $file, $options='', $nextpage=0, $betweenarrows='', $afterarrows='')
 {
 	global $conf, $langs;
 
@@ -2915,8 +2915,10 @@ function print_fleche_navigation($page,$file,$options='',$nextpage=0,$betweenarr
 		if (empty($conf->dol_use_jmobile)) print '<li class="pagination"><a class="paginationprevious" href="'.$file.'?page='.($page-1).$options.'"><</a></li>';
 		else print '<li><a data-role="button" data-icon="arrow-l" data-iconpos="left" href="'.$file.'?page='.($page-1).$options.'">'.$langs->trans("Previous").'</a></li>';
 	}
-	//if ($betweenarrows) print ($page > 0?' ':'').$betweenarrows.($nextpage>0?' ':'');
-	print $betweenarrows;
+	if ($betweenarrows)
+	{
+		print $betweenarrows;
+	}
 	if ($nextpage > 0)
 	{
 		if (empty($conf->dol_use_jmobile)) print '<li class="pagination"><a class="paginationnext" href="'.$file.'?page='.($page+1).$options.'">></a></li>';
diff --git a/htdocs/core/lib/report.lib.php b/htdocs/core/lib/report.lib.php
index 681f6e7a913c70aacb2e4bb82fbac01ddb1a11bc..79ab5fe0eadd1f2d642a19d4b36bcd099af8c439 100644
--- a/htdocs/core/lib/report.lib.php
+++ b/htdocs/core/lib/report.lib.php
@@ -24,18 +24,18 @@
 
 
 /**
-*    Show header of a VAT report
+*	Show header of a VAT report
 *
-*    @param		string				$nom            Name of report
-*    @param 	string				$variante       Link for alternate report
-*    @param 	string				$period         Period of report
-*    @param 	string				$periodlink     Link to switch period
-*    @param 	string				$description    Description
-*    @param 	timestamp|integer	$builddate      Date generation
-*    @param 	string				$exportlink     Link for export or ''
-*    @param		array				$moreparam		Array with list of params to add into form
-*    @param		string				$calcmode		Calculation mode
-*    @return	void
+*	@param		string				$nom            Name of report
+*	@param 	string				$variante       Link for alternate report
+*	@param 	string				$period         Period of report
+*	@param 	string				$periodlink     Link to switch period
+*	@param 	string				$description    Description
+*	@param 	timestamp|integer	$builddate      Date generation
+*	@param 	string				$exportlink     Link for export or ''
+*	@param		array				$moreparam		Array with list of params to add into form
+*	@param		string				$calcmode		Calculation mode
+*	@return	void
 */
 function report_header($nom,$variante,$period,$periodlink,$description,$builddate,$exportlink='',$moreparam=array(),$calcmode='')
 {
@@ -55,7 +55,7 @@ function report_header($nom,$variante,$period,$periodlink,$description,$builddat
 	print '<form method="POST" action="'.$_SERVER["PHP_SELF"].'">';
 	foreach($moreparam as $key => $value)
 	{
-	     print '<input type="hidden" name="'.$key.'" value="'.$value.'">';
+		 print '<input type="hidden" name="'.$key.'" value="'.$value.'">';
 	}
 	print '<table width="100%" class="border">';
 
diff --git a/htdocs/core/lib/tax.lib.php b/htdocs/core/lib/tax.lib.php
index a163047e61b4a401ca26f8c3c134165684bb9f12..7d9ee545dea4cd874740a2f5a36c39c40aeac110 100644
--- a/htdocs/core/lib/tax.lib.php
+++ b/htdocs/core/lib/tax.lib.php
@@ -280,10 +280,11 @@ function vat_by_date($db, $y, $q, $date_start, $date_end, $modetax, $direction,
             $sql = "SELECT d.rowid, d.product_type as dtype, d.".$fk_facture." as facid, d.tva_tx as rate, d.total_ht as total_ht, d.total_ttc as total_ttc, d.".$total_tva." as total_vat, d.description as descr,";
             $sql .=" d.".$total_localtax1." as total_localtax1, d.".$total_localtax2." as total_localtax2, ";
             $sql.= " d.date_start as date_start, d.date_end as date_end,";
-            $sql.= " f.".$invoicefieldref." as facnum, f.type, f.total_ttc as ftotal_ttc,";
+            $sql.= " f.".$invoicefieldref." as facnum, f.type, f.total_ttc as ftotal_ttc, f.datef, s.nom as company_name, s.rowid as company_id,";
             $sql.= " p.rowid as pid, p.ref as pref, p.fk_product_type as ptype,";
             $sql.= " 0 as payment_id, 0 as payment_amount";
             $sql.= " FROM ".MAIN_DB_PREFIX.$invoicetable." as f,";
+            $sql.= " ".MAIN_DB_PREFIX."societe as s,";
             $sql.= " ".MAIN_DB_PREFIX.$invoicedettable." as d" ;
             $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."product as p on d.fk_product = p.rowid";
             $sql.= " WHERE f.entity = " . $conf->entity;
@@ -291,6 +292,7 @@ function vat_by_date($db, $y, $q, $date_start, $date_end, $modetax, $direction,
             if (! empty($conf->global->FACTURE_DEPOSITS_ARE_JUST_PAYMENTS)) $sql.= " AND f.type IN (0,1,2,5)";
 			else $sql.= " AND f.type IN (0,1,2,3,5)";
             $sql.= " AND f.rowid = d.".$fk_facture;
+            $sql.= " AND s.rowid = f.fk_soc";
             if ($y && $m)
             {
                 $sql.= " AND f.datef >= '".$db->idate(dol_get_first_day($y,$m,false))."'";
@@ -325,10 +327,11 @@ function vat_by_date($db, $y, $q, $date_start, $date_end, $modetax, $direction,
             $sql = "SELECT d.rowid, d.product_type as dtype, d.".$fk_facture." as facid, d.tva_tx as rate, d.total_ht as total_ht, d.total_ttc as total_ttc, d.".$total_tva." as total_vat, d.description as descr,";
             $sql .=" d.".$total_localtax1." as total_localtax1, d.".$total_localtax2." as total_localtax2, ";
             $sql.= " d.date_start as date_start, d.date_end as date_end,";
-            $sql.= " f.".$invoicefieldref." as facnum, f.type, f.total_ttc as ftotal_ttc,";
+            $sql.= " f.".$invoicefieldref." as facnum, f.type, f.total_ttc as ftotal_ttc, f.datef as date_f, s.nom as company_name, s.rowid as company_id,";
             $sql.= " p.rowid as pid, p.ref as pref, p.fk_product_type as ptype,";
             $sql.= " 0 as payment_id, 0 as payment_amount";
             $sql.= " FROM ".MAIN_DB_PREFIX.$invoicetable." as f,";
+            $sql.= " ".MAIN_DB_PREFIX."societe as s,";
             $sql.= " ".MAIN_DB_PREFIX.$invoicedettable." as d" ;
             $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."product as p on d.fk_product = p.rowid";
             $sql.= " WHERE f.entity = " . $conf->entity;
@@ -336,6 +339,7 @@ function vat_by_date($db, $y, $q, $date_start, $date_end, $modetax, $direction,
         	if (! empty($conf->global->FACTURE_DEPOSITS_ARE_JUST_PAYMENTS)) $sql.= " AND f.type IN (0,1,2,5)";
 			else $sql.= " AND f.type IN (0,1,2,3,5)";
             $sql.= " AND f.rowid = d.".$fk_facture;
+            $sql.= " AND s.rowid = f.fk_soc";
             if ($y && $m)
             {
                 $sql.= " AND f.datef >= '".$db->idate(dol_get_first_day($y,$m,false))."'";
@@ -384,6 +388,9 @@ function vat_by_date($db, $y, $q, $date_start, $date_end, $modetax, $direction,
                 }
                 $list[$assoc['rate']]['dtotal_ttc'][] = $assoc['total_ttc'];
                 $list[$assoc['rate']]['dtype'][] = $assoc['dtype'];
+                $list[$assoc['rate']]['datef'][] = $assoc['datef'];
+                $list[$assoc['rate']]['company_name'][] = $assoc['company_name'];
+                $list[$assoc['rate']]['company_id'][] = $assoc['company_id'];
                 $list[$assoc['rate']]['ddate_start'][] = $db->jdate($assoc['date_start']);
                 $list[$assoc['rate']]['ddate_end'][] = $db->jdate($assoc['date_end']);
 
@@ -438,10 +445,11 @@ function vat_by_date($db, $y, $q, $date_start, $date_end, $modetax, $direction,
             $sql = "SELECT d.rowid, d.product_type as dtype, d.".$fk_facture." as facid, d.tva_tx as rate, d.total_ht as total_ht, d.total_ttc as total_ttc, d.".$total_tva." as total_vat, d.description as descr,";
             $sql .=" d.".$total_localtax1." as total_localtax1, d.".$total_localtax2." as total_localtax2, ";
             $sql.= " d.date_start as date_start, d.date_end as date_end,";
-            $sql.= " f.".$invoicefieldref." as facnum, f.type, f.total_ttc as ftotal_ttc,";
+            $sql.= " f.".$invoicefieldref." as facnum, f.type, f.total_ttc as ftotal_ttc, f.datef, s.nom as company_name, s.rowid as company_id,";
             $sql.= " p.rowid as pid, p.ref as pref, p.fk_product_type as ptype,";
             $sql.= " 0 as payment_id, 0 as payment_amount";
             $sql.= " FROM ".MAIN_DB_PREFIX.$invoicetable." as f,";
+            $sql.= " ".MAIN_DB_PREFIX."societe as s,";
             $sql.= " ".MAIN_DB_PREFIX.$invoicedettable." as d" ;
             $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."product as p on d.fk_product = p.rowid";
             $sql.= " WHERE f.entity = " . $conf->entity;
@@ -449,6 +457,7 @@ function vat_by_date($db, $y, $q, $date_start, $date_end, $modetax, $direction,
         	if (! empty($conf->global->FACTURE_DEPOSITS_ARE_JUST_PAYMENTS)) $sql.= " AND f.type IN (0,1,2,5)";
 			else $sql.= " AND f.type IN (0,1,2,3,5)";
             $sql.= " AND f.rowid = d.".$fk_facture;
+            $sql.= " AND s.rowid = f.fk_soc";
             if ($y && $m)
             {
                 $sql.= " AND f.datef >= '".$db->idate(dol_get_first_day($y,$m,false))."'";
@@ -484,12 +493,13 @@ function vat_by_date($db, $y, $q, $date_start, $date_end, $modetax, $direction,
             $sql = "SELECT d.rowid, d.product_type as dtype, d.".$fk_facture." as facid, d.tva_tx as rate, d.total_ht as total_ht, d.total_ttc as total_ttc, d.".$total_tva." as total_vat, d.description as descr,";
             $sql .=" d.".$total_localtax1." as total_localtax1, d.".$total_localtax2." as total_localtax2, ";
             $sql.= " d.date_start as date_start, d.date_end as date_end,";
-            $sql.= " f.".$invoicefieldref." as facnum, f.type, f.total_ttc as ftotal_ttc,";
+            $sql.= " f.".$invoicefieldref." as facnum, f.type, f.total_ttc as ftotal_ttc, f.datef, s.nom as company_name, s.rowid as company_id,";
             $sql.= " p.rowid as pid, p.ref as pref, p.fk_product_type as ptype,";
             $sql.= " pf.".$fk_payment." as payment_id, pf.amount as payment_amount";
             $sql.= " FROM ".MAIN_DB_PREFIX.$invoicetable." as f,";
             $sql.= " ".MAIN_DB_PREFIX.$paymentfacturetable." as pf,";
             $sql.= " ".MAIN_DB_PREFIX.$paymenttable." as pa,";
+            $sql.= " ".MAIN_DB_PREFIX."societe as s,";
             $sql.= " ".MAIN_DB_PREFIX.$invoicedettable." as d";
             $sql.= " LEFT JOIN ".MAIN_DB_PREFIX."product as p on d.fk_product = p.rowid";
             $sql.= " WHERE f.entity = " . $conf->entity;
@@ -497,6 +507,7 @@ function vat_by_date($db, $y, $q, $date_start, $date_end, $modetax, $direction,
         	if (! empty($conf->global->FACTURE_DEPOSITS_ARE_JUST_PAYMENTS)) $sql.= " AND f.type IN (0,1,2,5)";
 			else $sql.= " AND f.type IN (0,1,2,3,5)";
             $sql.= " AND f.rowid = d.".$fk_facture;
+            $sql.= " AND s.rowid = f.fk_soc";
             $sql.= " AND pf.".$fk_facture2." = f.rowid";
             $sql.= " AND pa.rowid = pf.".$fk_payment;
             if ($y && $m)
@@ -548,6 +559,9 @@ function vat_by_date($db, $y, $q, $date_start, $date_end, $modetax, $direction,
                 }
                 $list[$assoc['rate']]['dtotal_ttc'][] = $assoc['total_ttc'];
                 $list[$assoc['rate']]['dtype'][] = $assoc['dtype'];
+                $list[$assoc['rate']]['datef'][] = $assoc['datef'];
+                $list[$assoc['rate']]['company_name'][] = $assoc['company_name'];
+                $list[$assoc['rate']]['company_id'][] = $assoc['company_id'];
                 $list[$assoc['rate']]['ddate_start'][] = $db->jdate($assoc['date_start']);
                 $list[$assoc['rate']]['ddate_end'][] = $db->jdate($assoc['date_end']);
 
diff --git a/htdocs/core/modules/DolibarrModules.class.php b/htdocs/core/modules/DolibarrModules.class.php
index 734117d3bc413a25819bb298c11f5f61f2d6858c..341edac82718a0e3272b55bed42b27cadfbd996f 100644
--- a/htdocs/core/modules/DolibarrModules.class.php
+++ b/htdocs/core/modules/DolibarrModules.class.php
@@ -1000,7 +1000,18 @@ print $sql;
             $i=0;
             foreach ($this->tabs as $key => $value)
             {
-                if ($value)
+            	if (is_array($value) && count($value) == 0) continue;	// Discard empty arrays
+
+            	$entity=$conf->entity;
+            	$newvalue = $value;
+
+            	if (is_array($value))
+            	{
+            		$newvalue = $value['data'];
+            		if (isset($value['entity'])) $entity = $value['entity'];
+            	}
+
+                if ($newvalue)
                 {
                     $sql = "INSERT INTO ".MAIN_DB_PREFIX."const (";
                     $sql.= "name";
diff --git a/htdocs/core/tpl/admin_extrafields_add.tpl.php b/htdocs/core/tpl/admin_extrafields_add.tpl.php
index fc13acc7072b894697d4c39643066413281603ae..142c090321260e4b3f6141762d66b32fb4e3509a 100644
--- a/htdocs/core/tpl/admin_extrafields_add.tpl.php
+++ b/htdocs/core/tpl/admin_extrafields_add.tpl.php
@@ -75,6 +75,8 @@
 <input type="hidden" name="token" value="<?php echo $_SESSION['newtoken']; ?>">
 <input type="hidden" name="action" value="add">
 
+<?php dol_fiche_head(); ?>
+
 <table summary="listofattributes" class="border centpercent">
 <!-- Label -->
 <tr><td class="fieldrequired"><?php echo $langs->trans("Label"); ?></td><td class="valeur"><input type="text" name="label" size="40" value="<?php echo GETPOST('label'); ?>"></td></tr>
@@ -121,7 +123,9 @@
 <?php } ?>
 </table>
 
-<div align="center"><br><input type="submit" name="button" class="button" value="<?php echo $langs->trans("Save"); ?>"> &nbsp;
+<?php dol_fiche_end(); ?>
+
+<div align="center"><input type="submit" name="button" class="button" value="<?php echo $langs->trans("Save"); ?>">&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;
 <input type="submit" name="button" class="button" value="<?php echo $langs->trans("Cancel"); ?>"></div>
 
 </form>
diff --git a/htdocs/core/tpl/admin_extrafields_edit.tpl.php b/htdocs/core/tpl/admin_extrafields_edit.tpl.php
index 286eba8c3b7813dcf1a39a766630352dc1fd004d..898348d047e184cee722f0fe4c0f1a341d7e7c4f 100644
--- a/htdocs/core/tpl/admin_extrafields_edit.tpl.php
+++ b/htdocs/core/tpl/admin_extrafields_edit.tpl.php
@@ -46,6 +46,8 @@
 <input type="hidden" name="action" value="update">
 <input type="hidden" name="rowid" value="<?php echo $rowid ?>">
 
+<?php dol_fiche_head(); ?>
+
 <table summary="listofattributes" class="border centpercent">
 
 <?php
@@ -123,7 +125,9 @@ if(($type == 'select') || ($type == 'sellist') || ($type == 'checkbox') || ($typ
 <?php } ?>
 </table>
 
-<div align="center"><br><input type="submit" name="button" class="button" value="<?php echo $langs->trans("Save"); ?>"> &nbsp;
+<?php dol_fiche_end(); ?>
+
+<div align="center"><input type="submit" name="button" class="button" value="<?php echo $langs->trans("Save"); ?>">&nbsp;&nbsp;&nbsp;&nbsp;&nbsp;
 <input type="submit" name="button" class="button" value="<?php echo $langs->trans("Cancel"); ?>"></div>
 
 </form>
diff --git a/htdocs/expedition/card.php b/htdocs/expedition/card.php
index 47878c7e75f315e6125476ef9ae917c2cb8f2e9f..88661bf090f409e4c3f4a1fc3f21053092d45479 100644
--- a/htdocs/expedition/card.php
+++ b/htdocs/expedition/card.php
@@ -1561,8 +1561,11 @@ else if ($id || $ref)
 			$file=$fileparams['fullname'];
 		}
 
+		print '<div class="clearboth"></div>';
 		print '<br>';
-		print_titre($langs->trans('SendShippingByEMail'));
+		print_fiche_titre($langs->trans('SendShippingByEMail'));
+
+		dol_fiche_head('');
 
 		// Cree l'objet formulaire mail
 		include_once DOL_DOCUMENT_ROOT.'/core/class/html.formmail.class.php';
@@ -1638,7 +1641,7 @@ else if ($id || $ref)
 		// Show form
 		print $formmail->get_form();
 
-		print '<br>';
+		dol_fiche_end();
 	}
 
 	if ($action != 'presend' && ! empty($origin) && $object->$origin->id)
diff --git a/htdocs/expensereport/class/expensereport.class.php b/htdocs/expensereport/class/expensereport.class.php
index 659590e8bdc09086feb7c47b6d2b237352f6328a..e36040743ad31916540f0bbbf4003ea398ad1364 100644
--- a/htdocs/expensereport/class/expensereport.class.php
+++ b/htdocs/expensereport/class/expensereport.class.php
@@ -29,1421 +29,1440 @@ require_once DOL_DOCUMENT_ROOT .'/core/class/commonobject.class.php';
  */
 class ExpenseReport extends CommonObject
 {
-	var $db;
-	var $error;
-	var $element='expensereport';
-	var $table_element='expensereport';
-	var $table_element_line = 'expensereport_det';
-	var $fk_element = 'fk_expensereport';
-
-	var $id;
-	var $ref;
-	var $lignes=array();
-	var $total_ht;
-	var $total_tva;
-	var $total_ttc;
-	var $note_public;
-	var $note_private;
-	var $date_debut;
-	var $date_fin;
-
-	var $fk_user_validator;
-	var $status;
-	var $fk_statut;		// -- 1=draft, 2=validated (attente approb), 4=canceled, 5=approved, 6=payed, 99=denied
-	var $fk_c_paiement;
-	var $paid;
-
-	var $user_author_infos;
-	var $user_validator_infos;
+    var $db;
+    var $error;
+    var $element='expensereport';
+    var $table_element='expensereport';
+    var $table_element_line = 'expensereport_det';
+    var $fk_element = 'fk_expensereport';
+
+    var $id;
+    var $ref;
+    var $lignes=array();
+    var $total_ht;
+    var $total_tva;
+    var $total_ttc;
+    var $note_public;
+    var $note_private;
+    var $date_debut;
+    var $date_fin;
+
+    var $fk_user_validator;
+    var $status;
+    var $fk_statut;     // -- 1=draft, 2=validated (attente approb), 4=canceled, 5=approved, 6=payed, 99=denied
+    var $fk_c_paiement;
+    var $paid;
+
+    var $user_author_infos;
+    var $user_validator_infos;
 
     var $modepayment;
     var $modepaymentid;
-	var $code_paiement;
-	var $code_statut;
-
-	/*
-		ACTIONS
-	*/
-
-	// Enregistrement
-	var $date_create;
-	var $fk_user_author;
-
-	// Refus
-	var $date_refuse;
-	var $detail_refuse;
-	var $fk_user_refuse;
-
-	// Annulation
-	var $date_cancel;
-	var $detail_cancel;
-	var $fk_user_cancel;
-
-	// Validation
-	var $date_valid;
-	var	$fk_user_valid;
-	var $user_valid_infos;
-
-	// Approve
-	var $date_approve;
-	var	$fk_user_approve;
-
-	// Paiement
-	var $user_paid_infos;
-
-	/*
-		END ACTIONS
-	*/
-
-
-	/**
-	 *  Constructor
-	 *
-	 *  @param  DoliDB	$db		Handler acces base de donnees
-	 */
-	function __construct($db)
-	{
-		$this->db = $db;
-		$this->total_ht = 0;
-		$this->total_ttc = 0;
-		$this->total_tva = 0;
-		$this->modepaymentid = 0;
-
-		// List of language codes for status
+    var $code_paiement;
+    var $code_statut;
+
+    /*
+        ACTIONS
+    */
+
+    // Enregistrement
+    var $date_create;
+    var $fk_user_author;
+
+    // Refus
+    var $date_refuse;
+    var $detail_refuse;
+    var $fk_user_refuse;
+
+    // Annulation
+    var $date_cancel;
+    var $detail_cancel;
+    var $fk_user_cancel;
+
+    // Validation
+    var $date_valid;
+    var $fk_user_valid;
+    var $user_valid_infos;
+
+    // Approve
+    var $date_approve;
+    var $fk_user_approve;
+
+    // Paiement
+    var $user_paid_infos;
+
+    /*
+        END ACTIONS
+    */
+
+
+    /**
+     *  Constructor
+     *
+     *  @param  DoliDB  $db     Handler acces base de donnees
+     */
+    function __construct($db)
+    {
+        $this->db = $db;
+        $this->total_ht = 0;
+        $this->total_ttc = 0;
+        $this->total_tva = 0;
+        $this->modepaymentid = 0;
+
+        // List of language codes for status
         $this->statuts_short = array(0 => 'Draft', 2 => 'Validated', 4 => 'Canceled', 5 => 'Approved', 6 => 'Paid', 99 => 'Refused');
         $this->statuts = array(0 => 'Draft', 2 => 'ValidatedWaitingApproval', 4 => 'Canceled', 5 => 'Approved', 6 => 'Paid', 99 => 'Refused');
         $this->statuts_logo = array(0 => 'statut0', 2 => 'statut1', 4 => 'statut5', 5 => 'statut3', 6 => 'statut6', 99 => 'statut8');
 
-		return 1;
-	}
-
-	/**
-	 * Create object in database
-	 *
-	 * @param 	User	$user	User that create
-	 * @return 	int				<0 if KO, >0 if OK
-	 */
-	function create($user)
-	{
-		global $conf;
-
-		$now = dol_now();
-
-		$this->db->begin();
-
-		$sql = "INSERT INTO ".MAIN_DB_PREFIX.$this->table_element." (";
-		$sql.= "ref";
-		$sql.= ",total_ht";
-		$sql.= ",total_ttc";
-		$sql.= ",total_tva";
-		$sql.= ",date_debut";
-		$sql.= ",date_fin";
-		$sql.= ",date_create";
-		$sql.= ",fk_user_author";
-		$sql.= ",fk_user_validator";
-		$sql.= ",fk_statut";
-		$sql.= ",fk_c_paiement";
-		$sql.= ",paid";
-		$sql.= ",note_public";
-		$sql.= ",note_private";
-		$sql.= ") VALUES(";
-		$sql.= "'(PROV)'";
-		$sql.= ", ".$this->total_ht;
-		$sql.= ", ".$this->total_ttc;
-		$sql.= ", ".$this->total_tva;
-		$sql.= ", '".$this->db->idate($this->date_debut)."'";
-		$sql.= ", '".$this->db->idate($this->date_fin)."'";
-		$sql.= ", '".$this->db->idate($now)."'";
-		$sql.= ", ".($user->id > 0 ? $user->id:"null");
-		$sql.= ", ".($this->fk_user_validator > 0 ? $this->fk_user_validator:"null");
-		$sql.= ", ".($this->fk_statut > 1 ? $this->fk_statut:0);
-		$sql.= ", ".($this->modepaymentid?$this->modepaymentid:"null");
-		$sql.= ", 0";
-		$sql.= ", ".($this->note_public?"'".$this->db->escape($this->note_public)."'":"null");
-		$sql.= ", ".($this->note_private?"'".$this->db->escape($this->note_private)."'":"null");
-		$sql.= ")";
-
-		dol_syslog(get_class($this)."::create sql=".$sql, LOG_DEBUG);
-		$result = $this->db->query($sql);
-		if ($result)
-		{
-			$this->id = $this->db->last_insert_id(MAIN_DB_PREFIX.$this->table_element);
-			$this->ref='(PROV'.$this->id.')';
-
-			$sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element." SET ref='".$this->ref."' WHERE rowid=".$this->id;
-			dol_syslog(get_class($this)."::create sql=".$sql);
-			$resql=$this->db->query($sql);
-			if (!$resql) $error++;
-
-			foreach ($this->lignes as $i => $val)
-			{
-				$newndfline=new ExpenseReportLine($this->db);
-				$newndfline=$this->lignes[$i];
-				$newndfline->fk_expensereport=$this->id;
-				if ($result >= 0)
-				{
-					$result=$newndfline->insert();
-				}
-				if ($result < 0)
-				{
-					$error++;
-					break;
-				}
-			}
-
-			if (! $error)
-			{
-				$result=$this->update_price();
-				if ($result > 0)
-				{
-					$this->db->commit();
-					return $this->id;
-				}
-				else
-				{
-					$this->db->rollback();
-					return -3;
-				}
-			}
-			else
-			{
-				dol_syslog(get_class($this)."::create error ".$this->error, LOG_ERR);
-				$this->db->rollback();
-				return -2;
-			}
-		}
-		else
-		{
-			$this->error=$this->db->error()." sql=".$sql;
-			$this->db->rollback();
-			return -1;
-		}
-
-	}
-
-	/**
-	 * update
-	 *
-	 * @param 	User	$user		User making change
-	 * @return 	int					<0 if KO, >0 if OK
-	 */
-	function update($user)
-	{
-		global $langs;
-
-		$sql = "UPDATE ".MAIN_DB_PREFIX.$this->table_element." SET";
-		$sql.= " total_ht = ".$this->total_ht;
-		$sql.= " , total_ttc = ".$this->total_ttc;
-		$sql.= " , total_tva = ".$this->total_tva;
-		$sql.= " , date_debut = '".$this->db->idate($this->date_debut)."'";
-		$sql.= " , date_fin = '".$this->db->idate($this->date_fin)."'";
-		$sql.= " , fk_user_author = ".($user->id > 0 ? "'".$user->id."'":"null");
-		$sql.= " , fk_user_validator = ".($this->fk_user_validator > 0 ? $this->fk_user_validator:"null");
-		$sql.= " , fk_user_valid = ".($this->fk_user_valid > 0 ? $this->fk_user_valid:"null");
-		$sql.= " , fk_statut = ".($this->fk_statut >= 0 ? $this->fk_statut:'0');
-		$sql.= " , fk_c_paiement = ".($this->fk_c_paiement > 0 ? $this->fk_c_paiement:"null");
-		$sql.= " , note_public = ".(!empty($this->note_public)?"'".$this->db->escape($this->note_public)."'":"''");
-		$sql.= " , note_private = ".(!empty($this->note_private)?"'".$this->db->escape($this->note_private)."'":"''");
-		$sql.= " , detail_refuse = ".(!empty($this->detail_refuse)?"'".$this->db->escape($this->detail_refuse)."'":"''");
-		$sql.= " WHERE rowid = ".$this->id;
-
-		dol_syslog(get_class($this)."::update sql=".$sql, LOG_DEBUG);
-		$result = $this->db->query($sql);
-		if ($result)
-		{
-			return 1;
-		}
-		else
-		{
-			$this->error=$this->db->error();
-			return -1;
-		}
-	}
-
-	/**
-	 *	Load an object from database
-	 *
-	 *	@param	int		$id		Id
-	 *	@param	string	$ref	Ref
-	 *	@return	int				<0 if KO, >0 if OK
-	 */
-	function fetch($id, $ref='')
-	{
-		global $conf;
-
-		$sql = "SELECT d.rowid, d.ref, d.note_public, d.note_private,";									// DEFAULT
-		$sql.= " d.detail_refuse, d.detail_cancel, d.fk_user_refuse, d.fk_user_cancel,"; 				// ACTIONS
-		$sql.= " d.date_refuse, d.date_cancel,";														// ACTIONS
-		$sql.= " d.total_ht, d.total_ttc, d.total_tva,"; 												// TOTAUX (int)
-		$sql.= " d.date_debut, d.date_fin, d.date_create, d.date_valid, d.date_approve,"; 			// DATES (datetime)
-		$sql.= " d.fk_user_author, d.fk_user_validator, d.fk_statut as status, d.fk_c_paiement,";
-		$sql.= " d.fk_user_valid, d.fk_user_approve,";
-		$sql.= " dp.libelle as libelle_paiement, dp.code as code_paiement";								// INNER JOIN paiement
-		$sql.= " FROM ".MAIN_DB_PREFIX.$this->table_element." as d LEFT JOIN ".MAIN_DB_PREFIX."c_paiement as dp ON d.fk_c_paiement = dp.id";
-		if ($ref) $sql.= " WHERE d.ref = '".$this->db->escape($ref)."'";
-		else $sql.= " WHERE d.rowid = ".$id;
-		$sql.= $restrict;
-
-		dol_syslog(get_class($this)."::fetch sql=".$sql, LOG_DEBUG);
-		$resql = $this->db->query($sql) ;
-		if ($resql)
-		{
-			$obj = $this->db->fetch_object($resql);
-			if ($obj)
-			{
-				$this->id       	= $obj->rowid;
-				$this->ref          = $obj->ref;
-				$this->total_ht 	= $obj->total_ht;
-				$this->total_tva 	= $obj->total_tva;
-				$this->total_ttc 	= $obj->total_ttc;
-				$this->note_public	= $obj->note_public;
-				$this->note_private	= $obj->note_private;
-				$this->detail_refuse = $obj->detail_refuse;
-				$this->detail_cancel = $obj->detail_cancel;
-
-				$this->date_debut		= $this->db->jdate($obj->date_debut);
-				$this->date_fin			= $this->db->jdate($obj->date_fin);
-				$this->date_valid		= $this->db->jdate($obj->date_valid);
-				$this->date_approve		= $this->db->jdate($obj->date_approve);
-				$this->date_create		= $this->db->jdate($obj->date_create);
-				$this->date_refuse		= $this->db->jdate($obj->date_refuse);
-				$this->date_cancel		= $this->db->jdate($obj->date_cancel);
-
-				$this->fk_user_author			= $obj->fk_user_author;
-				$this->fk_user_validator		= $obj->fk_user_validator;
-				$this->fk_user_valid			= $obj->fk_user_valid;
-				$this->fk_user_refuse			= $obj->fk_user_refuse;
-				$this->fk_user_cancel			= $obj->fk_user_cancel;
-				$this->fk_user_approve			= $obj->fk_user_approve;
-
-				$user_author = new User($this->db);
-				if ($this->fk_user_author > 0) $user_author->fetch($this->fk_user_author);
-
-				$this->user_author_infos = dolGetFirstLastname($user_author->firstname, $user_author->lastname);
-
-				$user_approver = new User($this->db);
-				if ($this->fk_user_validator > 0) $user_approver->fetch($this->fk_user_validator);
-				$this->user_validator_infos = dolGetFirstLastname($user_approver->firstname, $user_approver->lastname);
-
-				$this->fk_statut 				= $obj->status;
-				$this->status                   = $obj->status;
-				$this->fk_c_paiement			= $obj->fk_c_paiement;
-				$this->paid						= $obj->paid;
-
-				if ($this->fk_statut==5 || $this->fk_statut==6)
-				{
-					$user_valid = new User($this->db);
-					if ($this->fk_user_valid > 0) $user_valid->fetch($this->fk_user_valid);
-					$this->user_valid_infos = dolGetFirstLastname($user_valid->firstname, $user_valid->lastname);
-				}
-
-				$this->libelle_statut 	= $obj->libelle_statut;
-				$this->libelle_paiement = $obj->libelle_paiement;
-				$this->code_statut 		= $obj->code_statut;
-				$this->code_paiement 	= $obj->code_paiement;
-
-				$this->lignes = array();	// deprecated
-				$this->lines = array();
-
-				$result=$this->fetch_lines();
-
-				return $result;
-			}
-			else
-			{
-				return 0;
-			}
-		}
-		else
-		{
-			$this->error=$this->db->lasterror();
-			return -1;
-		}
-	}
+        return 1;
+    }
+
+    /**
+     * Create object in database
+     *
+     * @param   User    $user   User that create
+     * @return  int             <0 if KO, >0 if OK
+     */
+    function create($user)
+    {
+        global $conf;
+
+        $now = dol_now();
+
+        $this->db->begin();
+
+        $sql = "INSERT INTO ".MAIN_DB_PREFIX.$this->table_element." (";
+        $sql.= "ref";
+        $sql.= ",total_ht";
+        $sql.= ",total_ttc";
+        $sql.= ",total_tva";
+        $sql.= ",date_debut";
+        $sql.= ",date_fin";
+        $sql.= ",date_create";
+        $sql.= ",fk_user_author";
+        $sql.= ",fk_user_validator";
+        $sql.= ",fk_statut";
+        $sql.= ",fk_c_paiement";
+        $sql.= ",paid";
+        $sql.= ",note_public";
+        $sql.= ",note_private";
+        $sql.= ") VALUES(";
+        $sql.= "'(PROV)'";
+        $sql.= ", ".$this->total_ht;
+        $sql.= ", ".$this->total_ttc;
+        $sql.= ", ".$this->total_tva;
+        $sql.= ", '".$this->db->idate($this->date_debut)."'";
+        $sql.= ", '".$this->db->idate($this->date_fin)."'";
+        $sql.= ", '".$this->db->idate($now)."'";
+        $sql.= ", ".($user->id > 0 ? $user->id:"null");
+        $sql.= ", ".($this->fk_user_validator > 0 ? $this->fk_user_validator:"null");
+        $sql.= ", ".($this->fk_statut > 1 ? $this->fk_statut:0);
+        $sql.= ", ".($this->modepaymentid?$this->modepaymentid:"null");
+        $sql.= ", 0";
+        $sql.= ", ".($this->note_public?"'".$this->db->escape($this->note_public)."'":"null");
+        $sql.= ", ".($this->note_private?"'".$this->db->escape($this->note_private)."'":"null");
+        $sql.= ")";
+
+        dol_syslog(get_class($this)."::create sql=".$sql, LOG_DEBUG);
+        $result = $this->db->query($sql);
+        if ($result)
+        {
+            $this->id = $this->db->last_insert_id(MAIN_DB_PREFIX.$this->table_element);
+            $this->ref='(PROV'.$this->id.')';
+
+            $sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element." SET ref='".$this->ref."' WHERE rowid=".$this->id;
+            dol_syslog(get_class($this)."::create sql=".$sql);
+            $resql=$this->db->query($sql);
+            if (!$resql) $error++;
+
+            foreach ($this->lignes as $i => $val)
+            {
+                $newndfline=new ExpenseReportLine($this->db);
+                $newndfline=$this->lignes[$i];
+                $newndfline->fk_expensereport=$this->id;
+                if ($result >= 0)
+                {
+                    $result=$newndfline->insert();
+                }
+                if ($result < 0)
+                {
+                    $error++;
+                    break;
+                }
+            }
+
+            if (! $error)
+            {
+                $result=$this->update_price();
+                if ($result > 0)
+                {
+                    $this->db->commit();
+                    return $this->id;
+                }
+                else
+                {
+                    $this->db->rollback();
+                    return -3;
+                }
+            }
+            else
+            {
+                dol_syslog(get_class($this)."::create error ".$this->error, LOG_ERR);
+                $this->db->rollback();
+                return -2;
+            }
+        }
+        else
+        {
+            $this->error=$this->db->error()." sql=".$sql;
+            $this->db->rollback();
+            return -1;
+        }
+
+    }
+
+    /**
+     * update
+     *
+     * @param   User    $user       User making change
+     * @return  int                 <0 if KO, >0 if OK
+     */
+    function update($user)
+    {
+        global $langs;
+
+        $sql = "UPDATE ".MAIN_DB_PREFIX.$this->table_element." SET";
+        $sql.= " total_ht = ".$this->total_ht;
+        $sql.= " , total_ttc = ".$this->total_ttc;
+        $sql.= " , total_tva = ".$this->total_tva;
+        $sql.= " , date_debut = '".$this->db->idate($this->date_debut)."'";
+        $sql.= " , date_fin = '".$this->db->idate($this->date_fin)."'";
+        $sql.= " , fk_user_author = ".($user->id > 0 ? "'".$user->id."'":"null");
+        $sql.= " , fk_user_validator = ".($this->fk_user_validator > 0 ? $this->fk_user_validator:"null");
+        $sql.= " , fk_user_valid = ".($this->fk_user_valid > 0 ? $this->fk_user_valid:"null");
+        $sql.= " , fk_statut = ".($this->fk_statut >= 0 ? $this->fk_statut:'0');
+        $sql.= " , fk_c_paiement = ".($this->fk_c_paiement > 0 ? $this->fk_c_paiement:"null");
+        $sql.= " , note_public = ".(!empty($this->note_public)?"'".$this->db->escape($this->note_public)."'":"''");
+        $sql.= " , note_private = ".(!empty($this->note_private)?"'".$this->db->escape($this->note_private)."'":"''");
+        $sql.= " , detail_refuse = ".(!empty($this->detail_refuse)?"'".$this->db->escape($this->detail_refuse)."'":"''");
+        $sql.= " WHERE rowid = ".$this->id;
+
+        dol_syslog(get_class($this)."::update sql=".$sql, LOG_DEBUG);
+        $result = $this->db->query($sql);
+        if ($result)
+        {
+            return 1;
+        }
+        else
+        {
+            $this->error=$this->db->error();
+            return -1;
+        }
+    }
+
+    /**
+     *  Load an object from database
+     *
+     *  @param  int     $id     Id
+     *  @param  string  $ref    Ref
+     *  @return int             <0 if KO, >0 if OK
+     */
+    function fetch($id, $ref='')
+    {
+        global $conf;
+
+        $sql = "SELECT d.rowid, d.ref, d.note_public, d.note_private,";                                 // DEFAULT
+        $sql.= " d.detail_refuse, d.detail_cancel, d.fk_user_refuse, d.fk_user_cancel,";                // ACTIONS
+        $sql.= " d.date_refuse, d.date_cancel,";                                                        // ACTIONS
+        $sql.= " d.total_ht, d.total_ttc, d.total_tva,";                                                // TOTAUX (int)
+        $sql.= " d.date_debut, d.date_fin, d.date_create, d.date_valid, d.date_approve,";           // DATES (datetime)
+        $sql.= " d.fk_user_author, d.fk_user_validator, d.fk_statut as status, d.fk_c_paiement,";
+        $sql.= " d.fk_user_valid, d.fk_user_approve,";
+        $sql.= " dp.libelle as libelle_paiement, dp.code as code_paiement";                             // INNER JOIN paiement
+        $sql.= " FROM ".MAIN_DB_PREFIX.$this->table_element." as d LEFT JOIN ".MAIN_DB_PREFIX."c_paiement as dp ON d.fk_c_paiement = dp.id";
+        if ($ref) $sql.= " WHERE d.ref = '".$this->db->escape($ref)."'";
+        else $sql.= " WHERE d.rowid = ".$id;
+        $sql.= $restrict;
+
+        dol_syslog(get_class($this)."::fetch sql=".$sql, LOG_DEBUG);
+        $resql = $this->db->query($sql) ;
+        if ($resql)
+        {
+            $obj = $this->db->fetch_object($resql);
+            if ($obj)
+            {
+                $this->id           = $obj->rowid;
+                $this->ref          = $obj->ref;
+                $this->total_ht     = $obj->total_ht;
+                $this->total_tva    = $obj->total_tva;
+                $this->total_ttc    = $obj->total_ttc;
+                $this->note_public  = $obj->note_public;
+                $this->note_private = $obj->note_private;
+                $this->detail_refuse = $obj->detail_refuse;
+                $this->detail_cancel = $obj->detail_cancel;
+
+                $this->date_debut       = $this->db->jdate($obj->date_debut);
+                $this->date_fin         = $this->db->jdate($obj->date_fin);
+                $this->date_valid       = $this->db->jdate($obj->date_valid);
+                $this->date_approve     = $this->db->jdate($obj->date_approve);
+                $this->date_create      = $this->db->jdate($obj->date_create);
+                $this->date_refuse      = $this->db->jdate($obj->date_refuse);
+                $this->date_cancel      = $this->db->jdate($obj->date_cancel);
+
+                $this->fk_user_author           = $obj->fk_user_author;
+                $this->fk_user_validator        = $obj->fk_user_validator;
+                $this->fk_user_valid            = $obj->fk_user_valid;
+                $this->fk_user_refuse           = $obj->fk_user_refuse;
+                $this->fk_user_cancel           = $obj->fk_user_cancel;
+                $this->fk_user_approve          = $obj->fk_user_approve;
+
+                $user_author = new User($this->db);
+                if ($this->fk_user_author > 0) $user_author->fetch($this->fk_user_author);
+
+                $this->user_author_infos = dolGetFirstLastname($user_author->firstname, $user_author->lastname);
+
+                $user_approver = new User($this->db);
+                if ($this->fk_user_validator > 0) $user_approver->fetch($this->fk_user_validator);
+                $this->user_validator_infos = dolGetFirstLastname($user_approver->firstname, $user_approver->lastname);
+
+                $this->fk_statut                = $obj->status;
+                $this->status                   = $obj->status;
+                $this->fk_c_paiement            = $obj->fk_c_paiement;
+                $this->paid                     = $obj->paid;
+
+                if ($this->fk_statut==5 || $this->fk_statut==6)
+                {
+                    $user_valid = new User($this->db);
+                    if ($this->fk_user_valid > 0) $user_valid->fetch($this->fk_user_valid);
+                    $this->user_valid_infos = dolGetFirstLastname($user_valid->firstname, $user_valid->lastname);
+                }
+
+                $this->libelle_statut   = $obj->libelle_statut;
+                $this->libelle_paiement = $obj->libelle_paiement;
+                $this->code_statut      = $obj->code_statut;
+                $this->code_paiement    = $obj->code_paiement;
+
+                $this->lignes = array();    // deprecated
+                $this->lines = array();
+
+                $result=$this->fetch_lines();
+
+                return $result;
+            }
+            else
+            {
+                return 0;
+            }
+        }
+        else
+        {
+            $this->error=$this->db->lasterror();
+            return -1;
+        }
+    }
+
+    /**
+     *    Classify the expense report as paid
+     *
+     *    @param    int     $id                 Id of expense report
+     *    @param    user    $fuser              User making change
+     *    @return   int                         <0 if KO, >0 if OK
+     */
+    function set_paid($id, $fuser)
+    {
+        $sql = "UPDATE ".MAIN_DB_PREFIX."expensereport";
+        $sql.= " SET fk_statut = 6";
+        $sql.= " WHERE rowid = ".$id." AND fk_statut = 5";
+
+        dol_syslog(get_class($this)."::set_paid sql=".$sql, LOG_DEBUG);
+        $resql=$this->db->query($sql);
+        if ($resql)
+        {
+            if ($this->db->affected_rows($resql))
+            {
+                return 1;
+            }
+            else
+            {
+                return 0;
+            }
+        }
+        else
+        {
+            dol_print_error($this->db);
+            return -1;
+        }
+    }
+
+    /**
+     *  Returns the label status
+     *
+     *  @param      int     $mode       0=long label, 1=short label, 2=Picto + short label, 3=Picto, 4=Picto + long label, 5=Short label + Picto
+     *  @return     string              Label
+     */
+    function getLibStatut($mode=0)
+    {
+        return $this->LibStatut($this->status,$mode);
+    }
+
+    /**
+     *  Returns the label of a statut
+     *
+     *  @param      int     $status     id statut
+     *  @param      int     $mode       0=long label, 1=short label, 2=Picto + short label, 3=Picto, 4=Picto + long label, 5=Short label + Picto
+     *  @return     string              Label
+     */
+    function LibStatut($status,$mode=0)
+    {
+        global $langs;
+
+        if ($mode == 0)
+            return $langs->trans($this->statuts[$status]);
+
+        if ($mode == 1)
+            return $langs->trans($this->statuts_short[$status]);
+
+        if ($mode == 2)
+            return img_picto($langs->trans($this->statuts_short[$status]), $this->statuts_logo[$status]).' '.$langs->trans($this->statuts_short[$status]);
+
+        if ($mode == 3)
+            return img_picto($langs->trans($this->statuts_short[$status]), $this->statuts_logo[$status]);
+
+        if ($mode == 4)
+            return img_picto($langs->trans($this->statuts_short[$status]),$this->statuts_logo[$status]).' '.$langs->trans($this->statuts[$status]);
+
+        if ($mode == 5)
+            return '<span class="hideonsmartphone">'.$langs->trans($this->statuts_short[$status]).' </span>'.img_picto($langs->trans($this->statuts_short[$status]),$this->statuts_logo[$status]);
+
+    }
+
+
+    /**
+     *  Load information on object
+     *
+     *  @param  int     $id      Id of object
+     *  @return void
+     */
+    function info($id)
+    {
+        global $conf;
+
+        $sql = "SELECT f.rowid,";
+        $sql.= " f.date_create as datec,";
+        $sql.= " f.tms as date_modification,";
+        $sql.= " f.date_valid as datev,";
+        $sql.= " f.date_approve as datea,";
+        $sql.= " f.fk_user_author as fk_user_creation,";
+        $sql.= " f.fk_user_modif as fk_user_modification,";
+        $sql.= " f.fk_user_valid,";
+        $sql.= " f.fk_user_approve";
+        $sql.= " FROM ".MAIN_DB_PREFIX."expensereport as f";
+        $sql.= " WHERE f.rowid = ".$id;
+        $sql.= " AND f.entity = ".$conf->entity;
+
+        $resql = $this->db->query($sql);
+        if ($resql)
+        {
+            if ($this->db->num_rows($resql))
+            {
+                $obj = $this->db->fetch_object($resql);
+
+                $this->id                = $obj->rowid;
+
+                $this->date_creation     = $this->db->jdate($obj->datec);
+                $this->date_modification = $this->db->jdate($obj->date_modification);
+                $this->date_validation   = $this->db->jdate($obj->datev);
+                $this->date_approbation  = $this->db->jdate($obj->datea);
+
+                $cuser = new User($this->db);
+                $cuser->fetch($obj->fk_user_author);
+                $this->user_creation     = $cuser;
+
+                if ($obj->fk_user_creation)
+                {
+                    $cuser = new User($this->db);
+                    $cuser->fetch($obj->fk_user_creation);
+                    $this->user_creation     = $cuser;
+                }
+                if ($obj->fk_user_valid)
+                {
+                    $vuser = new User($this->db);
+                    $vuser->fetch($obj->fk_user_valid);
+                    $this->user_validation     = $vuser;
+                }
+                if ($obj->fk_user_modification)
+                {
+                    $muser = new User($this->db);
+                    $muser->fetch($obj->fk_user_modification);
+                    $this->user_modification   = $muser;
+                }
+
+            }
+            $this->db->free($resql);
+        }
+        else
+        {
+            dol_print_error($this->db);
+        }
+    }
+
+
+
+    /**
+     *  Initialise an instance with random values.
+     *  Used to build previews or test instances.
+     *  id must be 0 if object instance is a specimen.
+     *
+     *  @return void
+     */
+    function initAsSpecimen()
+    {
+        global $user,$langs,$conf;
+
+        $now=dol_now();
+
+        // Initialise parametres
+        $this->id=0;
+        $this->ref = 'SPECIMEN';
+        $this->specimen=1;
+        $this->date_create = $now;
+        $this->date_debut = $now;
+        $this->date_fin = $now;
+        $this->date_approve = $now;
+
+        $this->status = 5;
+        $this->fk_statut = 5;
+
+        $this->fk_user_author = $user->id;
+        $this->fk_user_valid = $user->id;
+        $this->fk_user_approve = $user->id;
+        $this->fk_user_validator = $user->id;
+
+        $this->note_private='Private note';
+        $this->note_public='SPECIMEN';
+        $nbp = 5;
+        $xnbp = 0;
+        while ($xnbp < $nbp)
+        {
+            $line=new ExpenseReportLine($this->db);
+            $line->comments=$langs->trans("Comment")." ".$xnbp;
+            $line->date=($now-3600*(1+$xnbp));
+            $line->total_ht=100;
+            $line->total_tva=20;
+            $line->total_ttc=120;
+            $line->qty=1;
+            $line->vatrate=20;
+            $line->value_unit=120;
+            $line->fk_expensereport=0;
+            $line->type_fees_code='TRA';
+
+            $line->projet_ref = 'ABC';
+
+            $this->lines[$xnbp]=$line;
+            $xnbp++;
+
+            $this->total_ht+=$line->total_ht;
+            $this->total_tva+=$line->total_tva;
+            $this->total_ttc+=$line->total_ttc;
+        }
+    }
+
+    /**
+     * fetch_line_by_project
+     *
+     * @param   int     $projectid      Project id
+     * @param   User    $user           User
+     * @return  int                     <0 if KO, >0 if OK
+     */
+    function fetch_line_by_project($projectid,$user='')
+    {
+        global $conf,$db,$langs;
+
+        $langs->load('trips');
+
+        if($user->rights->expensereport->lire) {
+
+            $sql = "SELECT de.fk_expensereport, de.date, de.comments, de.total_ht, de.total_ttc";
+            $sql.= " FROM ".MAIN_DB_PREFIX."expensereport_det as de";
+            $sql.= " WHERE de.fk_projet = ".$projectid;
+
+            dol_syslog(get_class($this)."::fetch sql=".$sql, LOG_DEBUG);
+            $result = $db->query($sql) ;
+            if ($result)
+            {
+                $num = $db->num_rows($result);
+                $i = 0;
+                $total_HT = 0;
+                $total_TTC = 0;
+
+                while ($i < $num)
+                {
+
+                    $objp = $db->fetch_object($result);
+
+                    $sql2 = "SELECT d.rowid, d.fk_user_author, d.ref, d.fk_statut";
+                    $sql2.= " FROM ".MAIN_DB_PREFIX."expensereport as d";
+                    $sql2.= " WHERE d.rowid = '".$objp->fk_expensereport."'";
+
+                    $result2 = $db->query($sql2);
+                    $obj = $db->fetch_object($result2);
+
+                    $objp->fk_user_author = $obj->fk_user_author;
+                    $objp->ref = $obj->ref;
+                    $objp->fk_c_expensereport_status = $obj->fk_statut;
+                    $objp->rowid = $obj->rowid;
+
+                    $total_HT = $total_HT + $objp->total_ht;
+                    $total_TTC = $total_TTC + $objp->total_ttc;
+                    $author = new User($db);
+                    $author->fetch($objp->fk_user_author);
+
+                    print '<tr>';
+                    print '<td><a href="'.DOL_URL_ROOT.'/expensereport/card.php?id='.$objp->rowid.'">'.$objp->ref_num.'</a></td>';
+                    print '<td align="center">'.dol_print_date($objp->date,'day').'</td>';
+                    print '<td>'.$author->getNomUrl().'</td>';
+                    print '<td>'.$objp->comments.'</td>';
+                    print '<td align="right">'.price($objp->total_ht).'</td>';
+                    print '<td align="right">'.price($objp->total_ttc).'</td>';
+                    print '<td align="right">';
+
+                    switch($objp->fk_c_expensereport_status) {
+                        case 4:
+                            print img_picto($langs->trans('StatusOrderCanceled'),'statut5');
+                            break;
+                        case 1:
+                            print $langs->trans('Draft').' '.img_picto($langs->trans('Draft'),'statut0');
+                            break;
+                        case 2:
+                            print $langs->trans('TripForValid').' '.img_picto($langs->trans('TripForValid'),'statut3');
+                            break;
+                        case 5:
+                            print $langs->trans('TripForPaid').' '.img_picto($langs->trans('TripForPaid'),'statut3');
+                            break;
+                        case 6:
+                            print $langs->trans('TripPaid').' '.img_picto($langs->trans('TripPaid'),'statut4');
+                            break;
+                    }
+                    /*
+                     if ($status==4) return img_picto($langs->trans('StatusOrderCanceled'),'statut5');
+                    if ($status==1) return img_picto($langs->trans('StatusOrderDraft'),'statut0');
+                    if ($status==2) return img_picto($langs->trans('StatusOrderValidated'),'statut1');
+                    if ($status==2) return img_picto($langs->trans('StatusOrderOnProcess'),'statut3');
+                    if ($status==5) return img_picto($langs->trans('StatusOrderToBill'),'statut4');
+                    if ($status==6) return img_picto($langs->trans('StatusOrderOnProcess'),'statut6');
+                    */
+                    print '</td>';
+                    print '</tr>';
+
+                    $i++;
+                }
+
+                print '<tr class="liste_total"><td colspan="4">'.$langs->trans("Number").': '.$i.'</td>';
+                print '<td align="right" width="100">'.$langs->trans("TotalHT").' : '.price($total_HT).'</td>';
+                print '<td align="right" width="100">'.$langs->trans("TotalTTC").' : '.price($total_TTC).'</td>';
+                print '<td>&nbsp;</td>';
+                print '</tr>';
+
+            }
+            else
+            {
+                $this->error=$db->error();
+                return -1;
+            }
+        }
+
+    }
+
+    /**
+     * recalculer
+     * TODO Replace this with call to update_price if not already done
+     *
+     * @param   int         $id     Id of expense report
+     * @return  int                 <0 if KO, >0 if OK
+     */
+    function recalculer($id)
+    {
+        $sql = 'SELECT tt.total_ht, tt.total_ttc, tt.total_tva';
+        $sql.= ' FROM '.MAIN_DB_PREFIX.$this->table_element_line.' as tt';
+        $sql.= ' WHERE tt.'.$this->fk_element.' = '.$id;
+
+        $total_ht = 0; $total_tva = 0; $total_ttc = 0;
+
+        dol_syslog('ExpenseReport::recalculer sql='.$sql,LOG_DEBUG);
+
+        $result = $this->db->query($sql);
+        if($result)
+        {
+            $num = $this->db->num_rows($result);
+            $i = 0;
+            while ($i < $num):
+            $objp = $this->db->fetch_object($result);
+            $total_ht+=$objp->total_ht;
+            $total_tva+=$objp->total_tva;
+            $i++;
+            endwhile;
+
+            $total_ttc = $total_ht + $total_tva;
+            $sql = "UPDATE ".MAIN_DB_PREFIX.$this->table_element." SET";
+            $sql.= " total_ht = ".$total_ht;
+            $sql.= " , total_ttc = ".$total_ttc;
+            $sql.= " , total_tva = ".$total_tva;
+            $sql.= " WHERE rowid = ".$id;
+            $result = $this->db->query($sql);
+            if($result):
+            $this->db->free($result);
+            return 1;
+            else:
+            $this->error=$this->db->error();
+            dol_syslog('ExpenseReport::recalculer: Error '.$this->error,LOG_ERR);
+            return -3;
+            endif;
+        }
+        else
+        {
+            $this->error=$this->db->error();
+            dol_syslog('ExpenseReport::recalculer: Error '.$this->error,LOG_ERR);
+            return -3;
+        }
+    }
+
+    /**
+     * fetch_lines
+     *
+     * @return  int     <0 if OK, >0 if KO
+     */
+    function fetch_lines()
+    {
+        $this->lines=array();
+
+        $sql = ' SELECT de.rowid, de.comments, de.qty, de.value_unit, de.date,';
+        $sql.= ' de.'.$this->fk_element.', de.fk_c_type_fees, de.fk_projet, de.tva_tx as vatrate,';
+        $sql.= ' de.total_ht, de.total_tva, de.total_ttc,';
+        $sql.= ' ctf.code as code_type_fees, ctf.label as libelle_type_fees,';
+        $sql.= ' p.ref as ref_projet, p.title as title_projet';
+        $sql.= ' FROM '.MAIN_DB_PREFIX.$this->table_element_line.' as de';
+        $sql.= ' INNER JOIN '.MAIN_DB_PREFIX.'c_type_fees as ctf ON de.fk_c_type_fees = ctf.id';
+        $sql.= ' LEFT JOIN '.MAIN_DB_PREFIX.'projet as p ON de.fk_projet = p.rowid';
+        $sql.= ' WHERE de.'.$this->fk_element.' = '.$this->id;
+
+        dol_syslog('ExpenseReport::fetch_lines sql='.$sql, LOG_DEBUG);
+        $resql = $this->db->query($sql);
+        if ($resql)
+        {
+            $num = $this->db->num_rows($resql);
+            $i = 0;
+            while ($i < $num)
+            {
+                $objp = $this->db->fetch_object($resql);
+
+                $deplig = new ExpenseReportLine($this->db);
+
+                $deplig->rowid          = $objp->rowid;
+                $deplig->comments       = $objp->comments;
+                $deplig->qty            = $objp->qty;
+                $deplig->value_unit     = $objp->value_unit;
+                $deplig->date           = $objp->date;
+
+                $deplig->fk_expensereport = $objp->fk_expensereport;
+                $deplig->fk_c_type_fees = $objp->fk_c_type_fees;
+                $deplig->fk_projet      = $objp->fk_projet;
+
+                $deplig->total_ht       = $objp->total_ht;
+                $deplig->total_tva      = $objp->total_tva;
+                $deplig->total_ttc      = $objp->total_ttc;
+
+                $deplig->type_fees_code     = $objp->code_type_fees;
+                $deplig->type_fees_libelle  = $objp->libelle_type_fees;
+                $deplig->vatrate            = $objp->vatrate;
+                $deplig->projet_ref         = $objp->ref_projet;
+                $deplig->projet_title       = $objp->title_projet;
+
+                $this->lignes[$i] = $deplig;
+                $this->lines[$i] = $deplig;
+
+                $i++;
+            }
+            $this->db->free($resql);
+            return 1;
+        }
+        else
+        {
+            $this->error=$this->db->lasterror();
+            dol_syslog('ExpenseReport::fetch_lines: Error '.$this->error, LOG_ERR);
+            return -3;
+        }
+    }
+
+
+    /**
+     * delete
+     *
+     * @param   int     $rowid      Id to delete (optional)
+     * @param   User    $fuser      User that delete
+     * @return  int                 <0 if KO, >0 if OK
+     */
+    function delete($rowid=0, User $fuser=null)
+    {
+        global $user,$langs,$conf;
+
+        if (! $rowid) $rowid=$this->id;
+
+        $sql = 'DELETE FROM '.MAIN_DB_PREFIX.$this->table_element_line.' WHERE '.$this->fk_element.' = '.$rowid;
+        if ($this->db->query($sql))
+        {
+            $sql = 'DELETE FROM '.MAIN_DB_PREFIX.$this->table_element.' WHERE rowid = '.$rowid;
+            $resql=$this->db->query($sql);
+            if ($resql)
+            {
+                $this->db->commit();
+                return 1;
+            }
+            else
+            {
+                $this->error=$this->db->error()." sql=".$sql;
+                dol_syslog("ExpenseReport.class::delete ".$this->error, LOG_ERR);
+                $this->db->rollback();
+                return -6;
+            }
+        }
+        else
+        {
+            $this->error=$this->db->error()." sql=".$sql;
+            dol_syslog("ExpenseReport.class::delete ".$this->error, LOG_ERR);
+            $this->db->rollback();
+            return -4;
+        }
+    }
+
+    /**
+     * Set to status validate
+     *
+     * @param   User    $fuser      User
+     * @return  int                 <0 if KO, >0 if OK
+     */
+    function setValidate($fuser)
+    {
+        global $conf,$langs;
+
+        $expld_car = (empty($conf->global->NDF_EXPLODE_CHAR))?"-":$conf->global->NDF_EXPLODE_CHAR;
+
+        // Sélection du numéro de ref suivant
+        $ref_next = $this->getNextNumRef();
+        $ref_number_int = ($this->ref+1)-1;
+
+        // Sélection de la date de début de la NDF
+        $sql = 'SELECT date_debut';
+        $sql.= ' FROM '.MAIN_DB_PREFIX.$this->table_element;
+        $sql.= ' WHERE rowid = '.$this->id;
+        $result = $this->db->query($sql);
+        $objp = $this->db->fetch_object($result);
+        $this->date_debut = $this->db->jdate($objp->date_debut);
+
+        // Création du ref_number suivant
+        if($ref_next)
+        {
+            $prefix="ER";
+            if (! empty($conf->global->EXPENSE_REPORT_PREFIX)) $prefix=$conf->global->EXPENSE_REPORT_PREFIX;
+            $this->ref = strtoupper($fuser->login).$expld_car.$prefix.$this->ref.$expld_car.dol_print_date($this->date_debut,'%y%m%d');
+        }
+
+        if ($this->fk_statut != 2)
+        {
+            $sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element;
+            $sql.= " SET ref = '".$this->ref."', fk_statut = 2, fk_user_valid = ".$fuser->id.",";
+            $sql.= " ref_number_int = ".$ref_number_int;
+            $sql.= ' WHERE rowid = '.$this->id;
+
+            dol_syslog(get_class($this)."::set_save sql=".$sql, LOG_DEBUG);
+
+            if ($this->db->query($sql))
+            {
+                return 1;
+            }
+            else
+            {
+                $this->error=$this->db->error();
+                return -1;
+            }
+        }
+        else
+        {
+            dol_syslog(get_class($this)."::set_save expensereport already with save status", LOG_WARNING);
+        }
+    }
+
+    /**
+     * set_save_from_refuse
+     *
+     * @param   User    $fuser      User
+     * @return  int                 <0 if KO, >0 if OK
+     */
+    function set_save_from_refuse($fuser)
+    {
+        global $conf,$langs;
+
+        // Sélection de la date de début de la NDF
+        $sql = 'SELECT date_debut';
+        $sql.= ' FROM '.MAIN_DB_PREFIX.$this->table_element;
+        $sql.= ' WHERE rowid = '.$this->id;
+
+        $result = $this->db->query($sql);
+
+        $objp = $this->db->fetch_object($result);
+
+        $this->date_debut = $this->db->jdate($objp->date_debut);
+
+        if ($this->fk_statut != 2)
+        {
+            $sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element;
+            $sql.= " SET fk_statut = 2";
+            $sql.= ' WHERE rowid = '.$this->id;
+
+            dol_syslog(get_class($this)."::set_save_from_refuse sql=".$sql, LOG_DEBUG);
+
+            if ($this->db->query($sql))
+            {
+                return 1;
+            }
+            else
+            {
+                $this->error=$this->db->lasterror();
+                return -1;
+            }
+        }
+        else
+        {
+            dol_syslog(get_class($this)."::set_save_from_refuse expensereport already with save status", LOG_WARNING);
+        }
+    }
+
+    /**
+     * Set status to approved
+     *
+     * @param   User    $fuser      User
+     * @return  int                 <0 if KO, >0 if OK
+     */
+    function setApproved($fuser)
+    {
+        $now=dol_now();
+
+        // date approval
+        $this->date_approve = $this->db->idate($now);
+        if ($this->fk_statut != 5)
+        {
+            $sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element;
+            $sql.= " SET ref = '".$this->ref."', fk_statut = 5, fk_user_approve = ".$fuser->id.",";
+            $sql.= " date_approve='".$this->date_approve."'";
+            $sql.= ' WHERE rowid = '.$this->id;
+            if ($this->db->query($sql))
+            {
+                return 1;
+            }
+            else
+            {
+                $this->error=$this->db->lasterror();
+                return -1;
+            }
+        }
+        else
+        {
+            dol_syslog(get_class($this)."::set_valide expensereport already with valide status", LOG_WARNING);
+        }
+    }
+
+    /**
+     * setDeny
+     *
+     * @param User      $fuser      User
+     * @param Details   $details    Details
+     */
+    function setDeny($fuser,$details)
+    {
+        $now = dol_now();
+
+        // date de refus
+        if ($this->fk_statut != 99)
+        {
+            $sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element;
+            $sql.= " SET ref = '".$this->ref."', fk_statut = 99, fk_user_refuse = ".$fuser->id.",";
+            $sql.= " date_refuse='".$this->db->idate($now)."',";
+            $sql.= " detail_refuse='".$this->db->escape($details)."'";
+            $sql.= " fk_user_approve=NULL,";
+            $sql.= ' WHERE rowid = '.$this->id;
+            if ($this->db->query($sql))
+            {
+                $this->fk_statut = 99;
+                $this->fk_user_refuse = $fuser->id;
+                $this->detail_refuse = $details;
+                $this->date_refuse = $now;
+                return 1;
+            }
+            else
+            {
+                $this->error=$this->db->lasterror();
+                return -1;
+            }
+        }
+        else
+        {
+            dol_syslog(get_class($this)."::setDeny expensereport already with refuse status", LOG_WARNING);
+        }
+    }
 
     /**
-     *    Classify the expense report as paid
+     * set_unpaid
      *
-     *    @param	int		$id           	    Id of expense report
-     *    @param	user	$fuser				User making change
-	 *    @return   int      					<0 if KO, >0 if OK
+     * @param   User    $fuser      User
+     * @return  int                 <0 if KO, >0 if OK
      */
-    function set_paid($id, $fuser)
+    function set_unpaid($fuser)
     {
-        $sql = "UPDATE ".MAIN_DB_PREFIX."expensereport";
-		$sql.= " SET fk_statut = 6";
-        $sql.= " WHERE rowid = ".$id." AND fk_statut = 5";
+        if ($this->fk_c_deplacement_statuts != 5)
+        {
+            $sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element;
+            $sql.= " SET fk_statut = 5";
+            $sql.= ' WHERE rowid = '.$this->id;
 
-		dol_syslog(get_class($this)."::set_paid sql=".$sql, LOG_DEBUG);
-        $resql=$this->db->query($sql);
-        if ($resql)
+            dol_syslog(get_class($this)."::set_unpaid sql=".$sql, LOG_DEBUG);
+
+            if ($this->db->query($sql)):
+            return 1;
+            else:
+            $this->error=$this->db->error();
+            return -1;
+            endif;
+        }
+        else
         {
-            if ($this->db->affected_rows($resql))
+            dol_syslog(get_class($this)."::set_unpaid expensereport already with unpaid status", LOG_WARNING);
+        }
+    }
+
+    /**
+     * set_cancel
+     *
+     * @param   User    $fuser      User
+     * @param   string  $detail     Detail
+     * @return  int                 <0 if KO, >0 if OK
+     */
+    function set_cancel($fuser,$detail)
+    {
+        $this->date_cancel = $this->db->idate(gmmktime());
+        if ($this->fk_statut != 4)
+        {
+            $sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element;
+            $sql.= " SET fk_statut = 4, fk_user_cancel = ".$fuser->id;
+            $sql.= ", date_cancel='".$this->date_cancel."'";
+            $sql.= " ,detail_cancel='".$this->db->escape($detail)."'";
+            $sql.= ' WHERE rowid = '.$this->id;
+
+            dol_syslog(get_class($this)."::set_cancel sql=".$sql, LOG_DEBUG);
+
+            if ($this->db->query($sql))
+            {
+                return 1;
+            }
+            else
+            {
+                $this->error=$this->db->error();
+                return -1;
+            }
+        }
+        else
+        {
+            dol_syslog(get_class($this)."::set_cancel expensereport already with cancel status", LOG_WARNING);
+        }
+    }
+
+    /**
+     * Return next reference of expense report not already used
+     *
+     * @return    string            free ref
+     */
+    function getNextNumRef()
+    {
+        global $conf;
+
+        $expld_car = (empty($conf->global->NDF_EXPLODE_CHAR))?"-":$conf->global->NDF_EXPLODE_CHAR;
+        $num_car = (empty($conf->global->NDF_NUM_CAR_REF))?"5":$conf->global->NDF_NUM_CAR_REF;
+
+        $sql = 'SELECT de.ref_number_int';
+        $sql.= ' FROM '.MAIN_DB_PREFIX.$this->table_element.' de';
+        $sql.= ' ORDER BY de.ref_number_int DESC';
+
+        $result = $this->db->query($sql);
+
+        if($this->db->num_rows($result) > 0):
+        $objp = $this->db->fetch_object($result);
+        $this->ref = $objp->ref_number_int;
+        $this->ref++;
+        while(strlen($this->ref) < $num_car):
+        $this->ref = "0".$this->ref;
+        endwhile;
+        else:
+        $this->ref = 1;
+        while(strlen($this->ref) < $num_car):
+        $this->ref = "0".$this->ref;
+        endwhile;
+        endif;
+
+        if ($result):
+        return 1;
+        else:
+        $this->error=$this->db->error();
+        return -1;
+        endif;
+    }
+
+    /**
+     *  Return clicable name (with picto eventually)
+     *
+     *  @param      int     $withpicto      0=No picto, 1=Include picto into link, 2=Only picto
+     *  @return     string                  String with URL
+     */
+    function getNomUrl($withpicto=0)
+    {
+        global $langs;
+
+        $result='';
+
+        $link = '<a href="'.DOL_URL_ROOT.'/expensereport/card.php?id='.$this->id.'">';
+        $linkend='</a>';
+
+        $picto='trip';
+
+        $label=$langs->trans("Show").': '.$this->ref;
+
+        if ($withpicto) $result.=($link.img_object($label,$picto).$linkend);
+        if ($withpicto && $withpicto != 2) $result.=' ';
+        if ($withpicto != 2) $result.=$link.$this->ref.$linkend;
+        return $result;
+    }
+
+    /**
+     *  Update total of an expense report when you add a line.
+     *
+     *  @param    string    $ligne_total_ht    Amount without taxes
+     *  @param    string    $ligne_total_tva    Amount of all taxes
+     *  @return    void
+     */
+    function update_totaux_add($ligne_total_ht,$ligne_total_tva)
+    {
+        $this->total_ht = $this->total_ht + $ligne_total_ht;
+        $this->total_tva = $this->total_tva + $ligne_total_tva;
+        $this->total_ttc = $this->total_ht + $this->total_tva;
+
+        $sql = "UPDATE ".MAIN_DB_PREFIX.$this->table_element." SET";
+        $sql.= " total_ht = ".$this->total_ht;
+        $sql.= " , total_ttc = ".$this->total_ttc;
+        $sql.= " , total_tva = ".$this->total_tva;
+        $sql.= " WHERE rowid = ".$this->id;
+
+        $result = $this->db->query($sql);
+        if ($result):
+        return 1;
+        else:
+        $this->error=$this->db->error();
+        return -1;
+        endif;
+    }
+
+    /**
+     *  Update total of an expense report when you delete a line.
+     *
+     *  @param    string    $ligne_total_ht    Amount without taxes
+     *  @param    string    $ligne_total_tva    Amount of all taxes
+     *  @return    void
+     */
+    function update_totaux_del($ligne_total_ht,$ligne_total_tva)
+    {
+        $this->total_ht = $this->total_ht - $ligne_total_ht;
+        $this->total_tva = $this->total_tva - $ligne_total_tva;
+        $this->total_ttc = $this->total_ht + $this->total_tva;
+
+        $sql = "UPDATE ".MAIN_DB_PREFIX.$this->table_element." SET";
+        $sql.= " total_ht = ".$this->total_ht;
+        $sql.= " , total_ttc = ".$this->total_ttc;
+        $sql.= " , total_tva = ".$this->total_tva;
+        $sql.= " WHERE rowid = ".$this->id;
+
+        $result = $this->db->query($sql);
+        if ($result):
+        return 1;
+        else:
+        $this->error=$this->db->error();
+        return -1;
+        endif;
+    }
+
+
+    /**
+     * updateline
+     *
+     * @param   int         $rowid                  Line to edit
+     * @param   int         $type_fees_id           Type payment
+     * @param   int         $projet_id              Project id
+     * @param   double      $vatrate                Vat rate
+     * @param   string      $comments               Description
+     * @param   real        $qty                    Qty
+     * @param   double      $value_unit             Value init
+     * @param   int         $date                   Date
+     * @param   int         $expensereport_id       Expense report id
+     * @return  int                                 <0 if KO, >0 if OK
+     */
+    function updateline($rowid, $type_fees_id, $projet_id, $vatrate, $comments, $qty, $value_unit, $date, $expensereport_id)
+    {
+        global $user;
+
+        if ($this->fk_statut==0 || $this->fk_statut==99)
+        {
+            $this->db->begin();
+
+            // calcul de tous les totaux de la ligne
+            $total_ttc  = price2num($qty*$value_unit, 'MT');
+
+            $tx_tva = $vatrate / 100;
+            $tx_tva = $tx_tva + 1;
+            $total_ht   = price2num($total_ttc/$tx_tva, 'MT');
+
+            $total_tva = price2num($total_ttc - $total_ht, 'MT');
+            // fin calculs
+
+            $ligne = new ExpenseReportLine($this->db);
+            $ligne->comments        = $comments;
+            $ligne->qty             = $qty;
+            $ligne->value_unit      = $value_unit;
+            $ligne->date            = $date;
+
+            $ligne->fk_expensereport= $expensereport_id;
+            $ligne->fk_c_type_fees  = $type_fees_id;
+            $ligne->fk_projet       = $projet_id;
+
+            $ligne->total_ht        = $total_ht;
+            $ligne->total_tva       = $total_tva;
+            $ligne->total_ttc       = $total_ttc;
+            $ligne->vatrate         = price2num($vatrate);
+            $ligne->rowid           = $rowid;
+
+            // Select des infos sur le type fees
+            $sql = "SELECT c.code as code_type_fees, c.label as libelle_type_fees";
+            $sql.= " FROM ".MAIN_DB_PREFIX."c_type_fees as c";
+            $sql.= " WHERE c.id = ".$type_fees_id;
+            $result = $this->db->query($sql);
+            $objp_fees = $this->db->fetch_object($result);
+            $ligne->type_fees_code      = $objp_fees->code_type_fees;
+            $ligne->type_fees_libelle   = $objp_fees->libelle_type_fees;
+
+            // Select des informations du projet
+            $sql = "SELECT p.ref as ref_projet, p.title as title_projet";
+            $sql.= " FROM ".MAIN_DB_PREFIX."projet as p";
+            $sql.= " WHERE p.rowid = ".$projet_id;
+            $result = $this->db->query($sql);
+            $objp_projet = $this->db->fetch_object($result);
+            $ligne->projet_ref          = $objp_projet->ref_projet;
+            $ligne->projet_title        = $objp_projet->title_projet;
+
+            $result = $ligne->update($user);
+            if ($result > 0)
             {
+                $this->db->commit();
                 return 1;
             }
             else
+            {
+                $this->error=$ligne->error;
+                $this->errors=$ligne->errors;
+                $this->db->rollback();
+                return -2;
+            }
+        }
+    }
+
+    /**
+     * deleteline
+     *
+     * @param   int     $rowid      Row id
+     * @param   User    $fuser      User
+     * @return  int                 <0 if KO, >0 if OK
+     */
+    function deleteline($rowid, $fuser='')
+    {
+        $this->db->begin();
+
+        $sql = 'DELETE FROM '.MAIN_DB_PREFIX.$this->table_element_line;
+        $sql.= ' WHERE rowid = '.$rowid;
+
+        dol_syslog(get_class($this)."::deleteline sql=".$sql);
+        $result = $this->db->query($sql);
+        if (!$result)
+        {
+            $this->error=$this->db->error();
+            dol_syslog(get_class($this)."::deleteline  Error ".$this->error, LOG_ERR);
+            $this->db->rollback();
+            return -1;
+        }
+
+        $this->db->commit();
+
+        return 1;
+    }
+
+    /**
+     * periode_existe
+     *
+     * @param   User    $fuser          User
+     * @param   Date    $date_debut     Start date
+     * @param   Date    $date_fin       End date
+     * @return  int                     <0 if KO, >0 if OK
+     */
+    function periode_existe($fuser, $date_debut, $date_fin)
+    {
+        $sql = "SELECT rowid, date_debut, date_fin";
+        $sql.= " FROM ".MAIN_DB_PREFIX.$this->table_element;
+        $sql.= " WHERE fk_user_author = '{$fuser->id}'";
+
+        dol_syslog(get_class($this)."::periode_existe sql=".$sql);
+        $result = $this->db->query($sql);
+        if($result)
+        {
+            $num_lignes = $this->db->num_rows($result); $i = 0;
+
+            if ($num_lignes>0)
+            {
+                $date_d_form = $date_debut;
+                $date_f_form = $date_fin;
+
+                $existe = false;
+
+                while ($i < $num_lignes)
+                {
+                    $objp = $this->db->fetch_object($result);
+
+                    $date_d_req = $this->db->jdate($objp->date_debut); // 3
+                    $date_f_req = $this->db->jdate($objp->date_fin);      // 4
+
+                    if (!($date_f_form < $date_d_req || $date_d_form > $date_f_req)) $existe = true;
+
+                    $i++;
+                }
+
+                if($existe) return 1;
+                else return 0;
+            }
+            else
             {
                 return 0;
             }
         }
         else
         {
-            dol_print_error($this->db);
+            $this->error=$this->db->lasterror();
+            dol_syslog(get_class($this)."::periode_existe  Error ".$this->error, LOG_ERR);
+            return -1;
+        }
+    }
+
+
+    /**
+     * Return list of people with permission to validate trips and expenses
+     *
+     * @return  array       Array of user ids
+     */
+    function fetch_users_approver_expensereport()
+    {
+        $users_validator=array();
+
+        $sql = "SELECT fk_user";
+        $sql.= " FROM ".MAIN_DB_PREFIX."user_rights as ur, ".MAIN_DB_PREFIX."rights_def as rd";
+        $sql.= " WHERE ur.fk_id = rd.id and module = 'expensereport' AND perms = 'approve'";                    // Permission 'Approve';
+
+        dol_syslog(get_class($this)."::fetch_users_approver_expensereport sql=".$sql);
+        $result = $this->db->query($sql);
+        if($result)
+        {
+            $num_lignes = $this->db->num_rows($result); $i = 0;
+            while ($i < $num_lignes)
+            {
+                $objp = $this->db->fetch_object($result);
+                array_push($users_validator,$objp->fk_user);
+                $i++;
+            }
+            return $users_validator;
+        }
+        else
+        {
+            $this->error=$this->db->lasterror();
+            dol_syslog(get_class($this)."::fetch_users_approver_expensereport  Error ".$this->error, LOG_ERR);
             return -1;
         }
     }
 
-	/**
-	 *	Returns the label status
-	 *
-	 *	@param      int		$mode       0=long label, 1=short label, 2=Picto + short label, 3=Picto, 4=Picto + long label, 5=Short label + Picto
-	 *	@return     string      		Label
-	 */
-	function getLibStatut($mode=0)
-	{
-		return $this->LibStatut($this->status,$mode);
-	}
-
-	/**
-	 *	Returns the label of a statut
-	 *
-	 *	@param      int		$status     id statut
-	 *	@param      int		$mode       0=long label, 1=short label, 2=Picto + short label, 3=Picto, 4=Picto + long label, 5=Short label + Picto
-	 *	@return     string      		Label
-	 */
-	function LibStatut($status,$mode=0)
-	{
-		global $langs;
-
-		if ($mode == 0)
-			return $langs->trans($this->statuts[$status]);
-
-		if ($mode == 1)
-			return $langs->trans($this->statuts_short[$status]);
-
-		if ($mode == 2)
-			return img_picto($langs->trans($this->statuts_short[$status]), $this->statuts_logo[$status]).' '.$langs->trans($this->statuts_short[$status]);
-
-		if ($mode == 3)
-			return img_picto($langs->trans($this->statuts_short[$status]), $this->statuts_logo[$status]);
-
-		if ($mode == 4)
-			return img_picto($langs->trans($this->statuts_short[$status]),$this->statuts_logo[$status]).' '.$langs->trans($this->statuts[$status]);
-
-		if ($mode == 5)
-			return '<span class="hideonsmartphone">'.$langs->trans($this->statuts_short[$status]).' </span>'.img_picto($langs->trans($this->statuts_short[$status]),$this->statuts_logo[$status]);
-
-	}
-
-
-	/**
-	 * 	Load information on object
-	 *
-	 *	@param	int		$id      Id of object
-	 *	@return	void
-	 */
-	function info($id)
-	{
-		global $conf;
-
-		$sql = "SELECT f.rowid,";
-		$sql.= " f.date_create as datec,";
-		$sql.= " f.tms as date_modification,";
-		$sql.= " f.date_valid as datev,";
-		$sql.= " f.date_approve as datea,";
-		$sql.= " f.fk_user_author as fk_user_creation,";
-		$sql.= " f.fk_user_modif as fk_user_modification,";
-		$sql.= " f.fk_user_valid,";
-		$sql.= " f.fk_user_approve";
-		$sql.= " FROM ".MAIN_DB_PREFIX."expensereport as f";
-		$sql.= " WHERE f.rowid = ".$id;
-		$sql.= " AND f.entity = ".$conf->entity;
-
-		$resql = $this->db->query($sql);
-		if ($resql)
-		{
-			if ($this->db->num_rows($resql))
-			{
-				$obj = $this->db->fetch_object($resql);
-
-				$this->id                = $obj->rowid;
-
-				$this->date_creation     = $this->db->jdate($obj->datec);
-				$this->date_modification = $this->db->jdate($obj->date_modification);
-				$this->date_validation   = $this->db->jdate($obj->datev);
-				$this->date_approbation  = $this->db->jdate($obj->datea);
-
-				$cuser = new User($this->db);
-				$cuser->fetch($obj->fk_user_author);
-				$this->user_creation     = $cuser;
-
-				if ($obj->fk_user_creation)
-				{
-					$cuser = new User($this->db);
-					$cuser->fetch($obj->fk_user_creation);
-					$this->user_creation     = $cuser;
-				}
-				if ($obj->fk_user_valid)
-				{
-					$vuser = new User($this->db);
-					$vuser->fetch($obj->fk_user_valid);
-					$this->user_validation     = $vuser;
-				}
-				if ($obj->fk_user_modification)
-				{
-					$muser = new User($this->db);
-					$muser->fetch($obj->fk_user_modification);
-					$this->user_modification   = $muser;
-				}
-
-			}
-			$this->db->free($resql);
-		}
-		else
-		{
-			dol_print_error($this->db);
-		}
-	}
-
-
-
-	/**
-	 *  Initialise an instance with random values.
-	 *  Used to build previews or test instances.
-	 *	id must be 0 if object instance is a specimen.
-	 *
-	 *  @return	void
-	 */
-	function initAsSpecimen()
-	{
-		global $user,$langs,$conf;
-
-		$now=dol_now();
-
-		// Initialise parametres
-		$this->id=0;
-		$this->ref = 'SPECIMEN';
-		$this->specimen=1;
-		$this->date_create = $now;
-		$this->date_debut = $now;
-		$this->date_fin = $now;
-		$this->date_approve = $now;
-
-		$this->status = 5;
-		$this->fk_statut = 5;
-
-		$this->fk_user_author = $user->id;
-		$this->fk_user_valid = $user->id;
-		$this->fk_user_approve = $user->id;
-		$this->fk_user_validator = $user->id;
-
-		$this->note_private='Private note';
-		$this->note_public='SPECIMEN';
-		$nbp = 5;
-		$xnbp = 0;
-		while ($xnbp < $nbp)
-		{
-			$line=new ExpenseReportLine($this->db);
-			$line->comments=$langs->trans("Comment")." ".$xnbp;
-			$line->date=($now-3600*(1+$xnbp));
-			$line->total_ht=100;
-			$line->total_tva=20;
-			$line->total_ttc=120;
-			$line->qty=1;
-			$line->vatrate=20;
-			$line->value_unit=120;
-			$line->fk_expensereport=0;
-			$line->type_fees_code='TRA';
-
-			$line->projet_ref = 'ABC';
-
-			$this->lines[$xnbp]=$line;
-			$xnbp++;
-
-			$this->total_ht+=$line->total_ht;
-			$this->total_tva+=$line->total_tva;
-			$this->total_ttc+=$line->total_ttc;
-		}
-	}
-
-	/**
-	 * fetch_line_by_project
-	 *
-	 * @param 	int		$projectid		Project id
-	 * @param 	User	$user			User
-	 * @return	int						<0 if KO, >0 if OK
-	 */
-	function fetch_line_by_project($projectid,$user='')
-	{
-		global $conf,$db,$langs;
-
-		$langs->load('trips');
-
-		if($user->rights->expensereport->lire) {
-
-			$sql = "SELECT de.fk_expensereport, de.date, de.comments, de.total_ht, de.total_ttc";
-			$sql.= " FROM ".MAIN_DB_PREFIX."expensereport_det as de";
-			$sql.= " WHERE de.fk_projet = ".$projectid;
-
-			dol_syslog(get_class($this)."::fetch sql=".$sql, LOG_DEBUG);
-			$result = $db->query($sql) ;
-			if ($result)
-			{
-				$num = $db->num_rows($result);
-				$i = 0;
-				$total_HT = 0;
-				$total_TTC = 0;
-
-				while ($i < $num)
-				{
-
-					$objp = $db->fetch_object($result);
-
-					$sql2 = "SELECT d.rowid, d.fk_user_author, d.ref, d.fk_statut";
-					$sql2.= " FROM ".MAIN_DB_PREFIX."expensereport as d";
-					$sql2.= " WHERE d.rowid = '".$objp->fk_expensereport."'";
-
-					$result2 = $db->query($sql2);
-					$obj = $db->fetch_object($result2);
-
-					$objp->fk_user_author = $obj->fk_user_author;
-					$objp->ref = $obj->ref;
-					$objp->fk_c_expensereport_status = $obj->fk_statut;
-					$objp->rowid = $obj->rowid;
-
-					$total_HT = $total_HT + $objp->total_ht;
-					$total_TTC = $total_TTC + $objp->total_ttc;
-					$author = new User($db);
-					$author->fetch($objp->fk_user_author);
-
-					print '<tr>';
-					print '<td><a href="'.DOL_URL_ROOT.'/expensereport/card.php?id='.$objp->rowid.'">'.$objp->ref_num.'</a></td>';
-					print '<td align="center">'.dol_print_date($objp->date,'day').'</td>';
-					print '<td>'.$author->getNomUrl().'</td>';
-					print '<td>'.$objp->comments.'</td>';
-					print '<td align="right">'.price($objp->total_ht).'</td>';
-					print '<td align="right">'.price($objp->total_ttc).'</td>';
-					print '<td align="right">';
-
-					switch($objp->fk_c_expensereport_status) {
-						case 4:
-							print img_picto($langs->trans('StatusOrderCanceled'),'statut5');
-							break;
-						case 1:
-							print $langs->trans('Draft').' '.img_picto($langs->trans('Draft'),'statut0');
-							break;
-						case 2:
-							print $langs->trans('TripForValid').' '.img_picto($langs->trans('TripForValid'),'statut3');
-							break;
-						case 5:
-							print $langs->trans('TripForPaid').' '.img_picto($langs->trans('TripForPaid'),'statut3');
-							break;
-						case 6:
-							print $langs->trans('TripPaid').' '.img_picto($langs->trans('TripPaid'),'statut4');
-							break;
-					}
-					/*
-					 if ($status==4) return img_picto($langs->trans('StatusOrderCanceled'),'statut5');
-					if ($status==1) return img_picto($langs->trans('StatusOrderDraft'),'statut0');
-					if ($status==2) return img_picto($langs->trans('StatusOrderValidated'),'statut1');
-					if ($status==2) return img_picto($langs->trans('StatusOrderOnProcess'),'statut3');
-					if ($status==5) return img_picto($langs->trans('StatusOrderToBill'),'statut4');
-					if ($status==6) return img_picto($langs->trans('StatusOrderOnProcess'),'statut6');
-					*/
-					print '</td>';
-					print '</tr>';
-
-					$i++;
-				}
-
-				print '<tr class="liste_total"><td colspan="4">'.$langs->trans("Number").': '.$i.'</td>';
-				print '<td align="right" width="100">'.$langs->trans("TotalHT").' : '.price($total_HT).'</td>';
-				print '<td align="right" width="100">'.$langs->trans("TotalTTC").' : '.price($total_TTC).'</td>';
-				print '<td>&nbsp;</td>';
-				print '</tr>';
-
-			}
-			else
-			{
-				$this->error=$db->error();
-				return -1;
-			}
-		}
-
-	}
-
-	/**
-	 * recalculer
-	 * TODO Replace this with call to update_price if not already done
-	 *
-	 * @param 	int			$id		Id of expense report
-	 * @return 	int					<0 if KO, >0 if OK
-	 */
-	function recalculer($id)
-	{
-		$sql = 'SELECT tt.total_ht, tt.total_ttc, tt.total_tva';
-		$sql.= ' FROM '.MAIN_DB_PREFIX.$this->table_element_line.' as tt';
-		$sql.= ' WHERE tt.'.$this->fk_element.' = '.$id;
-
-		$total_ht = 0; $total_tva = 0; $total_ttc = 0;
-
-		dol_syslog('ExpenseReport::recalculer sql='.$sql,LOG_DEBUG);
-
-		$result = $this->db->query($sql);
-		if($result)
-		{
-			$num = $this->db->num_rows($result);
-			$i = 0;
-			while ($i < $num):
-			$objp = $this->db->fetch_object($result);
-			$total_ht+=$objp->total_ht;
-			$total_tva+=$objp->total_tva;
-			$i++;
-			endwhile;
-
-			$total_ttc = $total_ht + $total_tva;
-			$sql = "UPDATE ".MAIN_DB_PREFIX.$this->table_element." SET";
-			$sql.= " total_ht = ".$total_ht;
-			$sql.= " , total_ttc = ".$total_ttc;
-			$sql.= " , total_tva = ".$total_tva;
-			$sql.= " WHERE rowid = ".$id;
-			$result = $this->db->query($sql);
-			if($result):
-			$this->db->free($result);
-			return 1;
-			else:
-			$this->error=$this->db->error();
-			dol_syslog('ExpenseReport::recalculer: Error '.$this->error,LOG_ERR);
-			return -3;
-			endif;
-		}
-		else
-		{
-			$this->error=$this->db->error();
-			dol_syslog('ExpenseReport::recalculer: Error '.$this->error,LOG_ERR);
-			return -3;
-		}
-	}
-
-	/**
-	 * fetch_lines
-	 *
-	 * @return	int		<0 if OK, >0 if KO
-	 */
-	function fetch_lines()
-	{
-		$this->lines=array();
-
-		$sql = ' SELECT de.rowid, de.comments, de.qty, de.value_unit, de.date,';
-		$sql.= ' de.'.$this->fk_element.', de.fk_c_type_fees, de.fk_projet, de.tva_tx as vatrate,';
-		$sql.= ' de.total_ht, de.total_tva, de.total_ttc,';
-		$sql.= ' ctf.code as code_type_fees, ctf.label as libelle_type_fees,';
-		$sql.= ' p.ref as ref_projet, p.title as title_projet';
-		$sql.= ' FROM '.MAIN_DB_PREFIX.$this->table_element_line.' as de';
-		$sql.= ' INNER JOIN '.MAIN_DB_PREFIX.'c_type_fees as ctf ON de.fk_c_type_fees = ctf.id';
-		$sql.= ' LEFT JOIN '.MAIN_DB_PREFIX.'projet as p ON de.fk_projet = p.rowid';
-		$sql.= ' WHERE de.'.$this->fk_element.' = '.$this->id;
-
-		dol_syslog('ExpenseReport::fetch_lines sql='.$sql, LOG_DEBUG);
-		$resql = $this->db->query($sql);
-		if ($resql)
-		{
-			$num = $this->db->num_rows($resql);
-			$i = 0;
-			while ($i < $num)
-			{
-				$objp = $this->db->fetch_object($resql);
-
-				$deplig = new ExpenseReportLine($this->db);
-
-				$deplig->rowid	    	= $objp->rowid;
-				$deplig->comments		= $objp->comments;
-				$deplig->qty			= $objp->qty;
-				$deplig->value_unit 	= $objp->value_unit;
-				$deplig->date			= $objp->date;
-
-				$deplig->fk_expensereport = $objp->fk_expensereport;
-				$deplig->fk_c_type_fees = $objp->fk_c_type_fees;
-				$deplig->fk_projet		= $objp->fk_projet;
-
-				$deplig->total_ht		= $objp->total_ht;
-				$deplig->total_tva		= $objp->total_tva;
-				$deplig->total_ttc		= $objp->total_ttc;
-
-				$deplig->type_fees_code 	= $objp->code_type_fees;
-				$deplig->type_fees_libelle 	= $objp->libelle_type_fees;
-				$deplig->vatrate			= $objp->vatrate;
-				$deplig->projet_ref			= $objp->ref_projet;
-				$deplig->projet_title		= $objp->title_projet;
-
-				$this->lignes[$i] = $deplig;
-				$this->lines[$i] = $deplig;
-
-				$i++;
-			}
-			$this->db->free($resql);
-			return 1;
-		}
-		else
-		{
-			$this->error=$this->db->lasterror();
-			dol_syslog('ExpenseReport::fetch_lines: Error '.$this->error, LOG_ERR);
-			return -3;
-		}
-	}
-
-
-	/**
-	 * delete
-	 *
-	 * @param 	int		$rowid		Id to delete (optional)
-	 * @param	User	$fuser		User that delete
-	 * @return	int					<0 if KO, >0 if OK
-	 */
-	function delete($rowid=0, User $fuser=null)
-	{
-		global $user,$langs,$conf;
-
-		if (! $rowid) $rowid=$this->id;
-
-		$sql = 'DELETE FROM '.MAIN_DB_PREFIX.$this->table_element_line.' WHERE '.$this->fk_element.' = '.$rowid;
-		if ($this->db->query($sql))
-		{
-			$sql = 'DELETE FROM '.MAIN_DB_PREFIX.$this->table_element.' WHERE rowid = '.$rowid;
-			$resql=$this->db->query($sql);
-			if ($resql)
-			{
-				$this->db->commit();
-				return 1;
-			}
-			else
-			{
-				$this->error=$this->db->error()." sql=".$sql;
-				dol_syslog("ExpenseReport.class::delete ".$this->error, LOG_ERR);
-				$this->db->rollback();
-				return -6;
-			}
-		}
-		else
-		{
-			$this->error=$this->db->error()." sql=".$sql;
-			dol_syslog("ExpenseReport.class::delete ".$this->error, LOG_ERR);
-			$this->db->rollback();
-			return -4;
-		}
-	}
-
-	/**
-	 * Set to status validate
-	 *
-	 * @param 	User	$fuser		User
-	 * @return	int					<0 if KO, >0 if OK
-	 */
-	function setValidate($fuser)
-	{
-		global $conf,$langs;
-
-		$expld_car = (empty($conf->global->NDF_EXPLODE_CHAR))?"-":$conf->global->NDF_EXPLODE_CHAR;
-
-		// Sélection du numéro de ref suivant
-		$ref_next = $this->getNextNumRef();
-		$ref_number_int = ($this->ref+1)-1;
-
-		// Sélection de la date de début de la NDF
-		$sql = 'SELECT date_debut';
-		$sql.= ' FROM '.MAIN_DB_PREFIX.$this->table_element;
-		$sql.= ' WHERE rowid = '.$this->id;
-		$result = $this->db->query($sql);
-		$objp = $this->db->fetch_object($result);
-		$this->date_debut = $this->db->jdate($objp->date_debut);
-
-		// Création du ref_number suivant
-		if($ref_next)
-		{
-			$prefix="ER";
-			if (! empty($conf->global->EXPENSE_REPORT_PREFIX)) $prefix=$conf->global->EXPENSE_REPORT_PREFIX;
-			$this->ref = strtoupper($fuser->login).$expld_car.$prefix.$this->ref.$expld_car.dol_print_date($this->date_debut,'%y%m%d');
-		}
-
-		if ($this->fk_statut != 2)
-		{
-			$sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element;
-			$sql.= " SET ref = '".$this->ref."', fk_statut = 2, fk_user_valid = ".$fuser->id.",";
-			$sql.= " ref_number_int = ".$ref_number_int;
-			$sql.= ' WHERE rowid = '.$this->id;
-
-			dol_syslog(get_class($this)."::set_save sql=".$sql, LOG_DEBUG);
-
-			if ($this->db->query($sql))
-			{
-				return 1;
-			}
-			else
-			{
-				$this->error=$this->db->error();
-				return -1;
-			}
-		}
-		else
-		{
-			dol_syslog(get_class($this)."::set_save expensereport already with save status", LOG_WARNING);
-		}
-	}
-
-	/**
-	 * set_save_from_refuse
-	 *
-	 * @param 	User	$fuser		User
-	 * @return	int					<0 if KO, >0 if OK
-	 */
-	function set_save_from_refuse($fuser)
-	{
-		global $conf,$langs;
-
-		// Sélection de la date de début de la NDF
-		$sql = 'SELECT date_debut';
-		$sql.= ' FROM '.MAIN_DB_PREFIX.$this->table_element;
-		$sql.= ' WHERE rowid = '.$this->id;
-
-		$result = $this->db->query($sql);
-
-		$objp = $this->db->fetch_object($result);
-
-		$this->date_debut = $this->db->jdate($objp->date_debut);
-
-		if ($this->fk_statut != 2)
-		{
-			$sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element;
-			$sql.= " SET fk_statut = 2";
-			$sql.= ' WHERE rowid = '.$this->id;
-
-			dol_syslog(get_class($this)."::set_save_from_refuse sql=".$sql, LOG_DEBUG);
-
-			if ($this->db->query($sql))
-			{
-				return 1;
-			}
-			else
-			{
-				$this->error=$this->db->lasterror();
-				return -1;
-			}
-		}
-		else
-		{
-			dol_syslog(get_class($this)."::set_save_from_refuse expensereport already with save status", LOG_WARNING);
-		}
-	}
-
-	/**
-	 * Set status to approved
-	 *
-	 * @param 	User	$fuser		User
-	 * @return	int					<0 if KO, >0 if OK
-	 */
-	function setApproved($fuser)
-	{
-		$now=dol_now();
-
-		// date approval
-		$this->date_approve = $this->db->idate($now);
-		if ($this->fk_statut != 5)
-		{
-			$sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element;
-			$sql.= " SET ref = '".$this->ref."', fk_statut = 5, fk_user_approve = ".$fuser->id.",";
-			$sql.= " date_approve='".$this->date_approve."'";
-			$sql.= ' WHERE rowid = '.$this->id;
-			if ($this->db->query($sql))
-			{
-				return 1;
-			}
-			else
-			{
-				$this->error=$this->db->lasterror();
-				return -1;
-			}
-		}
-		else
-		{
-			dol_syslog(get_class($this)."::set_valide expensereport already with valide status", LOG_WARNING);
-		}
-	}
-
-	/**
-	 * setDeny
-	 *
-	 * @param User		$fuser		User
-	 * @param Details	$details	Details
-	 */
-	function setDeny($fuser,$details)
-	{
-		$now = dol_now();
-
-		// date de refus
-		if ($this->fk_statut != 99)
-		{
-			$sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element;
-			$sql.= " SET ref = '".$this->ref."', fk_statut = 99, fk_user_refuse = ".$fuser->id.",";
-			$sql.= " date_refuse='".$this->db->idate($now)."',";
-			$sql.= " detail_refuse='".$this->db->escape($details)."'";
-			$sql.= " fk_user_approve=NULL,";
-			$sql.= ' WHERE rowid = '.$this->id;
-			if ($this->db->query($sql))
-			{
-				$this->fk_statut = 99;
-				$this->fk_user_refuse = $fuser->id;
-				$this->detail_refuse = $details;
-				$this->date_refuse = $now;
-				return 1;
-			}
-			else
-			{
-				$this->error=$this->db->lasterror();
-				return -1;
-			}
-		}
-		else
-		{
-			dol_syslog(get_class($this)."::setDeny expensereport already with refuse status", LOG_WARNING);
-		}
-	}
-
-	/**
-	 * set_unpaid
-	 *
-	 * @param 	User	$fuser		User
-	 * @return	int					<0 if KO, >0 if OK
-	 */
-	function set_unpaid($fuser)
-	{
-		if ($this->fk_c_deplacement_statuts != 5)
-		{
-			$sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element;
-			$sql.= " SET fk_statut = 5";
-			$sql.= ' WHERE rowid = '.$this->id;
-
-			dol_syslog(get_class($this)."::set_unpaid sql=".$sql, LOG_DEBUG);
-
-			if ($this->db->query($sql)):
-			return 1;
-			else:
-			$this->error=$this->db->error();
-			return -1;
-			endif;
-		}
-		else
-		{
-			dol_syslog(get_class($this)."::set_unpaid expensereport already with unpaid status", LOG_WARNING);
-		}
-	}
-
-	/**
-	 * set_cancel
-	 *
-	 * @param 	User	$fuser		User
-	 * @param	string	$detail		Detail
-	 * @return	int					<0 if KO, >0 if OK
-	 */
-	function set_cancel($fuser,$detail)
-	{
-		$this->date_cancel = $this->db->idate(gmmktime());
-		if ($this->fk_statut != 4)
-		{
-			$sql = 'UPDATE '.MAIN_DB_PREFIX.$this->table_element;
-			$sql.= " SET fk_statut = 4, fk_user_cancel = ".$fuser->id;
-			$sql.= ", date_cancel='".$this->date_cancel."'";
-			$sql.= " ,detail_cancel='".$this->db->escape($detail)."'";
-			$sql.= ' WHERE rowid = '.$this->id;
-
-			dol_syslog(get_class($this)."::set_cancel sql=".$sql, LOG_DEBUG);
-
-			if ($this->db->query($sql))
-			{
-				return 1;
-			}
-			else
-			{
-				$this->error=$this->db->error();
-				return -1;
-			}
-		}
-		else
-		{
-			dol_syslog(get_class($this)."::set_cancel expensereport already with cancel status", LOG_WARNING);
-		}
-	}
-
-	function getNextNumRef()
-	{
-		global $conf;
-
-		$expld_car = (empty($conf->global->NDF_EXPLODE_CHAR))?"-":$conf->global->NDF_EXPLODE_CHAR;
-		$num_car = (empty($conf->global->NDF_NUM_CAR_REF))?"5":$conf->global->NDF_NUM_CAR_REF;
-
-		$sql = 'SELECT de.ref_number_int';
-		$sql.= ' FROM '.MAIN_DB_PREFIX.$this->table_element.' de';
-		$sql.= ' ORDER BY de.ref_number_int DESC';
-
-		$result = $this->db->query($sql);
-
-		if($this->db->num_rows($result) > 0):
-		$objp = $this->db->fetch_object($result);
-		$this->ref = $objp->ref_number_int;
-		$this->ref++;
-		while(strlen($this->ref) < $num_car):
-		$this->ref = "0".$this->ref;
-		endwhile;
-		else:
-		$this->ref = 1;
-		while(strlen($this->ref) < $num_car):
-		$this->ref = "0".$this->ref;
-		endwhile;
-		endif;
-
-		if ($result):
-		return 1;
-		else:
-		$this->error=$this->db->error();
-		return -1;
-		endif;
-	}
-
-
-	/**
-	 *	Return clicable name (with picto eventually)
-	 *
-	 *	@param		int		$withpicto		0=No picto, 1=Include picto into link, 2=Only picto
-	 *	@return		string					Chaine avec URL
-	 */
-	function getNomUrl($withpicto=0)
-	{
-		global $langs;
-
-		$result='';
-
-		$link = '<a href="'.DOL_URL_ROOT.'/expensereport/card.php?id='.$this->id.'">';
-		$linkend='</a>';
-
-		$picto='trip';
-
-		$label=$langs->trans("Show").': '.$this->ref;
-
-		if ($withpicto) $result.=($link.img_object($label,$picto).$linkend);
-		if ($withpicto && $withpicto != 2) $result.=' ';
-		if ($withpicto != 2) $result.=$link.$this->ref.$linkend;
-		return $result;
-	}
-
-
-	function update_totaux_add($ligne_total_ht,$ligne_total_tva){
-		$this->total_ht = $this->total_ht + $ligne_total_ht;
-		$this->total_tva = $this->total_tva + $ligne_total_tva;
-		$this->total_ttc = $this->total_ht + $this->total_tva;
-
-		$sql = "UPDATE ".MAIN_DB_PREFIX.$this->table_element." SET";
-		$sql.= " total_ht = ".$this->total_ht;
-		$sql.= " , total_ttc = ".$this->total_ttc;
-		$sql.= " , total_tva = ".$this->total_tva;
-		$sql.= " WHERE rowid = ".$this->id;
-
-		$result = $this->db->query($sql);
-		if ($result):
-		return 1;
-		else:
-		$this->error=$this->db->error();
-		return -1;
-		endif;
-	}
-
-	function update_totaux_del($ligne_total_ht,$ligne_total_tva){
-		$this->total_ht = $this->total_ht - $ligne_total_ht;
-		$this->total_tva = $this->total_tva - $ligne_total_tva;
-		$this->total_ttc = $this->total_ht + $this->total_tva;
-
-		$sql = "UPDATE ".MAIN_DB_PREFIX.$this->table_element." SET";
-		$sql.= " total_ht = ".$this->total_ht;
-		$sql.= " , total_ttc = ".$this->total_ttc;
-		$sql.= " , total_tva = ".$this->total_tva;
-		$sql.= " WHERE rowid = ".$this->id;
-
-		$result = $this->db->query($sql);
-		if ($result):
-		return 1;
-		else:
-		$this->error=$this->db->error();
-		return -1;
-		endif;
-	}
-
-
-	/**
-	 * updateline
-	 *
-	 * @param 	int			$rowid					Line to edit
-	 * @param 	int			$type_fees_id			Type payment
-	 * @param 	int			$projet_id				Project id
-	 * @param 	double		$vatrate				Vat rate
-	 * @param 	string		$comments				Description
-	 * @param 	real		$qty					Qty
-	 * @param 	double		$value_unit				Value init
-	 * @param 	int			$date					Date
-	 * @param 	int			$expensereport_id		Expense report id
-	 * @return	int									<0 if KO, >0 if OK
-	 */
-	function updateline($rowid, $type_fees_id, $projet_id, $vatrate, $comments, $qty, $value_unit, $date, $expensereport_id)
-	{
-		global $user;
-
-		if ($this->fk_statut==0 || $this->fk_statut==99)
-		{
-			$this->db->begin();
-
-			// calcul de tous les totaux de la ligne
-			$total_ttc	= price2num($qty*$value_unit, 'MT');
-
-			$tx_tva = $vatrate / 100;
-			$tx_tva	= $tx_tva + 1;
-			$total_ht 	= price2num($total_ttc/$tx_tva, 'MT');
-
-			$total_tva = price2num($total_ttc - $total_ht, 'MT');
-			// fin calculs
-
-			$ligne = new ExpenseReportLine($this->db);
-			$ligne->comments		= $comments;
-			$ligne->qty				= $qty;
-			$ligne->value_unit 		= $value_unit;
-			$ligne->date			= $date;
-
-			$ligne->fk_expensereport= $expensereport_id;
-			$ligne->fk_c_type_fees 	= $type_fees_id;
-			$ligne->fk_projet		= $projet_id;
-
-			$ligne->total_ht		= $total_ht;
-			$ligne->total_tva		= $total_tva;
-			$ligne->total_ttc		= $total_ttc;
-			$ligne->vatrate			= price2num($vatrate);
-			$ligne->rowid			= $rowid;
-
-			// Select des infos sur le type fees
-			$sql = "SELECT c.code as code_type_fees, c.label as libelle_type_fees";
-			$sql.= " FROM ".MAIN_DB_PREFIX."c_type_fees as c";
-			$sql.= " WHERE c.id = ".$type_fees_id;
-			$result = $this->db->query($sql);
-			$objp_fees = $this->db->fetch_object($result);
-			$ligne->type_fees_code 		= $objp_fees->code_type_fees;
-			$ligne->type_fees_libelle 	= $objp_fees->libelle_type_fees;
-
-			// Select des informations du projet
-			$sql = "SELECT p.ref as ref_projet, p.title as title_projet";
-			$sql.= " FROM ".MAIN_DB_PREFIX."projet as p";
-			$sql.= " WHERE p.rowid = ".$projet_id;
-			$result = $this->db->query($sql);
-			$objp_projet = $this->db->fetch_object($result);
-			$ligne->projet_ref			= $objp_projet->ref_projet;
-			$ligne->projet_title		= $objp_projet->title_projet;
-
-			$result = $ligne->update($user);
-			if ($result > 0)
-			{
-				$this->db->commit();
-				return 1;
-			}
-			else
-			{
-				$this->error=$ligne->error;
-				$this->errors=$ligne->errors;
-				$this->db->rollback();
-				return -2;
-			}
-		}
-	}
-
-	/**
-	 * deleteline
-	 *
-	 * @param 	int		$rowid		Row id
-	 * @param 	User	$fuser		User
-	 * @return 	int					<0 if KO, >0 if OK
-	 */
-	function deleteline($rowid, $fuser='')
-	{
-		$this->db->begin();
-
-		$sql = 'DELETE FROM '.MAIN_DB_PREFIX.$this->table_element_line;
-		$sql.= ' WHERE rowid = '.$rowid;
-
-		dol_syslog(get_class($this)."::deleteline sql=".$sql);
-		$result = $this->db->query($sql);
-		if (!$result)
-		{
-			$this->error=$this->db->error();
-			dol_syslog(get_class($this)."::deleteline  Error ".$this->error, LOG_ERR);
-			$this->db->rollback();
-			return -1;
-		}
-
-		$this->db->commit();
-
-		return 1;
-	}
-
-	/**
-	 * periode_existe
-	 *
-	 * @param 	User	$fuser			User
-	 * @param 	Date	$date_debut		Start date
-	 * @param 	Date	$date_fin		End date
-	 * @return	int						<0 if KO, >0 if OK
-	 */
-	function periode_existe($fuser, $date_debut, $date_fin)
-	{
-		$sql = "SELECT rowid, date_debut, date_fin";
-		$sql.= " FROM ".MAIN_DB_PREFIX.$this->table_element;
-		$sql.= " WHERE fk_user_author = '{$fuser->id}'";
-
-		dol_syslog(get_class($this)."::periode_existe sql=".$sql);
-		$result = $this->db->query($sql);
-		if($result)
-		{
-			$num_lignes = $this->db->num_rows($result); $i = 0;
-
-			if ($num_lignes>0)
-			{
-				$date_d_form = $date_debut;
-				$date_f_form = $date_fin;
-
-				$existe = false;
-
-				while ($i < $num_lignes)
-				{
-					$objp = $this->db->fetch_object($result);
-
-					$date_d_req = $this->db->jdate($objp->date_debut); // 3
-					$date_f_req = $this->db->jdate($objp->date_fin);	  // 4
-
-					if (!($date_f_form < $date_d_req || $date_d_form > $date_f_req)) $existe = true;
-
-					$i++;
-				}
-
-				if($existe) return 1;
-				else return 0;
-			}
-			else
-			{
-				return 0;
-			}
-		}
-		else
-		{
-			$this->error=$this->db->lasterror();
-			dol_syslog(get_class($this)."::periode_existe  Error ".$this->error, LOG_ERR);
-			return -1;
-		}
-	}
-
-
-	/**
-	 * Return list of people with permission to validate trips and expenses
-	 *
-	 * @return	array		Array of user ids
-	 */
-	function fetch_users_approver_expensereport()
-	{
-		$users_validator=array();
-
-		$sql = "SELECT fk_user";
-		$sql.= " FROM ".MAIN_DB_PREFIX."user_rights as ur, ".MAIN_DB_PREFIX."rights_def as rd";
-		$sql.= " WHERE ur.fk_id = rd.id and module = 'expensereport' AND perms = 'approve'";					// Permission 'Approve';
-
-		dol_syslog(get_class($this)."::fetch_users_approver_expensereport sql=".$sql);
-		$result = $this->db->query($sql);
-		if($result)
-		{
-			$num_lignes = $this->db->num_rows($result); $i = 0;
-			while ($i < $num_lignes)
-			{
-				$objp = $this->db->fetch_object($result);
-				array_push($users_validator,$objp->fk_user);
-				$i++;
-			}
-			return $users_validator;
-		}
-		else
-		{
-			$this->error=$this->db->lasterror();
-			dol_syslog(get_class($this)."::fetch_users_approver_expensereport  Error ".$this->error, LOG_ERR);
-			return -1;
-		}
-	}
-
-	/**
-	 *  Create a document onto disk accordign to template module.
-	 *
-	 *  @param	    string		$modele			Force le mnodele a utiliser ('' to not force)
-	 *  @param		Translate	$outputlangs	objet lang a utiliser pour traduction
-	 *  @param      int			$hidedetails    Hide details of lines
-	 *  @param      int			$hidedesc       Hide description
-	 *  @param      int			$hideref        Hide ref
-	 *  @return     int         				0 if KO, 1 if OK
-	 */
-	public function generateDocument($modele, $outputlangs, $hidedetails=0, $hidedesc=0, $hideref=0)
-	{
-		global $conf,$langs;
-
-		$langs->load("trips");
-
-		// Positionne le modele sur le nom du modele a utiliser
-		if (! dol_strlen($modele))
-		{
-			if (! empty($conf->global->EXPENSEREPORT_ADDON_PDF))
-			{
-				$modele = $conf->global->EXPENSEREPORT_ADDON_PDF;
-			}
-			else
-			{
-				$modele = 'standard';
-			}
-		}
-
-		$modelpath = "core/modules/expensereport/doc/";
-
-		return $this->commonGenerateDocument($modelpath, $modele, $outputlangs, $hidedetails, $hidedesc, $hideref);
-	}
-
-	/**
-	 * List of types
-	 *
-	 * @param	int		$active		Active or not
-	 * @return	array
-	 */
-	function listOfTypes($active=1)
-	{
-		global $langs;
-		$ret=array();
-		$sql = "SELECT id, code, label";
-		$sql.= " FROM ".MAIN_DB_PREFIX."c_type_fees";
-		$sql.= " WHERE active = ".$active;
-		dol_syslog(get_class($this)."::listOfTypes", LOG_DEBUG);
-		$result = $this->db->query($sql);
-		if ( $result )
-		{
-			$num = $this->db->num_rows($result);
-			$i=0;
-			while ($i < $num)
-			{
-				$obj = $this->db->fetch_object($result);
-				$ret[$obj->code]=(($langs->trans($obj->code)!=$obj->code)?$langs->trans($obj->code):$obj->label);
-				$i++;
-			}
-		}
-		else
-		{
-			dol_print_error($this->db);
-		}
-		return $ret;
-	}
+    /**
+     *  Create a document onto disk accordign to template module.
+     *
+     *  @param      string      $modele         Force le mnodele a utiliser ('' to not force)
+     *  @param      Translate   $outputlangs    objet lang a utiliser pour traduction
+     *  @param      int         $hidedetails    Hide details of lines
+     *  @param      int         $hidedesc       Hide description
+     *  @param      int         $hideref        Hide ref
+     *  @return     int                         0 if KO, 1 if OK
+     */
+    public function generateDocument($modele, $outputlangs, $hidedetails=0, $hidedesc=0, $hideref=0)
+    {
+        global $conf,$langs;
+
+        $langs->load("trips");
+
+        // Positionne le modele sur le nom du modele a utiliser
+        if (! dol_strlen($modele))
+        {
+            if (! empty($conf->global->EXPENSEREPORT_ADDON_PDF))
+            {
+                $modele = $conf->global->EXPENSEREPORT_ADDON_PDF;
+            }
+            else
+            {
+                $modele = 'standard';
+            }
+        }
+
+        $modelpath = "core/modules/expensereport/doc/";
+
+        return $this->commonGenerateDocument($modelpath, $modele, $outputlangs, $hidedetails, $hidedesc, $hideref);
+    }
+
+    /**
+     * List of types
+     *
+     * @param   int     $active     Active or not
+     * @return  array
+     */
+    function listOfTypes($active=1)
+    {
+        global $langs;
+        $ret=array();
+        $sql = "SELECT id, code, label";
+        $sql.= " FROM ".MAIN_DB_PREFIX."c_type_fees";
+        $sql.= " WHERE active = ".$active;
+        dol_syslog(get_class($this)."::listOfTypes", LOG_DEBUG);
+        $result = $this->db->query($sql);
+        if ( $result )
+        {
+            $num = $this->db->num_rows($result);
+            $i=0;
+            while ($i < $num)
+            {
+                $obj = $this->db->fetch_object($result);
+                $ret[$obj->code]=(($langs->trans($obj->code)!=$obj->code)?$langs->trans($obj->code):$obj->label);
+                $i++;
+            }
+        }
+        else
+        {
+            dol_print_error($this->db);
+        }
+        return $ret;
+    }
 
 }
 
@@ -1453,233 +1472,235 @@ class ExpenseReport extends CommonObject
  */
 class ExpenseReportLine
 {
-	var $db;
-	var $error;
-
-	var $rowid;
-	var $comments;
-	var $qty;
-	var $value_unit;
-	var $date;
-
-	var $fk_c_type_fees;
-	var $fk_projet;
-	var $fk_expensereport;
-
-	var $type_fees_code;
-	var $type_fees_libelle;
-
-	var $projet_ref;
-	var $projet_title;
-
-	var $vatrate;
-	var $total_ht;
-	var $total_tva;
-	var $total_ttc;
-
-	/**
-	 * Constructor
-	 *
-	 * @param DoliDB	$db		Handlet database
-	 */
-	function ExpenseReportLine($db)
-	{
-		$this->db= $db;
-	}
-
-	/**
-	 * fetch record
-	 *
-	 * @param	int		$rowid		Row id to fetch
-	 * @return	int					<0 if KO, >0 if OK
-	 */
-	function fetch($rowid)
-	{
-		$sql = 'SELECT fde.rowid, fde.fk_expensereport, fde.fk_c_type_fees, fde.fk_projet, fde.date,';
-		$sql.= ' fde.tva_tx as vatrate, fde.comments, fde.qty, fde.value_unit, fde.total_ht, fde.total_tva, fde.total_ttc,';
-		$sql.= ' ctf.code as type_fees_code, ctf.label as type_fees_libelle,';
-		$sql.= ' pjt.rowid as projet_id, pjt.title as projet_title, pjt.ref as projet_ref';
-		$sql.= ' FROM '.MAIN_DB_PREFIX.'expensereport_det as fde';
-		$sql.= ' INNER JOIN '.MAIN_DB_PREFIX.'c_type_fees as ctf ON fde.fk_c_type_fees=ctf.id';
-		$sql.= ' LEFT JOIN '.MAIN_DB_PREFIX.'projet as pjt ON fde.fk_projet=pjt.rowid';
-		$sql.= ' WHERE fde.rowid = '.$rowid;
-
-		$result = $this->db->query($sql);
-
-		if($result)
-		{
-			$objp = $this->db->fetch_object($result);
-
-			$this->rowid = $objp->rowid;
-			$this->fk_expensereport = $objp->fk_expensereport;
-			$this->comments = $objp->comments;
-			$this->qty = $objp->qty;
-			$this->date = $objp->date;
-			$this->value_unit = $objp->value_unit;
-			$this->fk_c_type_fees = $objp->fk_c_type_fees;
-			$this->fk_projet = $objp->fk_projet;
-			$this->type_fees_code = $objp->type_fees_code;
-			$this->type_fees_libelle = $objp->type_fees_libelle;
-			$this->projet_ref = $objp->projet_ref;
-			$this->projet_title = $objp->projet_title;
-			$this->vatrate = $objp->vatrate;
-			$this->total_ht = $objp->total_ht;
-			$this->total_tva = $objp->total_tva;
-			$this->total_ttc = $objp->total_ttc;
-
-			$this->db->free($result);
-		} else {
-			dol_print_error($this->db);
-		}
-	}
-
-	/**
-	 * insert
-	 *
-	 * @param 	int		$notrigger		1=No trigger
-	 * @return 	int						<0 if KO, >0 if OK
-	 */
-	function insert($notrigger=0)
-	{
-		global $langs,$user,$conf;
-
-		$error=0;
-
-		dol_syslog("ExpenseReportLine::Insert rang=".$this->rang, LOG_DEBUG);
-
-		// Clean parameters
-		$this->comments=trim($this->comments);
-		if (!$this->value_unit_HT) $this->value_unit_HT=0;
-		$this->qty = price2num($this->qty);
-		$this->vatrate = price2num($this->vatrate);
-
-		$this->db->begin();
-
-		$sql = 'INSERT INTO '.MAIN_DB_PREFIX.'expensereport_det';
-		$sql.= ' (fk_expensereport, fk_c_type_fees, fk_projet,';
-		$sql.= ' tva_tx, comments, qty, value_unit, total_ht, total_tva, total_ttc, date)';
-		$sql.= " VALUES (".$this->fk_expensereport.",";
-		$sql.= " ".$this->fk_c_type_fees.",";
-		$sql.= " ".($this->fk_projet>0?$this->fk_projet:'null').",";
-		$sql.= " ".$this->vatrate.",";
-		$sql.= " '".$this->db->escape($this->comments)."',";
-		$sql.= " ".$this->qty.",";
-		$sql.= " ".$this->value_unit.",";
-		$sql.= " ".$this->total_ht.",";
-		$sql.= " ".$this->total_tva.",";
-		$sql.= " ".$this->total_ttc.",";
-		$sql.= "'".$this->db->idate($this->date)."'";
-		$sql.= ")";
-
-		dol_syslog("ExpenseReportLine::insert sql=".$sql);
-
-		$resql=$this->db->query($sql);
-		if ($resql)
-		{
-			$this->rowid=$this->db->last_insert_id(MAIN_DB_PREFIX.'expensereport_det');
-
-			$tmpparent=new ExpenseReport($this->db);
-			$tmpparent->fetch($this->fk_expensereport);
-			$result = $tmpparent->update_price();
-			if ($result < 0)
-			{
-				$error++;
-				$this->error = $tmpparent->error;
-				$this->errors = $tmpparent->errors;
-			}
-		}
-
-		if (! $error)
-		{
-			$this->db->commit();
-			return $this->rowid;
-		}
-		else
-		{
-			$this->error=$this->db->lasterror();
-			dol_syslog("ExpenseReportLine::insert Error ".$this->error, LOG_ERR);
-			$this->db->rollback();
-			return -2;
-		}
-	}
-
-	/**
-	 * update
-	 *
-	 * @param	User	$fuser		User
-	 * @return 	int					<0 if KO, >0 if OK
-	 */
-	function update($fuser)
-	{
-		global $fuser,$langs,$conf;
-
-		$error=0;
-
-		// Clean parameters
-		$this->comments=trim($this->comments);
-		$this->vatrate = price2num($this->vatrate);
-
-		$this->db->begin();
-
-		// Mise a jour ligne en base
-		$sql = "UPDATE ".MAIN_DB_PREFIX."expensereport_det SET";
-		$sql.= " comments='".$this->db->escape($this->comments)."'";
-		$sql.= ",value_unit=".$this->value_unit."";
-		$sql.= ",qty=".$this->qty."";
-		$sql.= ",date='".$this->db->idate($this->date)."'";
-		$sql.= ",total_ht=".$this->total_ht."";
-		$sql.= ",total_tva=".$this->total_tva."";
-		$sql.= ",total_ttc=".$this->total_ttc."";
-		$sql.= ",tva_tx=".$this->vatrate;
-		if ($this->fk_c_type_fees) $sql.= ",fk_c_type_fees=".$this->fk_c_type_fees;
-		else $sql.= ",fk_c_type_fees=null";
-		if ($this->fk_projet) $sql.= ",fk_projet=".$this->fk_projet;
-		else $sql.= ",fk_projet=null";
-		$sql.= " WHERE rowid = ".$this->rowid;
-
-		dol_syslog("ExpenseReportLine::update sql=".$sql);
-
-		$resql=$this->db->query($sql);
-		if ($resql)
-		{
-			$tmpparent=new ExpenseReport($this->db);
-			$result = $tmpparent->fetch($this->fk_expensereport);
-			if ($result > 0)
-			{
-				$result = $tmpparent->update_price();
-				if ($result < 0)
-				{
-					$error++;
-					$this->error = $tmpparent->error;
-					$this->errors = $tmpparent->errors;
-				}
-			}
-			else
-			{
-				$error++;
-				$this->error = $tmpparent->error;
-				$this->errors = $tmpparent->errors;
-			}
-		}
-		else
-		{
-			$error++;
-			dol_print_error($this->db);
-		}
-
-		if (! $error)
-		{
-			$this->db->commit();
-			return 1;
-		}
-		else
-		{
-			$this->error=$this->db->lasterror();
-			dol_syslog("ExpenseReportLine::update Error ".$this->error, LOG_ERR);
-			$this->db->rollback();
-			return -2;
-		}
-	}
+    var $db;
+    var $error;
+
+    var $rowid;
+    var $comments;
+    var $qty;
+    var $value_unit;
+    var $date;
+
+    var $fk_c_type_fees;
+    var $fk_projet;
+    var $fk_expensereport;
+
+    var $type_fees_code;
+    var $type_fees_libelle;
+
+    var $projet_ref;
+    var $projet_title;
+
+    var $vatrate;
+    var $total_ht;
+    var $total_tva;
+    var $total_ttc;
+
+    /**
+     * Constructor
+     *
+     * @param DoliDB    $db     Handlet database
+     */
+    function ExpenseReportLine($db)
+    {
+        $this->db= $db;
+    }
+
+    /**
+     * fetch record
+     *
+     * @param   int     $rowid      Id of object to load
+     * @return  int                 <0 if KO, >0 if OK
+     */
+    function fetch($rowid)
+    {
+        $sql = 'SELECT fde.rowid, fde.ref, fde.fk_expensereport, fde.fk_c_type_fees, fde.fk_projet, fde.date,';
+        $sql.= ' fde.tva_tx as vatrate, fde.comments, fde.qty, fde.value_unit, fde.total_ht, fde.total_tva, fde.total_ttc,';
+        $sql.= ' ctf.code as type_fees_code, ctf.label as type_fees_libelle,';
+        $sql.= ' pjt.rowid as projet_id, pjt.title as projet_title, pjt.ref as projet_ref';
+        $sql.= ' FROM '.MAIN_DB_PREFIX.'expensereport_det as fde';
+        $sql.= ' INNER JOIN '.MAIN_DB_PREFIX.'c_type_fees as ctf ON fde.fk_c_type_fees=ctf.id';
+        $sql.= ' LEFT JOIN '.MAIN_DB_PREFIX.'projet as pjt ON fde.fk_projet=pjt.rowid';
+        $sql.= ' WHERE fde.rowid = '.$rowid;
+
+        $result = $this->db->query($sql);
+
+        if($result)
+        {
+            $objp = $this->db->fetch_object($result);
+
+            $this->rowid = $objp->rowid;
+            $this->id = $obj->rowid;
+            $this->ref = $obj->ref;
+            $this->fk_expensereport = $objp->fk_expensereport;
+            $this->comments = $objp->comments;
+            $this->qty = $objp->qty;
+            $this->date = $objp->date;
+            $this->value_unit = $objp->value_unit;
+            $this->fk_c_type_fees = $objp->fk_c_type_fees;
+            $this->fk_projet = $objp->fk_projet;
+            $this->type_fees_code = $objp->type_fees_code;
+            $this->type_fees_libelle = $objp->type_fees_libelle;
+            $this->projet_ref = $objp->projet_ref;
+            $this->projet_title = $objp->projet_title;
+            $this->vatrate = $objp->vatrate;
+            $this->total_ht = $objp->total_ht;
+            $this->total_tva = $objp->total_tva;
+            $this->total_ttc = $objp->total_ttc;
+
+            $this->db->free($result);
+        } else {
+            dol_print_error($this->db);
+        }
+    }
+
+    /**
+     * insert
+     *
+     * @param   int     $notrigger      1=No trigger
+     * @return  int                     <0 if KO, >0 if OK
+     */
+    function insert($notrigger=0)
+    {
+        global $langs,$user,$conf;
+
+        $error=0;
+
+        dol_syslog("ExpenseReportLine::Insert rang=".$this->rang, LOG_DEBUG);
+
+        // Clean parameters
+        $this->comments=trim($this->comments);
+        if (!$this->value_unit_HT) $this->value_unit_HT=0;
+        $this->qty = price2num($this->qty);
+        $this->vatrate = price2num($this->vatrate);
+
+        $this->db->begin();
+
+        $sql = 'INSERT INTO '.MAIN_DB_PREFIX.'expensereport_det';
+        $sql.= ' (fk_expensereport, fk_c_type_fees, fk_projet,';
+        $sql.= ' tva_tx, comments, qty, value_unit, total_ht, total_tva, total_ttc, date)';
+        $sql.= " VALUES (".$this->fk_expensereport.",";
+        $sql.= " ".$this->fk_c_type_fees.",";
+        $sql.= " ".($this->fk_projet>0?$this->fk_projet:'null').",";
+        $sql.= " ".$this->vatrate.",";
+        $sql.= " '".$this->db->escape($this->comments)."',";
+        $sql.= " ".$this->qty.",";
+        $sql.= " ".$this->value_unit.",";
+        $sql.= " ".$this->total_ht.",";
+        $sql.= " ".$this->total_tva.",";
+        $sql.= " ".$this->total_ttc.",";
+        $sql.= "'".$this->db->idate($this->date)."'";
+        $sql.= ")";
+
+        dol_syslog("ExpenseReportLine::insert sql=".$sql);
+
+        $resql=$this->db->query($sql);
+        if ($resql)
+        {
+            $this->rowid=$this->db->last_insert_id(MAIN_DB_PREFIX.'expensereport_det');
+
+            $tmpparent=new ExpenseReport($this->db);
+            $tmpparent->fetch($this->fk_expensereport);
+            $result = $tmpparent->update_price();
+            if ($result < 0)
+            {
+                $error++;
+                $this->error = $tmpparent->error;
+                $this->errors = $tmpparent->errors;
+            }
+        }
+
+        if (! $error)
+        {
+            $this->db->commit();
+            return $this->rowid;
+        }
+        else
+        {
+            $this->error=$this->db->lasterror();
+            dol_syslog("ExpenseReportLine::insert Error ".$this->error, LOG_ERR);
+            $this->db->rollback();
+            return -2;
+        }
+    }
+
+    /**
+     * update
+     *
+     * @param   User    $fuser      User
+     * @return  int                 <0 if KO, >0 if OK
+     */
+    function update($fuser)
+    {
+        global $fuser,$langs,$conf;
+
+        $error=0;
+
+        // Clean parameters
+        $this->comments=trim($this->comments);
+        $this->vatrate = price2num($this->vatrate);
+
+        $this->db->begin();
+
+        // Mise a jour ligne en base
+        $sql = "UPDATE ".MAIN_DB_PREFIX."expensereport_det SET";
+        $sql.= " comments='".$this->db->escape($this->comments)."'";
+        $sql.= ",value_unit=".$this->value_unit."";
+        $sql.= ",qty=".$this->qty."";
+        $sql.= ",date='".$this->db->idate($this->date)."'";
+        $sql.= ",total_ht=".$this->total_ht."";
+        $sql.= ",total_tva=".$this->total_tva."";
+        $sql.= ",total_ttc=".$this->total_ttc."";
+        $sql.= ",tva_tx=".$this->vatrate;
+        if ($this->fk_c_type_fees) $sql.= ",fk_c_type_fees=".$this->fk_c_type_fees;
+        else $sql.= ",fk_c_type_fees=null";
+        if ($this->fk_projet) $sql.= ",fk_projet=".$this->fk_projet;
+        else $sql.= ",fk_projet=null";
+        $sql.= " WHERE rowid = ".$this->rowid;
+
+        dol_syslog("ExpenseReportLine::update sql=".$sql);
+
+        $resql=$this->db->query($sql);
+        if ($resql)
+        {
+            $tmpparent=new ExpenseReport($this->db);
+            $result = $tmpparent->fetch($this->fk_expensereport);
+            if ($result > 0)
+            {
+                $result = $tmpparent->update_price();
+                if ($result < 0)
+                {
+                    $error++;
+                    $this->error = $tmpparent->error;
+                    $this->errors = $tmpparent->errors;
+                }
+            }
+            else
+            {
+                $error++;
+                $this->error = $tmpparent->error;
+                $this->errors = $tmpparent->errors;
+            }
+        }
+        else
+        {
+            $error++;
+            dol_print_error($this->db);
+        }
+
+        if (! $error)
+        {
+            $this->db->commit();
+            return 1;
+        }
+        else
+        {
+            $this->error=$this->db->lasterror();
+            dol_syslog("ExpenseReportLine::update Error ".$this->error, LOG_ERR);
+            $this->db->rollback();
+            return -2;
+        }
+    }
 }
 
 
@@ -1687,74 +1708,74 @@ class ExpenseReportLine
  *    Retourne la liste deroulante des differents etats d'une note de frais.
  *    Les valeurs de la liste sont les id de la table c_expensereport_statuts
  *
- *    @param    int		$selected    	preselect status
- *    @param	string	$htmlname		Name of HTML select
- *    @param	int		$useempty		1=Add empty line
- *    @return	string					HTML select with status
+ *    @param    int     $selected       preselect status
+ *    @param    string  $htmlname       Name of HTML select
+ *    @param    int     $useempty       1=Add empty line
+ *    @return   string                  HTML select with status
  */
 function select_expensereport_statut($selected='',$htmlname='fk_statut',$useempty=1)
 {
-	global $db;
-
-	$tmpep=new ExpenseReport($db);
-
-	print '<select class="flat" name="'.$htmlname.'">';
-	if ($useempty) print '<option value="-1">&nbsp;</option>';
-	foreach ($tmpep->statuts as $key => $val)
-	{
-		if ($selected != '' && $selected == $key)
-		{
-			print '<option value="'.$key.'" selected>';
-		}
-		else
-		{
-			print '<option value="'.$key.'">';
-		}
-		print $val;
-		print '</option>';
-	}
-	print '</select>';
+    global $db;
+
+    $tmpep=new ExpenseReport($db);
+
+    print '<select class="flat" name="'.$htmlname.'">';
+    if ($useempty) print '<option value="-1">&nbsp;</option>';
+    foreach ($tmpep->statuts as $key => $val)
+    {
+        if ($selected != '' && $selected == $key)
+        {
+            print '<option value="'.$key.'" selected>';
+        }
+        else
+        {
+            print '<option value="'.$key.'">';
+        }
+        print $val;
+        print '</option>';
+    }
+    print '</select>';
 }
 
 /**
- *	Return list of types of notes with select value = id
+ *  Return list of types of notes with select value = id
  *
- *	@param      int		$selected       Preselected type
- *	@param      string	$htmlname       Name of field in form
- * 	@param		int		$showempty		Add an empty field
- *  @return		string					Select html
+ *  @param      int     $selected       Preselected type
+ *  @param      string  $htmlname       Name of field in form
+ *  @param      int     $showempty      Add an empty field
+ *  @return     string                  Select html
  */
 function select_type_fees_id($selected='',$htmlname='type',$showempty=0)
 {
-	global $db,$langs,$user;
-	$langs->load("trips");
-
-	print '<select class="flat" name="'.$htmlname.'">';
-	if ($showempty)
-	{
-		print '<option value="-1"';
-		if ($selected == -1) print ' selected';
-		print '>&nbsp;</option>';
-	}
-
-	$sql = "SELECT c.id, c.code, c.label as type FROM ".MAIN_DB_PREFIX."c_type_fees as c";
-	$sql.= " ORDER BY c.label ASC";
-	$resql=$db->query($sql);
-	if ($resql)
-	{
-		$num = $db->num_rows($resql);
-		$i = 0;
-
-		while ($i < $num)
-		{
-			$obj = $db->fetch_object($resql);
-			print '<option value="'.$obj->id.'"';
-			if ($obj->code == $selected || $obj->id == $selected) print ' selected';
-			print '>';
-			if ($obj->code != $langs->trans($obj->code)) print $langs->trans($obj->code);
-			else print $langs->trans($obj->type);
-			$i++;
-		}
-	}
-	print '</select>';
+    global $db,$langs,$user;
+    $langs->load("trips");
+
+    print '<select class="flat" name="'.$htmlname.'">';
+    if ($showempty)
+    {
+        print '<option value="-1"';
+        if ($selected == -1) print ' selected';
+        print '>&nbsp;</option>';
+    }
+
+    $sql = "SELECT c.id, c.code, c.label as type FROM ".MAIN_DB_PREFIX."c_type_fees as c";
+    $sql.= " ORDER BY c.label ASC";
+    $resql=$db->query($sql);
+    if ($resql)
+    {
+        $num = $db->num_rows($resql);
+        $i = 0;
+
+        while ($i < $num)
+        {
+            $obj = $db->fetch_object($resql);
+            print '<option value="'.$obj->id.'"';
+            if ($obj->code == $selected || $obj->id == $selected) print ' selected';
+            print '>';
+            if ($obj->code != $langs->trans($obj->code)) print $langs->trans($obj->code);
+            else print $langs->trans($obj->type);
+            $i++;
+        }
+    }
+    print '</select>';
 }
diff --git a/htdocs/expensereport/list.php b/htdocs/expensereport/list.php
index ef7b8d5311aa90506c75000649cd24be99f7543e..8b83f69ee12bd43f0038c23e6fefb4010caee165 100644
--- a/htdocs/expensereport/list.php
+++ b/htdocs/expensereport/list.php
@@ -245,16 +245,21 @@ if ($resql)
 	$total_total_ht = 0;
 	$total_total_ttc = 0;
 	$total_total_tva = 0;
+	
+	$expensereportstatic=new ExpenseReport($db);
 
 	if($num > 0)
 	{
 		while ($i < min($num,$limit))
 		{
 			$objp = $db->fetch_object($resql);
+			
+			$expensereportstatic->id=$objp->rowid;
+			$expensereportstatic->ref=$objp->ref;
 
 			$var=!$var;
 			print "<tr ".$bc[$var].">";
-			print '<td><a href="card.php?id='.$objp->rowid.'">'.img_object($langs->trans("ShowTrip"),"trip").' '.$objp->ref.'</a></td>';
+			print '<td>'.$expensereportstatic->getNomUrl(1).'</td>';
 			print '<td align="center">'.($objp->date_debut > 0 ? dol_print_date($objp->date_debut, 'day') : '').'</td>';
 			print '<td align="center">'.($objp->date_fin > 0 ? dol_print_date($objp->date_fin, 'day') : '').'</td>';
 			print '<td align="left"><a href="'.DOL_URL_ROOT.'/user/card.php?id='.$objp->id_user.'">'.img_object($langs->trans("ShowUser"),"user").' '.dolGetFirstLastname($objp->firstname, $objp->lastname).'</a></td>';
diff --git a/htdocs/fichinter/card.php b/htdocs/fichinter/card.php
index 4d43dbad9de775cfb42d87d807f5e9a2ed841d1d..b6505f19e4eb03dc97ab156ad4921b561c5025d8 100644
--- a/htdocs/fichinter/card.php
+++ b/htdocs/fichinter/card.php
@@ -1795,8 +1795,11 @@ else if ($id > 0 || ! empty($ref))
 			$file=$fileparams['fullname'];
 		}
 
+		print '<div class="clearboth"></div>';
 		print '<br>';
-		print_titre($langs->trans('SendInterventionByMail'));
+		print_fiche_titre($langs->trans('SendInterventionByMail'));
+
+		dol_fiche_head('');
 
 		// Create form object
 		include_once DOL_DOCUMENT_ROOT.'/core/class/html.formmail.class.php';
@@ -1860,7 +1863,7 @@ else if ($id > 0 || ! empty($ref))
 
 		print $formmail->get_form();
 
-		print '<br>';
+		dol_fiche_end();
 	}
 }
 
diff --git a/htdocs/fourn/class/fournisseur.facture.class.php b/htdocs/fourn/class/fournisseur.facture.class.php
index 03ff0ff1eb2173c18f04c79bde371a482aa256db..117a54f89c340d0e9e056be4d4a584fc19897f3b 100644
--- a/htdocs/fourn/class/fournisseur.facture.class.php
+++ b/htdocs/fourn/class/fournisseur.facture.class.php
@@ -504,39 +504,41 @@ class FactureFournisseur extends CommonInvoice
                 {
                     $obj = $this->db->fetch_object($resql_rows);
 
-                    $this->lines[$i]					= new SupplierInvoiceLine($this->db);
-
-                    $this->lines[$i]->id				= $obj->rowid;
-                    $this->lines[$i]->rowid				= $obj->rowid;
-                    $this->lines[$i]->description		= $obj->description;
-                    $this->lines[$i]->product_ref		= $obj->product_ref;       // Internal reference
-                    $this->lines[$i]->ref				= $obj->product_ref;       // deprecated.
-                    $this->lines[$i]->ref_supplier		= $obj->ref_supplier;      // Reference product supplier TODO Rename field ref to ref_supplier into table llx_facture_fourn_det and llx_commande_fournisseurdet and update fields it into updateline
-                    $this->lines[$i]->libelle			= $obj->label;             // Deprecated
-                    $this->lines[$i]->label  			= $obj->label;             // This field may contains label of product (when invoice create from order)
-                    $this->lines[$i]->product_desc		= $obj->product_desc;      // Description du produit
-                    $this->lines[$i]->subprice			= $obj->pu_ht;
-                    $this->lines[$i]->pu_ht				= $obj->pu_ht;
-                    $this->lines[$i]->pu_ttc			= $obj->pu_ttc;
-                    $this->lines[$i]->tva_tx			= $obj->tva_tx;
-                    $this->lines[$i]->localtax1_tx		= $obj->localtax1_tx;
-                    $this->lines[$i]->localtax2_tx		= $obj->localtax2_tx;
-                    $this->lines[$i]->qty				= $obj->qty;
-                    $this->lines[$i]->remise_percent    = $obj->remise_percent;
-                    $this->lines[$i]->tva				= $obj->total_tva;
-                    $this->lines[$i]->total_ht			= $obj->total_ht;
-                    $this->lines[$i]->total_tva			= $obj->total_tva;
-                    $this->lines[$i]->total_localtax1	= $obj->total_localtax1;
-                    $this->lines[$i]->total_localtax2	= $obj->total_localtax2;
-                    $this->lines[$i]->total_ttc			= $obj->total_ttc;
-                    $this->lines[$i]->fk_product		= $obj->fk_product;
-                    $this->lines[$i]->product_type		= $obj->product_type;
-                    $this->lines[$i]->product_label		= $obj->label;
-                    $this->lines[$i]->info_bits		    = $obj->info_bits;
-                    $this->lines[$i]->fk_parent_line    = $obj->fk_parent_line;
-                    $this->lines[$i]->special_code		= $obj->special_code;
-                    $this->lines[$i]->rang       		= $obj->rang;
-                    $this->lines[$i]->fk_unit           = $obj->fk_unit;
+	                $line = new SupplierInvoiceLine($this->db);
+
+                    $line->id				= $obj->rowid;
+                    $line->rowid				= $obj->rowid;
+                    $line->description		= $obj->description;
+                    $line->product_ref		= $obj->product_ref;
+                    $line->ref				= $obj->product_ref;
+                    $line->ref_supplier		= $obj->ref_supplier;
+                    $line->libelle			= $obj->label;
+                    $line->label  			= $obj->label;
+                    $line->product_desc		= $obj->product_desc;
+                    $line->subprice			= $obj->pu_ht;
+                    $line->pu_ht				= $obj->pu_ht;
+                    $line->pu_ttc			= $obj->pu_ttc;
+                    $line->tva_tx			= $obj->tva_tx;
+                    $line->localtax1_tx		= $obj->localtax1_tx;
+                    $line->localtax2_tx		= $obj->localtax2_tx;
+                    $line->qty				= $obj->qty;
+                    $line->remise_percent    = $obj->remise_percent;
+                    $line->tva				= $obj->total_tva;
+                    $line->total_ht			= $obj->total_ht;
+                    $line->total_tva			= $obj->total_tva;
+                    $line->total_localtax1	= $obj->total_localtax1;
+                    $line->total_localtax2	= $obj->total_localtax2;
+                    $line->total_ttc			= $obj->total_ttc;
+                    $line->fk_product		= $obj->fk_product;
+                    $line->product_type		= $obj->product_type;
+                    $line->product_label		= $obj->label;
+                    $line->info_bits		    = $obj->info_bits;
+                    $line->fk_parent_line    = $obj->fk_parent_line;
+                    $line->special_code		= $obj->special_code;
+                    $line->rang       		= $obj->rang;
+                    $line->fk_unit           = $obj->fk_unit;
+
+	                $this->lines[$i] = $line;
 
                     $i++;
                 }
@@ -1368,53 +1370,25 @@ class FactureFournisseur extends CommonInvoice
      */
     function deleteline($rowid, $notrigger=0)
     {
-    	global $user, $langs, $conf;
+        if (!$rowid) {
+	        $rowid = $this->id;
+        }
 
-        if (! $rowid) $rowid=$this->id;
+	    $line = new SupplierInvoiceLine($this->db);
 
-        dol_syslog(get_class($this)."::delete rowid=".$rowid, LOG_DEBUG);
+	    if ($line->fetch($rowid) < 1) {
+		    return -1;
+	    }
 
-        $error=0;
-    	$this->db->begin();
+	    $res = $line->delete($notrigger);
 
-		if (! $error && ! $notrigger)
-        {
-            // Call trigger
-            $result=$this->call_trigger('LINEBILL_SUPPLIER_DELETE',$user);
-            if ($result < 0) $error++;
-            // End call triggers
-        }
+	    if ($res < 1) {
+		    $this->errors[] = $line->error;
+	    } else {
+		    $res = $this->update_price();
+	    }
 
-    	if (! $error)
-    	{
-	        // Supprime ligne
-	        $sql = 'DELETE FROM '.MAIN_DB_PREFIX.'facture_fourn_det ';
-	        $sql.= ' WHERE rowid = '.$rowid;
-        	dol_syslog(get_class($this)."::delete", LOG_DEBUG);
-	        $resql = $this->db->query($sql);
-	        if (! $resql)
-	        {
-	        	$error++;
-	        	$this->error=$this->db->lasterror();
-	        }
-    	}
-
-    	if (! $error)
-    	{
-	        // Mise a jour prix facture
-    		$result=$this->update_price();
-    	}
-
-    	if (! $error)
-    	{
-    		$this->db->commit();
-        	return 1;
-    	}
-    	else
-    	{
-			$this->db->rollback();
-    		return -1;
-    	}
+    	return $res;
     }
 
 
@@ -1905,13 +1879,26 @@ class SupplierInvoiceLine extends CommonObjectLine
 	 * @see product_ref
 	 */
 	public $ref;
+	/**
+	 * Internal ref
+	 * @var string
+	 */
 	public $product_ref;
+	/**
+	 * Reference product supplier
+	 * TODO Rename field ref to ref_supplier into table llx_facture_fourn_det and llx_commande_fournisseurdet and update fields it into updateline
+	 * @var string
+	 */
 	public $ref_supplier;
 	/**
 	 * @deprecated
 	 * @see label
 	 */
 	public $libelle;
+	/**
+	 * Product description
+	 * @var string
+	 */
 	public $product_desc;
 
 	/**
@@ -1946,6 +1933,7 @@ class SupplierInvoiceLine extends CommonObjectLine
 
 	/**
 	 * Product label
+	 * This field may contains label of product (when invoice create from order)
 	 * @var string
 	 */
 	var $label;
@@ -1968,6 +1956,24 @@ class SupplierInvoiceLine extends CommonObjectLine
 	 */
 	public $fk_prev_id;
 
+	public $tva_tx;
+	public $localtax1_tx;
+	public $localtax2_tx;
+	public $qty;
+	public $remise_percent;
+	public $total_ht;
+	public $total_ttc;
+	public $total_localtax1;
+	public $total_localtax2;
+	public $fk_product;
+	public $product_type;
+	public $product_label;
+	public $info_bits;
+	public $fk_parent_line;
+	public $special_code;
+	public $rang;
+
+
 	/**
      *	Constructor
      *
@@ -1978,6 +1984,116 @@ class SupplierInvoiceLine extends CommonObjectLine
         $this->db= $db;
     }
 
+	/**
+	 * Retrieves a supplier invoice line
+	 *
+	 * @param int $rowid Line id
+	 * @return int <0 KO; 0 NOT FOUND; 1 OK
+	 */
+	public function fetch($rowid)
+	{
+		$sql = 'SELECT f.rowid, f.ref as ref_supplier, f.description, f.pu_ht, f.pu_ttc, f.qty, f.remise_percent, f.tva_tx';
+		$sql.= ', f.localtax1_tx, f.localtax2_tx, f.total_localtax1, f.total_localtax2 ';
+		$sql.= ', f.total_ht, f.tva as total_tva, f.total_ttc, f.fk_product, f.product_type, f.info_bits, f.rang, f.special_code, f.fk_parent_line, f.fk_unit';
+		$sql.= ', p.rowid as product_id, p.ref as product_ref, p.label as label, p.description as product_desc';
+		$sql.= ' FROM '.MAIN_DB_PREFIX.'facture_fourn_det as f';
+		$sql.= ' LEFT JOIN '.MAIN_DB_PREFIX.'product as p ON f.fk_product = p.rowid';
+		$sql.= ' WHERE rowid = '.$rowid;
+		$sql.= ' ORDER BY f.rang, f.rowid';
+
+		$query = $this->db->query($sql);
+
+		if (!$query) {
+			$this->errors[] = $this->db->error();
+			return -1;
+		}
+
+		if (!$this->db->num_rows($query)) {
+			return 0;
+		}
+
+		$obj = $this->db->fetch_object($query);
+
+		$this->id				= $obj->rowid;
+		$this->rowid				= $obj->rowid;
+		$this->description		= $obj->description;
+		$this->product_ref		= $obj->product_ref;
+		$this->ref				= $obj->product_ref;
+		$this->ref_supplier		= $obj->ref_supplier;
+		$this->libelle			= $obj->label;
+		$this->label  			= $obj->label;
+		$this->product_desc		= $obj->product_desc;
+		$this->subprice			= $obj->pu_ht;
+		$this->pu_ht				= $obj->pu_ht;
+		$this->pu_ttc			= $obj->pu_ttc;
+		$this->tva_tx			= $obj->tva_tx;
+		$this->localtax1_tx		= $obj->localtax1_tx;
+		$this->localtax2_tx		= $obj->localtax2_tx;
+		$this->qty				= $obj->qty;
+		$this->remise_percent    = $obj->remise_percent;
+		$this->tva				= $obj->total_tva;
+		$this->total_ht			= $obj->total_ht;
+		$this->total_tva			= $obj->total_tva;
+		$this->total_localtax1	= $obj->total_localtax1;
+		$this->total_localtax2	= $obj->total_localtax2;
+		$this->total_ttc			= $obj->total_ttc;
+		$this->fk_product		= $obj->fk_product;
+		$this->product_type		= $obj->product_type;
+		$this->product_label		= $obj->label;
+		$this->info_bits		    = $obj->info_bits;
+		$this->fk_parent_line    = $obj->fk_parent_line;
+		$this->special_code		= $obj->special_code;
+		$this->rang       		= $obj->rang;
+		$this->fk_unit           = $obj->fk_unit;
+
+		return 1;
+	}
+
+	/**
+	 * Deletes a line
+	 *
+	 * @param bool|int $notrigger
+	 * @return int -1 KO; 1 OK
+	 */
+	public function delete($notrigger = 0)
+	{
+		global $user;
+
+		dol_syslog(get_class($this)."::deleteline rowid=".$this->id, LOG_DEBUG);
+
+		$error = 0;
+
+		$this->db->begin();
+
+		if (!$notrigger) {
+			if ($this->call_trigger('LINEBILL_SUPPLIER_DELETE',$user) < 0) {
+				$error++;
+			}
+		}
+
+		if (!$error) {
+			// Supprime ligne
+			$sql = 'DELETE FROM '.MAIN_DB_PREFIX.'facture_fourn_det ';
+			$sql .= ' WHERE rowid = '.$this->id;
+			dol_syslog(get_class($this)."::delete", LOG_DEBUG);
+			$resql = $this->db->query($sql);
+			if (!$resql) {
+				$error++;
+				$this->error = $this->db->lasterror();
+			}
+		}
+
+		if (! $error)
+		{
+			$this->db->commit();
+			return 1;
+		}
+		else
+		{
+			$this->db->rollback();
+			return -1;
+		}
+	}
 
 }
 
diff --git a/htdocs/fourn/commande/card.php b/htdocs/fourn/commande/card.php
index 4acf2e8f68140772504dd0cf7b95f081b5aacfbd..1f6d65339441379f254c930c1e4fa5cc26575ab0 100644
--- a/htdocs/fourn/commande/card.php
+++ b/htdocs/fourn/commande/card.php
@@ -1754,7 +1754,7 @@ elseif (! empty($object->id))
 	 */
 	if ($action	== 'commande')
 	{
-		$date_com = dol_mktime(0,0,0,$_POST["remonth"],$_POST["reday"],$_POST["reyear"]);
+		$date_com = dol_mktime(GETPOST('rehour'),GETPOST('remin'),GETPOST('resec'),GETPOST("remonth"),GETPOST("reday"),GETPOST("reyear"));
 		$formconfirm = $form->formconfirm($_SERVER['PHP_SELF']."?id=".$object->id."&datecommande=".$date_com."&methode=".$_POST["methodecommande"]."&comment=".urlencode($_POST["comment"]), $langs->trans("MakeOrder"),$langs->trans("ConfirmMakeOrder",dol_print_date($date_com,'day')),"confirm_commande",'',0,2);
 
 	}
@@ -2296,9 +2296,11 @@ elseif (! empty($object->id))
 			$file=$fileparams['fullname'];
 		}
 
+		print '<div class="clearboth"></div>';
 		print '<br>';
+		print_fiche_titre($langs->trans('SendOrderByMail'));
 
-		print_titre($langs->trans('SendOrderByMail'));
+		dol_fiche_head('');
 
 		// Cree l'objet formulaire mail
 		include_once DOL_DOCUMENT_ROOT.'/core/class/html.formmail.class.php';
@@ -2367,7 +2369,7 @@ elseif (! empty($object->id))
 		// Show form
 		print $formmail->get_form();
 
-		print '<br>';
+		dol_fiche_end();
 	}
 	/*
 	 * Action webservice
diff --git a/htdocs/fourn/facture/card.php b/htdocs/fourn/facture/card.php
index cda640f2f383017ad0058de514b42bd42605c32d..c3bbced76bd461183dc41b97afa2b0c8b6292fe6 100644
--- a/htdocs/fourn/facture/card.php
+++ b/htdocs/fourn/facture/card.php
@@ -2313,6 +2313,11 @@ else
 
             print '<div class="tabsAction">';
 
+		$parameters = array();
+		$reshook = $hookmanager->executeHooks('addMoreActionsButtons', $parameters, $object, $action); // Note that $action and $object may have been
+		                                                                                          // modified by hook
+		if (empty($reshook)) {
+
 		    // Modify a validated invoice with no payments
 			if ($object->statut == FactureFournisseur::STATUS_VALIDATED && $action != 'edit' && $object->getSommePaiement() == 0 && $user->rights->fournisseur->facture->creer)
 			{
@@ -2432,6 +2437,7 @@ else
 				print '</div></div></div>';
                 //print '</td></tr></table>';
             }
+		}
         }
         /*
          * Show mail form
@@ -2474,8 +2480,11 @@ else
                 $file=$fileparams['fullname'];
             }
 
+			print '<div class="clearboth"></div>';
             print '<br>';
-            print_titre($langs->trans('SendBillByMail'));
+            print_fiche_titre($langs->trans('SendBillByMail'));
+
+            dol_fiche_head('');
 
             // Cree l'objet formulaire mail
             include_once DOL_DOCUMENT_ROOT.'/core/class/html.formmail.class.php';
@@ -2539,7 +2548,7 @@ else
             // Show form
             print $formmail->get_form();
 
-            print '<br>';
+            dol_fiche_end();
         }
     }
 }
diff --git a/htdocs/imports/import.php b/htdocs/imports/import.php
index c46854ec5c1539b2f24d01815941077928989a1b..9c48c680c3f72be15f74675722e36fba9d7aa408 100644
--- a/htdocs/imports/import.php
+++ b/htdocs/imports/import.php
@@ -886,9 +886,10 @@ if ($step == 4 && $datatoimport)
 				if ($objimport->array_import_convertvalue[0][$code]['rule']=='fetchidfromcodeid') $htmltext.=$langs->trans("DataComeFromIdFoundFromCodeId",$filecolumn,$langs->transnoentitiesnoconv($objimport->array_import_convertvalue[0][$code]['dict'])).'<br>';
 			}
 		}
+		// Source required
 		$htmltext.=$langs->trans("SourceRequired").': <b>'.yn(preg_match('/\*$/',$label)).'</b><br>';
 		$example=$objimport->array_import_examplevalues[0][$code];
-
+		// Example
 		if (empty($objimport->array_import_convertvalue[0][$code]))	// If source file does not need convertion
 		{
 		    if ($example) $htmltext.=$langs->trans("SourceExample").': <b>'.$example.'</b><br>';
@@ -898,6 +899,11 @@ if ($step == 4 && $datatoimport)
 		    if ($objimport->array_import_convertvalue[0][$code]['rule']=='fetchidfromref')    $htmltext.=$langs->trans("SourceExample").': <b>'.$langs->transnoentitiesnoconv("ExampleAnyRefFoundIntoElement",$entitylang).($example?' ('.$langs->transnoentitiesnoconv("Example").': '.$example.')':'').'</b><br>';
 		    if ($objimport->array_import_convertvalue[0][$code]['rule']=='fetchidfromcodeid') $htmltext.=$langs->trans("SourceExample").': <b>'.$langs->trans("ExampleAnyCodeOrIdFoundIntoDictionary",$langs->transnoentitiesnoconv($objimport->array_import_convertvalue[0][$code]['dict'])).($example?' ('.$langs->transnoentitiesnoconv("Example").': '.$example.')':'').'</b><br>';
 		}
+		// Format control rule
+		if (! empty($objimport->array_import_regex[0][$code]))
+		{
+			$htmltext.=$langs->trans("FormatControlRule").': <b>'.$objimport->array_import_regex[0][$code].'</b><br>';
+		}
 		$htmltext.='<br>';
 		// Target field info
 		$htmltext.='<b><u>'.$langs->trans("FieldTarget").'</u></b><br>';
diff --git a/htdocs/includes/odtphp/odf.php b/htdocs/includes/odtphp/odf.php
index a13a3923eabb60c8c3b416978561a2eac361b272..26d1c05721915f05901f45fe0ab58dddafdb0b19 100644
--- a/htdocs/includes/odtphp/odf.php
+++ b/htdocs/includes/odtphp/odf.php
@@ -489,11 +489,11 @@ IMG;
 		$name=preg_replace('/\.odt/i', '', $name);
 		if (!empty($conf->global->MAIN_DOL_SCRIPTS_ROOT))
 		{
-			$command = $conf->global->MAIN_DOL_SCRIPTS_ROOT.'/scripts/odt2pdf/odt2pdf.sh '.$name.' '.(is_numeric($conf->global->MAIN_ODT_AS_PDF)?'jodconverter':$conf->global->MAIN_ODT_AS_PDF);
+			$command = $conf->global->MAIN_DOL_SCRIPTS_ROOT.'/scripts/odt2pdf/odt2pdf.sh '.escapeshellcmd($name).' '.(is_numeric($conf->global->MAIN_ODT_AS_PDF)?'jodconverter':$conf->global->MAIN_ODT_AS_PDF);
 		}
 		else
 		{
-			$command = '../../scripts/odt2pdf/odt2pdf.sh '.$name.' '.(is_numeric($conf->global->MAIN_ODT_AS_PDF)?'jodconverter':$conf->global->MAIN_ODT_AS_PDF);
+			$command = '../../scripts/odt2pdf/odt2pdf.sh '.escapeshellcmd($name).' '.(is_numeric($conf->global->MAIN_ODT_AS_PDF)?'jodconverter':$conf->global->MAIN_ODT_AS_PDF);
 		}
 
 
diff --git a/htdocs/langs/ar_SA/admin.lang b/htdocs/langs/ar_SA/admin.lang
index 35afdd97fe3d8ecc126080f464b1ba59c8b0e5f7..cb0e441d672e008896563b075bc632d920692c63 100644
--- a/htdocs/langs/ar_SA/admin.lang
+++ b/htdocs/langs/ar_SA/admin.lang
@@ -429,8 +429,8 @@ Module20Name=مقترحات
 Module20Desc=مقترحات تجارية إدارة
 Module22Name=كتلة بالبريد الإلكتروني
 Module22Desc=البريد الإلكتروني الدمار إدارة
-Module23Name= طاقة
-Module23Desc= مراقبة استهلاك الطاقة
+Module23Name=طاقة
+Module23Desc=مراقبة استهلاك الطاقة
 Module25Name=طلبات الزبائن
 Module25Desc=طلبات الزبائن إدارة
 Module30Name=فواتير
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar التكامل
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=الإخطارات
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=التبرعات
 Module700Desc=التبرعات إدارة
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=إنشاء / تعديل المنتجات
 Permission34=حذف المنتجات
 Permission36=انظر / إدارة المنتجات المخفية
 Permission38=منتجات التصدير
-Permission41=قراءة المشاريع والمهام
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=إنشاء / تعديل مشاريع تعديل مهام بلدي المشاريع
 Permission44=حذف مشاريع
 Permission61=قراءة التدخلات
@@ -600,10 +600,10 @@ Permission86=إرسال أوامر العملاء
 Permission87=وثيقة أوامر العملاء
 Permission88=إلغاء أوامر العملاء
 Permission89=حذف أوامر العملاء
-Permission91=قراءة المساهمات الاجتماعية وضريبة القيمة المضافة
-Permission92=إنشاء / تعديل المساهمات الاجتماعية وضريبة القيمة المضافة
-Permission93=حذف المساهمات الاجتماعية وضريبة القيمة المضافة
-Permission94=تصدير المساهمات الاجتماعية
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=قراءة تقارير
 Permission101=قراءة الإرسال
 Permission102=إنشاء / تعديل الإرسال
@@ -621,9 +621,9 @@ Permission121=قراءة الغير مرتبطة المستخدم
 Permission122=إنشاء / تغيير الغير مرتبطة المستخدم
 Permission125=حذف الغير مرتبطة المستخدم
 Permission126=الصادرات الغير
-Permission141=المهام اقرأ
-Permission142=إنشاء / تعديل المهام
-Permission144=حذف المهام
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=قراءة موفري
 Permission147=قراءة احصائيات
 Permission151=قراءة أوامر دائمة
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=الإعداد المحفوظة
 BackToModuleList=العودة إلى قائمة الوحدات
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=هل أنت متأكد من أنك تريد حذف القائ
 DeleteLine=حذف السطر
 ConfirmDeleteLine=هل أنت متأكد من أنك تريد حذف هذا الخط؟
 ##### Tax #####
-TaxSetup=الضرائب والمساهمات الاجتماعية والأرباح وحدة الإعداد
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=ضريبة القيمة المضافة المستحقة
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=الصابون العملاء يجب إرسال الطلبات إلى
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=إعداد وحدة مصرفية
 FreeLegalTextOnChequeReceipts=نص حر على الشيكات والإيصالات
@@ -1596,6 +1599,7 @@ ProjectsSetup=مشروع إعداد وحدة
 ProjectsModelModule=المشروع نموذج التقرير وثيقة
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/ar_SA/agenda.lang b/htdocs/langs/ar_SA/agenda.lang
index 1e1bc1345839cb29f56d64a2dabac35b32232a23..9139de7369b3f3b0ec66ad09397002e8a111fdad 100644
--- a/htdocs/langs/ar_SA/agenda.lang
+++ b/htdocs/langs/ar_SA/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=تم الموافقة على %s من الطلب
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=الطلب %s للذهاب بها إلى حالة المسودة
-OrderCanceledInDolibarr=تم إلغاء %s من الطلب
 ProposalSentByEMail=تم إرسال العرض الرسمي %s بواسطة البريد الإلكتروني
 OrderSentByEMail=تم إرسال طلبية العميل %s بواسطة البريد الإلكتروني
 InvoiceSentByEMail=تم إرسال فاتروة العميل %s بواسطة البريد الإلكتروني
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/ar_SA/banks.lang b/htdocs/langs/ar_SA/banks.lang
index 3d951e5f0fe4599f877309f53ac5a075c84301c4..da6da12e749ab72501cb6784e59365509a764491 100644
--- a/htdocs/langs/ar_SA/banks.lang
+++ b/htdocs/langs/ar_SA/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=عملاء الدفع
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=المورد الدفع
 WithdrawalPayment=انسحاب الدفع
-SocialContributionPayment=دفع المساهمة الاجتماعية
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=مجلة الحساب المالي
 BankTransfer=حوالة مصرفية
 BankTransfers=التحويلات المصرفية
diff --git a/htdocs/langs/ar_SA/bills.lang b/htdocs/langs/ar_SA/bills.lang
index 61062905069f9538fb5e4a9cbdf9d8f80f66ae18..f47038ac702c418da5cb4dc9fdaabad9f5309c53 100644
--- a/htdocs/langs/ar_SA/bills.lang
+++ b/htdocs/langs/ar_SA/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=ملاحظة : من الفواتير
 NumberOfBillsByMonth=ملحوظة من الفواتير من قبل شهر
 AmountOfBills=مبلغ الفواتير
 AmountOfBillsByMonthHT=كمية من الفواتير من قبل شهر (بعد خصم الضرائب)
-ShowSocialContribution=وتظهر مساهمة الاجتماعية
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=وتظهر الفاتورة
 ShowInvoice=وتظهر الفاتورة
 ShowInvoiceReplace=وتظهر استبدال الفاتورة
@@ -270,7 +270,7 @@ BillAddress=مشروع قانون معالجة
 HelpEscompte=هذا الخصم هو الخصم الممنوح للعميل لأن الدفع قبل البعيد.
 HelpAbandonBadCustomer=هذا المبلغ قد تم التخلي عنها (وذكر أن العملاء سيئة العملاء) ، ويعتبر أحد exceptionnal فضفاضة.
 HelpAbandonOther=هذا المبلغ قد تم التخلي عنها لأنها كانت خطأ (خطأ أو فاتورة العميل أي بعبارة أخرى على سبيل المثال)
-IdSocialContribution=المساهمة الاجتماعية معرف
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=دفع معرف
 InvoiceId=فاتورة معرف
 InvoiceRef=المرجع الفاتورة.
diff --git a/htdocs/langs/ar_SA/companies.lang b/htdocs/langs/ar_SA/companies.lang
index f995f3e6086646cf130b0a48552f77f72efcc06a..eb3980baa1b6277c6f11ab7cee5865387e5a3178 100644
--- a/htdocs/langs/ar_SA/companies.lang
+++ b/htdocs/langs/ar_SA/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=طرف ثالث اتصال
 StatusContactValidated=مركز الاتصال
 Company=شركة
 CompanyName=اسم الشركة
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=الشركات
 CountryIsInEEC=البلد داخل المجموعة الاقتصادية الأوروبية
 ThirdPartyName=اسم طرف ثالث
diff --git a/htdocs/langs/ar_SA/compta.lang b/htdocs/langs/ar_SA/compta.lang
index 266314ebe98e3a4bac9a5d9cb612f88d6e0bbc2a..3aeacdce7882df11dca2d9af63e261ca475e9149 100644
--- a/htdocs/langs/ar_SA/compta.lang
+++ b/htdocs/langs/ar_SA/compta.lang
@@ -56,23 +56,23 @@ VATCollected=جمعت ضريبة القيمة المضافة
 ToPay=دفع
 ToGet=العودة
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=ضريبة أرباح الأسهم والمساهمات الاجتماعية ، ومنطقة
-SocialContribution=المساهمة الاجتماعية
-SocialContributions=المساهمات الاجتماعية
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=الضرائب وعوائد
 MenuSalaries=Salaries
-MenuSocialContributions=المساهمات الاجتماعية
-MenuNewSocialContribution=مساهمة جديدة
-NewSocialContribution=المساهمة الاجتماعية الجديدة
-ContributionsToPay=دفع الاشتراكات
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=المحاسبة / الخزانة المنطقة
 AccountancySetup=المحاسبة الإعداد
 NewPayment=دفع جديدة
 Payments=المدفوعات
 PaymentCustomerInvoice=الزبون تسديد الفاتورة
 PaymentSupplierInvoice=دفع فاتورة المورد
-PaymentSocialContribution=دفع المساهمة الاجتماعية
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=دفع ضريبة القيمة المضافة
 PaymentSalary=Salary payment
 ListPayment=قائمة المدفوعات
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=دفع ضريبة القيمة المضافة
 VATPayments=دفع ضريبة القيمة المضافة
-SocialContributionsPayments=المساهمات الاجتماعية المدفوعات
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=وتظهر دفع ضريبة القيمة المضافة
 TotalToPay=على دفع ما مجموعه
 TotalVATReceived=تلقى مجموع الضريبة على القيمة المضافة
@@ -116,11 +116,11 @@ NewCheckDepositOn=تهيئة لتلقي الودائع على حساب : ٪ ق
 NoWaitingChecks=لم ينتظر إيداع الشيكات.
 DateChequeReceived=استقبال المدخلات تاريخ الشيك
 NbOfCheques=ملاحظة : للشيكات
-PaySocialContribution=دفع المساهمات الاجتماعية
-ConfirmPaySocialContribution=هل أنت متأكد من أن يصنف هذه المساهمة paid الاجتماعية؟
-DeleteSocialContribution=حذف المساهمات الاجتماعية
-ConfirmDeleteSocialContribution=هل أنت متأكد من أنك تريد حذف هذه المساهمة الاجتماعية؟
-ExportDataset_tax_1=المساهمات الاجتماعية والمدفوعات
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/ar_SA/cron.lang b/htdocs/langs/ar_SA/cron.lang
index dab9dc64d910ed43f5ab5b39d8e6b07cabc21062..7404d5fb07e68cd0e3bdc686056cc5d3df1f14e3 100644
--- a/htdocs/langs/ar_SA/cron.lang
+++ b/htdocs/langs/ar_SA/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/ar_SA/ecm.lang b/htdocs/langs/ar_SA/ecm.lang
index 48005676fe27aef15e31ddd5d69b37e76574f82f..9e048d12820aa3ced05a27c37346956afb26df14 100644
--- a/htdocs/langs/ar_SA/ecm.lang
+++ b/htdocs/langs/ar_SA/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=بحث عن وجوه
 ECMSectionOfDocuments=أدلة وثائق
 ECMTypeManual=دليل
 ECMTypeAuto=التلقائي
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=وثائق مرتبطة أطراف ثالثة
 ECMDocsByProposals=وثائق مرتبطة مقترحات
 ECMDocsByOrders=وثائق مرتبطة أوامر العملاء
diff --git a/htdocs/langs/ar_SA/errors.lang b/htdocs/langs/ar_SA/errors.lang
index 61c0d90ab7b9836be1b6af2fca8a464533f18c9a..1f72c62549e50867b8adc4a6d706f4b2989b53af 100644
--- a/htdocs/langs/ar_SA/errors.lang
+++ b/htdocs/langs/ar_SA/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/ar_SA/holiday.lang b/htdocs/langs/ar_SA/holiday.lang
index 0e453b010759a875915706d380b3d7f2ffbf021d..7accad52c25704b25fd4aa8fd9288a723054d533 100644
--- a/htdocs/langs/ar_SA/holiday.lang
+++ b/htdocs/langs/ar_SA/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=سبب
 UserCP=مستخدم
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=القيمة
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/ar_SA/mails.lang b/htdocs/langs/ar_SA/mails.lang
index f3e5333a397a81d6652574750cdee46b5524df89..3541af660117b2cf67e4d2526c7afa4d1c0f0a9e 100644
--- a/htdocs/langs/ar_SA/mails.lang
+++ b/htdocs/langs/ar_SA/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=الإخطارات
 NoNotificationsWillBeSent=إشعارات البريد الإلكتروني لا يجري التخطيط لهذا الحدث ، وشركة
diff --git a/htdocs/langs/ar_SA/main.lang b/htdocs/langs/ar_SA/main.lang
index 5089f8462f06d0bef235c77a7d8d7b990b981195..28d64afe39f38da3394350137f034b50063cee39 100644
--- a/htdocs/langs/ar_SA/main.lang
+++ b/htdocs/langs/ar_SA/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=تم العثور على بعض الأخط
 ErrorConfigParameterNotDefined=المعلم <b>ل ٪</b> غير محدد Dolibarr داخل ملف <b>conf.php.</b>
 ErrorCantLoadUserFromDolibarrDatabase=فشلت في العثور على المستخدم <b>٪ ق</b> Dolibarr في قاعدة البيانات.
 ErrorNoVATRateDefinedForSellerCountry=خطأ ، لم يعرف لمعدلات ضريبة القيمة المضافة فى البلاد ٪ ق.
-ErrorNoSocialContributionForSellerCountry=خطأ ، لا يوجد نوع المساهمة الاجتماعية المحددة للبلد '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=خطأ ، وفشلت في انقاذ الملف.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=سعر الوحدة
 PriceU=ارتفاع
 PriceUHT=ارتفاع (صافي)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=ارتفاع
+PriceUTTC=U.P. (inc. tax)
 Amount=مبلغ
 AmountInvoice=مبلغ الفاتورة
 AmountPayment=دفع مبلغ
@@ -339,6 +339,7 @@ IncludedVAT=وتشمل الضريبة على القيمة المضافة
 HT=بعد خصم الضرائب
 TTC=شركة ضريبة على القيمة المضافة
 VAT=ضريبة القيمة المضافة
+VATs=Sales taxes
 LT1ES=تعاود
 LT2ES=IRPF
 VATRate=سعر الضريبة على القيمة المضافة
diff --git a/htdocs/langs/ar_SA/members.lang b/htdocs/langs/ar_SA/members.lang
index ee9d10f88e03abda1cb86f60b7fe0d77e431b73a..4d9cbb1f4bf139777e48378a1219911beb184fcf 100644
--- a/htdocs/langs/ar_SA/members.lang
+++ b/htdocs/langs/ar_SA/members.lang
@@ -199,7 +199,8 @@ Entreprises=الشركات
 DOLIBARRFOUNDATION_PAYMENT_FORM=أن يسدد الاشتراك باستخدام حوالة مصرفية، راجع صفحة <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> الدفع باستخدام بطاقة ائتمان أو باي بال، وانقر على زر في أسفل هذه الصفحة. <br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/ar_SA/products.lang b/htdocs/langs/ar_SA/products.lang
index 94a84611d41b5a12fbcebaf855cb2a4d5761c74a..acf87d7a9e26c8b14308407a85c8c4da1dabdff5 100644
--- a/htdocs/langs/ar_SA/products.lang
+++ b/htdocs/langs/ar_SA/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/ar_SA/projects.lang b/htdocs/langs/ar_SA/projects.lang
index 692a7dea008c2b9198cf910195a1576ba7aaccfe..388df9f46f1e4a0a0d546585c13f660261ee8696 100644
--- a/htdocs/langs/ar_SA/projects.lang
+++ b/htdocs/langs/ar_SA/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=ويقتصر هذا الرأي على المشروعات أو الم
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=هذا الرأي يعرض جميع المشاريع والمهام ويسمح لك قراءة.
 TasksDesc=هذا الرأي يعرض جميع المشاريع والمهام (أذونات المستخدم الخاص أعطى الصلاحية لعرض كل شيء).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=مشاريع المنطقة
 NewProject=مشروع جديد
 AddProject=إنشاء مشروع
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=قائمة الإجراءات المرتبطة بالمشروع
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=نشاط المشروع هذا الاسبوع
 ActivityOnProjectThisMonth=نشاط المشروع هذا الشهر
 ActivityOnProjectThisYear=نشاط المشروع هذا العام
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/ar_SA/trips.lang b/htdocs/langs/ar_SA/trips.lang
index 8c1c2a2e30d1bf7c2fee5fa3f335f0e7a03839e0..403947a1f8493f88123131ec2b7a45b4a132c16b 100644
--- a/htdocs/langs/ar_SA/trips.lang
+++ b/htdocs/langs/ar_SA/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/ar_SA/withdrawals.lang b/htdocs/langs/ar_SA/withdrawals.lang
index b32f10157fa8db0a86c2c1a7db21f06caaa979ca..f2ba3820c8cf439f7261af245ce3cb7d89eb5a3f 100644
--- a/htdocs/langs/ar_SA/withdrawals.lang
+++ b/htdocs/langs/ar_SA/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=دفع %s النظام الدائمة من قبل البنك
diff --git a/htdocs/langs/ar_SA/workflow.lang b/htdocs/langs/ar_SA/workflow.lang
index 814be1785ad3f5067b21abc9715de5bf8264b675..883a1c2c0d7bef345a6d797a09e0a137f7866bae 100644
--- a/htdocs/langs/ar_SA/workflow.lang
+++ b/htdocs/langs/ar_SA/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=سير العمل وحدة الإعداد
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/bg_BG/admin.lang b/htdocs/langs/bg_BG/admin.lang
index a0479974a7ba949e33da48c77228d643bfb954cc..548ea4b0dd39bea394ebb1c99f881a0de45377cc 100644
--- a/htdocs/langs/bg_BG/admin.lang
+++ b/htdocs/langs/bg_BG/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Предложения
 Module20Desc=Търговско предложение управление
 Module22Name=Масови имейли
 Module22Desc=Управление на масови имейли
-Module23Name= Енергия
-Module23Desc= Наблюдение на консумацията на енергия
+Module23Name=Енергия
+Module23Desc=Наблюдение на консумацията на енергия
 Module25Name=Поръчки от клиенти
 Module25Desc=Управление на поръчка на клиента
 Module30Name=Фактури
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar интеграция
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Известия
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Дарения
 Module700Desc=Управление на дарения
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Създаване / промяна на продукти
 Permission34=Изтриване на продукти
 Permission36=Преглед / управление на скрити продукти
 Permission38=Износ на продукти
-Permission41=Четене на проекти (общи проекти и проекти съм се с нас за)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Създаване / промяна на проекти (общи проекти и проекти съм се с нас за)
 Permission44=Изтриване на проекти (общи проекти и проекти съм се с нас за)
 Permission61=Прочети интервенции
@@ -600,10 +600,10 @@ Permission86=Изпрати клиенти поръчки
 Permission87=Затваряне на поръчките на клиентите
 Permission88=Отказ клиенти поръчки
 Permission89=Изтриване на клиенти поръчки
-Permission91=Социалноосигурителните вноски и ДДС
-Permission92=Създаване / промяна на социалните вноски и ДДС
-Permission93=Изтриване на социалноосигурителните вноски и ДДС
-Permission94=Експортиране на социалноосигурителните вноски
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Прочети доклада
 Permission101=Прочети sendings
 Permission102=Създаване / промяна sendings
@@ -621,9 +621,9 @@ Permission121=Четене на трети лица, свързани с пот
 Permission122=Създаване / промяна трети страни, свързани с потребителя
 Permission125=Изтриване на трети лица, свързани с потребителя
 Permission126=Трети страни за износ
-Permission141=Прочетете проекти (лично аз не съм се с нас за)
-Permission142=Създаване / промяна проекти (лично аз не съм се свържете)
-Permission144=Изтриване на проекти (лично аз не съм се с нас за)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Прочети доставчици
 Permission147=Прочети статистиката
 Permission151=Нареждания за периодични преводи
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup спаси
 BackToModuleList=Обратно към списъка с модули
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Сигурен ли сте, че искате да изтри
 DeleteLine=Изтриване на ред
 ConfirmDeleteLine=Сигурни ли сте, че желаете да изтриете този ред?
 ##### Tax #####
-TaxSetup=Данъци, социални осигуровки и дивиденти модул за настройка
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Дължимия ДДС
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP клиентите трябва да изпратят своит
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Модул за настройка на банката
 FreeLegalTextOnChequeReceipts=Свободен текст чековите разписки
@@ -1596,6 +1599,7 @@ ProjectsSetup=Инсталационния проект модул
 ProjectsModelModule=Проект доклади документ модел
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/bg_BG/agenda.lang b/htdocs/langs/bg_BG/agenda.lang
index 3c0497e6c709855f45b266252f61cb5730c1acac..7be2428c3cdf8f5be8aaa1cdcbf78103ae18a853 100644
--- a/htdocs/langs/bg_BG/agenda.lang
+++ b/htdocs/langs/bg_BG/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Поръчка %s одобрен
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Поръчка %s се върне в състояние на чернова
-OrderCanceledInDolibarr=Поръчка %s отменен
 ProposalSentByEMail=Търговски %s предложението, изпратено по електронна поща
 OrderSentByEMail=, Изпратени по електронната поща %s поръчка на клиента
 InvoiceSentByEMail=, Изпратени по електронната поща %s клиенти фактура
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/bg_BG/banks.lang b/htdocs/langs/bg_BG/banks.lang
index bdf879746b1e2a417d4f236b166e31ae34741bd1..89e3d8d99d3d4920261457ce1b9c6f276117df27 100644
--- a/htdocs/langs/bg_BG/banks.lang
+++ b/htdocs/langs/bg_BG/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Клиентско плащане
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Доставчик плащане
 WithdrawalPayment=Оттегляне плащане
-SocialContributionPayment=Осигурителната вноска за плащане
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Финансова сметка списание
 BankTransfer=Банков превод
 BankTransfers=Банкови преводи
diff --git a/htdocs/langs/bg_BG/bills.lang b/htdocs/langs/bg_BG/bills.lang
index 0386adb4023e836e359eee490d207c905e874078..0e05f865ad362311f55c615fc20e9a8296de94d0 100644
--- a/htdocs/langs/bg_BG/bills.lang
+++ b/htdocs/langs/bg_BG/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb на фактури
 NumberOfBillsByMonth=Nb на фактури по месец
 AmountOfBills=Размер на фактури
 AmountOfBillsByMonthHT=Размер на фактури от месец (нетно от данъци)
-ShowSocialContribution=Показване на осигурителната вноска
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Покажи фактура
 ShowInvoice=Покажи фактура
 ShowInvoiceReplace=Покажи замяна фактура
@@ -270,7 +270,7 @@ BillAddress=Бил адрес
 HelpEscompte=Тази отстъпка е отстъпка, предоставена на клиента, тъй като плащането е извършено преди термина.
 HelpAbandonBadCustomer=Тази сума е бил изоставен (клиент казва, че е лош клиент) и се счита като извънредна в насипно състояние.
 HelpAbandonOther=Тази сума е изоставена, тъй като тя е грешка (грешен клиент или фактура, заменен от друг например)
-IdSocialContribution=Социален принос ID
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Плащане ID
 InvoiceId=Фактура номер
 InvoiceRef=Фактура с реф.
diff --git a/htdocs/langs/bg_BG/companies.lang b/htdocs/langs/bg_BG/companies.lang
index 037ed49bebeac1eb13408976b2c763ebb11cd0bd..85778f1cff03da66714d5faa70d68b898f0084ca 100644
--- a/htdocs/langs/bg_BG/companies.lang
+++ b/htdocs/langs/bg_BG/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=От страна на трети лица за контакт
 StatusContactValidated=Състояние на контакт/адрес
 Company=Фирма
 CompanyName=Име на фирмата
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Фирми
 CountryIsInEEC=Държавата е част от Европейската икономическа общност
 ThirdPartyName=Име на Трета страна
diff --git a/htdocs/langs/bg_BG/compta.lang b/htdocs/langs/bg_BG/compta.lang
index 64930c64da3528f0e9b289bf0e342cba12aea466..bf667e62414e1244712c62405118d3ae1bd26af1 100644
--- a/htdocs/langs/bg_BG/compta.lang
+++ b/htdocs/langs/bg_BG/compta.lang
@@ -56,23 +56,23 @@ VATCollected=Събраният ДДС
 ToPay=За да платите
 ToGet=За да се върнете
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Данъци, вноски за социално и дивиденти площ
-SocialContribution=Социален принос
-SocialContributions=Социалноосигурителни вноски
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Данъци и дивиденти
 MenuSalaries=Salaries
-MenuSocialContributions=Социалноосигурителни вноски
-MenuNewSocialContribution=Нов принос
-NewSocialContribution=Нова социална принос
-ContributionsToPay=Вноски за плащане
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Счетоводство / Каса
 AccountancySetup=Настройки на счетоводството
 NewPayment=Нов плащане
 Payments=Плащания
 PaymentCustomerInvoice=Плащане на клиенти фактура
 PaymentSupplierInvoice=Плащане доставчик фактура
-PaymentSocialContribution=Осигурителната вноска за плащане
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Плащането на ДДС
 PaymentSalary=Salary payment
 ListPayment=Списък на плащанията
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=Плащането на ДДС
 VATPayments=Плащанията по ДДС
-SocialContributionsPayments=Социални плащания вноски
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Покажи плащане на ДДС
 TotalToPay=Всичко за плащане
 TotalVATReceived=Общо ДДС
@@ -116,11 +116,11 @@ NewCheckDepositOn=Създаване на разписка за депозит 
 NoWaitingChecks=Няма проверки за депозит.
 DateChequeReceived=Проверете датата рецепция
 NbOfCheques=Nb на проверките
-PaySocialContribution=Заплащане на осигурителната вноска
-ConfirmPaySocialContribution=Сигурен ли сте, че искате да класифицира този осигурителната вноска като платен?
-DeleteSocialContribution=Изтриване на осигурителната вноска
-ConfirmDeleteSocialContribution=Сигурен ли сте, че искате да изтриете тази осигурителната вноска?
-ExportDataset_tax_1=Социални вноски и плащания
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Счетоводен код по подразбиране за начисляване на ДДС
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Счетоводен код по подразбиране за плащане на ДДС
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Клониране на социално-осигурителни вноски
-ConfirmCloneTax=Потвърдете клонирането на социално-осигурителните вноски
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Клониране за следващ месец
diff --git a/htdocs/langs/bg_BG/cron.lang b/htdocs/langs/bg_BG/cron.lang
index 73d24596bc0bf9253b95222cae3a4a20258c3602..eadcc3d2e9d30ee57a45aa7aa27252f068703138 100644
--- a/htdocs/langs/bg_BG/cron.lang
+++ b/htdocs/langs/bg_BG/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=Системния команден ред за стартиране.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Информация
 # Common
diff --git a/htdocs/langs/bg_BG/ecm.lang b/htdocs/langs/bg_BG/ecm.lang
index 47143f6cc387f3a0d96f3b9159b9674e2efa06c0..6e46ba15a0759dd1cb3ea1511d595e579a7f67c8 100644
--- a/htdocs/langs/bg_BG/ecm.lang
+++ b/htdocs/langs/bg_BG/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Търсене по обект
 ECMSectionOfDocuments=Директории на документи
 ECMTypeManual=Ръчно
 ECMTypeAuto=Автоматично
-ECMDocsBySocialContributions=Документи, които се отнасят до социални вноски
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Документи, свързани с трети страни
 ECMDocsByProposals=Документи, свързани с предложения
 ECMDocsByOrders=Документи, свързани с поръчки на клиенти
diff --git a/htdocs/langs/bg_BG/errors.lang b/htdocs/langs/bg_BG/errors.lang
index c054bcb152bf07e50045c4e3f728d5a2086ec004..e3c5c086eb8e2ee5e6062e84edfd3b309f155e1c 100644
--- a/htdocs/langs/bg_BG/errors.lang
+++ b/htdocs/langs/bg_BG/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Датата на плащане (%s) е по-ранна от датата на фактуриране (%s) за фактура %s.
 WarningTooManyDataPleaseUseMoreFilters=Твърде много данни. Моля, използвайте повече филтри
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/bg_BG/holiday.lang b/htdocs/langs/bg_BG/holiday.lang
index f3d9c9dcba97faf62af797300692779123e8fd4d..c92b03e94cc625756f2ef2a2d791a9a8d1a70ac5 100644
--- a/htdocs/langs/bg_BG/holiday.lang
+++ b/htdocs/langs/bg_BG/holiday.lang
@@ -3,7 +3,7 @@ HRM=ЧР
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Месечно извлечение
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Причина
 UserCP=Потребител
 ErrorAddEventToUserCP=Възникна грешка при добавяне на изключително отпуск.
 AddEventToUserOkCP=Добавянето на извънредния отпуск е завършена.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=В изпълнение на
 UserUpdateCP=За потребителя
@@ -93,6 +93,7 @@ ValueOptionCP=Стойност
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Потвърждаване на конфигурацията
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Актуализира се успешно.
 ErrorUpdateConfCP=Възникна грешка по време на актуализацията, моля опитайте отново.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Възникна грешка при изпращане на и
 NoCPforMonth=Не оставяйте този месец.
 nbJours=Брой дни
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/bg_BG/mails.lang b/htdocs/langs/bg_BG/mails.lang
index f57e1ac1d3bd687f367eaefab5f1524f4c9831a4..7d0bbab486de54a1f97b40e668a889fb0fd4c4b6 100644
--- a/htdocs/langs/bg_BG/mails.lang
+++ b/htdocs/langs/bg_BG/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Tracker поща отвори
 TagUnsubscribe=Отписване връзка
 TagSignature=Подпис изпращане на потребителя
 TagMailtoEmail=E-mail на получателя
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Известия
 NoNotificationsWillBeSent=Не са планирани за това събитие и компания известия по имейл
diff --git a/htdocs/langs/bg_BG/main.lang b/htdocs/langs/bg_BG/main.lang
index 4ac02e7600ca147dde9e7004ee50ecf25f276761..dc20004f0cee10b0b1a450d75d73609ca849a908 100644
--- a/htdocs/langs/bg_BG/main.lang
+++ b/htdocs/langs/bg_BG/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Някои бяха открити гре
 ErrorConfigParameterNotDefined=Параметъра <b>%s</b> не е дефиниран в конфигурационния файл на Dolibarr <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Не можа да се намери потребител <b>%s</b> в базата данни на Dolibarr.
 ErrorNoVATRateDefinedForSellerCountry=Грешка, няма дефинирани ДДС ставки, за държавата '%s'.
-ErrorNoSocialContributionForSellerCountry=Грешка, не е социален тип участие, определено за &quot;%s&quot; страна.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Грешка, файла не е записан.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Единична цена
 PriceU=U.P.
 PriceUHT=U.P. (нето)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Размер
 AmountInvoice=Фактурирана стойност
 AmountPayment=Сума за плащане
@@ -339,6 +339,7 @@ IncludedVAT=С включен данък
 HT=без данък
 TTC=с данък
 VAT=Данък върху продажбите
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Данъчната ставка
diff --git a/htdocs/langs/bg_BG/members.lang b/htdocs/langs/bg_BG/members.lang
index 88566d73fdb501f8ca6a33ee76d589a0c13921e4..cce96a600da6b129ecf03780d468cf6c1c542f55 100644
--- a/htdocs/langs/bg_BG/members.lang
+++ b/htdocs/langs/bg_BG/members.lang
@@ -199,7 +199,8 @@ Entreprises=Фирми
 DOLIBARRFOUNDATION_PAYMENT_FORM=За да направите абонамент на плащане чрез банков превод, вижте стр. <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> За да платите чрез кредитна карта или Paypal, кликнете върху бутона в долната част на тази страница. <br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/bg_BG/products.lang b/htdocs/langs/bg_BG/products.lang
index 24022c3a14b506930cfcc264e0bf333ada5132ca..a9f8c7638bebd97b18533264f436ec54a2527fac 100644
--- a/htdocs/langs/bg_BG/products.lang
+++ b/htdocs/langs/bg_BG/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/bg_BG/projects.lang b/htdocs/langs/bg_BG/projects.lang
index 1ef4898286694478377564b83984c352b77bdca1..d11bc610f4a134475e5eeca6098de94682cb89c9 100644
--- a/htdocs/langs/bg_BG/projects.lang
+++ b/htdocs/langs/bg_BG/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Тази гледна точка е ограничена до про
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Този възглед представя всички проекти и задачи, които може да чете.
 TasksDesc=Този възглед представя всички проекти и задачи (потребителски разрешения ви даде разрешение да видите всичко).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Проекти област
 NewProject=Нов проект
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=Списък на събития, свързани с проекта
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Дейности в проекта тази седмица
 ActivityOnProjectThisMonth=Дейност по проект, този месец
 ActivityOnProjectThisYear=Дейности в проекта тази година
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/bg_BG/trips.lang b/htdocs/langs/bg_BG/trips.lang
index d6cac26077863c51d168f6e41224b2c51e93cf52..332600d489495c5371ede46ff1428156c2cefc69 100644
--- a/htdocs/langs/bg_BG/trips.lang
+++ b/htdocs/langs/bg_BG/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/bg_BG/withdrawals.lang b/htdocs/langs/bg_BG/withdrawals.lang
index 599a843661b531f8fbbb78c8a0350352641faeec..55535a35af50a0d3f43d276f2466cf614efbee05 100644
--- a/htdocs/langs/bg_BG/withdrawals.lang
+++ b/htdocs/langs/bg_BG/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Плащане на постоянно нареждане %s от банката
diff --git a/htdocs/langs/bg_BG/workflow.lang b/htdocs/langs/bg_BG/workflow.lang
index e101503f4da1559ea98e3ad5d3b5562b961c949d..19c4c47e4ba34da1dec456679522aebfa65de396 100644
--- a/htdocs/langs/bg_BG/workflow.lang
+++ b/htdocs/langs/bg_BG/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Настройки на модул Workflow
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/bn_BD/admin.lang b/htdocs/langs/bn_BD/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..13f7eb7c6ec5abbbd16fbfef6aca5771a693bf8d 100644
--- a/htdocs/langs/bn_BD/admin.lang
+++ b/htdocs/langs/bn_BD/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposals
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energy
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Customer Orders
 Module25Desc=Customer order management
 Module30Name=Invoices
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donations
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/bn_BD/agenda.lang b/htdocs/langs/bn_BD/agenda.lang
index 04e2ae30de8fac4eab92e0229f58cbbb51392033..3e8b2309f8f645e35862d5934010712bf4b07300 100644
--- a/htdocs/langs/bn_BD/agenda.lang
+++ b/htdocs/langs/bn_BD/agenda.lang
@@ -48,11 +48,13 @@ InvoiceValidatedInDolibarr=Invoice %s validated
 InvoiceValidatedInDolibarrFromPos=Invoice %s validated from POS
 InvoiceBackToDraftInDolibarr=Invoice %s go back to draft status
 InvoiceDeleteDolibarr=Invoice %s deleted
-OrderValidatedInDolibarr= Order %s validated
+OrderValidatedInDolibarr=Order %s validated
+OrderDeliveredInDolibarr=Order %s classified delivered
+OrderCanceledInDolibarr=Order %s canceled
+OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -91,3 +93,7 @@ WorkingTimeRange=Working time range
 WorkingDaysRange=Working days range
 AddEvent=Create event
 MyAvailability=My availability
+ActionType=Event type
+DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/bn_BD/banks.lang b/htdocs/langs/bn_BD/banks.lang
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..d12f45387d6b4649f2face75d8646935a7c16c33 100644
--- a/htdocs/langs/bn_BD/banks.lang
+++ b/htdocs/langs/bn_BD/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/bn_BD/bills.lang b/htdocs/langs/bn_BD/bills.lang
index b5c8d3b6653e731416674d9a9e3085b726a41f8b..3210e0bf51731a2e1e91e0c26d72245194b15b60 100644
--- a/htdocs/langs/bn_BD/bills.lang
+++ b/htdocs/langs/bn_BD/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb of invoices
 NumberOfBillsByMonth=Nb of invoices by month
 AmountOfBills=Amount of invoices
 AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Show invoice
 ShowInvoice=Show invoice
 ShowInvoiceReplace=Show replacing invoice
@@ -270,7 +270,7 @@ BillAddress=Bill address
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Payment id
 InvoiceId=Invoice id
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/bn_BD/companies.lang b/htdocs/langs/bn_BD/companies.lang
index ad9980cb0552d268ab543108eb80064004ba1ebc..42a9a884c761ad3b3be0f8d92cc5fdde6e580137 100644
--- a/htdocs/langs/bn_BD/companies.lang
+++ b/htdocs/langs/bn_BD/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Third party contact/address
 StatusContactValidated=Status of contact/address
 Company=Company
 CompanyName=Company name
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Companies
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Third party name
diff --git a/htdocs/langs/bn_BD/compta.lang b/htdocs/langs/bn_BD/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/bn_BD/compta.lang
+++ b/htdocs/langs/bn_BD/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/bn_BD/cron.lang b/htdocs/langs/bn_BD/cron.lang
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..bd85715642ec700a51b7365535762b2760ae54e5 100644
--- a/htdocs/langs/bn_BD/cron.lang
+++ b/htdocs/langs/bn_BD/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/bn_BD/ecm.lang b/htdocs/langs/bn_BD/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/bn_BD/ecm.lang
+++ b/htdocs/langs/bn_BD/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/bn_BD/errors.lang b/htdocs/langs/bn_BD/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/bn_BD/errors.lang
+++ b/htdocs/langs/bn_BD/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/bn_BD/holiday.lang b/htdocs/langs/bn_BD/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/bn_BD/holiday.lang
+++ b/htdocs/langs/bn_BD/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/bn_BD/mails.lang b/htdocs/langs/bn_BD/mails.lang
index 001b237ca8c71c5d3e7f887ac925918c2945842e..3bebb0c2affc38b9bbebbfcea18d063764227e1e 100644
--- a/htdocs/langs/bn_BD/mails.lang
+++ b/htdocs/langs/bn_BD/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/bn_BD/main.lang b/htdocs/langs/bn_BD/main.lang
index b8eb245ac6f9db066cf1e787653db490228fb3b3..12d9337641dee7e99af97216c364fe1d4070586e 100644
--- a/htdocs/langs/bn_BD/main.lang
+++ b/htdocs/langs/bn_BD/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/bn_BD/members.lang b/htdocs/langs/bn_BD/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/bn_BD/members.lang
+++ b/htdocs/langs/bn_BD/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/bn_BD/products.lang b/htdocs/langs/bn_BD/products.lang
index f0d56c4904962a8bef1b4844a3fddb86b322d8fb..55b1d016827f1eda96e4f8861becf006341e5974 100644
--- a/htdocs/langs/bn_BD/products.lang
+++ b/htdocs/langs/bn_BD/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/bn_BD/projects.lang b/htdocs/langs/bn_BD/projects.lang
index 4f8c3d6eb2a49e2723ebefc954c2d59700d8b7da..7a2688a44612f8e647ea4feda51e4f47fcb9b3ec 100644
--- a/htdocs/langs/bn_BD/projects.lang
+++ b/htdocs/langs/bn_BD/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/bn_BD/trips.lang b/htdocs/langs/bn_BD/trips.lang
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..a5b2569942e59a3ba91fad3ce0820a24731105cd 100644
--- a/htdocs/langs/bn_BD/trips.lang
+++ b/htdocs/langs/bn_BD/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/bn_BD/withdrawals.lang b/htdocs/langs/bn_BD/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/bn_BD/withdrawals.lang
+++ b/htdocs/langs/bn_BD/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/bn_BD/workflow.lang b/htdocs/langs/bn_BD/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/bn_BD/workflow.lang
+++ b/htdocs/langs/bn_BD/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/bs_BA/admin.lang b/htdocs/langs/bs_BA/admin.lang
index 93b9f05e5ec80dedfea442395c109e45cc30389e..6cd00fac66c271ad7018f3b2505d758c9ab129cf 100644
--- a/htdocs/langs/bs_BA/admin.lang
+++ b/htdocs/langs/bs_BA/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposals
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energy
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Customer Orders
 Module25Desc=Customer order management
 Module30Name=Invoices
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donations
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Čitanje trećih stranaka vezanih za korisnika
 Permission122=Kreiranje/mijenjati trećih strana vezanih sa korisnika
 Permission125=Brisanje trećih stranaka vezanih za korisnika
 Permission126=Izvoz trećih stranaka
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Postavke snimljene
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Modul za numerisanje zadataka
 TaskModelModule=Model dokumenta za izvještaj o zadacima
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/bs_BA/agenda.lang b/htdocs/langs/bs_BA/agenda.lang
index 614ec124570c09bd1a1b8dfd4782f9a376ffeb2f..07a687bf6dadc3b8cf45a5f4859cff9f8c1ca918 100644
--- a/htdocs/langs/bs_BA/agenda.lang
+++ b/htdocs/langs/bs_BA/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Narudžba %s odobrena
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=NArudžbu %s vratiti u status izrade
-OrderCanceledInDolibarr=Narudžba %s otkazana
 ProposalSentByEMail=Poslovni prijedlog %s poslan putem e-maila
 OrderSentByEMail=Narudžba za kupca %s poslana putem e-maila
 InvoiceSentByEMail=Fakture za kupca %s poslana putem e-maila
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/bs_BA/banks.lang b/htdocs/langs/bs_BA/banks.lang
index 0c8960b834f1ce3ec79963fe51f14203980efd93..f00a91cd64611d7c4ce1d6d73388ed56ce9691b3 100644
--- a/htdocs/langs/bs_BA/banks.lang
+++ b/htdocs/langs/bs_BA/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Uplata mušterije
 CustomerInvoicePaymentBack=Vraćanje novca kupcu
 SupplierInvoicePayment=Plaćanje dobavljača
 WithdrawalPayment=Povlačenje uplate
-SocialContributionPayment=Plaćanje socijalnog doprinosa
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Dnevnik financijskog računa
 BankTransfer=Bankovna transakcija
 BankTransfers=Bankovne transakcije
diff --git a/htdocs/langs/bs_BA/bills.lang b/htdocs/langs/bs_BA/bills.lang
index c72b0d39d6e0ee14ae291cc21353ba71871c5612..25c723e8b9ab18e9bfe5f2d249fbf0fcb371fbe6 100644
--- a/htdocs/langs/bs_BA/bills.lang
+++ b/htdocs/langs/bs_BA/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Broj faktura
 NumberOfBillsByMonth=Broj faktura po mjesecu
 AmountOfBills=Iznos faktura
 AmountOfBillsByMonthHT=Iznos faktura po mjesecu (bez PDV-a)
-ShowSocialContribution=PRikaži socijale doprinose
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Prikaži fakturu
 ShowInvoice=Prikaži fakturu
 ShowInvoiceReplace=Prikaži zamjensku fakturu
@@ -270,7 +270,7 @@ BillAddress=Adresa fakture
 HelpEscompte=Ovaj popust je odobren za kupca jer je isplata izvršena prije roka.
 HelpAbandonBadCustomer=Ovaj iznos je otkazan (kupac je loš kupac) i smatra se kao potencijalni gubitak.
 HelpAbandonOther=Ovaj iznos je otkazan jer je došlo do greške (naprimjer pogrešan kupac ili faktura zamijenjena sa nekom drugom)
-IdSocialContribution=ID socijalnog doprinosa
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=ID uplate
 InvoiceId=ID fakture
 InvoiceRef=Referenca fakture
diff --git a/htdocs/langs/bs_BA/companies.lang b/htdocs/langs/bs_BA/companies.lang
index 506c38a7efe763fb68bba0f1a591513922228548..67d3f9723e35035fcdf430ffed2cc668d6787c7e 100644
--- a/htdocs/langs/bs_BA/companies.lang
+++ b/htdocs/langs/bs_BA/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Kontakt/Adresa subjekta
 StatusContactValidated=Status kontakta/adrese
 Company=Kompanija
 CompanyName=Ime kompanije
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Kompanije
 CountryIsInEEC=Zemlja je unutar Evropske ekonomske zajednice
 ThirdPartyName=Ime subjekta
diff --git a/htdocs/langs/bs_BA/compta.lang b/htdocs/langs/bs_BA/compta.lang
index 562c32c5ab62c2bf8e99a11a880c56fcb353a449..f99a44facf042240defd844b90bf9ef23ed238d1 100644
--- a/htdocs/langs/bs_BA/compta.lang
+++ b/htdocs/langs/bs_BA/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/bs_BA/cron.lang b/htdocs/langs/bs_BA/cron.lang
index c611a909dff2e67bc5918fa8676cc5657e41209b..7503afe9119e8523343db386999dca4db40a305f 100644
--- a/htdocs/langs/bs_BA/cron.lang
+++ b/htdocs/langs/bs_BA/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=Sistemska komanda za izvršenje
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Inromacije
 # Common
diff --git a/htdocs/langs/bs_BA/ecm.lang b/htdocs/langs/bs_BA/ecm.lang
index 546c678bbaa2100b55dfed8438192596cda50bc8..6f2d0a0b6a421256c948508bc2b86a648968cc45 100644
--- a/htdocs/langs/bs_BA/ecm.lang
+++ b/htdocs/langs/bs_BA/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Traži po objektu
 ECMSectionOfDocuments=Direktoriji dokumenata
 ECMTypeManual=Ručno
 ECMTypeAuto=Automatski
-ECMDocsBySocialContributions=Dokumenti vezani za socijalne doprinose
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Dokumenti vezani sza subjekte
 ECMDocsByProposals=Dokumenti vezani za prijedloge
 ECMDocsByOrders=Dokumenti vezani za narudžbe kupaca
diff --git a/htdocs/langs/bs_BA/errors.lang b/htdocs/langs/bs_BA/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/bs_BA/errors.lang
+++ b/htdocs/langs/bs_BA/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/bs_BA/holiday.lang b/htdocs/langs/bs_BA/holiday.lang
index 23d4c100a2f5feeab49384a5ac2fd777e198edcc..0e41abb4f79fecc3070a31ad06e6c164426d9eae 100644
--- a/htdocs/langs/bs_BA/holiday.lang
+++ b/htdocs/langs/bs_BA/holiday.lang
@@ -3,7 +3,7 @@ HRM=Kadrovska služba
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Mjesečni izvještaj
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Razlog
 UserCP=Korisnik
 ErrorAddEventToUserCP=Došlo je do greške prilikom dodavanja izuzetnog odsustva.
 AddEventToUserOkCP=Dodavanje izuzetno odsustva je kopmletirano.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Izvršeno od strane
 UserUpdateCP=Za korisnika
@@ -93,6 +93,7 @@ ValueOptionCP=Vrijednost
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Potvrdite konfiguraciju
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Uspješno ažuriranje.
 ErrorUpdateConfCP=Došlo je do greške prilikom ažuriranja, molimo pokušajte ponovo.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Desila se greška prilikom slanja emaila:
 NoCPforMonth=Nema odsustva za ovaj mjesec.
 nbJours=Broj dana
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Zdravo
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/bs_BA/mails.lang b/htdocs/langs/bs_BA/mails.lang
index 9cf762ae97b84d7baadfce33de14a69284469623..0f93932885d7a7f372ed65e52cbfdf6a27905ab7 100644
--- a/htdocs/langs/bs_BA/mails.lang
+++ b/htdocs/langs/bs_BA/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Prati otvaranje mailova
 TagUnsubscribe=Link za ispisivanje
 TagSignature=Korisnik sa slanjem potpisa
 TagMailtoEmail=E-pošta primalac
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifikacije
 NoNotificationsWillBeSent=Nema planiranih email notifikacija za ovaj događaj i kompaniju
diff --git a/htdocs/langs/bs_BA/main.lang b/htdocs/langs/bs_BA/main.lang
index d9bc2886488af2d5e734f0727bf87e13dd8c4bec..5931030500c95ecb892c7d587e881112b7610e78 100644
--- a/htdocs/langs/bs_BA/main.lang
+++ b/htdocs/langs/bs_BA/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/bs_BA/members.lang b/htdocs/langs/bs_BA/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/bs_BA/members.lang
+++ b/htdocs/langs/bs_BA/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/bs_BA/products.lang b/htdocs/langs/bs_BA/products.lang
index 3ff910d4e1dda07e2acffd1184b359f367a1276b..9cee0564251619a811c56d28f5f23abe51cedd2d 100644
--- a/htdocs/langs/bs_BA/products.lang
+++ b/htdocs/langs/bs_BA/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/bs_BA/projects.lang b/htdocs/langs/bs_BA/projects.lang
index d8a60347d816daddd6a53f346b25c3df0088edde..e51f9272dd316b3fbdcb1437e67158560555a72f 100644
--- a/htdocs/langs/bs_BA/projects.lang
+++ b/htdocs/langs/bs_BA/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Ovaj pregled predstavlja sve projekte ili zadatke za koje ste kontak
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Ovaj pregled predstavlja sve projekte ili zadatke koje možete čitati.
 TasksDesc=Ovaj pregled predstavlja sve projekte i zadatke (postavke vaših korisničkih dozvola vam omogućavaju da vidite sve).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Područje za projekte
 NewProject=Novi projekat
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=Lista događaja u vezi s projektom
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Aktivnost na projektu ove sedmice
 ActivityOnProjectThisMonth=Aktivnost na projektu ovog mjeseca
 ActivityOnProjectThisYear=Aktivnost na projektu ove godine
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/bs_BA/trips.lang b/htdocs/langs/bs_BA/trips.lang
index 8c13c6091c229d34c338f240378e9a601cbdc61d..65bd0833f9330d38be001b367b4516d158c61fa7 100644
--- a/htdocs/langs/bs_BA/trips.lang
+++ b/htdocs/langs/bs_BA/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/bs_BA/withdrawals.lang b/htdocs/langs/bs_BA/withdrawals.lang
index 40739a95d50552b56876afc919dda43e673da71b..07ef56ff483bb3d3b0bc76c808e34d164c18850b 100644
--- a/htdocs/langs/bs_BA/withdrawals.lang
+++ b/htdocs/langs/bs_BA/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Plaćanje trajnog naloga %s od strane banke
diff --git a/htdocs/langs/bs_BA/workflow.lang b/htdocs/langs/bs_BA/workflow.lang
index cfe254a59d3f50f4db443119ffd25d6da9dfbac9..80e119d46e142eddc7573753afdac52e765d51ad 100644
--- a/htdocs/langs/bs_BA/workflow.lang
+++ b/htdocs/langs/bs_BA/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Postavke workflow modula
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/ca_ES/admin.lang b/htdocs/langs/ca_ES/admin.lang
index 1c2b5984ba6905c614b818126531caf3f5944f42..12012b8e5bc4e74f3fd4cd56b7806c6e99d5adb3 100644
--- a/htdocs/langs/ca_ES/admin.lang
+++ b/htdocs/langs/ca_ES/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Pressupostos
 Module20Desc=Gestió de pressupostos/propostes comercials
 Module22Name=E-Mailings
 Module22Desc=Administració i enviament d'E-Mails massius
-Module23Name= Energia
-Module23Desc= Realitza el seguiment del consum d'energies
+Module23Name=Energia
+Module23Desc=Realitza el seguiment del consum d'energies
 Module25Name=Comandes de clients
 Module25Desc=Gestió de comandes de clients
 Module30Name=Factures i abonaments
@@ -492,7 +492,7 @@ Module400Desc=Gestió de projectes, oportunitats o clients potencials. A continu
 Module410Name=Webcalendar
 Module410Desc=Interface amb el calendari webcalendar
 Module500Name=Pagaments especials
-Module500Desc=Gestió de despeses especials (impostos, càrregues socials, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Sous
 Module510Desc=Gestió dels salaris dels empleats i pagaments
 Module520Name=Préstec
@@ -501,7 +501,7 @@ Module600Name=Notificacions
 Module600Desc=Enviar notificacions per correu electrònic sobre alguns esdeveniments de negocis del Dolibarr als contactes de tercers (configuració definida en cada tercer)
 Module700Name=Donacions
 Module700Desc=Gestió de donacions
-Module770Name=Informe de despeses
+Module770Name=Expense reports
 Module770Desc=Informes de despeses de gestió i reclamació (transport, menjar, ...)
 Module1120Name=Pressupost de proveïdor
 Module1120Desc=Sol·licitud pressupost i preus a proveïdor
@@ -579,7 +579,7 @@ Permission32=Crear/modificar productes
 Permission34=Eliminar productes
 Permission36=Veure/gestionar els productes ocults
 Permission38=Exportar productes
-Permission41=Consultar projectes i tasques (compartits o és contacte)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Crear/modificar projectes i tasques (compartits o és contacte)
 Permission44=Eliminar projectes i tasques (compartits o és contacte)
 Permission61=Consultar intervencions
@@ -600,10 +600,10 @@ Permission86=Enviar comandes de clients
 Permission87=Tancar comandes de clients
 Permission88=Anul·lar comandes de clients
 Permission89=Eliminar comandes de clients
-Permission91=Consultar impostos i IVA
-Permission92=Crear/modificar impostos i IVA
-Permission93=Eliminar impostos i IVA
-Permission94=Exporta impostos
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Consultar balanços i resultats
 Permission101=Consultar expedicions
 Permission102=Crear/modificar expedicions
@@ -621,9 +621,9 @@ Permission121=Consultar empreses
 Permission122=Crear/modificar empreses
 Permission125=Eliminar empreses
 Permission126=Exportar les empreses
-Permission141=Consultar tots els projectes i tasques (incloent-hi els privats dels que no sigui contacte)
-Permission142=Crear/modificar tots els projectes i tasques (incloent-hi els privats dels que no sigui contacte)
-Permission144=Eliminar tots els projectes i tasques (incloent-hi els privats dels que no sigui contacte)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Consultar proveïdors
 Permission147=Consultar estadístiques
 Permission151=Consultar domiciliacions
@@ -801,7 +801,7 @@ DictionaryCountry=Països
 DictionaryCurrency=Monedes
 DictionaryCivility=Títol cortesia
 DictionaryActions=Tipus d'esdeveniments de l'agenda
-DictionarySocialContributions=Tipus de càrregues socials
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=Taxa d'IVA (Impost sobre vendes als EEUU)
 DictionaryRevenueStamp=Imports de segells fiscals
 DictionaryPaymentConditions=Condicions de pagament
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models de plans comptables
 DictionaryEMailTemplates=Models d'emails
 DictionaryUnits=Unitats
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Configuració desada
 BackToModuleList=Retornar llista de mòduls
 BackToDictionaryList=Tornar a la llista de diccionaris
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Esteu segur que voleu eliminar l'entrada de menú <b>%s</b> ?
 DeleteLine=Eliminació de línea
 ConfirmDeleteLine=Esteu segur de voler eliminar aquesta línia?
 ##### Tax #####
-TaxSetup=Configuració del mòdul d'impostos, càrregues socials i dividends
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Opció de càrrega d'IVA
 OptionVATDefault=Efectiu
 OptionVATDebitOption=Dèbit
@@ -1564,9 +1565,11 @@ EndPointIs=Els clients SOAP hauran d'enviar les seves sol·licituds al punt fina
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Configuració del mòdul Banc
 FreeLegalTextOnChequeReceipts=Menció complementària a les remeses de xecs
@@ -1596,6 +1599,7 @@ ProjectsSetup=Configuració del mòdul Projectes
 ProjectsModelModule=Model de document per a informes de projectes
 TasksNumberingModules=Mòdul numeració de tasques
 TaskModelModule=Mòdul de documents informes de tasques
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = Configuració del mòdul GED
 ECMAutoTree = L'arbre automàtic està disponible
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=La instal·lació de mòduls externs des de l'aplicaci
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/ca_ES/agenda.lang b/htdocs/langs/ca_ES/agenda.lang
index e2eba6040c64ece12fbe53b144c7ace81a8f6911..5937190b408ddeb959ddc7c1aa045c679cb990e7 100644
--- a/htdocs/langs/ca_ES/agenda.lang
+++ b/htdocs/langs/ca_ES/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Comanda %s classificada com a facturada
 OrderApprovedInDolibarr=Comanda %s aprovada
 OrderRefusedInDolibarr=Comanda %s rebutjada
 OrderBackToDraftInDolibarr=Comanda %s tordada a borrador
-OrderCanceledInDolibarr=Commanda %s anul·lada
 ProposalSentByEMail=Pressupost %s enviat per e-mail
 OrderSentByEMail=Comanda de client %s enviada per e-mail
 InvoiceSentByEMail=Factura a client %s enviada per e-mail
@@ -96,3 +95,5 @@ AddEvent=Crear esdeveniment
 MyAvailability=La meva disponibilitat
 ActionType=Tipus d'esdeveniment
 DateActionBegin=Data d'inici de l'esdeveniment
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/ca_ES/banks.lang b/htdocs/langs/ca_ES/banks.lang
index 1f8d4aebca5e7845ee17d3f89dd3dcdbf939d48c..8d428ce69daf88da13b73ea3a2d6cab6ce14a8a4 100644
--- a/htdocs/langs/ca_ES/banks.lang
+++ b/htdocs/langs/ca_ES/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Cobrament a client
 CustomerInvoicePaymentBack=Reemborsament a client
 SupplierInvoicePayment=Pagament a proveïdor
 WithdrawalPayment=Cobrament de domiciliació
-SocialContributionPayment=Pagament càrrega social
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Diari de tresoreria del compte
 BankTransfer=Transferència bancària
 BankTransfers=Transferències bancàries
diff --git a/htdocs/langs/ca_ES/bills.lang b/htdocs/langs/ca_ES/bills.lang
index ab76a683f194f5cb82bef2e58e98228cdc565440..f62d5d749c772d56bc278a64fae4a1645f9fc907 100644
--- a/htdocs/langs/ca_ES/bills.lang
+++ b/htdocs/langs/ca_ES/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nº de factures
 NumberOfBillsByMonth=Nº de factures per mes
 AmountOfBills=Import de les factures
 AmountOfBillsByMonthHT=Import de les factures per mes (Sense IVA)
-ShowSocialContribution=Mostrar contribució social
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Veure factura
 ShowInvoice=Veure factura
 ShowInvoiceReplace=Veure factura rectificativa
@@ -270,7 +270,7 @@ BillAddress=Direcció de facturació
 HelpEscompte=Un <b>descompte</b> és un descompte acordat sobre una factura donada, a un client que va realitzar el seu pagament molt abans del venciment.
 HelpAbandonBadCustomer=Aquest import es va abandonar (client jutjat com morós) i es considera com una pèrdua excepcional.
 HelpAbandonOther=Aquest import es va abandonar ja que es tractava d'un error de facturació (mala introducció de dades, factura substituïda per una altra).
-IdSocialContribution=ID càrega social
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=ID pagament
 InvoiceId=Id factura
 InvoiceRef=Ref. factura
diff --git a/htdocs/langs/ca_ES/companies.lang b/htdocs/langs/ca_ES/companies.lang
index 19fe464f66a4f9cae788a4a24d64b05e541d98a1..529fdcca833b69ce577e1231b469bd0a55efd9d4 100644
--- a/htdocs/langs/ca_ES/companies.lang
+++ b/htdocs/langs/ca_ES/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Contacte tercer
 StatusContactValidated=Estat del contacte
 Company=Empresa
 CompanyName=Raó social
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Empreses
 CountryIsInEEC=Pais de la Comunitat Econòmica Europea
 ThirdPartyName=Nom del tercer
diff --git a/htdocs/langs/ca_ES/compta.lang b/htdocs/langs/ca_ES/compta.lang
index 46953d024598870021d9d7ee6bfed64084816053..7abd193aeb5ec4eba8dbcd7372f541ec0482775b 100644
--- a/htdocs/langs/ca_ES/compta.lang
+++ b/htdocs/langs/ca_ES/compta.lang
@@ -56,23 +56,23 @@ VATCollected=IVA recuperat
 ToPay=A pagar
 ToGet=A tornar
 SpecialExpensesArea=Àrea per tots els pagaments especials
-TaxAndDividendsArea=Àrea impostos, càrregues socials i dividends
-SocialContribution=Càrrega social
-SocialContributions=Càrregues socials
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Pagaments especials
 MenuTaxAndDividends=Impostos i càrregues
 MenuSalaries=Salaris
-MenuSocialContributions=Càrregues socials
-MenuNewSocialContribution=Nova càrrega
-NewSocialContribution=Nova càrrega social
-ContributionsToPay=Càrregues a pagar
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Àrea comptabilitat/tresoreria
 AccountancySetup=Configuració comptabilitat
 NewPayment=Nou pagament
 Payments=Pagaments
 PaymentCustomerInvoice=Cobrament factura a client
 PaymentSupplierInvoice=Pagament factura de proveïdor
-PaymentSocialContribution=Pagament càrrega social
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Pagament IVA
 PaymentSalary=Pagament salario
 ListPayment=Llistat de pagaments
@@ -91,7 +91,7 @@ LT1PaymentES=Pagament de RE
 LT1PaymentsES=Pagaments de RE
 VATPayment=Pagament IVA
 VATPayments=Pagaments IVA
-SocialContributionsPayments=Pagaments càrregues socials
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Veure pagaments IVA
 TotalToPay=Total a pagar
 TotalVATReceived=Total IVA percebut
@@ -116,11 +116,11 @@ NewCheckDepositOn=Crear nova remesa al compte: %s
 NoWaitingChecks=No hi ha xecs en espera d'ingressar.
 DateChequeReceived=Data recepció del xec
 NbOfCheques=N º de xecs
-PaySocialContribution=Pagar una càrrega social
-ConfirmPaySocialContribution=Esteu segur de voler classificar aquesta càrrega social com pagada?
-DeleteSocialContribution=Eliminar càrrega social
-ConfirmDeleteSocialContribution=Esteu segur de voler eliminar aquesta càrrega social?
-ExportDataset_tax_1=Càrregues socials i pagaments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode d'<b>%sIVA sobre comptabilitat de compromís%s </b>.
 CalcModeVATEngagement=Mode d'<b>%sIVA sobre ingressos-despeses%s</b>.
 CalcModeDebt=Mode <b>%sReclamacions-Deutes%s</b> anomenada <b>Comptabilitad de compromís</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=segons el proveïdor, triar el mètode adequat per a
 TurnoverPerProductInCommitmentAccountingNotRelevant=l'Informe Facturació per producte, quan s'utilitza el mode <b>comptabilitat de caixa </b> no és rellevant. Aquest informe només està disponible quan s'utilitza el mode <b>compromís comptable</b>(consulteu la configuració del mòdul de comptabilitat).
 CalculationMode=Mode de càlcul
 AccountancyJournal=Codi comptable diari
-ACCOUNTING_VAT_ACCOUNT=Codi comptable per defecte per l'IVA repercutit
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Codi comptable per defecte per l'IVA soportat
 ACCOUNTING_ACCOUNT_CUSTOMER=Compte comptable per defecte per a clients
 ACCOUNTING_ACCOUNT_SUPPLIER=Compte comptable per defecte per a proveïdors
-CloneTax=Clonar una càrrega social
-ConfirmCloneTax=Confirma la clonació de la càrrega social
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clonar-la pel pròxim mes
diff --git a/htdocs/langs/ca_ES/cron.lang b/htdocs/langs/ca_ES/cron.lang
index 77a9a5a9c18f2e18f9b28291b647056a5fb03925..b1fa7fc1df0060415a0be72673d063adc89eecc6 100644
--- a/htdocs/langs/ca_ES/cron.lang
+++ b/htdocs/langs/ca_ES/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=El método a lanzar. <BR> Por ejemplo para llamar el método fetc
 CronArgsHelp=Los argumentos del método. <BR> Por ejemplo para usar el método fetch del objeto Product deDolibarr /htdocs/product/class/product.class.php, el valor del parámetro podría ser <i>0, RefProduit</i>
 CronCommandHelp=El comando del sistema a executar
 CronCreateJob=Crear nova tasca programada
+CronFrom=From
 # Info
 CronInfoPage=Informació
 # Common
diff --git a/htdocs/langs/ca_ES/ecm.lang b/htdocs/langs/ca_ES/ecm.lang
index a256f69447f70e382cb5918275d4f9922ee966d6..67bee6d08890d84bf38539c836749abe47b25e6e 100644
--- a/htdocs/langs/ca_ES/ecm.lang
+++ b/htdocs/langs/ca_ES/ecm.lang
@@ -23,10 +23,10 @@ ECMNewDocument=Nou document
 ECMCreationDate=Data creació
 ECMNbOfFilesInDir=Nombre d'arxius a la carpeta
 ECMNbOfSubDir=nombre de subcarpetes
-ECMNbOfFilesInSubDir=Number of files in sub-directories
+ECMNbOfFilesInSubDir=Nombre d'arxius en les subcarpetes
 ECMCreationUser=Creador
-ECMArea=EDM area
-ECMAreaDesc=The EDM (Electronic Document Management) area allows you to save, share and search quickly all kind of documents in Dolibarr.
+ECMArea=Àrea GED
+ECMAreaDesc=L'àrea GED (Gestió Electrònica de Documents) li permet controlar ràpidament els documents en Dolibarr.
 ECMAreaDesc2=Podeu crear carpetes manuals i adjuntar els documents<br>Les carpetes automàtiques són emplenades automàticament en l'addició d'un document en una fitxa.
 ECMSectionWasRemoved=La carpeta <b>%s</b> ha estat eliminada
 ECMDocumentsSection=Document de la secció
@@ -35,7 +35,7 @@ ECMSearchByEntity=Cercar per objecte
 ECMSectionOfDocuments=Carpetes de documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automàtic
-ECMDocsBySocialContributions=Documents asociats a càrreges socials
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents associats a tercers
 ECMDocsByProposals=Documents associats a pressupostos
 ECMDocsByOrders=Documents associats a comandes
@@ -43,8 +43,8 @@ ECMDocsByContracts=Documents associats a contractes
 ECMDocsByInvoices=Documents associats a factures
 ECMDocsByProducts=Documents enllaçats a productes
 ECMDocsByProjects=Documents enllaçats a projectes
-ECMDocsByUsers=Documents linked to users
-ECMDocsByInterventions=Documents linked to interventions
+ECMDocsByUsers=Documents referents a usuaris
+ECMDocsByInterventions=Documents relacionats amb les intervencions
 ECMNoDirectoryYet=No s'ha creat carpeta
 ShowECMSection=Mostrar carpeta
 DeleteSection=Eliminació carpeta
diff --git a/htdocs/langs/ca_ES/errors.lang b/htdocs/langs/ca_ES/errors.lang
index 948b4e391a20dafa9232e1c04078afae9de32bbc..0171a609c918cb04179b67b94748cd9b6c305cde 100644
--- a/htdocs/langs/ca_ES/errors.lang
+++ b/htdocs/langs/ca_ES/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Operació irrellevant per a aquest conjunt de dades
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Funcionalitat desactivada quant la configuració de visualització és optimitzada per a persones cegues o navegadors de text.
 WarningPaymentDateLowerThanInvoiceDate=La data de pagament (%s) és anterior a la data (%s) de la factura %s.
 WarningTooManyDataPleaseUseMoreFilters=Masses dades. Utilitzi més filtres.
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/ca_ES/holiday.lang b/htdocs/langs/ca_ES/holiday.lang
index 6bcb7534e1a4a1d8765dd6cc6efe5e5cfb0d2224..f7ffcbe53870070dc88d44681fa44cb26af2c3a5 100644
--- a/htdocs/langs/ca_ES/holiday.lang
+++ b/htdocs/langs/ca_ES/holiday.lang
@@ -3,7 +3,7 @@ HRM=RRHH
 Holidays=Dies lliures
 CPTitreMenu=Dies lliures
 MenuReportMonth=Estat mensual
-MenuAddCP=Realitzar una petició de dies lliures
+MenuAddCP=New leave request
 NotActiveModCP=Ha d'activar el mòdul Dies lliures retribuïts per veure aquesta pàgina
 NotConfigModCP=Ha de configurar el mòdul Dies lliures retribuïts per veure aquesta pàgina. Per configurar-lo, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> faci clic aquí </a>.
 NoCPforUser=No té peticions de dies lliures
@@ -71,7 +71,7 @@ MotifCP=Motiu
 UserCP=Usuari
 ErrorAddEventToUserCP=S'ha produït un error en l'assignació del permís excepcional.
 AddEventToUserOkCP=S'ha afegit el permís excepcional.
-MenuLogCP=Veure l'historial de dies lliures
+MenuLogCP=View change logs
 LogCP=Historial d'actualizacions de dies lliures
 ActionByCP=Realitzat per
 UserUpdateCP=Per a l'usuari
@@ -93,6 +93,7 @@ ValueOptionCP=Valor
 GroupToValidateCP=Grup amb possibilitat d'aprobar els dies lliures
 ConfirmConfigCP=Validar la configuració
 LastUpdateCP=Última actualització automàticament de dies lliures
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Actualització efectuada correctament.
 ErrorUpdateConfCP=S'ha produït un error durant l'actualització, torne a provar.
 AddCPforUsers=Afegeix els saldos de dies lliures dels usuaris <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">fent clic aquí</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=S'ha produït un error en l'enviament del correu electrònic:
 NoCPforMonth=Sense vacances aquest mes.
 nbJours=Número de dies
 TitleAdminCP=Configuració dels dies lliures retribuïts
+NoticePeriod=Notice period
 #Messages
 Hello=Hola
 HolidaysToValidate=Dies lliures retribuïts a validar
@@ -139,10 +141,11 @@ HolidaysRefused=Dies lliures retribuïts denegats
 HolidaysRefusedBody=La seva sol·licitud de dies lliures retribuïts des de el %s al %s ha sigut denegada per el següent motiu: 
 HolidaysCanceled=Dies lliures retribuïts cancel·lats
 HolidaysCanceledBody=La seva solicitud de dies lliures retribuïts del %s al %s ha sigut cancel·lada.
-Permission20000=Llegir els seus propis dies lliures retribuïts
-Permission20001=Crear/modificar els seus dies lliures retribuïts
-Permission20002=Crear/modificar dies lliures retribuïts per a tots
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Eliminar peticions de dies lliures retribuïts
-Permission20004=Configurar dies lliures retribuïts d'usuaris
-Permission20005=Consultar l'historial de modificacions de dies lliures retribuïts
-Permission20006=Llegir informe mensual de dies lliures retribuïts
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/ca_ES/mails.lang b/htdocs/langs/ca_ES/mails.lang
index 768929c061bac55d2aa3276b7b8ca28a29dac70d..bc0ea58e6b6c784f83d56d0e87f5a9b92143598d 100644
--- a/htdocs/langs/ca_ES/mails.lang
+++ b/htdocs/langs/ca_ES/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Seguiment de l'obertura del email
 TagUnsubscribe=Link de Desubscripció
 TagSignature=Signatura de l'usuari remitent
 TagMailtoEmail=Email del destinatario
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notificacions
 NoNotificationsWillBeSent=Cap notificació per e-mail està prevista per a aquest esdeveniment i empresa
diff --git a/htdocs/langs/ca_ES/main.lang b/htdocs/langs/ca_ES/main.lang
index 83850bc9f52beb41a47e8d2c6a383b10b8f77d5d..aef2fc896f8b70a63ed1f75653f84ac850b5c3ac 100644
--- a/htdocs/langs/ca_ES/main.lang
+++ b/htdocs/langs/ca_ES/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=S'han trobat alguns errors. Modificacions
 ErrorConfigParameterNotDefined=El paràmetre <b>%s</b> no està definit en el fitxer de configuració Dolibarr <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Impossible trobar l'usuari <b>%s</b> a la base de dades Dolibarr.
 ErrorNoVATRateDefinedForSellerCountry=Error, cap tipus d'IVA definit per al país '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, cap tipus de càrrega social definida per al país '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, el registre del fitxer ha fallat.
 SetDate=Definir data
 SelectDate=Seleccioneu una data
@@ -302,7 +302,7 @@ UnitPriceTTC=Preu unitari total
 PriceU=P.U.
 PriceUHT=P.U.
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=P.U. Total
+PriceUTTC=U.P. (inc. tax)
 Amount=Import
 AmountInvoice=Import factura
 AmountPayment=Import pagament
@@ -339,6 +339,7 @@ IncludedVAT=IVA inclòs
 HT=Sense IVA
 TTC=IVA inclòs
 VAT=IVA
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Taxa IVA
diff --git a/htdocs/langs/ca_ES/members.lang b/htdocs/langs/ca_ES/members.lang
index 6a164471ba26acc0e33dfcf4ecad766620ad4cb5..e4f1bdd380c3a1514b726e7d45e2771560319fd4 100644
--- a/htdocs/langs/ca_ES/members.lang
+++ b/htdocs/langs/ca_ES/members.lang
@@ -8,7 +8,7 @@ Members=Membres
 MemberAccount=Login membre
 ShowMember=Mostrar fitxa membre
 UserNotLinkedToMember=Usuari no vinculat a un membre
-ThirdpartyNotLinkedToMember=Third-party not linked to a member
+ThirdpartyNotLinkedToMember=Tercer no associat a un membre
 MembersTickets=Etiquetes membres
 FundationMembers=Membres de l'associació
 Attributs=Atributs
@@ -85,7 +85,7 @@ SubscriptionLateShort=En retard
 SubscriptionNotReceivedShort=No rebuda
 ListOfSubscriptions=Llista d'afiliacions
 SendCardByMail=Enviar fitxa per e-mail
-AddMember=Create member
+AddMember=Crear membre
 NoTypeDefinedGoToSetup=Cap tipus de membre definit. Aneu a Configuració->Tipus de membres
 NewMemberType=Nou tipus de membre
 WelcomeEMail=E-mail
@@ -125,7 +125,7 @@ Date=Data
 DateAndTime=Data i hora
 PublicMemberCard=Fitxa pública membre
 MemberNotOrNoMoreExpectedToSubscribe=No sotmesa a cotització
-AddSubscription=Create subscription
+AddSubscription=Crear afiliació
 ShowSubscription=Mostrar afiliació
 MemberModifiedInDolibarr=Membre modificat en Dolibarr
 SendAnEMailToMember=Enviar e-mail d'informació al membre (E-mail: <b>%s</b>)
@@ -170,8 +170,8 @@ LastSubscriptionAmount=Import de l'última cotització
 MembersStatisticsByCountries=Estadístiques de membres per país
 MembersStatisticsByState=Estadístiques de membres per població
 MembersStatisticsByTown=Estadístiques de membres per població
-MembersStatisticsByRegion=Members statistics by region
-MemberByRegion=Members by region
+MembersStatisticsByRegion=Estadístiques de membres per regió
+MemberByRegion=Membres per regió
 NbOfMembers=Nombre de membres
 NoValidatedMemberYet=Cap membre validat trobat
 MembersByCountryDesc=Aquesta pantalla presenta una estadística del nombre de membres per país. No obstant això, el gràfic utilitza el servei en línia de gràfics de Google i només és operatiu quan es troba disponible una connexió a Internet.
@@ -199,8 +199,9 @@ Entreprises=Empreses
 DOLIBARRFOUNDATION_PAYMENT_FORM=Per realitzar el pagament de la seva cotització per transferència bancària, visiteu la pàgina <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribirse#Para_una_adhesi.C3.B3n_por_transferencia">http://wiki.dolibarr.org/index.php/Subscribirse</a>.<br>Per pagar amb targeta de crèdit o PayPal, feu clic al botó a la part inferior d'aquesta pàgina.<br><br>
 ByProperties=Per característiques
 MembersStatisticsByProperties=Estadístiques dels membres per característiques
-MembersByNature=Membres per naturalesa
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Taxa d'IVA per les afiliacions
 NoVatOnSubscription=Sense IVA per a les afiliacions
 MEMBER_PAYONLINE_SENDEMAIL=E-Mail per advertir en cas de recepció de confirmació d'un pagament validat d'una afiliació
-ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s
+ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Producte utilitzat per la línia de subscripció a la factura: %s
diff --git a/htdocs/langs/ca_ES/products.lang b/htdocs/langs/ca_ES/products.lang
index 3a7aa67f28b0f2b5edc77279197ee17767c3e392..f364d23d0b9affb94e44794404e2cf32b06968df 100644
--- a/htdocs/langs/ca_ES/products.lang
+++ b/htdocs/langs/ca_ES/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Última actualització
 CorrectlyUpdated=Actualitzat correctament
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/ca_ES/projects.lang b/htdocs/langs/ca_ES/projects.lang
index 7c55d1cf443c48be76fbb4507544e648ad2f1de7..1c8b21fce32071d83dfb61135820ce0edf6cd1f3 100644
--- a/htdocs/langs/ca_ES/projects.lang
+++ b/htdocs/langs/ca_ES/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Aquesta vista es limita als projectes i tasques en què vostè és u
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Aquesta vista mostra tots els projectes i tasques en els que vostè té dret a tenir visibilitat.
 TasksDesc=Aquesta vista mostra tots els projectes i tasques (les sevas autoritzacions li ofereixen una visió completa).
-AllTaskVisibleButEditIfYouAreAssigned=Totes les tasques per a aquests projectes són visibles, però introduir temps només per a la tasca que tingui assignada.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Àrea projectes
 NewProject=Nou projecte
 AddProject=Crear projecte
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Llistat d'informes de despeses associades al
 ListDonationsAssociatedProject=Llistat de donacions associades al projecte
 ListActionsAssociatedProject=Llista d'esdeveniments associats al projecte
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activitat en el projecte aquesta setmana
 ActivityOnProjectThisMonth=Activitat en el projecte aquest mes
 ActivityOnProjectThisYear=Activitat en el projecte aquest any
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/ca_ES/trips.lang b/htdocs/langs/ca_ES/trips.lang
index 47d44923fa4272d96a951bb2ff4d690e8e59687d..528dbe032824357f544b9cbdd97fd81265266d64 100644
--- a/htdocs/langs/ca_ES/trips.lang
+++ b/htdocs/langs/ca_ES/trips.lang
@@ -7,7 +7,7 @@ TripsAndExpenses=Expenses reports
 TripsAndExpensesStatistics=Expense reports statistics
 TripCard=Expense report card
 AddTrip=Create expense report
-ListOfTrips=List of expense report
+ListOfTrips=List of expense reports
 ListOfFees=Llistat notes de honoraris
 NewTrip=New expense report
 CompanyVisited=Empresa/institució visitada
@@ -27,7 +27,7 @@ AnyOtherInThisListCanValidate=Person to inform for validation.
 TripSociete=Information company
 TripSalarie=Informations user
 TripNDF=Informations expense report
-DeleteLine=Delete a ligne of the expense report
+DeleteLine=Delete a line of the expense report
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 PDFStandardExpenseReports=Standard template to generate a PDF document for expense report
 ExpenseReportLine=Expense report line
@@ -40,15 +40,14 @@ TF_BUS=Bus
 TF_CAR=Cotxe
 TF_PEAGE=Peatge
 TF_ESSENCE=Combustible
-TF_HOTEL=Hostel
+TF_HOTEL=Hotel
 TF_TAXI=Taxi
 
 ErrorDoubleDeclaration=You have declared another expense report into a similar date range.
-ListTripsAndExpenses=List of expense reports
 AucuneNDF=No expense reports found for this criteria
 AucuneLigne=There is no expense report declared yet
 AddLine=Add a line
-AddLineMini=Add
+AddLineMini=Afegir
 
 Date_DEBUT=Period date start
 Date_FIN=Period date end
@@ -56,12 +55,12 @@ ModePaiement=Payment mode
 Note=Note
 Project=Project
 
-VALIDATOR=User to inform for approbation
+VALIDATOR=User responsible for approval
 VALIDOR=Approved by
 AUTHOR=Recorded by
-AUTHORPAIEMENT=Paied by
+AUTHORPAIEMENT=Paid by
 REFUSEUR=Denied by
-CANCEL_USER=Canceled by
+CANCEL_USER=Deleted by
 
 MOTIF_REFUS=Reason
 MOTIF_CANCEL=Reason
@@ -74,9 +73,10 @@ DATE_PAIEMENT=Payment date
 
 TO_PAID=Pay
 BROUILLONNER=Reopen
-SendToValid=Sent to approve
+SendToValid=Sent on approval
 ModifyInfoGen=Edita
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
@@ -93,7 +93,7 @@ ConfirmPaidTrip=Are you sure you want to change status of this expense report to
 CancelTrip=Cancel an expense report
 ConfirmCancelTrip=Are you sure you want to cancel this expense report ?
 
-BrouillonnerTrip=Move back expense report to status "Draft"n
+BrouillonnerTrip=Move back expense report to status "Draft"
 ConfirmBrouillonnerTrip=Are you sure you want to move this expense report to status "Draft" ?
 
 SaveTrip=Validate expense report
diff --git a/htdocs/langs/ca_ES/withdrawals.lang b/htdocs/langs/ca_ES/withdrawals.lang
index 52ec233a02607c20270cde059d3ea5faae0f21c2..d77ba754274523b788f12662e4268723c4f03f63 100644
--- a/htdocs/langs/ca_ES/withdrawals.lang
+++ b/htdocs/langs/ca_ES/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Arxiu de la domiciliació
 SetToStatusSent=Classificar com "Arxiu enviat"
 ThisWillAlsoAddPaymentOnInvoice=Es crearan els pagaments de les factures i les classificarà com pagades
 StatisticsByLineStatus=Estadístiques per estats de línies
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Abonament de domiciliació %s pel banc
diff --git a/htdocs/langs/ca_ES/workflow.lang b/htdocs/langs/ca_ES/workflow.lang
index 32ef15e311cd82fa2cbe45c7d0f71a0120f59908..646b13e63018b6232fd005739f05fafa8178d59d 100644
--- a/htdocs/langs/ca_ES/workflow.lang
+++ b/htdocs/langs/ca_ES/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Configuració del mòdul workflow
 WorkflowDesc=Aquest mòdul li permet canviar el comportament de les accions automàticament en l'aplicació. De forma predeterminada, el workflow està obert (configuri segons les seves necessitats). Activi les accions automàtiques que li interessin.
-ThereIsNoWorkflowToModify=No hi ha workflow modificable per al mòdul activat.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crear una comanda de client automàticament a la signatura d'un pressupost
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically crear una factura a client després de signar un pressupost
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically crear una factura a client a la validació d'un contracte
diff --git a/htdocs/langs/cs_CZ/admin.lang b/htdocs/langs/cs_CZ/admin.lang
index cdf9ce38ac02952ae008fa7ad423909503a408bb..72b0991e1dec6d4e9f2357ccbd110657355bff77 100644
--- a/htdocs/langs/cs_CZ/admin.lang
+++ b/htdocs/langs/cs_CZ/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Návrhy
 Module20Desc=Komerční návrh řízení
 Module22Name=Mass E-mailing
 Module22Desc=Mass E-mailing řízení
-Module23Name= Energie
-Module23Desc= Sledování spotřeby energií
+Module23Name=Energie
+Module23Desc=Sledování spotřeby energií
 Module25Name=Zákaznických objednávek
 Module25Desc=Zákazníka řízení
 Module30Name=Faktury
@@ -492,7 +492,7 @@ Module400Desc=Řízení projektů, příležitostí nebo vedení. Můžete při
 Module410Name=WebCalendar
 Module410Desc=WebCalendar integrace
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Platy
 Module510Desc=Řízení výplat zaměstnanců a plateb
 Module520Name=Půjčka
@@ -501,7 +501,7 @@ Module600Name=Upozornění
 Module600Desc=Posílat e-mailové upozornění na některé Dolibarr firemních akcí až kontaktů třetích stran (nastavení definován na každém thirdparty)
 Module700Name=Dary
 Module700Desc=Darování řízení
-Module770Name=Seznam rozšíření
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Dodavatel obchodní nabídky
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Vytvořit / upravit produktů
 Permission34=Odstranit produkty
 Permission36=Viz / správa skryté produkty
 Permission38=Export produktů
-Permission41=Přečtěte projektů (společné projekty, projekt a já jsem kontakt pro)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Vytvořit / upravit projektů (společné projekty, projekt a já jsem kontakt pro)
 Permission44=Odstranit projektů (společné projekty, projekt a já jsem kontakt pro)
 Permission61=Přečtěte intervence
@@ -600,10 +600,10 @@ Permission86=Poslat objednávky odběratelů
 Permission87=Zavřít zákazníky objednávky
 Permission88=Storno objednávky odběratelů
 Permission89=Odstranit objednávky odběratelů
-Permission91=Přečtěte si příspěvky na sociální zabezpečení a daně z přidané hodnoty
-Permission92=Vytvořit / upravit příspěvky na sociální zabezpečení a daně z přidané hodnoty
-Permission93=Odstranění sociální příspěvky a daně z přidané hodnoty
-Permission94=Export příspěvky na sociální zabezpečení
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Přečtěte si zprávy
 Permission101=Přečtěte si sendings
 Permission102=Vytvořit / upravit sendings
@@ -621,9 +621,9 @@ Permission121=Přečtěte třetí strany v souvislosti s uživateli
 Permission122=Vytvořit / modifikovat třetí strany spojené s uživateli
 Permission125=Odstranění třetí strany v souvislosti s uživateli
 Permission126=Export třetí strany
-Permission141=Přečtěte projektů (i soukromé nejsem kontakt pro)
-Permission142=Vytvořit / upravit projektů (i soukromé nejsem kontakt pro)
-Permission144=Odstranit projekty (i soukromé nejsem kontakt pro)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Přečtěte si poskytovatelé
 Permission147=Přečtěte si statistiky
 Permission151=Přečtěte si trvalé příkazy
@@ -801,7 +801,7 @@ DictionaryCountry=Země
 DictionaryCurrency=Měny
 DictionaryCivility=Zdvořilostní oslovení
 DictionaryActions=Typ agendy událostí
-DictionarySocialContributions=Typy příspěvků na sociální zabezpečení
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=Sazby DPH nebo daň z prodeje
 DictionaryRevenueStamp=Výše příjmů známek
 DictionaryPaymentConditions=Platební podmínky
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Modely pro účetní osnovy
 DictionaryEMailTemplates=E-maily šablony
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Nastavení uloženo
 BackToModuleList=Zpět na seznam modulů
 BackToDictionaryList=Zpět k seznamu slovníků
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Jste si jisti, že chcete smazat <b>%s</b> položka menu?
 DeleteLine=Odstranění řádku
 ConfirmDeleteLine=Jste si jisti, že chcete smazat tento řádek?
 ##### Tax #####
-TaxSetup=Daně, sociální příspěvky a dividendy modul nastavení
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=DPH z důvodu
 OptionVATDefault=Cash základ
 OptionVATDebitOption=Akruální báze
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP klienti musí poslat své požadavky na koncový bod Dolibarr k
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bankovní modul nastavení
 FreeLegalTextOnChequeReceipts=Volný text na kontroly příjmů
@@ -1596,6 +1599,7 @@ ProjectsSetup=Projekt modul nastavení
 ProjectsModelModule=Projekt zprávy Vzor dokladu
 TasksNumberingModules=Úkoly číslování modul
 TaskModelModule=Úkoly zprávy Vzor dokladu
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatické strom složek a dokumentů
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/cs_CZ/agenda.lang b/htdocs/langs/cs_CZ/agenda.lang
index b7222546db9030d35cda24955dba6f01e9d4f34f..5ac9c8b7d205410e087e117aa9eb39caa1374a29 100644
--- a/htdocs/langs/cs_CZ/agenda.lang
+++ b/htdocs/langs/cs_CZ/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Objednávka %s označena jako zaúčtovaná
 OrderApprovedInDolibarr=Objednávka %s schválena
 OrderRefusedInDolibarr=Objednávka %s zamítnuta
 OrderBackToDraftInDolibarr=Objednávka %s vrácena do stavu návrhu
-OrderCanceledInDolibarr=Objednávka %s zrušena
 ProposalSentByEMail=Komerční návrh %s zaslán e-mailem
 OrderSentByEMail=Zákaznická objednávka %s zaslána e-mailem
 InvoiceSentByEMail=Zákaznická faktura %s zaslána e-mailem
@@ -96,3 +95,5 @@ AddEvent=Vytvořit událost
 MyAvailability=Moje dostupnost
 ActionType=Typ události
 DateActionBegin=Datum zahájení události
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/cs_CZ/banks.lang b/htdocs/langs/cs_CZ/banks.lang
index 489dfea18908da2029a1bf6e745001292803595f..c6de160a0b894542ffc54cba06bf6aa28f7cd296 100644
--- a/htdocs/langs/cs_CZ/banks.lang
+++ b/htdocs/langs/cs_CZ/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Zákaznická platba
 CustomerInvoicePaymentBack=Vrátit zákaznickou platbu
 SupplierInvoicePayment=Dodavatelská platba
 WithdrawalPayment=Výběr platby
-SocialContributionPayment=Platba sociálního příspěvku
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Deník finanční účet
 BankTransfer=Bankovní převod
 BankTransfers=Bankovní převody
diff --git a/htdocs/langs/cs_CZ/bills.lang b/htdocs/langs/cs_CZ/bills.lang
index 3357958b063459df018c36b34d752849a00b269a..801c90bf697329ba060193d3562da37ab3be41b4 100644
--- a/htdocs/langs/cs_CZ/bills.lang
+++ b/htdocs/langs/cs_CZ/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb faktur
 NumberOfBillsByMonth=Nb faktury měsíce
 AmountOfBills=Částka faktur
 AmountOfBillsByMonthHT=Čýstka faktur měsíčně (bez daně)
-ShowSocialContribution=Zobrazit sociální příspěvek
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Zobrazit fakturu
 ShowInvoice=Zobrazit fakturu
 ShowInvoiceReplace=Zobrazit opravenou fakturu
@@ -270,7 +270,7 @@ BillAddress=Účetní adresa
 HelpEscompte=Tato sleva je sleva poskytnuta zákazníkovi, protože jeho platba byla provedena před termínem splatnosti.
 HelpAbandonBadCustomer=Tato částka byla opuštěna (zákazník řekl, aby byl špatný zákazník) a je považována za výjimečně volnou.
 HelpAbandonOther=Tato částka byla opuštěna, protože došlo k chybě (například špatný zákazník nebo faktura nahrazena jinou)
-IdSocialContribution=ID sociálního příspěvku
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=ID platby
 InvoiceId=ID faktury
 InvoiceRef=Faktura čj.
diff --git a/htdocs/langs/cs_CZ/companies.lang b/htdocs/langs/cs_CZ/companies.lang
index df3eb62511f0732afc356d915d0ddd22067c9910..f312dd24be85359008460acab3a522ba3fced192 100644
--- a/htdocs/langs/cs_CZ/companies.lang
+++ b/htdocs/langs/cs_CZ/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Kontakty/adresy třetí strany
 StatusContactValidated=Stav kontaktu/adresy
 Company=Společnost
 CompanyName=Název společnosti
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Společnosti
 CountryIsInEEC=Země je uvnitř Evropského hospodářského společenství
 ThirdPartyName=Název třetí strany
diff --git a/htdocs/langs/cs_CZ/compta.lang b/htdocs/langs/cs_CZ/compta.lang
index 3f170dea2d12875d5deec2e059b39abc1196fb0f..1063083f1cb3521022e1e241cdb722e889b43c49 100644
--- a/htdocs/langs/cs_CZ/compta.lang
+++ b/htdocs/langs/cs_CZ/compta.lang
@@ -56,23 +56,23 @@ VATCollected=Vybraná DPH
 ToPay=Zaplatit
 ToGet=Chcete-li získat zpět
 SpecialExpensesArea=Oblast pro všechny speciální platby
-TaxAndDividendsArea=Oblast pro daně, sociální příspěvky a dividendy
-SocialContribution=Sociální příspěvek
-SocialContributions=Sociální příspěvky
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Zvláštní výdaje
 MenuTaxAndDividends=Daně a dividendy
 MenuSalaries=Mzdy
-MenuSocialContributions=Sociální příspěvky
-MenuNewSocialContribution=Nový příspěvek
-NewSocialContribution=Nový příspěvek na sociální zabezpečení
-ContributionsToPay=Platba příspěvků
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Oblast Účetnictví/Pokladna
 AccountancySetup=Nastavení účetnictví
 NewPayment=Nová platba
 Payments=Platby
 PaymentCustomerInvoice=Platba zákaznické faktury
 PaymentSupplierInvoice=Platba dodavatelské faktury
-PaymentSocialContribution=Platba sociálního příspěvku
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Platba DPH
 PaymentSalary=Výplaty
 ListPayment=Seznam plateb
@@ -91,7 +91,7 @@ LT1PaymentES=RE Platba
 LT1PaymentsES=RE Platby
 VATPayment=Platba DPH
 VATPayments=Platby DPH
-SocialContributionsPayments=Platby sociálních příspěvků
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Zobrazit platbu DPH
 TotalToPay=Celkem k zaplacení
 TotalVATReceived=Obdržené DPH celkem
@@ -116,11 +116,11 @@ NewCheckDepositOn=Vytvořte potvrzení o vkladu na účet: %s
 NoWaitingChecks=Žádné kontroly čekání na vklad.
 DateChequeReceived=Zkontrolujte datum příjmu
 NbOfCheques=Nb kontroly
-PaySocialContribution=Platba sociálního příspěvku
-ConfirmPaySocialContribution=Jste si jisti, že chcete klasifikovat tento sociální příspěvek jako vyplacený?
-DeleteSocialContribution=Odstranit sociální příspěvek
-ConfirmDeleteSocialContribution=Jste si jisti, že chcete smazat tento příspěvek na sociální zabezpečení?
-ExportDataset_tax_1=Sociální příspěvky a platby
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Režim <b>%sDPH zápočtu na závazky%s.</b>
 CalcModeVATEngagement=Režim <b>%sDPH z rozšířených příjmů%s.</b>
 CalcModeDebt=Režim <b>%sPohledávky-závazky%s</b> zobrazí <b>Závazky účetnictví.</b>
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=podle dodavatele zvolte vhodnou metodu použití ste
 TurnoverPerProductInCommitmentAccountingNotRelevant=Obratová zpráva za zboží při použití režimu <b>hotovostního účetnictví</b> není relevantní. Tato zpráva je k dispozici pouze při použití režimu <b>zapojeného účetnictví</b>  (viz nastavení účetního modulu).
 CalculationMode=Výpočetní režim
 AccountancyJournal=Deník účetnických kódů
-ACCOUNTING_VAT_ACCOUNT=Výchozí účetnické kódy pro vybírání DPH
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Výchozí účetnické kódy pro placení DPH
 ACCOUNTING_ACCOUNT_CUSTOMER=Účetnické kódy ve výchozím nastavení pro zákazníka třetích stran
 ACCOUNTING_ACCOUNT_SUPPLIER=Výchozí účetnické kódy pro dodavatele třetích stran
-CloneTax=Kopírovat sociální příspěvek
-ConfirmCloneTax=Potvrďte kopírování sociálního příspěvku
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Kopírovat pro příští měsíc
diff --git a/htdocs/langs/cs_CZ/cron.lang b/htdocs/langs/cs_CZ/cron.lang
index fb3b1a6ebbf8d47e169fdf4ffb1c689c4f18c407..102fcd94bd6d85a1fbc2fedbd70217dd66fd7932 100644
--- a/htdocs/langs/cs_CZ/cron.lang
+++ b/htdocs/langs/cs_CZ/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=Objekt způsob startu. <BR> Např načíst metody objektu .../htd
 CronArgsHelp=Metoda argumenty. <BR> Např načíst metody objektu výrobku .../htdocs/product/class/product.class.php, hodnota paramteru může být <i>0, ProductRef</i>
 CronCommandHelp=Spustit příkazový řádek. 
 CronCreateJob=Vytvořit novou naplánovanou úlohu
+CronFrom=From
 # Info
 CronInfoPage=Informace
 # Common
diff --git a/htdocs/langs/cs_CZ/ecm.lang b/htdocs/langs/cs_CZ/ecm.lang
index 21a9237c9a83d9c7f51bd40010df15ed5df2c7f9..8652607c4b1cdf87cf3b86e6a614338da45ef417 100644
--- a/htdocs/langs/cs_CZ/ecm.lang
+++ b/htdocs/langs/cs_CZ/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Hledat podle objektu
 ECMSectionOfDocuments=Adresáře dokumentů
 ECMTypeManual=Manuální
 ECMTypeAuto=Automatický
-ECMDocsBySocialContributions=Dokumenty související odvody na sociální zabezpečení
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Dokumenty související se třetími stranami
 ECMDocsByProposals=Dokumenty související s návrhy
 ECMDocsByOrders=Dokumenty související s objednávkami zákazníků
diff --git a/htdocs/langs/cs_CZ/errors.lang b/htdocs/langs/cs_CZ/errors.lang
index 46c58e91a4b66d1dd382bb9a8f24f681b2d1c9da..cb31f7aeb374e26e8176dbf0fd24bb356d7571f4 100644
--- a/htdocs/langs/cs_CZ/errors.lang
+++ b/htdocs/langs/cs_CZ/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Nerozhoduje provoz v našem souboru
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/cs_CZ/holiday.lang b/htdocs/langs/cs_CZ/holiday.lang
index b62e2abbde5c7e8caf8bef420d44a99fa7eac247..b7bdc415b961b8601ad43e3f37b5ef721dbd5e70 100644
--- a/htdocs/langs/cs_CZ/holiday.lang
+++ b/htdocs/langs/cs_CZ/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Dovolená
 CPTitreMenu=Dovolená
 MenuReportMonth=Měsíční výkaz
-MenuAddCP=Požádejte o dovolenou
+MenuAddCP=New leave request
 NotActiveModCP=Musíte povolit modul dovolená pro zobrazení této stránky.
 NotConfigModCP=Musíte nakonfigurovat modul dovolení pro  zobrazení této stránky. Provedete zde:, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> klikněte zde </ a>.
 NoCPforUser=Nemáte k dispozici žádné volné dny.
@@ -71,7 +71,7 @@ MotifCP=Důvod
 UserCP=Uživatel
 ErrorAddEventToUserCP=Došlo k chybě při přidávání požadavku na výjimečnou dovolenou.
 AddEventToUserOkCP=Přidání výjimečné dovolené bylo dokončeno.
-MenuLogCP=Zobrazit logy žádostí o dovolenou
+MenuLogCP=View change logs
 LogCP=Log aktualizací dostupných prázdninových dnů
 ActionByCP=Účinkují
 UserUpdateCP=Pro uživatele
@@ -93,6 +93,7 @@ ValueOptionCP=Hodnota
 GroupToValidateCP=Skupina se schopností schvalovat žádosti o dovolenou
 ConfirmConfigCP=Ověření konfigurace
 LastUpdateCP=Poslední automatická aktualizace alokace dovolených
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Aktualizováno úspěšně.
 ErrorUpdateConfCP=Došlo k chybě při aktualizaci, zkuste to prosím znovu.
 AddCPforUsers=Prosím, přidejte rovnováhu dovolené alokace uživatelům <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">klikněte zde</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Došlo k chybě při odesílání na e-mail:
 NoCPforMonth=Nelze opustit tento měsíc.
 nbJours=Počet dní
 TitleAdminCP=Konfigurace dovolené
+NoticePeriod=Notice period
 #Messages
 Hello=Ahoj
 HolidaysToValidate=Ověření žádosti o dovolenou
@@ -139,10 +141,11 @@ HolidaysRefused=Požadavek zamítnut
 HolidaysRefusedBody=Vaše žádost o dovolenou pro %s do %s byla zamítnuta z těchto důvodů:
 HolidaysCanceled=Zrušené požadavky na dovolenou
 HolidaysCanceledBody=Vaše žádost o dovolenou pro %s na %s byla zrušena.
-Permission20000=Přečtěte si vlastní žádosti o dovolenou
-Permission20001=Vytvořit/upravit vaše požadavky na dovolenou
-Permission20002=Vytvořit/upravit žádosti o dovolenou pro každého
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Smazat žádosti o dovolenou
-Permission20004=Uživatelské nastavení dostupné pro dovolenouy
-Permission20005=Přezkum logu žádostí modifikovaných dovolených
-Permission20006=Čtení zpráv měsíčních dovolených
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/cs_CZ/mails.lang b/htdocs/langs/cs_CZ/mails.lang
index faae153984e21f2d5ec84288f63e0ec18c634c5a..075b10add6de04e0de11e1f7e5c6400fe2def687 100644
--- a/htdocs/langs/cs_CZ/mails.lang
+++ b/htdocs/langs/cs_CZ/mails.lang
@@ -29,7 +29,7 @@ DeleteAMailing=Odstranit všechny maily
 PreviewMailing=Náhled zprávy
 PrepareMailing=Připravit mail
 CreateMailing=Vytvořit mail
-MailingDesc=Tato stránka vám umožňuje posílat mail ke skupině lidí.
+MailingDesc=Tato stránka vám umožňuje posílat zprávy skupině lidí.
 MailingResult=Výsledek odeslání mailů
 TestMailing=Zkušební mail
 ValidMailing=Platné posílání e-mailů
@@ -77,7 +77,7 @@ CheckRead=Přečteno příjemcem
 YourMailUnsubcribeOK=Mailová zpráva <b>%s</b> byla správně odstraněna z mailing listu
 MailtoEMail=Odkaz na e-mail
 ActivateCheckRead= Můžete použít odkaz "Odhlásit"
-ActivateCheckReadKey=Tlačítko slouží pro šifrování URL pro využití funkce "Potvrzení o přečtení" a "Odhlášení"
+ActivateCheckReadKey=Tlačítko slouží k šifrování URL používané pro "Potvrzení o přečtení" a funkce "Odhlášení"
 EMailSentToNRecipients=Email byl odeslán na %s příjemcům.
 XTargetsAdded=<b>%s</b> příjemců přidáno do seznamu cílů
 EachInvoiceWillBeAttachedToEmail=Dokument s použitím šablony výchozí faktury dokumentu bude vytvořen a připojen k každému mailu.
@@ -128,6 +128,7 @@ TagCheckMail=Sledování mailů aktivováno
 TagUnsubscribe=Link pro odhlášení 
 TagSignature=Podpis zasílání uživateli
 TagMailtoEmail=E-mail příjemce
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Upozornění
 NoNotificationsWillBeSent=Nejsou plánovány žádná e-mailová oznámení pro tuto událost nebo společnost
diff --git a/htdocs/langs/cs_CZ/main.lang b/htdocs/langs/cs_CZ/main.lang
index c5fda06dbc9946d95639972d66bb24d22fbc8c2b..87c426be740cb51654d071a10cd307b8bde058e2 100644
--- a/htdocs/langs/cs_CZ/main.lang
+++ b/htdocs/langs/cs_CZ/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Byly nalezeny nějaké chyby. Veškeré zm
 ErrorConfigParameterNotDefined=Parametr <b>%s</b> není definován v konfiguračním souboru Dolibarr <b>conf.php.</b>
 ErrorCantLoadUserFromDolibarrDatabase=Nepodařilo se najít uživatele <b>%s</b> v databázi Dolibarr.
 ErrorNoVATRateDefinedForSellerCountry=Chyba, pro zemi '%s' nejsou definovány žádné sazby DPH.
-ErrorNoSocialContributionForSellerCountry=Chyba, žádný typ sociálních příspěvků není definován pro zemi '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Chyba, nepodařilo se uložit soubor.
 SetDate=Nastavení datumu
 SelectDate=Výběr datumu
@@ -302,7 +302,7 @@ UnitPriceTTC=Jednotková cena
 PriceU=UP
 PriceUHT=UP (bez DPH)
 AskPriceSupplierUHT=U.P. net Požadováno
-PriceUTTC=UP
+PriceUTTC=U.P. (inc. tax)
 Amount=Množství
 AmountInvoice=Fakturovaná částka
 AmountPayment=Částka platby
@@ -339,6 +339,7 @@ IncludedVAT=Včetně daně
 HT=Po odečtení daně
 TTC=Inc daň
 VAT=Daň z obratu
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Daňová sazba
diff --git a/htdocs/langs/cs_CZ/members.lang b/htdocs/langs/cs_CZ/members.lang
index d2f00c116d87db4d84596328b4b75ab372755b83..a2f8c7220b028d482029baaedfd34f1487b162bd 100644
--- a/htdocs/langs/cs_CZ/members.lang
+++ b/htdocs/langs/cs_CZ/members.lang
@@ -199,7 +199,8 @@ Entreprises=Firmy
 DOLIBARRFOUNDATION_PAYMENT_FORM=Chcete-li, aby vaše předplatné platbu bankovním převodem, viz strana <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Chcete-li platit pomocí kreditní karty nebo PayPal, klikněte na tlačítko v dolní části této stránky. <br>
 ByProperties=Charakteristikami
 MembersStatisticsByProperties=Členové statistiky dle charakteristik
-MembersByNature=Členové od přírody
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Sazba DPH se má použít pro předplatné
 NoVatOnSubscription=Ne TVA za upsaný vlastní kapitál
 MEMBER_PAYONLINE_SENDEMAIL=E-mail upozornit při Dolibarr obdržíte potvrzení o ověřenou platby za předplatné
diff --git a/htdocs/langs/cs_CZ/products.lang b/htdocs/langs/cs_CZ/products.lang
index 956df5e0b97c5d31571aefab203ce06d724fcd2c..6655cfb066560d6a1021e8b508b6688ca11cad96 100644
--- a/htdocs/langs/cs_CZ/products.lang
+++ b/htdocs/langs/cs_CZ/products.lang
@@ -23,14 +23,14 @@ ProductOrService=Produkt nebo služba
 ProductsAndServices=Produkty a služby
 ProductsOrServices=Výrobky nebo služby
 ProductsAndServicesOnSell=Produkty a služby na prodej nebo k nákupu
-ProductsAndServicesNotOnSell=Produkty a služby z prodeje
+ProductsAndServicesNotOnSell=Produkty a služby, které nejsou na prodej
 ProductsAndServicesStatistics=Statistiky produktů a služeb
 ProductsStatistics=Statistiky produktů
 ProductsOnSell=Produkt k prodeji nebo k nákupu
-ProductsNotOnSell=Produkty vyřazené z prodeje nebo nákupu
+ProductsNotOnSell=Výrobek není k prodeji a není pro nákup
 ProductsOnSellAndOnBuy=Produkty pro prodej a pro nákup
 ServicesOnSell=Služby k prodeji nebo k nákupu
-ServicesNotOnSell=Služby vyřazené z prodeje
+ServicesNotOnSell=Služby, které nejsou na prodej
 ServicesOnSellAndOnBuy=Služby pro prodej a pro nákup
 InternalRef=Interní referenční číslo
 LastRecorded=Poslední produkty/služby vložené do prodeje
@@ -71,21 +71,21 @@ SellingPriceTTC=Prodejní cena (vč. DPH)
 PublicPrice=Veřejná cena
 CurrentPrice=Aktuální cena
 NewPrice=Nová cena
-MinPrice=Minimální cena
+MinPrice=Min. prodejní cena
 MinPriceHT=Minimální prodejní cena (bez daně)
 MinPriceTTC=Minimální prodejní cena (vč. daně)
 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
-ContractStatusRunning=Běh
+ContractStatusRunning=Pokračující
 ContractStatusExpired=vypršela
-ContractStatusOnHold=Neběží
-ContractStatusToRun=V chodu
-ContractNotRunning=Tato smlouva není v chodu
+ContractStatusOnHold=Pozdržen
+ContractStatusToRun=Pokračovat
+ContractNotRunning=Tato smlouva není pokračující
 ErrorProductAlreadyExists=Výrobek s referenčním %s již existuje.
 ErrorProductBadRefOrLabel=Chybná hodnota pro reference nebo etikety.
 ErrorProductClone=Vyskytl se problém při pokusu o kopírování produktu nebo služby.
-ErrorPriceCantBeLowerThanMinPrice=Chyba: Cena nemůže být nižší než minimální cena.
+ErrorPriceCantBeLowerThanMinPrice=Chyba, cena nesmí být nižší než minimální cena.
 Suppliers=Dodavatelé
 SupplierRef=Dodavatele produktů čj.
 ShowProduct=Zobrazit produkt
@@ -117,12 +117,12 @@ ServiceLimitedDuration=Je-li výrobek službou s omezeným trváním:
 MultiPricesAbility=Několik úrovní cen za produkt/službu
 MultiPricesNumPrices=Počet cen
 MultiPriceLevelsName=Cenová kategorie
-AssociatedProductsAbility=Aktivace funkce virtuálního balíku
+AssociatedProductsAbility=Aktivovat balíček funkcí
 AssociatedProducts=Balení produktu
-AssociatedProductsNumber=Počet výrobků tvořících tento virtuální produktový balíček
+AssociatedProductsNumber=Počet výrobků tvořících tento produktový balíček
 ParentProductsNumber=Počet výchozích balení výrobku
-IfZeroItIsNotAVirtualProduct=Pokud je hodnota 0, tento produkt není virtuální produktový balíček
-IfZeroItIsNotUsedByVirtualProduct=Pokud je hodnota 0, tento produkt není použit pro žádný virtuální produktový balíček
+IfZeroItIsNotAVirtualProduct=Pokud je hodnota 0, tento produkt není produktový balíček
+IfZeroItIsNotUsedByVirtualProduct=Pokud je hodnota 0, tento produkt není použit pro žádný produktový balíček
 EditAssociate=Asociovat
 Translation=Překlad
 KeywordFilter=Filtr klíčového slova
@@ -131,7 +131,7 @@ ProductToAddSearch=Hledat produkt pro přidání
 AddDel=Přidat/Smazat
 Quantity=Množství
 NoMatchFound=Shoda nenalezena
-ProductAssociationList=Seznam souvisejících produktů/služeb: název produktu/služby (ovlivněno množstvím)
+ProductAssociationList=Seznam produktů/služeb, které jsou součástí tohoto virtuálního produktu/balíčku
 ProductParentList=Seznam balení produktů/služeb s tímto produktem jako součást
 ErrorAssociationIsFatherOfThis=Jedním z vybraného produktu je rodič s aktuálním produktem
 DeleteProduct=Odstranění produktu/služby
@@ -182,13 +182,38 @@ ClonePricesProduct=Kopírovat hlavní informace a ceny
 CloneCompositionProduct=Kopírování balení zboží/služby
 ProductIsUsed=Tento produkt se používá
 NewRefForClone=Ref. nového produktu/služby
-CustomerPrices=Prodejní ceny
-SuppliersPrices=Dodavatelská cena
+CustomerPrices=Zákaznické ceny
+SuppliersPrices=Dodavatelské ceny
 SuppliersPricesOfProductsOrServices=Dodavatelské ceny (výrobků či služeb)
 CustomCode=Zákaznický kód
 CountryOrigin=Země původu
 HiddenIntoCombo=Skryté do vybraných seznamů
 Nature=Příroda
+ShortLabel=Krátký štítek
+Unit=Jednotka
+p=u.
+set=sada
+se=sada
+second=druhý
+s=s
+hour=hodina
+h=h
+day=den
+d=d
+kilogram=kilogram
+kg=Kg
+gram=gram
+g=g
+meter=metr
+m=m
+linear metr = lineární metr
+lm=lm
+square metr = metr čtvereční
+m2=m²
+cubic metr = metr krychlový
+m3=m³
+liter=litr
+l=L
 ProductCodeModel=Ref šablona produktu
 ServiceCodeModel=Ref šablona služby
 AddThisProductCard=Vytvořte kartu produktu
@@ -237,7 +262,7 @@ ResetBarcodeForAllRecords=Definovat hodnotu čárového kódu pro všechny zázn
 PriceByCustomer=Různé ceny pro každého zákazníka
 PriceCatalogue=Unikátní cena pro produkt/službu
 PricingRule=Pravidla pro zákaznických ceny
-AddCustomerPrice=Přidejte cenu pro zákazníky
+AddCustomerPrice=Přidejte cenu pro zákazníka
 ForceUpdateChildPriceSoc=Nastavit stejné ceny pro dceřiné společnosti zákazníka
 PriceByCustomerLog=Cena dle protokolu zákazníka
 MinimumPriceLimit=Minimální cena nesmí být nižší než %s
@@ -267,3 +292,7 @@ GlobalVariableUpdaterHelpFormat1=formát je:  {"URL": "http://example.com/urlofw
 UpdateInterval=Interval aktualizace (minuty)
 LastUpdated=Naposledy aktualizováno
 CorrectlyUpdated=Správně aktualizováno
+PropalMergePdfProductActualFile=Soubory používají k přidání do PDF Azur template are/is
+PropalMergePdfProductChooseFile=Vyberte soubory PDF
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/cs_CZ/projects.lang b/htdocs/langs/cs_CZ/projects.lang
index 6c16371b1d087dadb2334fe2f08737ee40fcb6cd..5c3745b9301356258b0ed952dcc5a1fa0d90dda0 100644
--- a/htdocs/langs/cs_CZ/projects.lang
+++ b/htdocs/langs/cs_CZ/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Tento pohled je omezen na projekty či úkoly u kterých jste uveden
 OnlyOpenedProject=Pouze otevřené projekty jsou viditelné (projekty v návrhu ani v uzavřeném stavu nejsou viditelné).
 TasksPublicDesc=Tento pohled zobrazuje všechny projekty a úkoly které máte oprávnění číst.
 TasksDesc=Tento pohled zobrazuje všechny projekty a úkoly (vaše uživatelské oprávnění vám umožňuje vidět vše).
-AllTaskVisibleButEditIfYouAreAssigned=Všechny úkoly takového projektu jsou viditelné, ale můžete zadat čas pouze k přiřazenému úkolu.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projekty
 NewProject=Nový projekt
 AddProject=Vytvořit projekt
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Seznam vyúčtování výdajů související
 ListDonationsAssociatedProject=Seznam darů spojených s projektem
 ListActionsAssociatedProject=Seznam událostí spojených s projektem
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Týdenní projektová aktivita
 ActivityOnProjectThisMonth=Měsíční projektová aktivita
 ActivityOnProjectThisYear=Roční projektová aktivita
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projekty s tímto uživatelem jako kontakt
 TasksWithThisUserAsContact=Úkoly přidělené tomuto uživateli
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/cs_CZ/trips.lang b/htdocs/langs/cs_CZ/trips.lang
index 2a6e6a5be57146a905e5cf9ef14748db4def7f0c..91df57b96565937c4cbc0a02f2eb69730abae4aa 100644
--- a/htdocs/langs/cs_CZ/trips.lang
+++ b/htdocs/langs/cs_CZ/trips.lang
@@ -7,7 +7,7 @@ TripsAndExpenses=Zprávy výdajů
 TripsAndExpensesStatistics=Statistiky výdaje
 TripCard=Karta zpráv výdajů
 AddTrip=Vytvoření zprávy o výdajích
-ListOfTrips=Seznam zpráv výdajů
+ListOfTrips=Seznam vyúčtování výdajů
 ListOfFees=Sazebník poplatků
 NewTrip=Nová zpráva výdaje
 CompanyVisited=Firma/nadace navštívena
@@ -27,7 +27,7 @@ AnyOtherInThisListCanValidate=Informovat osobu o schválení.
 TripSociete=Informace o firmě
 TripSalarie=Informace o uživateli
 TripNDF=Informace o správě nákladů
-DeleteLine=Vymazat Ligne výdajovou zprávu
+DeleteLine=Odstranění řádku zprávy výdajů
 ConfirmDeleteLine=Jste si jisti, že chcete smazat tento řádek?
 PDFStandardExpenseReports=Standardní šablona pro vytvoření PDF dokumentu pro zprávy o výdajích
 ExpenseReportLine=Výdajová zpráva řádek
@@ -40,11 +40,10 @@ TF_BUS=Autobus
 TF_CAR=Auto
 TF_PEAGE=Mýto
 TF_ESSENCE=Palivo
-TF_HOTEL=Hostel
+TF_HOTEL=Hotel
 TF_TAXI=Taxi
 
 ErrorDoubleDeclaration=Deklaroval jste další hlášení výdajů do podobného časového období.
-ListTripsAndExpenses=Seznam vyúčtování výdajů
 AucuneNDF=Žádné zprávy o výdajích nalezených podle tohoto kritéria
 AucuneLigne=Neexistuje žádná zpráva o právě deklarovaném výdaji
 AddLine=Přidat řádek
@@ -56,12 +55,12 @@ ModePaiement=Režim platby
 Note=poznámka
 Project=Projekt
 
-VALIDATOR=Uživatel informoval o kolaudaci
+VALIDATOR=Uživatel odpovídá za schválení
 VALIDOR=Schváleno
 AUTHOR=Zaznamenáno
 AUTHORPAIEMENT=Placeno
 REFUSEUR=Zamítnuto
-CANCEL_USER=Zrušeno
+CANCEL_USER=Smazáno
 
 MOTIF_REFUS=Důvod
 MOTIF_CANCEL=Důvod
@@ -74,9 +73,10 @@ DATE_PAIEMENT=Datum platby
 
 TO_PAID=Platba
 BROUILLONNER=Znovu otevřeno
-SendToValid=Odesláno ke schválení
+SendToValid=Odesláno na schválení
 ModifyInfoGen=Úprava
 ValidateAndSubmit=Kontrola a odeslání schválení
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=Nemáte dovoleno schvalovat tuto zprávu o výdajích
 NOT_AUTHOR=Nejste autorem této zprávy výdajů. Operace zrušena.
@@ -93,7 +93,7 @@ ConfirmPaidTrip=Jste si jisti, že chcete změnit stav této zprávy výdajů na
 CancelTrip=Zrušit zprávu o výdajích
 ConfirmCancelTrip=Jste si jisti, že chcete zrušit tuto zprávu o výdajích?
 
-BrouillonnerTrip=Přesun zpět zprávu o výdajích do stavu "Koncept" n
+BrouillonnerTrip=Návrat výdajových zpráv do stavu "Koncept"
 ConfirmBrouillonnerTrip=Jste si jisti, že chcete přesunout tuto zprávu o výdajích na status "Koncept"?
 
 SaveTrip=Ověřit zprávu o výdajích
diff --git a/htdocs/langs/cs_CZ/withdrawals.lang b/htdocs/langs/cs_CZ/withdrawals.lang
index 86dbd7bcc575b89b85ea239492a25642f9b47072..423159c827ba3eb3f737bb0869d99c293ec512f7 100644
--- a/htdocs/langs/cs_CZ/withdrawals.lang
+++ b/htdocs/langs/cs_CZ/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Soubor výběru
 SetToStatusSent=Nastavte na stav "Odeslaný soubor"
 ThisWillAlsoAddPaymentOnInvoice=To se bude vztahovat i platby faktur a bude klasifikováno jako "Placeno"
 StatisticsByLineStatus=Statistika podle stavu řádků
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Platba trvalého příkazu %s bankou
diff --git a/htdocs/langs/cs_CZ/workflow.lang b/htdocs/langs/cs_CZ/workflow.lang
index c91127aff4ff91fa3286ab4562fdc961fea9008b..7b72e004eda0b37d16b5fb71010c01a8ca186d7b 100644
--- a/htdocs/langs/cs_CZ/workflow.lang
+++ b/htdocs/langs/cs_CZ/workflow.lang
@@ -1,11 +1,11 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Nastavení workflow modulu
 WorkflowDesc=Tento modul je určen k úpravě chování automatických akcí, v aplikaci. Ve výchozím nastavení workflow je otevřen (uděláte něco, co chcete). Můžete aktivovat automatické akce, které jsou zajímavé.
-ThereIsNoWorkflowToModify=Workflow zde není nastaven, můžete upravit modul pokud ho chcete aktivovat.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Vytvoření objednávky zákazníka automaticky po podepsání komerčního návrhu
-descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Vytvoření zákaznické faktury automaticky po podepsání komerčního návrhu
-descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Vytvoření zákaznické faktury automaticky po schválení kontraktu
-descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Vytvoření zákaznické faktury automaticky po uzavření objednávky zákazníka
+descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically Vytvoření zákaznické faktury po podepsání komerčního návrhu
+descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically Vytvoření zákaznické faktury  po schválení kontraktu
+descWORKFLOW_ORDER_AUTOCREATE_INVOICEAutomatically Vytvoření zákaznické faktury  po uzavření objednávky zákazníka
 descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Označit propojený zdrojový návrh jako zaúčtovaný, když je objednávka zákazníka nastavena jako placená
 descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Označit propojenou zdrojovou objednávku zákazníka(ů) jako zaúčtované, když jsou zákaznické faktury nastaveny jako placené
 descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Označit propojenou zdrojovou objednávku zákazníka(ů) jako zaúčtovanou, když je ověřená zákaznická faktura
diff --git a/htdocs/langs/da_DK/admin.lang b/htdocs/langs/da_DK/admin.lang
index b28d5a23dee864df8b96aeeae7a7b9aba81a95c6..56196921833d33cfa1a537f7d9fe2fabba9ca0f5 100644
--- a/htdocs/langs/da_DK/admin.lang
+++ b/htdocs/langs/da_DK/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Forslag
 Module20Desc=Kommerciel forslag 'ledelse
 Module22Name=E-mails
 Module22Desc=E-mails' ledelse
-Module23Name= Energi
-Module23Desc= Overvågning af forbruget af energi
+Module23Name=Energi
+Module23Desc=Overvågning af forbruget af energi
 Module25Name=Kunden Ordrer
 Module25Desc=Kunden ordrer 'ledelse
 Module30Name=Fakturaer
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Adviséringer
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donationer
 Module700Desc=Gaver 'ledelse
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Opret / ændre produkter / ydelser
 Permission34=Slet produkter / ydelser
 Permission36=Eksportere produkter / ydelser
 Permission38=Eksportere produkter
-Permission41=Læs projekter og opgaver
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Opret / ændre projekter, redigere opgaver for mine projekter
 Permission44=Slet projekter
 Permission61=Læs interventioner
@@ -600,10 +600,10 @@ Permission86=Send kundernes ordrer
 Permission87=Luk kunderne ordrer
 Permission88=Annuller kundernes ordrer
 Permission89=Slet kundernes ordrer
-Permission91=Læs sociale bidrag og moms
-Permission92=Opret / ændre sociale bidrag og moms
-Permission93=Slet sociale bidrag og moms
-Permission94=Eksporter sociale bidrag
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Læs rapporter
 Permission101=Læs sendings
 Permission102=Opret / ændre sendings
@@ -621,9 +621,9 @@ Permission121=Læs tredjemand knyttet til brugerens
 Permission122=Opret / ændre tredjemand knyttet til brugerens
 Permission125=Slet tredjemand knyttet til brugerens
 Permission126=Eksporter tredjemand
-Permission141=Læs opgaver
-Permission142=Opret / ændre opgaver
-Permission144=Slet opgaver
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Læs udbydere
 Permission147=Læs statistikinterval
 Permission151=Læs stående ordrer
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=E-mail skabeloner
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup gemt
 BackToModuleList=Tilbage til moduler liste
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Er du sikker på du vil slette menuen <b>indrejse %s?</b>
 DeleteLine=Slet linie
 ConfirmDeleteLine=Er du sikker på du vil slette denne linje?
 ##### Tax #####
-TaxSetup=Skatter, sociale bidrag og udbytte modul opsætning
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Mulighed d'exigibilit de TVA
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP klienter skal sende deres ansøgninger til Dolibarr endpoint til
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank modul opsætning
 FreeLegalTextOnChequeReceipts=Fri tekst på check kvitteringer
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project modul opsætning
 ProjectsModelModule=Projekt rapport dokument model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/da_DK/agenda.lang b/htdocs/langs/da_DK/agenda.lang
index 66276978bdfc34199eccd98221c5ef32e604c3ad..1ecafba1fe674f1d137e77fd7024b22b686f7d9d 100644
--- a/htdocs/langs/da_DK/agenda.lang
+++ b/htdocs/langs/da_DK/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Bestil %s godkendt
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Bestil %s gå tilbage til udkast til status
-OrderCanceledInDolibarr=Bestil %s annulleret
 ProposalSentByEMail=Kommercielle forslag %s sendt via e-mail
 OrderSentByEMail=Kunde ordre %s sendt via e-mail
 InvoiceSentByEMail=Kundefaktura %s sendt via e-mail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/da_DK/banks.lang b/htdocs/langs/da_DK/banks.lang
index 66ae6833ec759da11efe5d901eba6ff6ee9b84e4..1686a558eb5d363e5be1aeed7c4560f0641083ab 100644
--- a/htdocs/langs/da_DK/banks.lang
+++ b/htdocs/langs/da_DK/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Kundens betaling
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Leverandør betaling
 WithdrawalPayment=Tilbagetrækning betaling
-SocialContributionPayment=Sociale bidrag betaling
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Finansiel konto tidsskrift
 BankTransfer=Bankoverførsel
 BankTransfers=Bankoverførsler
diff --git a/htdocs/langs/da_DK/bills.lang b/htdocs/langs/da_DK/bills.lang
index 01bb536f0fa280f968cdb6559456bac7af7ec0ea..b446ff7bef94a2f51ccd3088f664c640df6f6a8c 100644
--- a/htdocs/langs/da_DK/bills.lang
+++ b/htdocs/langs/da_DK/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb af fakturaer
 NumberOfBillsByMonth=Nb af fakturaer efter måned
 AmountOfBills=Mængden af fakturaer
 AmountOfBillsByMonthHT=Mængden af ​​fakturaer efter måned (efter skat)
-ShowSocialContribution=Vis sociale bidrag
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Vis faktura
 ShowInvoice=Vis faktura
 ShowInvoiceReplace=Vis erstatning faktura
@@ -270,7 +270,7 @@ BillAddress=Bill adresse
 HelpEscompte=Denne rabat er en rabat, der ydes til kunden, fordi dens paiement blev foretaget før sigt.
 HelpAbandonBadCustomer=Dette beløb er blevet opgivet (kunde siges at være en dårlig kunde) og betragtes som en exceptionnal løs.
 HelpAbandonOther=Dette beløb er blevet opgivet, da det var en fejl (forkert kunde eller faktura erstattes af en anden for eksempel)
-IdSocialContribution=Sociale bidrag id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Betaling id
 InvoiceId=Faktura id
 InvoiceRef=Faktura ref.
diff --git a/htdocs/langs/da_DK/companies.lang b/htdocs/langs/da_DK/companies.lang
index 430acbd355d0383758b737cd054a5e1006505e70..06d8a91d905c60797564876d93d1ec6ed39f0d18 100644
--- a/htdocs/langs/da_DK/companies.lang
+++ b/htdocs/langs/da_DK/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Tredjepart kontakt
 StatusContactValidated=Status for kontakt
 Company=Firma
 CompanyName=Firmanavn
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Selskaber
 CountryIsInEEC=Landet er inde i Det Europæiske Økonomiske Fællesskab
 ThirdPartyName=Tredjeparts navn
diff --git a/htdocs/langs/da_DK/compta.lang b/htdocs/langs/da_DK/compta.lang
index 81fbbbf7872a4b692e12585ba451ea6dfa75329a..1508bdc2e0f14d0f2e5c86b94ec2c99bafb38404 100644
--- a/htdocs/langs/da_DK/compta.lang
+++ b/htdocs/langs/da_DK/compta.lang
@@ -56,23 +56,23 @@ VATCollected=Moms indsamlet
 ToPay=At betale
 ToGet=For at komme tilbage
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Skat, sociale bidrag og udbytte område
-SocialContribution=Sociale bidrag
-SocialContributions=Sociale bidrag
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Skatter og udbytter
 MenuSalaries=Salaries
-MenuSocialContributions=Sociale bidrag
-MenuNewSocialContribution=Nye bidrag
-NewSocialContribution=Nye sociale bidrag
-ContributionsToPay=Bidrag til at betale
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Regnskabsmæssig / Treasury område
 AccountancySetup=Regnskabsmæssig setup
 NewPayment=Ny betaling
 Payments=Betalinger
 PaymentCustomerInvoice=Kunden faktura betaling
 PaymentSupplierInvoice=Leverandør faktura betaling
-PaymentSocialContribution=Sociale bidrag betaling
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Moms betaling
 PaymentSalary=Salary payment
 ListPayment=Liste over betalinger
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=Moms Betaling
 VATPayments=Momsbetalinger
-SocialContributionsPayments=Sociale bidrag betalinger
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Vis momsbetaling
 TotalToPay=I alt at betale
 TotalVATReceived=Total moms modtaget
@@ -116,11 +116,11 @@ NewCheckDepositOn=Ny tjekke depositum på konto: %s
 NoWaitingChecks=Nr. kontrol venter for indskudsgarantiordninger.
 DateChequeReceived=Check modtagelse input dato
 NbOfCheques=Nb af checks
-PaySocialContribution=Betale sociale bidrag
-ConfirmPaySocialContribution=Er du sikker på at du vil klassificere denne sociale bidrag, som betales?
-DeleteSocialContribution=Slet et socialt bidrag
-ConfirmDeleteSocialContribution=Er du sikker på du vil slette denne sociale bidrag?
-ExportDataset_tax_1=Sociale bidrag og betalinger
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Kalkulations mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/da_DK/cron.lang b/htdocs/langs/da_DK/cron.lang
index 42499e17bf0f61f79f9d367c33eb6f29967185f0..6698ff840ac66695a3069cdeb36bd97d40ed9a33 100644
--- a/htdocs/langs/da_DK/cron.lang
+++ b/htdocs/langs/da_DK/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/da_DK/ecm.lang b/htdocs/langs/da_DK/ecm.lang
index ee1788e025c6385fe01f458368c27039356ff4d3..86699378ce1ebcac2fbecca6023564524e3f19b7 100644
--- a/htdocs/langs/da_DK/ecm.lang
+++ b/htdocs/langs/da_DK/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Søg på objektet
 ECMSectionOfDocuments=Abonnentfortegnelser af dokumenter
 ECMTypeManual=Manual
 ECMTypeAuto=Automatisk
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Dokumenter knyttet til tredjemand
 ECMDocsByProposals=Dokumenter knyttet til forslag
 ECMDocsByOrders=Dokumenter knyttet til kundernes ordrer
diff --git a/htdocs/langs/da_DK/errors.lang b/htdocs/langs/da_DK/errors.lang
index 1a792d3cc35eedd2d194b236a51f7f00bd605971..104116a89be332c347875b13d1ba9deeb979a704 100644
--- a/htdocs/langs/da_DK/errors.lang
+++ b/htdocs/langs/da_DK/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/da_DK/holiday.lang b/htdocs/langs/da_DK/holiday.lang
index ad2a6324a0faa30cc4ba7b23df1b78399be2e23c..2576a6637d7cb8608ce13b0fc8e3a983f5f04cc7 100644
--- a/htdocs/langs/da_DK/holiday.lang
+++ b/htdocs/langs/da_DK/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Årsag
 UserCP=Bruger
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Værdi
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/da_DK/mails.lang b/htdocs/langs/da_DK/mails.lang
index 420d1ba68391e786136933d79d061feaec115def..533859bbd8cfaecd56422393d136b17c3f4d8778 100644
--- a/htdocs/langs/da_DK/mails.lang
+++ b/htdocs/langs/da_DK/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Adviséringer
 NoNotificationsWillBeSent=Ingen e-mail-meddelelser er planlagt for denne begivenhed, og selskabet
diff --git a/htdocs/langs/da_DK/main.lang b/htdocs/langs/da_DK/main.lang
index 9fad71da400b3c29e6b84f9e63ba4ae8f66c4d5d..391b505df6c6d40e366e727054e6753a81fc4b94 100644
--- a/htdocs/langs/da_DK/main.lang
+++ b/htdocs/langs/da_DK/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Nogle fejl blev fundet. Vi rollback ændri
 ErrorConfigParameterNotDefined=<b>Parameter %s</b> er ikke defineret inde Dolibarr konfigurationsfil <b>conf.php.</b>
 ErrorCantLoadUserFromDolibarrDatabase=Kunne ikke finde <b>bruger %s</b> i Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Fejl, der ikke momssatser defineret for land ' %s'.
-ErrorNoSocialContributionForSellerCountry=Fejl, ingen social bidrag type der er defineret for landets %s '.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Fejl, kunne ikke gemme filen.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Enhedspris
 PriceU=UP
 PriceUHT=UP (netto)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=UP
+PriceUTTC=U.P. (inc. tax)
 Amount=Mængde
 AmountInvoice=Fakturabeløbet
 AmountPayment=Indbetalingsbeløb
@@ -339,6 +339,7 @@ IncludedVAT=Inkluderet moms
 HT=Efter skat
 TTC=Inc. moms
 VAT=Moms
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Momssats
diff --git a/htdocs/langs/da_DK/members.lang b/htdocs/langs/da_DK/members.lang
index c0a8555be79532090cee81995cdb7c5556821431..22a07cad51c8d41102e62f6e11082760ce8fdbf6 100644
--- a/htdocs/langs/da_DK/members.lang
+++ b/htdocs/langs/da_DK/members.lang
@@ -199,7 +199,8 @@ Entreprises=Virksomheder
 DOLIBARRFOUNDATION_PAYMENT_FORM=For at gøre dit abonnement betaling med en bankoverførsel, se side <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> At betale med kreditkort eller Paypal, klik på knappen nederst på denne side. <br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/da_DK/products.lang b/htdocs/langs/da_DK/products.lang
index b98ca1bc25ba92d41ffd4875ff656d59a554190e..d9ddbb1b3d1a9766b5f9502bc597536aaef946d7 100644
--- a/htdocs/langs/da_DK/products.lang
+++ b/htdocs/langs/da_DK/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/da_DK/projects.lang b/htdocs/langs/da_DK/projects.lang
index 96fa14742b21aa9cdb5a4a458f5b3d2733595e5c..68c06ec9b50ff57c4e0a5041a3a1a7b5b1da964e 100644
--- a/htdocs/langs/da_DK/projects.lang
+++ b/htdocs/langs/da_DK/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Dette synspunkt er begrænset til projekter eller opgaver, du er en
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Dette synspunkt præsenterer alle projekter og opgaver, som du får lov til at læse.
 TasksDesc=Dette synspunkt præsenterer alle projekter og opgaver (din brugertilladelser give dig tilladelse til at se alt).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projekter område
 NewProject=Nyt projekt
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=Liste over aktioner i forbindelse med projektet
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Aktivitet på projektet i denne uge
 ActivityOnProjectThisMonth=Aktivitet på projektet i denne måned
 ActivityOnProjectThisYear=Aktivitet på projektet i år
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/da_DK/trips.lang b/htdocs/langs/da_DK/trips.lang
index f9ebcc9d079cffe115dfd148656f5a2e74946228..93c14af7a7ee4bae1762f6d27eb30b025b4940ff 100644
--- a/htdocs/langs/da_DK/trips.lang
+++ b/htdocs/langs/da_DK/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/da_DK/withdrawals.lang b/htdocs/langs/da_DK/withdrawals.lang
index 525dd55f91e01be2c7d590ca85e2aa76b3dd1316..a86a908b1b990ef4a93bbac19a5e02ac01635cd9 100644
--- a/htdocs/langs/da_DK/withdrawals.lang
+++ b/htdocs/langs/da_DK/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Betaling af stående ordre %s af banken
diff --git a/htdocs/langs/da_DK/workflow.lang b/htdocs/langs/da_DK/workflow.lang
index 21d1d4ce4eb4d3192de6ba57d9124bcfbb62a441..b717d97c3c6ce0adba83bf3b08ac7450da77b966 100644
--- a/htdocs/langs/da_DK/workflow.lang
+++ b/htdocs/langs/da_DK/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow-modul opsætning
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/de_AT/admin.lang b/htdocs/langs/de_AT/admin.lang
index fbde76477d8173d28baca3270c8101fc3aeaec60..8cbf533084932f06d48a97b57c2bda85b07291ae 100644
--- a/htdocs/langs/de_AT/admin.lang
+++ b/htdocs/langs/de_AT/admin.lang
@@ -49,7 +49,6 @@ Permission256=Eigenes Passwort ändern
 Permission271=CA einsehen
 Permission272=Rechnungen einsehen
 Permission273=Rechnungen erstellen
-Permission291=Tarife einsehen
 Permission292=Festlegen von Berechtigungen für die Tarife
 Permission311=Services einsehen
 Permission312=Services Verträgen zuweisen
diff --git a/htdocs/langs/de_DE/admin.lang b/htdocs/langs/de_DE/admin.lang
index 0fee55d0587f276747f4a2b1d4f88f5d9946425e..49def7b76218265978e08eda99172e72e7df9c20 100644
--- a/htdocs/langs/de_DE/admin.lang
+++ b/htdocs/langs/de_DE/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Angebote
 Module20Desc=Angeboteverwaltung
 Module22Name=E-Mail-Kampagnen
 Module22Desc=E-Mail-Kampagnenverwaltung
-Module23Name= Energie
-Module23Desc= Überwachung des Energieverbrauchs
+Module23Name=Energie
+Module23Desc=Überwachung des Energieverbrauchs
 Module25Name=Kundenaufträge
 Module25Desc=Kundenauftragsverwaltung
 Module30Name=Rechnungen
@@ -492,7 +492,7 @@ Module400Desc=Projektmanagement, Aufträge oder Leads. Anschließend können Sie
 Module410Name=Webkalender
 Module410Desc=Webkalenderintegration
 Module500Name=Sonderausgaben
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Löhne
 Module510Desc=Verwaltung der Angestellten-Gehälter und -Zahlungen
 Module520Name=Darlehen
@@ -501,7 +501,7 @@ Module600Name=Benachrichtigungen
 Module600Desc=Senden Sie Benachrichtigungen zu einigen Dolibarr-Events per E-Mail an Partner (wird pro Partner definiert)
 Module700Name=Spenden
 Module700Desc=Spendenverwaltung
-Module770Name=Spesenabrechnung
+Module770Name=Expense reports
 Module770Desc=Management Reisen und Spesen  Report (Transport, Essen, ...)
 Module1120Name=Lieferant-Angebote
 Module1120Desc=Anfordern von Lieferanten-Angeboten und Preise
@@ -579,7 +579,7 @@ Permission32=Produkte/Leistungen erstellen/bearbeiten
 Permission34=Produkte/Leistungen löschen
 Permission36=Projekte/Leistungen exportieren
 Permission38=Produkte exportieren
-Permission41=Projekte/Aufgaben einsehen
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Projekte/Aufgaben erstellen/bearbeiten (Meine)
 Permission44=Projekte löschen
 Permission61=Leistungen ansehen
@@ -600,10 +600,10 @@ Permission86=Kundenaufträge per E-Mail versenden
 Permission87=Kundenaufträge abschließen
 Permission88=Kundenaufträge verwerfen
 Permission89=Kundenaufträge löschen
-Permission91=Steuern/Sozialbeiträge einsehen
-Permission92=Steuern/Sozialbeiträge erstellen/bearbeiten
-Permission93=Steuern/Sozialbeiträge löschen
-Permission94=Sozialbeiträge exportieren
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Buchhaltung einsehen
 Permission101=Auslieferungen einsehen
 Permission102=Auslieferungen erstellen/bearbeiten
@@ -621,9 +621,9 @@ Permission121=Mit Benutzer verbundene Partner einsehen
 Permission122=Mit Benutzer verbundene Partner erstellen/bearbeiten
 Permission125=Mit Benutzer verbundene Partner löschen
 Permission126=Partner exportieren
-Permission141=Aufgaben einsehen
-Permission142=Aufgaben erstellen/bearbeiten
-Permission144=Löschen aller Projekte und Aufgaben (einschließlich privater auch nicht in Verbindung treten)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Lieferanten einsehen
 Permission147=Statistiken einsehen
 Permission151=Abbucher einsehen
@@ -801,7 +801,7 @@ DictionaryCountry=Länder
 DictionaryCurrency=Währungen
 DictionaryCivility=Anredeformen
 DictionaryActions=Liste Arten von Kalenderereignissen
-DictionarySocialContributions=Sozialbeitragstypen
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=MwSt.-Sätze
 DictionaryRevenueStamp=Anzahl der Steuermarken
 DictionaryPaymentConditions=Zahlungsbedingungen
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Kontenplan Modul
 DictionaryEMailTemplates=Emailvorlage
 DictionaryUnits=Einheiten
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup gespeichert
 BackToModuleList=Zurück zur Modulübersicht
 BackToDictionaryList=Zurück zur Wörterbuchübersicht
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Möchten Sie diesen Menüeintrag <b>%s</b> wirklich löschen?
 DeleteLine=Zeile löschen
 ConfirmDeleteLine=Möchten Sie diese Zeile wirklich löschen?
 ##### Tax #####
-TaxSetup=Steuer-, Sozialbeitrags- und Dividendenmodul-Einstellungen
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=MwSt. fällig
 OptionVATDefault=Barbestandsbasis
 OptionVATDebitOption=Rückstellungsbasis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP-Clients müssen Ihre Anfragen an den dolibarr-Endpoint unter der
 ApiSetup=API-Modul-Setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Nur Elemente aus aktiven Modulen sind ungeschützt
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bankmoduleinstellungen
 FreeLegalTextOnChequeReceipts=Freier Rechtstext für Scheckbelege
@@ -1596,6 +1599,7 @@ ProjectsSetup=Projekteinstellungenmodul
 ProjectsModelModule=Projektvorlagenmodul
 TasksNumberingModules=Aufgaben-Nummerierungs-Modul
 TaskModelModule=Vorlage für Arbeitsberichte
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = EDM-Einstellungen
 ECMAutoTree = Automatischer Baumansicht
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installation eines externen Modul aus der Anwendung sp
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Drücken Sie F5 auf der Tastatur, nachdem dem Sie diesen Wert geändert haben, damit die Änderungen wirksam ist
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/de_DE/agenda.lang b/htdocs/langs/de_DE/agenda.lang
index a817845d128db6479c733f924eabffbce5537c31..30f934694c2e8abf395ee747976e2f18ea62c89f 100644
--- a/htdocs/langs/de_DE/agenda.lang
+++ b/htdocs/langs/de_DE/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Bestellung %s als bezahlt markieren
 OrderApprovedInDolibarr=Bestellen %s genehmigt
 OrderRefusedInDolibarr=Bestellung %s abgelehnt
 OrderBackToDraftInDolibarr=Bestellen %s zurück nach Draft-Status
-OrderCanceledInDolibarr=Auftrag storniert %s
 ProposalSentByEMail=Angebot %s per E-Mail versendet
 OrderSentByEMail=Kundenauftrag %s per E-Mail versendet
 InvoiceSentByEMail=Kundenrechnung %s per E-Mail versendet
@@ -96,3 +95,5 @@ AddEvent=Ereignis erstellen
 MyAvailability=Meine Verfügbarkeit
 ActionType=Ereignistyp
 DateActionBegin=Beginnzeit des Ereignis
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/de_DE/banks.lang b/htdocs/langs/de_DE/banks.lang
index b8befaf598e9820b2287e2540567d38dbb7df46a..c7840619935879fedf6807fa68b7e47162768df1 100644
--- a/htdocs/langs/de_DE/banks.lang
+++ b/htdocs/langs/de_DE/banks.lang
@@ -94,7 +94,7 @@ Conciliate=Ausgleichen
 Conciliation=Ausgleich
 ConciliationForAccount=Dieses Konto ausgleichen
 IncludeClosedAccount=Geschlossene Konten miteinbeziehen
-OnlyOpenedAccount=Nur geöffnete Konten
+OnlyOpenedAccount=Nur offene Konten
 AccountToCredit=Konto für Gutschrift
 AccountToDebit=Zu belastendes Konto
 DisableConciliation=Zahlungsausgleich für dieses Konto deaktivieren
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Kundenzahlung
 CustomerInvoicePaymentBack=Kunden Rückzahlung
 SupplierInvoicePayment=Lieferantenzahlung
 WithdrawalPayment=Entnahme Zahlung
-SocialContributionPayment=Sozialbeitragszahlung
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Finanzkonto-Journal
 BankTransfer=Kontentransfer
 BankTransfers=Kontentransfer
diff --git a/htdocs/langs/de_DE/bills.lang b/htdocs/langs/de_DE/bills.lang
index 3ee6219c8cbb1a1bc90353435f0072cc74cf424f..9b743010407e753d1d0d14f55d7eb4b9d4e6ffba 100644
--- a/htdocs/langs/de_DE/bills.lang
+++ b/htdocs/langs/de_DE/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Anzahl der Rechnungen
 NumberOfBillsByMonth=Anzahl Rechnungen pro Monat
 AmountOfBills=Anzahl der Rechnungen
 AmountOfBillsByMonthHT=Gesamtbetrag Rechnungen pro Monat (inkl. Steuern)
-ShowSocialContribution=Zeige Sozialbeitrag
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Zeige Rechnung
 ShowInvoice=Zeige Rechnung
 ShowInvoiceReplace=Zeige Ersatzrechnung
@@ -270,7 +270,7 @@ BillAddress=Rechnungsanschrift
 HelpEscompte=Bei diesem Rabatt handelt es sich um einen Skonto.
 HelpAbandonBadCustomer=Dieser Betrag wurde aufgegeben (Kundenverschulden) ist als uneinbringlich zu werten.
 HelpAbandonOther=Dieser Betrag wurde auf Grund eines Fehlers aufgegeben (falsche Rechnung oder an falschen Kunden)
-IdSocialContribution=Sozialbeitrags id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Zahlung id
 InvoiceId=Rechnungs ID
 InvoiceRef=Rechnungs Nr.
diff --git a/htdocs/langs/de_DE/companies.lang b/htdocs/langs/de_DE/companies.lang
index 3c7caa25d12cbe66c2251c222c55819d947646f1..747d2fc2eee75d3f222f173dd20c17c35a6424cf 100644
--- a/htdocs/langs/de_DE/companies.lang
+++ b/htdocs/langs/de_DE/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Partnerkontakt
 StatusContactValidated=Status des Kontakts
 Company=Firma
 CompanyName=Firmenname
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Unternehmen
 CountryIsInEEC=Land ist innerhalb der EU
 ThirdPartyName=Name des Partners
diff --git a/htdocs/langs/de_DE/compta.lang b/htdocs/langs/de_DE/compta.lang
index 9fad5927ce01424717c7fd59d4db050f786718cb..5363dcb005f9be1b08bf404c58c5dc42509013f8 100644
--- a/htdocs/langs/de_DE/compta.lang
+++ b/htdocs/langs/de_DE/compta.lang
@@ -56,23 +56,23 @@ VATCollected=Erhobene MwSt.
 ToPay=Zu zahlen
 ToGet=Zu erhalten
 SpecialExpensesArea=Bereich für alle Sonderzahlungen
-TaxAndDividendsArea=Steuern-, Sozialabgaben- und Dividendenübersicht
-SocialContribution=Sozialbeitrag
-SocialContributions=Sozialbeiträge
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Sonstige Ausgaben
 MenuTaxAndDividends=Steuern und Dividenden
 MenuSalaries=Löhne
-MenuSocialContributions=Sozialbeiträge
-MenuNewSocialContribution=Neuer Beitrag
-NewSocialContribution=Neuer Sozialbeitrag
-ContributionsToPay=Zu zahlende Beiträge
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Rechnungswesen/Vermögensverwaltung
 AccountancySetup=Buchhaltung Einstellungen
 NewPayment=Neue Zahlung
 Payments=Zahlungen
 PaymentCustomerInvoice=Zahlung Kundenrechnung
 PaymentSupplierInvoice=Zahlung Lieferantenrechnung
-PaymentSocialContribution=Zahlung Sozialbeiträge
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=MwSt.-Zahlung
 PaymentSalary=Lohnzahlung
 ListPayment=Liste der Zahlungen
@@ -91,7 +91,7 @@ LT1PaymentES=RE Zahlung
 LT1PaymentsES=RE Zahlungen
 VATPayment=MwSt.-Zahlung
 VATPayments=MwSt-Zahlungen
-SocialContributionsPayments=Sozialbeitragszahlungen
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Zeige MwSt. Zahlung
 TotalToPay=Zu zahlender Gesamtbetrag
 TotalVATReceived=Summe vereinnahmte MwSt.
@@ -116,11 +116,11 @@ NewCheckDepositOn=Neue Scheckeinlösung auf Konto: %s
 NoWaitingChecks=Keine Schecks warten auf Einlösung.
 DateChequeReceived=Datum des Scheckerhalts
 NbOfCheques=Anzahl der Schecks
-PaySocialContribution=Sozialbeitragszahlungen
-ConfirmPaySocialContribution=Möchten Sie diesen Sozialbeitrag wirklich als bezahlt markieren?
-DeleteSocialContribution=Sozialbeitrag löschen
-ConfirmDeleteSocialContribution=Möchten Sie diesen Sozialbeitrag wirklich löschen?
-ExportDataset_tax_1=Sozialbeiträge und Zahlungen
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Modus <b>%s Mwst. auf Engagement Rechnungslegung %s</b>.
 CalcModeVATEngagement=Modus <b>%sTVA auf  Einnahmen-Ausgaben%s</b>.
 CalcModeDebt=Modus <b>%sForderungen-Verbindlichkeiten%s</b> sagt <b>Engagement Rechnungslegung.</b>
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=Wählen Sie die geeignete Methode, um zum gleichen E
 TurnoverPerProductInCommitmentAccountingNotRelevant=Umsatz Bericht pro Produkt, bei der Verwendung einer <b>Kassabuch Buchhaltung</b>  ist der Modus nicht relevant. Dieser Bericht ist nur bei Verwendung <b>Buchführungsmodus Periodenrechnung</b> (siehe Setup das Modul  Buchhaltung).
 CalculationMode=Berechnungsmodus
 AccountancyJournal=Buchhaltungscode-Journal
-ACCOUNTING_VAT_ACCOUNT=Standard-Erlöskonto,  für die Erhebung der Mehrwertsteuer
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Standard-Aufwandskonto, um MwSt zu bezahlen
 ACCOUNTING_ACCOUNT_CUSTOMER=Standard Buchhaltungs-Code für Kunden/Debitoren
 ACCOUNTING_ACCOUNT_SUPPLIER=Standard Buchhaltungs-Code für Lieferanten/Kreditoren
-CloneTax=Sozialbeitrag duplizieren
-ConfirmCloneTax=Bestätigung 'Sozialbeitrag duplizieren'
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Für nächsten Monat duplizieren
diff --git a/htdocs/langs/de_DE/cron.lang b/htdocs/langs/de_DE/cron.lang
index 99bd18c2c0da06265e5b3d7a053ffb689b8dc862..45c22a6fbdb06befaf8547330364884737c34645 100644
--- a/htdocs/langs/de_DE/cron.lang
+++ b/htdocs/langs/de_DE/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=Die Objektmethode, um zu starten. <BR> Zum Beispiel um die Method
 CronArgsHelp=Das Methodenargument/Input-Parameter.<BR>  Zum Beispiel um die Methode fetch vom  Dolibarr Produkt Objekt /htdocs/product/class/product.class.php aufzurufen, ist der Input-Parameter-Wert <i>0, RefProduit</i>
 CronCommandHelp=Die auszuführende System-Kommandozeile
 CronCreateJob=Erstelle neuen cronjob
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/de_DE/ecm.lang b/htdocs/langs/de_DE/ecm.lang
index 32b619cc51c47d87f9b20c8aa6af1ac1a5c6b750..b3621e063db22277469cd9c112eb085727e8acc8 100644
--- a/htdocs/langs/de_DE/ecm.lang
+++ b/htdocs/langs/de_DE/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Suche nach Objekt
 ECMSectionOfDocuments=Dokumentenordner
 ECMTypeManual=Manuell
 ECMTypeAuto=Automatisch
-ECMDocsBySocialContributions=Mit Sozialabgaben verbundene Dokumente
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Mit Partnern verknüpfte Dokumente
 ECMDocsByProposals=Mit Angeboten verknüpfte Dokumente
 ECMDocsByOrders=Mit Kundenaufträgen verknüpfte Dokumente
diff --git a/htdocs/langs/de_DE/errors.lang b/htdocs/langs/de_DE/errors.lang
index 3bb1a6439babf5477cd8c42561808c490f50ba6d..ed1232f23e352c0d0069606c9faf2767eb2079e4 100644
--- a/htdocs/langs/de_DE/errors.lang
+++ b/htdocs/langs/de_DE/errors.lang
@@ -170,6 +170,7 @@ ErrorGlobalVariableUpdater4=SOAP Client fehlgeschlagen mit Fehler '%s'
 ErrorGlobalVariableUpdater5=Keine globale Variable ausgewählt
 ErrorFieldMustBeANumeric=Feld <b>%s</b> muss ein numerischer Wert sein
 ErrorFieldMustBeAnInteger=Feld <b>%s</b> muss eine ganze Zahl sein
+ErrorMandatoryParametersNotProvided=Erforderliche(r) Parameter wird nicht angeboten
 
 # Warnings
 WarningMandatorySetupNotComplete=Zwingend notwendige Parameter sind noch nicht definiert
@@ -190,3 +191,4 @@ WarningNotRelevant=Operation für dieses Daten-Set nicht relevant
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Funktion deaktiviert, wenn die Bildschirm-Ausgabe für Blinde oder Text-Browser optimiert ist.
 WarningPaymentDateLowerThanInvoiceDate=Zahlungsdatum (%s) liegt vor dem Rechnungsdatum (%s) für Rechnung %s.
 WarningTooManyDataPleaseUseMoreFilters=Zu viele Ergebnisse. Bitte nutzen Sie mehr Filter
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/de_DE/holiday.lang b/htdocs/langs/de_DE/holiday.lang
index 348537fa1a3a3f746efafc25ac3082c20fcc60a8..a1857c8bc1317e284ae71ef5ece46889a3fcc2e5 100644
--- a/htdocs/langs/de_DE/holiday.lang
+++ b/htdocs/langs/de_DE/holiday.lang
@@ -3,7 +3,7 @@ HRM=PM
 Holidays=Urlaub
 CPTitreMenu=Urlaub
 MenuReportMonth=Monatsauszug
-MenuAddCP=Urlaubs-Antrag einreichen
+MenuAddCP=New leave request
 NotActiveModCP=Sie müssen das Urlaubs-Modul aktivieren um diese Seite zu sehen.
 NotConfigModCP=Sie müssen das Modul Urlaub konfigurieren, um diese Seite zu sehen. Um dies zu tun, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">klicken Sie bitte hier</a>.
 NoCPforUser=Sie haben keinen Anspruch auf Urlaub.
@@ -71,7 +71,7 @@ MotifCP=Grund
 UserCP=Benutzer
 ErrorAddEventToUserCP=Ein Fehler ist aufgetreten beim erstellen des Sonderurlaubs
 AddEventToUserOkCP=Das Hinzufügen des Sonderurlaubs wurde abgeschlossen.
-MenuLogCP=Zeige Logdaten zu Urlaubsanträgen
+MenuLogCP=View change logs
 LogCP=Log der Aktualisierung von verfügbaren Urlaubstagen
 ActionByCP=Ausgeführt von
 UserUpdateCP=Für den Benutzer
@@ -93,6 +93,7 @@ ValueOptionCP=Warenwert
 GroupToValidateCP=Gruppe mit der Berechtigung Urlaub zu bewilligen
 ConfirmConfigCP=Konfiguration bestätigen
 LastUpdateCP=Letzte automatische Aktualisierung von Urlaubstagen
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Erfolgreich bearbeitet.
 ErrorUpdateConfCP=Ein Fehler trat beim Bearbeiten auf, bitte nochmals versuchen.
 AddCPforUsers=Bitte geben Sie die Anzahl Urlaubstage der Benutzer an,  <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">indem Sie hier klicken</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Ein Fehler ist beim EMail-Senden aufgetreten:
 NoCPforMonth=Kein Urlaub diesen Monat
 nbJours=Anzahl der Tage
 TitleAdminCP=Konfiguration der Urlaube
+NoticePeriod=Notice period
 #Messages
 Hello=Hallo
 HolidaysToValidate=Genehmige Urlaubsanträge
@@ -139,10 +141,11 @@ HolidaysRefused=Anfrage abgelehnt
 HolidaysRefusedBody=Ihr Antrag auf Urlaub von %s bis %s wurde aus folgendem Grund abgelehnt:
 HolidaysCanceled=Urlaubsantrag storniert
 HolidaysCanceledBody=Ihr Antrag auf Urlaub von %s bis %s wurde storniert.
-Permission20000=Eigene Urlaubsanträge einsehen
-Permission20001=Erstellen/Ändern Ihrer Urlaubsanträge
-Permission20002=Anlegen/Ändern der Urlaube für alle
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Urlaubsanträge löschen
-Permission20004=Bestimme die verfügbaren Urlaubstage des Benutzers
-Permission20005=Überprüfung Protokoll geänderte Urlaubsanträge
-Permission20006=Monatlichen Urlaubsbericht einsehen
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/de_DE/mails.lang b/htdocs/langs/de_DE/mails.lang
index e04d73b5ac96b6afd41d79576da74a517f0c9aee..4d07f86948bacbd21c62fc2696a3f59e009c1d36 100644
--- a/htdocs/langs/de_DE/mails.lang
+++ b/htdocs/langs/de_DE/mails.lang
@@ -77,7 +77,7 @@ CheckRead=Lesebestätigung
 YourMailUnsubcribeOK=Die E-Mail-Adresse <b>%s</b> ist korrekt aus der Mailing-Liste ausgetragen.
 MailtoEMail=Verknüpfung zu E-Mail
 ActivateCheckRead=Erlaube den Zugriff auf den "Abmelde"-Link
-ActivateCheckReadKey=Sicherheitsschlüssel für die Verschlüsselung von URLs in der Lesebestätigungs- und bei der Abmeldenfunktion verwendet
+ActivateCheckReadKey=Key used to encrypt URL used 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.
@@ -128,6 +128,7 @@ TagCheckMail=Öffnen der Mail verfolgen
 TagUnsubscribe=Abmelde Link
 TagSignature=Signatur des Absenders
 TagMailtoEmail=E-Mailadresses des Empfängers
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Benachrichtigungen
 NoNotificationsWillBeSent=Für dieses Ereignis und diesen Partner sind keine Benachrichtigungen geplant
diff --git a/htdocs/langs/de_DE/main.lang b/htdocs/langs/de_DE/main.lang
index 30727aa345effcc906d31990fb418280ff23dabe..6cd832730c541d9d6eb4ff91b957bfaba364e5b8 100644
--- a/htdocs/langs/de_DE/main.lang
+++ b/htdocs/langs/de_DE/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Einige Fehler wurden gefunden. Änderungen
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> innerhalb der Konfigurationsdatei <b>conf.php.</b> nicht definiert.
 ErrorCantLoadUserFromDolibarrDatabase=Kann Benutzer <b>%s</b> nicht aus der Systemdatenbank laden.
 ErrorNoVATRateDefinedForSellerCountry=Fehler, keine MwSt.-Sätze für Land  '%s' definiert.
-ErrorNoSocialContributionForSellerCountry=Fehler, für Land '%s' wurde kein Sozialbetrag definiert.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Fehler beim Speichern der Datei.
 SetDate=Datum
 SelectDate=Wählen Sie ein Datum
@@ -302,7 +302,7 @@ UnitPriceTTC=Stückpreis (brutto)
 PriceU=VP
 PriceUHT=VP (netto)
 AskPriceSupplierUHT=Nettopreis anfordern
-PriceUTTC=VP (brutto)
+PriceUTTC=U.P. (inc. tax)
 Amount=Betrag
 AmountInvoice=Rechnungsbetrag
 AmountPayment=Zahlungsbetrag
@@ -339,6 +339,7 @@ IncludedVAT=inkl. MwSt.
 HT=Netto
 TTC=Brutto
 VAT=MwSt.
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Steuersatz
diff --git a/htdocs/langs/de_DE/members.lang b/htdocs/langs/de_DE/members.lang
index a9076f41d733a270785b6f0e0f08d0dd1e2db572..af17a782e30d3d37000a40336b3f2b32728052a9 100644
--- a/htdocs/langs/de_DE/members.lang
+++ b/htdocs/langs/de_DE/members.lang
@@ -106,7 +106,7 @@ ConfirmDeleteSubscription=Möchten Sie dieses Abonnement wirklich löschen?
 Filehtpasswd=htpasswd Datei
 ValidateMember=Mitglied freigeben
 ConfirmValidateMember=Möchten Sie dieses Mitglied wirklich freigeben?
-FollowingLinksArePublic=Die folgenden Links sind öffentlich zugängliche Seiten und als solche nicht durch die Zugriffskontrolle des Systems geschützt. Es handelt sich dabei zudem um unformatierte Seiten, die beispielsweise eine Liste aller in der Datenbank eingetragenen Mitglieder anzeigen.
+FollowingLinksArePublic=Die folgenden Links sind öffentlich zugängliche Seiten und als solche nicht durch die Dolibarr-Zugriffskontrolle geschützt. Es handelt sich dabei zudem um unformatierte Seiten, die beispielsweise eine Liste aller in der Datenbank eingetragenen Mitglieder anzeigen.
 PublicMemberList=Liste öffentlicher Mitglieder
 BlankSubscriptionForm=Leeres Abonnementformular
 BlankSubscriptionFormDesc=Dolibarr Deutschland beitet ihnen eine öffentliche URL an für den externen Besucher an. Falls Sie ein Online-Zahlungsmittel aktiviert haben, werden die notwendigen Unterlagen automatisch zur Verfügung gestellt.
@@ -199,7 +199,8 @@ Entreprises=Unternehmen
 DOLIBARRFOUNDATION_PAYMENT_FORM=Um Ihre Beitragszahlung mit einer Banküberweisung auszuführen, gehen Sie zur Seite: <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>Um mittels Kreditkarte zu zahlen, klicken Sie auf den Button am Seitenende.<br>
 ByProperties=nach Eigenschaften
 MembersStatisticsByProperties=Mitgliederstatistik nach Eigenschaften
-MembersByNature=Mitglieder von Natur aus
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Mehrwertsteuersatz für Mitgliedschaften
 NoVatOnSubscription=Kein MwSt. auf Mitgliedschaft.
 MEMBER_PAYONLINE_SENDEMAIL=E-Mail, um zu warnen, wenn Dolibarr erhält eine Bestätigung von einer   validierte Zahlung des Mitglieds
diff --git a/htdocs/langs/de_DE/products.lang b/htdocs/langs/de_DE/products.lang
index 1682366a0860388e2a05eb645cc8f3f43c17d15d..fba647548b07abdb675ec783e052b82a270fce09 100644
--- a/htdocs/langs/de_DE/products.lang
+++ b/htdocs/langs/de_DE/products.lang
@@ -23,14 +23,14 @@ ProductOrService=Produkt oder Leistung
 ProductsAndServices=Produkte und Leistungen
 ProductsOrServices=Produkte oder Leistungen
 ProductsAndServicesOnSell=Produkte für Ein- oder Verkauf
-ProductsAndServicesNotOnSell=Produkte/Services weder für Ein- noch Verkauf
+ProductsAndServicesNotOnSell=Produkte/Leistungen nicht für Verkauf
 ProductsAndServicesStatistics=Produkt- und Leistungs-Statistik
 ProductsStatistics=Produktstatistik
 ProductsOnSell=Produkte für Ein- oder Verkauf
 ProductsNotOnSell=Produkte weder für Ein- noch Verkauf
 ProductsOnSellAndOnBuy=Produkte für Ein- und Verkauf
 ServicesOnSell=Leistungen für Ein- oder Verkauf
-ServicesNotOnSell=Leistungen weder für Ein- noch Verkauf
+ServicesNotOnSell=Leistungen nicht für Verkauf
 ServicesOnSellAndOnBuy=Leistungen für Ein- und Verkauf
 InternalRef=Interne Referenz
 LastRecorded=Zuletzt erfasste, verfügbare Produkte/Leistungen
@@ -44,7 +44,7 @@ CardProduct1=Leistungs-Karte
 CardContract=Verträge
 Warehouse=Warenlager
 Warehouses=Warenlager
-WarehouseOpened=Lager aktiv
+WarehouseOpened=Warenlager aktiv
 WarehouseClosed=Lager geschlossen
 Stock=Warenbestand
 Stocks=Warenbestände
@@ -72,20 +72,20 @@ PublicPrice=Öffentlicher Preis
 CurrentPrice=Aktueller Preis
 NewPrice=Neuer Preis
 MinPrice=Mindestverkaufspreis
-MinPriceHT=Mindest-Verkaufspreis (ohne MwSt.)
+MinPriceHT=Mindest-Verkaufspreis (exkl. 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 werden, wenn Sie einen zu hohen Rabatt geben.
 ContractStatus=Vertragsstatus
 ContractStatusClosed=Geschlossen
-ContractStatusRunning=In Arbeit
+ContractStatusRunning=Ongoing
 ContractStatusExpired=Abgelaufen
-ContractStatusOnHold=Nicht in Arbeit
-ContractStatusToRun=zu bearbeiten
-ContractNotRunning=Dieser Vertrag wird nicht bearbeitet
+ContractStatusOnHold=angehalten
+ContractStatusToRun=Mache laufend
+ContractNotRunning=Dieser Vertrag ist nicht laufend
 ErrorProductAlreadyExists=Ein Produkt mit Artikel Nr. %s existiert bereits.
 ErrorProductBadRefOrLabel=Für Artikel Nr. oder Bezeichnung wurde ein ungültiger Wert eingegeben.
 ErrorProductClone=Beim Duplizieren des Produkts oder der Leistung ist ein Problem aufgetreten
-ErrorPriceCantBeLowerThanMinPrice=Fehler - Preis darf nicht unter dem Minimalpreis liegen.
+ErrorPriceCantBeLowerThanMinPrice=Fehler, Preis darf nicht unter dem Minimalpreis liegen.
 Suppliers=Lieferanten
 SupplierRef=Lieferanten-Artikelnummer
 ShowProduct=Produkt anzeigen
@@ -117,12 +117,12 @@ ServiceLimitedDuration=Ist die Erringung einer Dienstleistung zeitlich beschrän
 MultiPricesAbility=Mehrere Preisstufen pro Produkt/Leistung
 MultiPricesNumPrices=Anzahl Preise
 MultiPriceLevelsName=Preiskategorien
-AssociatedProductsAbility=Untergeordnete Produkte aktivieren
+AssociatedProductsAbility=Aktivieren Sie die Paket Funktion
 AssociatedProducts=verknüpfte Produkte
-AssociatedProductsNumber=Anzahl der Unterprodukte
+AssociatedProductsNumber=Number of products composing this package product
 ParentProductsNumber=Anzahl der übergeordneten Produkte
-IfZeroItIsNotAVirtualProduct=Falls 0 ist das Produkt kein Unterprodukt
-IfZeroItIsNotUsedByVirtualProduct=Falls 0 wird das Produkt von keinem Unterprodukt verwendet
+IfZeroItIsNotAVirtualProduct=If 0, this product is not a package product
+IfZeroItIsNotUsedByVirtualProduct=Falls 0 wird das Produkt von keinem Produktset verwendet
 EditAssociate=Verbinden
 Translation=Übersetzung
 KeywordFilter=Stichwortfilter
@@ -131,7 +131,7 @@ ProductToAddSearch=Suche hinzuzufügendes Produkt
 AddDel=Hinzufügen/Löschen
 Quantity=Stückzahl
 NoMatchFound=Kein Eintrag gefunden
-ProductAssociationList=Liste der verknüpften Produkte/Leistungen: Name des Produkts/der Leistung (Stückzahl)
+ProductAssociationList=Liste der Produkte/Leistungen die Komponenten von diesem Virtuellen Produkt sind
 ProductParentList=Liste der Produkte/Leistungen mit diesem Produkt als Bestandteil
 ErrorAssociationIsFatherOfThis=Eines der ausgewählten Produkte ist Elternteil des aktuellen Produkts
 DeleteProduct=Produkt/Leistung löschen
@@ -169,7 +169,7 @@ PredefinedServicesToPurchase=Vordefinierte Leistungen für Einkauf
 PredefinedProductsAndServicesToPurchase=Vordefinierte Produkte/Leistungen für Einkauf
 GenerateThumb=Erzeuge Vorschaubild
 ProductCanvasAbility=Verwende spezielle "canvas" Add-Ons
-ServiceNb=Leistung #%s
+ServiceNb=Leistung Nr. %s
 ListProductServiceByPopularity=Liste der Produkte/Leistungen nach Beliebtheit
 ListProductByPopularity=Liste der Produkte nach Beliebtheit
 ListServiceByPopularity=Liste der Leistungen nach Beliebtheit
@@ -179,16 +179,41 @@ CloneProduct=Produkt/Leistung duplizieren
 ConfirmCloneProduct=Möchten Sie die Leistung <b>%s</b> wirklich duplizieren?
 CloneContentProduct=Allgemeine Informationen des Produkts/Leistungen duplizieren
 ClonePricesProduct=Allgemeine Informationen und Preise duplizieren
-CloneCompositionProduct=Clone gebündelte Produkte/Services
+CloneCompositionProduct=Dupliziere Produkt-/Leistungs- Zusammenstellung
 ProductIsUsed=Produkt in Verwendung
 NewRefForClone=Artikel-Nr. des neuen Produkts/Leistungen
-CustomerPrices=Kundenpreise
-SuppliersPrices=Lieferantenpreise
-SuppliersPricesOfProductsOrServices=Lieferanten-Preise (für Produkte oder Leistungen)
+CustomerPrices=Kunden Preise
+SuppliersPrices=Lieferanten Preise
+SuppliersPricesOfProductsOrServices=Lieferantenpreise (von Produkten oder Leistungen)
 CustomCode=Interner Code
 CountryOrigin=Urspungsland
 HiddenIntoCombo=In ausgewählten Listen nicht anzeigen
 Nature=Art
+ShortLabel=Kurzbezeichnung
+Unit=Einheit
+p=u.
+set=set
+se=set
+second=Sekunde
+s=s
+hour=Stunde
+h=h
+day=Tag
+d=d
+kilogram=Kilo
+kg=Kg
+gram=Gramm
+g=g
+meter=Meter
+m=m
+linear Meter = Laufmeter
+lm=lm
+square Meter = Quadratmeter
+m2=m²
+cubic Meter = Kubikmeter
+m3=m³
+liter=Liter
+l=L
 ProductCodeModel=Vorlage für Produktreferenz
 ServiceCodeModel=Vorlage für Dienstleistungs-Referenz
 AddThisProductCard=Produktkarte erstellen
@@ -214,7 +239,7 @@ CostPmpHT=Netto Einkaufspreis
 ProductUsedForBuild=Automatisch für Produktion verbraucht
 ProductBuilded=Produktion fertiggestellt
 ProductsMultiPrice=Produkt Multi-Preis
-ProductsOrServiceMultiPrice=Kunden-Preise (für Produkte oder Leistungen, Multi-Preise)
+ProductsOrServiceMultiPrice=Kundenpreise (von Produkten oder Leistungen, Multi-Preise)
 ProductSellByQuarterHT=Umsatz Produkte pro Quartal
 ServiceSellByQuarterHT=Umsatz Services pro Quartal
 Quarter1=1. Quartal
@@ -240,7 +265,7 @@ PricingRule=Preisregel für Kundenpreise
 AddCustomerPrice=Preis je Kunde hinzufügen
 ForceUpdateChildPriceSoc=Lege den gleichen Preis für Kunden-Tochtergesellschaften fest
 PriceByCustomerLog=Preis nach Kunde
-MinimumPriceLimit=Minimaler Preis kann nicht kleiner als %s sein
+MinimumPriceLimit=Mindestpreis darf nicht kleiner als %s sein
 MinimumRecommendedPrice=Minimaler empfohlener Preis: %s
 PriceExpressionEditor=Preis Ausdrucks Editor
 PriceExpressionSelected=Ausgewählter Preis Ausdruck
@@ -267,3 +292,7 @@ GlobalVariableUpdaterHelpFormat1=Format {"URL": "http://example.com/urlofws", "V
 UpdateInterval=Update-Intervall (Minuten)
 LastUpdated=zuletzt verändert
 CorrectlyUpdated=erfolgreich aktualisiert
+PropalMergePdfProductActualFile=verwendete Dateien, um in PDF Azur hinzuzufügen sind / ist
+PropalMergePdfProductChooseFile=Wähle PDF-Dateien
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/de_DE/projects.lang b/htdocs/langs/de_DE/projects.lang
index b570d35c74f816f5e3b4107d8b3c76647e08c858..376223d27105d0023b52309009de1f4860878b42 100644
--- a/htdocs/langs/de_DE/projects.lang
+++ b/htdocs/langs/de_DE/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Diese Ansicht ist für Sie beschränkt auf Projekte oder Aufgaben be
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Diese Ansicht ist beschränkt auf Projekt und Aufgaben bei welchen Sie über Leserechte verfügen.
 TasksDesc=Diese Ansicht zeigt alle Projekte und Aufgaben (Ihre Benutzerberechtigungen berechtigt Sie alles zu sehen).
-AllTaskVisibleButEditIfYouAreAssigned=Alle Aufgaben des Projektes sind sichtbar, Sie können jedoch nur\ndie Zeit für Aufgaben die Ihnen zugewiesen sind, eingeben.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projektübersicht
 NewProject=Neues Projekt
 AddProject=Projekt erstellen
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Liste Spesenabrechnungen, die mit diesem Pro
 ListDonationsAssociatedProject=Liste Spenden, die mit diesem Projekt verknüpft sind
 ListActionsAssociatedProject=Liste Ereignisse, die mit diesem Projekt verknüpft sind
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Projektaktivitäten dieser Woche
 ActivityOnProjectThisMonth=Projektaktivitäten dieses Monats
 ActivityOnProjectThisYear=Projektaktivitäten dieses Jahres
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Aufgaben diesem Benutzer zugeordnet
 ResourceNotAssignedToProject=Zugewiesen zu Projekt
 ResourceNotAssignedToTask= nicht zugewiesen zu Aufgabe
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/de_DE/trips.lang b/htdocs/langs/de_DE/trips.lang
index aba3a7b80d32e6aeec5e715d28cfa2a41cc7c086..2e9112d7424a00a4d9e2f172005e2be54764ce11 100644
--- a/htdocs/langs/de_DE/trips.lang
+++ b/htdocs/langs/de_DE/trips.lang
@@ -7,7 +7,7 @@ TripsAndExpenses=Reise- und Fahrtspesen
 TripsAndExpensesStatistics=Reise- und Spesen Statistik
 TripCard=Reisekosten Karte
 AddTrip=Reisekostenabrechnung erstellen
-ListOfTrips=Liste Reisekostenabrechnungen
+ListOfTrips=Liste Reise- und Spesenabrechnungen
 ListOfFees=Liste der Spesen
 NewTrip=neue Reisekostenabrechnung
 CompanyVisited=Besuchter Partner
@@ -40,11 +40,10 @@ TF_BUS=Bus
 TF_CAR=Auto
 TF_PEAGE=Mautgebühr
 TF_ESSENCE=Kraftstoff
-TF_HOTEL=Herberge
+TF_HOTEL=Hotel
 TF_TAXI=Taxi
 
 ErrorDoubleDeclaration=Sie haben bereits eine andere Spesenabrechnung in einem ähnliche Datumsbereich erstellt.
-ListTripsAndExpenses=Liste Reise- und Spesenabrechnungen
 AucuneNDF=Keine Spesenabrechnungen für diese Kriterien gefunden
 AucuneLigne=Es wurde noch keine Spesenabrechnung erstellt.
 AddLine=Neue Zeile hinzufügen
@@ -56,12 +55,12 @@ ModePaiement=Zahlungsart
 Note=Hinweis
 Project=Projekt
 
-VALIDATOR=Benutzer über die Genehmigung informieren
+VALIDATOR=verantwortlicher Benutzer für Genehmigung
 VALIDOR=genehmigt durch
 AUTHOR=gespeichert von
-AUTHORPAIEMENT=einbezahlt von
+AUTHORPAIEMENT=Einbezahlt von
 REFUSEUR=abgelehnt durch
-CANCEL_USER=verworfen von
+CANCEL_USER=gelöscht von
 
 MOTIF_REFUS=Grund
 MOTIF_CANCEL=Grund
@@ -74,9 +73,10 @@ DATE_PAIEMENT=Zahlungsdatum
 
 TO_PAID=bezahlen
 BROUILLONNER=entwerfen
-SendToValid=senden zu genehmigen
+SendToValid=Zur Genehmigung einreichen
 ModifyInfoGen=Bearbeiten
 ValidateAndSubmit=Validieren und zur Genehmigung einreichen
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=Sie sind nicht berechtigt, diese Spesennabrechnung zu genehmigen
 NOT_AUTHOR=Sie sind nicht der Autor dieser Spesenabrechnung. Vorgang abgebrochen.
@@ -93,7 +93,7 @@ ConfirmPaidTrip=Möchten Sie den Status dieser Reisekostenabrechnung auf "Bezahl
 CancelTrip=Abrechen einer Spesenabrechnung
 ConfirmCancelTrip=Möchten Sie diese Spesenabrechnung wirklich abbrechen?
 
-BrouillonnerTrip=Gehen Sie zurück Spesenabrechnung zu Status "Entwurf"
+BrouillonnerTrip=Spesenabrechnung rückgängig, auf den Status "Entwurf"
 ConfirmBrouillonnerTrip=Möchten Sie den Status dieser Reisekostenabrechnung auf "Entwurf" ändern?
 
 SaveTrip=Bestätige Spesenabrechnung
diff --git a/htdocs/langs/de_DE/withdrawals.lang b/htdocs/langs/de_DE/withdrawals.lang
index e663476014f5f478ea6e28bccbf87d1741c60d92..9c249c6bd5f9266133f843869604f51df428bbda 100644
--- a/htdocs/langs/de_DE/withdrawals.lang
+++ b/htdocs/langs/de_DE/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Datei abbuchen
 SetToStatusSent=Setze in Status "Datei versandt"
 ThisWillAlsoAddPaymentOnInvoice=Dies wird auch Zahlungen auf Rechnungen erstellen und diese als bezahlt markieren
 StatisticsByLineStatus=Statistiken nach Statuszeilen
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Zahlung Abbucher %s an die Bank
diff --git a/htdocs/langs/de_DE/workflow.lang b/htdocs/langs/de_DE/workflow.lang
index 6fb285f3ad35c99f91ce2b179b23bef10a3f8fbb..afcca4b97fc7b301b3fa9d0ffa069fd6d2cfaf32 100644
--- a/htdocs/langs/de_DE/workflow.lang
+++ b/htdocs/langs/de_DE/workflow.lang
@@ -1,11 +1,11 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow Moduleinstellungen
-WorkflowDesc=Dieses Modul wurde entwickelt um zu verändern das Verhalten von automatischen Aktionen. Standardmäßig ist die Workflow geöffnet (Sie können alles in Ihrer Reihenfolge erledigen). Sie können automatische Vorgänge aktivieren, falls Sie für Sie von Interesse.
-ThereIsNoWorkflowToModify=Es gibt keine Vorgänge für das aktivierte Modul die Sie ändern können.
+WorkflowDesc=Dieses Modul wurde gestaltet um das Verhalten von automatischen Aktionen in den Anwendung zu verändern. Standardmäßig wird der Prozess offen sein. (Sie können die Dinge in der gewünschten Reihenfolge tun). Sie können die automatische Aktionen, die Sie interessieren aktivieren.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Erstelle einen Kundenauftrag automatisch, nachdem ein Angebot unterzeichnet wurde
-descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Erstelle eine automatische Kundenrechnung, nachdem ein Angebot unterzeichnet wurde
-descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Erstselle eine automatische Kundenrechnung, nachdem ein Vertrag freigegeben wurde
-descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Erstelle automatisch eine Kundenrechnung, nachdem ein Kundenauftrag geschlossen wurde
+descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically Erstelle eine Kundenrechnung automatisch, nachdem ein Angebot unterzeichnet wurde
+descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically Erstelle eine Kundenrechnung automatisch, nachdem ein Vertrag bestätigt wurde
+descWORKFLOW_ORDER_AUTOCREATE_INVOICEAutomatically Erstelle eine Kundenrechnung automatisch, nachdem ein Kundenauftrag geschlossen wurde
 descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Kennzeichne verknüpftes Angebot als in Rechnung gestellt, wenn der Kundenauftrag als bezahlt markiert wird
 descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Kennzeichne verknüpfte Kundenaufträge als verrechnet, wenn die Kundenrechnung als bezahlt markiert wird
 descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Kennzeichne verknüpfte Kundenaufträge als verrechnet, wenn die Kundenrechnung bestätigt wird
diff --git a/htdocs/langs/el_GR/admin.lang b/htdocs/langs/el_GR/admin.lang
index 518164ca74889b2ca5a069949533a5f55f8bc3c7..7358a1242e9caa41c4c3afdf39409503fed153fa 100644
--- a/htdocs/langs/el_GR/admin.lang
+++ b/htdocs/langs/el_GR/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Προτάσεις
 Module20Desc=Διαχείριση προσφορών
 Module22Name=Μαζική αποστολή e-mail
 Module22Desc=Διαχείριση μαζικής αποστολής e-mail
-Module23Name= Ενέργεια
-Module23Desc= Παρακολούθηση κατανάλωσης ενέργειας
+Module23Name=Ενέργεια
+Module23Desc=Παρακολούθηση κατανάλωσης ενέργειας
 Module25Name=Παραγγελίες πελάτη
 Module25Desc=Διαχείριση παραγγελιών πελατών
 Module30Name=Τιμολόγια
@@ -492,7 +492,7 @@ Module400Desc=Διαχείριση έργων, ευκαιρίες ή leads. Στ
 Module410Name=Ημερολόγιο ιστού
 Module410Desc=Διεπαφή ημερολογίου ιστού
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Μισθοί
 Module510Desc=Διαχείριση υπαλλήλων, μισθών και πληρωμών
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Αποστολή ειδοποιήσεων μέσω ηλεκτρονικού ταχυδρομείου σχετικά με ορισμένες Dolibarr επαγγελματικές συναντήσεις σε Πελ./Προμ. (η ρύθμιση ορίζεται από κάθε Πελ./Προμ.)
 Module700Name=Δωρεές
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Χώρες
 DictionaryCurrency=Νόμισμα
 DictionaryCivility=Τίτλος Civility
 DictionaryActions=Τύπο των συμβάντων της ημερήσιας διάταξης
-DictionarySocialContributions=Τύποι κοινωνικών εισφορών
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=Τιμές ΦΠΑ ή φόρου επί των πωλήσεων
 DictionaryRevenueStamp=Ποσό των ενσήμων
 DictionaryPaymentConditions=Όροι πληρωμής
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Μοντέλα λογιστικού σχεδίου
 DictionaryEMailTemplates=Πρότυπα email
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Οι ρυθμίσεις αποθηκεύτηκαν
 BackToModuleList=Πίσω στη λίστα με τα modules
 BackToDictionaryList=Επιστροφή στη λίστα λεξικών
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Βάσει μετρητών
 OptionVATDebitOption=Βάσει δεδουλευμένων
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Εργασίες αριθμοδότησης μονάδας
 TaskModelModule=Εργασίες υπόδειγμα εγγράφου αναφορών
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/el_GR/agenda.lang b/htdocs/langs/el_GR/agenda.lang
index f77c296ab8123a7653743ecc72f6925ecef367e5..26c9ac58e528dff141b321540765d073d077d00f 100644
--- a/htdocs/langs/el_GR/agenda.lang
+++ b/htdocs/langs/el_GR/agenda.lang
@@ -49,13 +49,12 @@ InvoiceValidatedInDolibarrFromPos=Το τιμολόγιο επικυρώθηκε
 InvoiceBackToDraftInDolibarr=Τιμολόγιο %s θα επιστρέψει στην κατάσταση του σχεδίου
 InvoiceDeleteDolibarr=Τιμολόγιο %s διαγράφεται
 OrderValidatedInDolibarr=Η παραγγελία %s επικυρώθηκε
-OrderDeliveredInDolibarr=Order %s classified delivered
+OrderDeliveredInDolibarr=Παραγγελία %s κατατάσσεται παραδοτέα
 OrderCanceledInDolibarr=Παραγγελία %s ακυρώθηκε
-OrderBilledInDolibarr=Order %s classified billed
+OrderBilledInDolibarr=Παραγγελία %s κατατάσσεται χρεωμένη
 OrderApprovedInDolibarr=Παραγγελία %s εγκρίθηκε
 OrderRefusedInDolibarr=Παραγγελία %s απορριφθεί
 OrderBackToDraftInDolibarr=Παραγγελία %s θα επιστρέψει στην κατάσταση σχέδιο
-OrderCanceledInDolibarr=Παραγγελία %s ακυρώθηκε
 ProposalSentByEMail=Η εμπορική πρόταση %s στάλθηκε με e-mail
 OrderSentByEMail=Η παραγγελία του πελάτη %s εστάλη με EMail
 InvoiceSentByEMail=Το τιμολόγιο του πελάτη %s εστάλη με EMail
@@ -94,5 +93,7 @@ WorkingTimeRange=Εύρος χρόνου εργασίας
 WorkingDaysRange=Εύρος ημερών εργασίας
 AddEvent=Δημιουργία συμβάντος
 MyAvailability=Η διαθεσιμότητα μου
-ActionType=Event type
-DateActionBegin=Start event date
+ActionType=Τύπος συμβάντος
+DateActionBegin=Έναρξη ημερομηνίας του συμβάντος
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/el_GR/banks.lang b/htdocs/langs/el_GR/banks.lang
index 783990e4dd86ade4f97c466f381a7e2ed8892b78..3a668ee2b1083d56bd304105362814452e099b29 100644
--- a/htdocs/langs/el_GR/banks.lang
+++ b/htdocs/langs/el_GR/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Πληρωμή Πελάτη
 CustomerInvoicePaymentBack=Επιστροφή πληρωμής Πελάτη
 SupplierInvoicePayment=Πληρωμή Προμηθευτή
 WithdrawalPayment=Ανάκληση πληρωμής
-SocialContributionPayment=Πληρωμή κοινωνικής εισφοράς
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Ημερολόγιο λογιστικού λογαριασμού
 BankTransfer=Τραπεζική Μεταφορά
 BankTransfers=Τραπεζικές Μεταφορές
diff --git a/htdocs/langs/el_GR/bills.lang b/htdocs/langs/el_GR/bills.lang
index 22626f49d3a15314bdeb6da2456dee1fe4bda2eb..be14a9cfb36072e9923eb1125b0ae0d9365c2024 100644
--- a/htdocs/langs/el_GR/bills.lang
+++ b/htdocs/langs/el_GR/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Πλήθος τιμολογίων
 NumberOfBillsByMonth=Nb των τιμολογίων ανά μήνα
 AmountOfBills=Ποσό τιμολογίων
 AmountOfBillsByMonthHT=Ποσό των τιμολογίων ανά μήνα (μετά από φόρους)
-ShowSocialContribution=Εμφάνιση κοινωνικής εισφοράς
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Εμφάνιση τιμολογίου
 ShowInvoice=Εμφάνιση τιμολογίου
 ShowInvoiceReplace=Εμφάνιση τιμολογίου αντικατάστασης
@@ -270,7 +270,7 @@ BillAddress=Διεύθυνση χρέωσης
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Κωδ. Πληρωμής
 InvoiceId=Κωδ. Τιμολογίου
 InvoiceRef=Κωδ. Τιμολογίου
diff --git a/htdocs/langs/el_GR/companies.lang b/htdocs/langs/el_GR/companies.lang
index cfb02613d5ee3471d418f39b8ff3d6edecb085a2..25dbcfb2e95ab117cc38fb2438952fef297c4b48 100644
--- a/htdocs/langs/el_GR/companies.lang
+++ b/htdocs/langs/el_GR/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Αντιπρόσωπος στοιχείου
 StatusContactValidated=Κατάσταση αντιπροσώπου
 Company=Εταιρία
 CompanyName=Όνομα εταιρίας
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Εταιρίες
 CountryIsInEEC=Η χώρα βρίσκετε στην Ε.Ε.
 ThirdPartyName=Όνομα Πελ./Προμ.
diff --git a/htdocs/langs/el_GR/compta.lang b/htdocs/langs/el_GR/compta.lang
index 306b29a9767bf98d4d77b5a8777650860c08d680..1409c0bb986f707a6cffd51e5efa54e03491193d 100644
--- a/htdocs/langs/el_GR/compta.lang
+++ b/htdocs/langs/el_GR/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=Προς πληρωμή
 ToGet=Προς επιστροφή
 SpecialExpensesArea=Περιοχή για όλες τις ειδικές πληρωμές
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Κοινωνική εισφορά
-SocialContributions=Κοινωνικές εισφορές
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Ειδικά έξοδα
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Μισθοί
-MenuSocialContributions=Κοινωνικές εισφορές
-MenuNewSocialContribution=Νέα εισφορά
-NewSocialContribution=Νέα κοινωνική εισφορά
-ContributionsToPay=Εισφορές προς πληρωμή
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Ρυθμίσεις Λογιστικής
 NewPayment=Νέα Πληρωμή
 Payments=Πληρωμές
 PaymentCustomerInvoice=Πληρωμή τιμολογίου πελάτη
 PaymentSupplierInvoice=Πληρωμή τιμολογίου προμηθευτή
-PaymentSocialContribution=Πληρωμή κοινωνικών υπηρεσιών
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Πληρωμή Φόρου
 PaymentSalary=Πληρωμή μισθού
 ListPayment=Λίστα πληρωμών
@@ -91,7 +91,7 @@ LT1PaymentES=RE Πληρωμής
 LT1PaymentsES=RE Πληρωμές
 VATPayment=Πληρωμή Φόρου
 VATPayments=Πληρωμές Φόρου
-SocialContributionsPayments=Πληρωμές κοινωνικών υπηρεσιών
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Εμφάνιση πληρωμής φόρου
 TotalToPay=Σύνολο πληρωμής
 TotalVATReceived=Σύνολο φόρου που εισπράχθηκε
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=Δεν υπάρχουν επιταγές προς κατάθεση
 DateChequeReceived=Check reception input date
 NbOfCheques=Πλήθος επιταγών
-PaySocialContribution=Πληρωμή κοινωνικής εισφοράς
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Διαγραφή κοινωνικής εισφοράς
-ConfirmDeleteSocialContribution=Είστε σίγουροι ότι θέλετε να διαγράψετε την κοινωνική εισφορά;
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Κατάσταση <b>%sΦΠΑ επί των λογιστικών υποχρεώσεων%s</b>
 CalcModeVATEngagement=Κατάσταση <b>%sΦΠΑ επί των εσόδων-έξοδα%s</b>.
 CalcModeDebt=Κατάσταση <b>%sΑπαιτήσεις-Οφειλές%s</b> δήλωσε <b>Λογιστικών υποχρεώσεων</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=σύμφωνα με τον προμηθευτή, ε
 TurnoverPerProductInCommitmentAccountingNotRelevant=Αναφορά του κύκλου εργασιών ανά προϊόν, όταν χρησιμοποιείτε <b>ταμειακή λογιστική</b> η λειτουργία δεν είναι σχετική. Η αναφορά αυτή είναι διαθέσιμη μόνο όταν χρησιμοποιείτε <b>λογιστική δέσμευση</b> τρόπος (ανατρέξτε τη Ρύθμιση του module λογιστικής).
 CalculationMode=Τρόπο υπολογισμού
 AccountancyJournal=Λογιστικος Κωδικός περιοδικό
-ACCOUNTING_VAT_ACCOUNT=Προεπιλεγμένος κωδικός λογιστικής για την είσπραξη του ΦΠΑ
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Προεπιλεγμένος κωδικός λογιστικής για την καταβολή του ΦΠΑ
 ACCOUNTING_ACCOUNT_CUSTOMER=Κωδικός Λογιστικής από προεπιλογή για πελάτες
 ACCOUNTING_ACCOUNT_SUPPLIER=Κωδικός Λογιστικής από προεπιλογή για τους προμηθευτές
-CloneTax=Κλώνος για μια κοινωνική προσφορά
-ConfirmCloneTax=Επιβεβαιώστε τον κλώνο της κοινωνικής προσφοράς
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Κλώνος για τον επόμενο μήνα
diff --git a/htdocs/langs/el_GR/cron.lang b/htdocs/langs/el_GR/cron.lang
index 7b102b58b77aa4b96488eead2ba1a75a5a14f9a4..006e7766751e786e8ebdce4a5ce611f46388c7a5 100644
--- a/htdocs/langs/el_GR/cron.lang
+++ b/htdocs/langs/el_GR/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=Γραμμή εντολών του συστήματος προς εκτέλεση.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Πληροφορίες
 # Common
diff --git a/htdocs/langs/el_GR/ecm.lang b/htdocs/langs/el_GR/ecm.lang
index df6466109aa226736c4db18698f6b65779306344..e74f0571b20f24dc7ebca74f2fbf90e0c387278a 100644
--- a/htdocs/langs/el_GR/ecm.lang
+++ b/htdocs/langs/el_GR/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Χειροκίνητα
 ECMTypeAuto=Αυτόματα
-ECMDocsBySocialContributions=Έγγραφα που συνδέονται με τις κοινωνικές εισφορές
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Έγγραφα συνδεδεμένα με στοιχεία
 ECMDocsByProposals=Έγγραφα που σχετίζονται με τις προτάσεις
 ECMDocsByOrders=Έγγραφα συνδεδεμένα με παραγγελίες πελατών
diff --git a/htdocs/langs/el_GR/errors.lang b/htdocs/langs/el_GR/errors.lang
index 760bb4d2d97521804e1e98da2cbbd8fd28eb83f6..5b23656c1eb8eb8e8b4cf86d41b9f555d3bcef18 100644
--- a/htdocs/langs/el_GR/errors.lang
+++ b/htdocs/langs/el_GR/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Απενεργοποιημένη λειτουργία όταν οι ρυθμίσεις της οθόνης έχουν προσαρμοστεί για χρήση από άτομα με προβλήματα όρασης ή φυλλομετρητές κειμένου.
 WarningPaymentDateLowerThanInvoiceDate=Η ημερομηνία πληρωμής (%s) είναι νωρίτερα από την ημερομηνία του τιμολογίου (%s) για το τιμολόγιο %s.
 WarningTooManyDataPleaseUseMoreFilters=Πάρα πολλά στοιχεία. Παρακαλούμε χρησιμοποιήστε περισσότερα φίλτρα
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/el_GR/holiday.lang b/htdocs/langs/el_GR/holiday.lang
index ec8c78077de02e9a6be84715701300a6170daf21..741c9713e232c4c3c90ac29af250324608d191bd 100644
--- a/htdocs/langs/el_GR/holiday.lang
+++ b/htdocs/langs/el_GR/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Άδειες
 CPTitreMenu=Άδειες
 MenuReportMonth=Μηνιαία αναφορά
-MenuAddCP=Κάντε αίτηση άδειας
+MenuAddCP=New leave request
 NotActiveModCP=Θα πρέπει να ενεργοποιήσετε τις Άδειες module για να δείτε αυτή τη σελίδα.
 NotConfigModCP=Μπορείτε να ρυθμίσετε το module Άδειες για να δείτε αυτή τη σελίδα.Για να το κάνετε αυτό, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> κάντε κλικ εδώ </ a>.
 NoCPforUser=Δεν έχετε διαθέσιμες ημέρες.
@@ -71,7 +71,7 @@ MotifCP=Λόγος
 UserCP=Χρήστης
 ErrorAddEventToUserCP=Παρουσιάστηκε σφάλμα κατά την προσθήκη τις έκτακτης άδειας.
 AddEventToUserOkCP=Η προσθήκη της έκτακτης άδειας έχει ολοκληρωθεί.
-MenuLogCP=Δείτε τα αρχεία καταγραφών των αιτήσεων άδειας
+MenuLogCP=View change logs
 LogCP=Αρχείο καταγραφής για ενημέρωση των διαθέσιμων ημερών των αδειών
 ActionByCP=Διενεργείται από
 UserUpdateCP=Για το χρήστη
@@ -93,6 +93,7 @@ ValueOptionCP=Αξία
 GroupToValidateCP=Ομάδα με τη δυνατότητα να εγκρίνει τις αιτήσεις αδειών
 ConfirmConfigCP=Επικύρωση της διαμόρφωσης
 LastUpdateCP=Τελευταία αυτόματη ενημέρωση της κατανομής των φύλλων
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Ενημερώθηκε με επιτυχία.
 ErrorUpdateConfCP=Παρουσιάστηκε σφάλμα κατά την ενημέρωση, παρακαλώ προσπαθήστε ξανά.
 AddCPforUsers=Παρακαλώ προσθέστε το υπόλοιπο των φύλλων κατανομής των χρηστών από <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">κλικ εδώ</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Παρουσιάστηκε σφάλμα κατά την απο
 NoCPforMonth=Όχι αυτό το μήνα.
 nbJours=Αριθμός ημερών
 TitleAdminCP=Διαμόρφωση των αδειών
+NoticePeriod=Notice period
 #Messages
 Hello=Γεια σας
 HolidaysToValidate=Επικύρωση των αιτήσεων για τις άδειες
@@ -139,10 +141,11 @@ HolidaysRefused=Αίτηση αρνήθηκε
 HolidaysRefusedBody=Η αίτηση αδείας σας για %s στο %s έχει απορριφθεί για τον ακόλουθο λόγο:
 HolidaysCanceled=Ακυρώθηκε το αίτημα αδείας
 HolidaysCanceledBody=Η αίτηση αδείας σας για %s στο %s έχει ακυρωθεί.
-Permission20000=Διαβάστε τη δική σας αίτηση άδειας
-Permission20001=Δημιουργία/τροποποίηση των αιτήσεων αδειών σας
-Permission20002=Δημιουργία/τροποποίηση των αιτήσεων αδειών για όλους
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Διαγραφή των αιτήσεων άδειας
-Permission20004=Ρύθμιση χρηστών για τις διαθέσιμες ημέρες αδείας
-Permission20005=Αναθεώρηση καταγραφής των τροποποιημένων αιτήσεων άδειας
-Permission20006=Μηνιαία έκθεση αδειών
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/el_GR/mails.lang b/htdocs/langs/el_GR/mails.lang
index 10dd5225a45f68e2fb25991c1bfa2612809a4646..8fafa27d34a47c70a309f285b8beee13a8b55a81 100644
--- a/htdocs/langs/el_GR/mails.lang
+++ b/htdocs/langs/el_GR/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Παρακολούθηση άνοιγμα της αλληλογρα
 TagUnsubscribe=link διαγραφής
 TagSignature=Υπογραφή αποστολής χρήστη
 TagMailtoEmail=Email του παραλήπτη
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=Δεν υπάρχουν ειδοποιήσεις μέσω ηλεκτρονικού ταχυδρομείου που έχουν προγραμματιστεί για αυτό το συμβάν και την εταιρεία
diff --git a/htdocs/langs/el_GR/main.lang b/htdocs/langs/el_GR/main.lang
index 5a85d660edcbcb9259dfddce491dcd6643a2ddea..7698f2505b24591fbfbed7104169079321fde00b 100644
--- a/htdocs/langs/el_GR/main.lang
+++ b/htdocs/langs/el_GR/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Εμφανίστηκαν λάθη. Όλε
 ErrorConfigParameterNotDefined=Η παράμετρος <b>%s</b> δεν είναι καθορισμένη στο αρχείο ρυθμίσεων του Dolibarr <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Αποτυχία εύρεσης του χρήστη <b>%s</b> στην βάση δεδομένων του Dolibarr.
 ErrorNoVATRateDefinedForSellerCountry=Σφάλμα, δεν ορίστηκαν ποσοστά φόρων για την χώρα  '%s'.
-ErrorNoSocialContributionForSellerCountry=Σφάλμα, δεν οριστήκε τύπος κοινωνικής εισφοράς για την χώρα '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Σφάλμα, αποτυχία αποθήκευσης αρχείου
 SetDate=Ορισμός ημερομηνίας
 SelectDate=Επιλέξτε μια ημερομηνία
@@ -302,7 +302,7 @@ UnitPriceTTC=Τιμή Μονάδος
 PriceU=Τιμή μον.
 PriceUHT=Τιμή μον.
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=Τιμή μον.
+PriceUTTC=U.P. (inc. tax)
 Amount=Ποσό
 AmountInvoice=Ποσό Τιμολογίου
 AmountPayment=Ποσό Πληρωμής
@@ -339,6 +339,7 @@ IncludedVAT=με Φ.Π.Α
 HT=χ. Φ.Π.Α
 TTC=με Φ.Π.Α
 VAT=Φ.Π.Α
+VATs=Sales taxes
 LT1ES=ΑΠΕ
 LT2ES=IRPF
 VATRate=Βαθμός Φ.Π.Α.
diff --git a/htdocs/langs/el_GR/members.lang b/htdocs/langs/el_GR/members.lang
index 49147dc78f23082d5aacba0254089a6083de9ed1..de2ad9d4968df137b1573053b8b8984ca0f192a4 100644
--- a/htdocs/langs/el_GR/members.lang
+++ b/htdocs/langs/el_GR/members.lang
@@ -199,7 +199,8 @@ Entreprises=Εταιρείες
 DOLIBARRFOUNDATION_PAYMENT_FORM=Για να κάνετε την πληρωμή της συνδρομής σας χρησιμοποιώντας μια τραπεζική μεταφορά, δείτε τη σελίδα <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Για να πληρώσετε με πιστωτική κάρτα ή Paypal, κάντε κλικ στο κουμπί στο κάτω μέρος της σελίδας. <br>
 ByProperties=Με χαρακτηριστικά
 MembersStatisticsByProperties=Στατιστικά στοιχεία μελων από τα χαρακτηριστικά
-MembersByNature=Μέλη εκ φύσεως
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Συντελεστή ΦΠΑ που θα χρησιμοποιηθεί για τις συνδρομές
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Στείλτε e-mail για να προειδοποιήσει όταν Dolibarr λάβετε μια επιβεβαίωση της μια επικυρωμένη πληρωμής για την εγγραφή
diff --git a/htdocs/langs/el_GR/products.lang b/htdocs/langs/el_GR/products.lang
index 21a98ef57943ed28184ce5b3adad347dfefe98c3..a71118401405fadb8fa95df1578cb00154cb4b7d 100644
--- a/htdocs/langs/el_GR/products.lang
+++ b/htdocs/langs/el_GR/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/el_GR/projects.lang b/htdocs/langs/el_GR/projects.lang
index 578ec62ec0431f785182953b137d0d25b1c3b00e..1017a8d9e907afd81b51df0fb1b16c938d8c184a 100644
--- a/htdocs/langs/el_GR/projects.lang
+++ b/htdocs/langs/el_GR/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Η άποψη αυτή περιορίζονται σε έργα ή 
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Η άποψη αυτή παρουσιάζει όλα τα έργα και τα καθήκοντα που επιτρέπεται να διαβάζουν.
 TasksDesc=Η άποψη αυτή παρουσιάζει όλα τα έργα και τα καθήκοντα (δικαιώματα χρήστη να δώσει δικαίωμα για να δείτε τα πάντα).
-AllTaskVisibleButEditIfYouAreAssigned=Όλες οι εργασίες για το συγκεκριμένο έργο είναι ορατές, αλλά μπορείτε να εισάγετε χρόνο μόνο για την εργασία που σας έχει εκχωρηθεί.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Περιοχή Έργων
 NewProject=Νέο Έργο
 AddProject=Δημιουργία έργου
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Λίστα αναφορών των δαπα
 ListDonationsAssociatedProject=Λίστα των δωρεών που σχετίζονται με το έργο
 ListActionsAssociatedProject=Κατάλογος των εκδηλώσεων που σχετίζονται με το έργο
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Δραστηριότητα στο έργο αυτή την εβδομάδα
 ActivityOnProjectThisMonth=Δραστηριότητα στο έργο αυτό το μήνα
 ActivityOnProjectThisYear=Δραστηριότητα στο έργο αυτού του έτους
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/el_GR/trips.lang b/htdocs/langs/el_GR/trips.lang
index 17f7d1ddf8784292be262e960243e8aad6e53b17..4e2647bfe4a9cb4352e47a877159e9eb6322b973 100644
--- a/htdocs/langs/el_GR/trips.lang
+++ b/htdocs/langs/el_GR/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/el_GR/withdrawals.lang b/htdocs/langs/el_GR/withdrawals.lang
index 22f8dbb928b0b5d124a3359b9b2ace9e5e39ed73..46da6faee676aecffdc2d415d5bcdf23ec2d7165 100644
--- a/htdocs/langs/el_GR/withdrawals.lang
+++ b/htdocs/langs/el_GR/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Απόσυρση αρχείο
 SetToStatusSent=Ρυθμίστε την κατάσταση "αποστολή αρχείου"
 ThisWillAlsoAddPaymentOnInvoice=Αυτό θα ισχύει επίσης για τις πληρωμές προς τα τιμολόγια και θα τα χαρακτηρίσουν ως "Πληρωμένα"
 StatisticsByLineStatus=Στατιστικά στοιχεία από την κατάσταση των γραμμών
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Η πληρωμή των πάγιων %s ώστε από την τράπεζα
diff --git a/htdocs/langs/el_GR/workflow.lang b/htdocs/langs/el_GR/workflow.lang
index ff1a0d9428de881e35728f509ce5a880cd9d204d..7bf85e6d4e9f5d871919b2327eabb364d0f4181d 100644
--- a/htdocs/langs/el_GR/workflow.lang
+++ b/htdocs/langs/el_GR/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Ροής εργασίας ρύθμιση μονάδας
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/en_GB/admin.lang b/htdocs/langs/en_GB/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..1c53b65c99c6fee95d719213ae8ef0909a718a3f 100644
--- a/htdocs/langs/en_GB/admin.lang
+++ b/htdocs/langs/en_GB/admin.lang
@@ -1,1642 +1,4 @@
 # Dolibarr language file - Source file is en_US - admin
-Foundation=Foundation
-Version=Version
-VersionProgram=Version program
-VersionLastInstall=Version initial install
-VersionLastUpgrade=Version last upgrade
-VersionExperimental=Experimental
-VersionDevelopment=Development
-VersionUnknown=Unknown
-VersionRecommanded=Recommended
-FileCheck=Files Integrity
-FilesMissing=Missing Files
-FilesUpdated=Updated Files
-FileCheckDolibarr=Check Dolibarr Files Integrity
-XmlNotFound=Xml File of Dolibarr Integrity Not Found
-SessionId=Session ID
-SessionSaveHandler=Handler to save sessions
-SessionSavePath=Storage session localization
-PurgeSessions=Purge of sessions
-ConfirmPurgeSessions=Do you really want to purge all sessions ? This will disconnect every user (except yourself).
-NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow to list all running sessions.
-LockNewSessions=Lock new connections
-ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself. Only user <b>%s</b> will be able to connect after that.
-UnlockNewSessions=Remove connection lock
-YourSession=Your session
-Sessions=Users session
-WebUserGroup=Web server user/group
-NoSessionFound=Your PHP seems to not allow to list active sessions. Directory used to save sessions (<b>%s</b>) might be protected (For example, by OS permissions or by PHP directive open_basedir).
-HTMLCharset=Charset for generated HTML pages
-DBStoringCharset=Database charset to store data
-DBSortingCharset=Database charset to sort data
-WarningModuleNotActive=Module <b>%s</b> must be enabled
-WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page.
-DolibarrSetup=Dolibarr install or upgrade
-DolibarrUser=Dolibarr user
-InternalUser=Internal user
-ExternalUser=External user
-InternalUsers=Internal users
-ExternalUsers=External users
-GlobalSetup=Global setup
-GUISetup=Display
-SetupArea=Setup area
-FormToTestFileUploadForm=Form to test file upload (according to setup)
-IfModuleEnabled=Note: yes is effective only if module <b>%s</b> is enabled
-RemoveLock=Remove file <b>%s</b> if it exists to allow usage of the update tool.
-RestoreLock=Restore file <b>%s</b>, with read permission only, to disable any usage of update tool.
-SecuritySetup=Security setup
-ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher
-ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher
-ErrorDecimalLargerThanAreForbidden=Error, a precision higher than <b>%s</b> is not supported.
-DictionarySetup=Dictionary setup
-Dictionary=Dictionaries
-Chartofaccounts=Chart of accounts
-Fiscalyear=Fiscal years
-ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record
-ErrorCodeCantContainZero=Code can't contain value 0
-DisableJavascript=Disable JavaScript and Ajax functions (Recommended for blind person or text browsers)
-ConfirmAjax=Use Ajax confirmation popups
-UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectCompany=Use autocompletion fields to choose third parties instead of using a list box.
-ActivityStateToSelectCompany= Add a filter option to show/hide thirdparties which are currently in activity or has ceased it
-UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectContact=Use autocompletion fields to choose contact (instead of using a list box).
-DelaiedFullListToSelectCompany=Wait you press a key before loading content of thirdparties combo list (This may increase performance if you have a large number of thirdparties)
-DelaiedFullListToSelectContact=Wait you press a key before loading content of contact combo list (This may increase performance if you have a large number of contact)
-SearchFilter=Search filters options
-NumberOfKeyToSearch=Nbr of characters to trigger search: %s
-ViewFullDateActions=Show full dates events in the third sheet
-NotAvailableWhenAjaxDisabled=Not available when Ajax disabled
-JavascriptDisabled=JavaScript disabled
-UsePopupCalendar=Use popup for dates input
-UsePreviewTabs=Use preview tabs
-ShowPreview=Show preview
-PreviewNotAvailable=Preview not available
-ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
-MySQLTimeZone=TimeZone MySql (database)
-TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submited string. The timezone has effect only when using UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
-Space=Space
-Table=Table
-Fields=Fields
-Index=Index
-Mask=Mask
-NextValue=Next value
-NextValueForInvoices=Next value (invoices)
-NextValueForCreditNotes=Next value (credit notes)
-NextValueForDeposit=Next value (deposit)
-NextValueForReplacements=Next value (replacements)
-MustBeLowerThanPHPLimit=Note: your PHP limits each file upload's size to <b>%s</b> %s, whatever this parameter's value is
-NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration
-MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload)
-UseCaptchaCode=Use graphical code (CAPTCHA) on login page
-UseAvToScanUploadedFiles=Use anti-virus to scan uploaded files
-AntiVirusCommand= Full path to antivirus command
-AntiVirusCommandExample= Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe<br>Example for ClamAv: /usr/bin/clamscan
-AntiVirusParam= More parameters on command line
-AntiVirusParamExample= Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
-ComptaSetup=Accounting module setup
-UserSetup=User management setup
-MenuSetup=Menu management setup
-MenuLimits=Limits and accuracy
-MenuIdParent=Parent menu ID
-DetailMenuIdParent=ID of parent menu (empty for a top menu)
-DetailPosition=Sort number to define menu position
-PersonalizedMenusNotSupported=Personalized menus not supported
-AllMenus=All
-NotConfigured=Module not configured
-Setup=Setup
-Activation=Activation
-Active=Active
-SetupShort=Setup
-OtherOptions=Other options
-OtherSetup=Other setup
-CurrentValueSeparatorDecimal=Decimal separator
-CurrentValueSeparatorThousand=Thousand separator
-Destination=Destination
-IdModule=Module ID
-IdPermissions=Permissions ID
-Modules=Modules
-ModulesCommon=Main modules
-ModulesOther=Other modules
-ModulesInterfaces=Interfaces modules
-ModulesSpecial=Modules very specific
-ParameterInDolibarr=Parameter %s
-LanguageParameter=Language parameter %s
-LanguageBrowserParameter=Parameter %s
-LocalisationDolibarrParameters=Localisation parameters
-ClientTZ=Client Time Zone (user)
-ClientHour=Client time (user)
-OSTZ=Server OS Time Zone
-PHPTZ=PHP server Time Zone
-PHPServerOffsetWithGreenwich=PHP server offset width Greenwich (seconds)
-ClientOffsetWithGreenwich=Client/Browser offset width Greenwich (seconds)
-DaylingSavingTime=Daylight saving time
-CurrentHour=PHP Time (server)
-CompanyTZ=Company Time Zone (main company)
-CompanyHour=Company Time (main company)
-CurrentSessionTimeOut=Current session timeout
-YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a file .htacces with a line like this "SetEnv TZ Europe/Paris"
-OSEnv=OS Environment
-Box=Box
-Boxes=Boxes
-MaxNbOfLinesForBoxes=Max number of lines for boxes
-PositionByDefault=Default order
-Position=Position
-MenusDesc=Menus managers define content of the 2 menu bars (horizontal bar and vertical bar).
-MenusEditorDesc=The menu editor allow you to define personalized entries in menus. Use it carefully to avoid making dolibarr unstable and menu entries permanently unreachable.<br>Some modules add entries in the menus (in menu <b>All</b> in most cases). If you removed some of these entries by mistake, you can restore them by disabling and reenabling the module.
-MenuForUsers=Menu for users
-LangFile=.lang file
-System=System
-SystemInfo=System information
-SystemToolsArea=System tools area
-SystemToolsAreaDesc=This area provides administration features. Use the menu to choose the feature you're looking for.
-Purge=Purge
-PurgeAreaDesc=This page allows you to delete all files built or stored by Dolibarr (temporary files or all files in <b>%s</b> directory). Using this feature is not necessary. It is provided for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files built by the web server.
-PurgeDeleteLogFile=Delete log file <b>%s</b> defined for Syslog module (no risk to loose data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk to loose data)
-PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory <b>%s</b>. Temporary files but also database backup dumps, files attached to elements (third parties, invoices, ...) and uploaded into the ECM module will be deleted.
-PurgeRunNow=Purge now
-PurgeNothingToDelete=No directory or file to delete.
-PurgeNDirectoriesDeleted=<b>%s</b> files or directories deleted.
-PurgeAuditEvents=Purge all security events
-ConfirmPurgeAuditEvents=Are you sure you want to purge all security events ? All security logs will be deleted, no other data will be removed.
-NewBackup=New backup
-GenerateBackup=Generate backup
-Backup=Backup
-Restore=Restore
-RunCommandSummary=Backup has been launched with the following command
-RunCommandSummaryToLaunch=Backup can be launched with the following command
-WebServerMustHavePermissionForCommand=Your web server must have the permission to run such commands
-BackupResult=Backup result
-BackupFileSuccessfullyCreated=Backup file successfully generated
-YouCanDownloadBackupFile=Generated files can now be downloaded
-NoBackupFileAvailable=No backup files available.
-ExportMethod=Export method
-ImportMethod=Import method
-ToBuildBackupFileClickHere=To build a backup file, click <a href="%s">here</a>.
-ImportMySqlDesc=To import a backup file, you must use mysql command from command line:
-ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line:
-ImportMySqlCommand=%s %s < mybackupfile.sql
-ImportPostgreSqlCommand=%s %s mybackupfile.sql
-FileNameToGenerate=File name to generate
-Compression=Compression
-CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import
-CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later
-ExportCompatibility=Compatibility of generated export file
-MySqlExportParameters=MySQL export parameters
-PostgreSqlExportParameters= PostgreSQL export parameters
-UseTransactionnalMode=Use transactional mode
-FullPathToMysqldumpCommand=Full path to mysqldump command
-FullPathToPostgreSQLdumpCommand=Full path to pg_dump command
-ExportOptions=Export Options
-AddDropDatabase=Add DROP DATABASE command
-AddDropTable=Add DROP TABLE command
-ExportStructure=Structure
-Datas=Data
-NameColumn=Name columns
-ExtendedInsert=Extended INSERT
-NoLockBeforeInsert=No lock commands around INSERT
-DelayedInsert=Delayed insert
-EncodeBinariesInHexa=Encode binary data in hexadecimal
-IgnoreDuplicateRecords=Ignore errors of duplicate records (INSERT IGNORE)
-Yes=Yes
-No=No
-AutoDetectLang=Autodetect (browser language)
-FeatureDisabledInDemo=Feature disabled in demo
-Rights=Permissions
-BoxesDesc=Boxes are screen area that show a piece of information on some pages. You can choose between showing the box or not by selecting target page and clicking 'Activate', or by clicking the dustbin to disable it.
-OnlyActiveElementsAreShown=Only elements from <a href="%s">enabled modules</a> are shown.
-ModulesDesc=Dolibarr modules define which functionality is enabled in software. Some modules require permissions you must grant to users, after enabling module. Click on button on/off in column "Status" to enable a module/feature.
-ModulesInterfaceDesc=The Dolibarr modules interface allows you to add features depending on external software, systems or services.
-ModulesSpecialDesc=Special modules are very specific or seldom used modules.
-ModulesJobDesc=Business modules provide simple predefined setup of Dolibarr for a particular business.
-ModulesMarketPlaceDesc=You can find more modules to download on external web sites on the Internet...
-ModulesMarketPlaces=More modules...
-DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules
-DoliPartnersDesc=List with some companies that can provide/develop on-demand modules or features (Note: any Open Source company knowning PHP language can provide you specific development)
-WebSiteDesc=Web site providers you can search to find more modules...
-URL=Link
-BoxesAvailable=Boxes available
-BoxesActivated=Boxes activated
-ActivateOn=Activate on
-ActiveOn=Activated on
-SourceFile=Source file
-AutomaticIfJavascriptDisabled=Automatic if Javascript is disabled
-AvailableOnlyIfJavascriptNotDisabled=Available only if JavaScript is not disabled
-AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled
-Required=Required
-UsedOnlyWithTypeOption=Used by some agenda option only
-Security=Security
-Passwords=Passwords
-DoNotStoreClearPassword=Do no store clear passwords in database but store only encrypted value (Activated recommended)
-MainDbPasswordFileConfEncrypted=Database password encrypted in conf.php (Activated recommended)
-InstrucToEncodePass=To have password encoded into the <b>conf.php</b> file, replace the line <br><b>$dolibarr_main_db_pass="...";</b><br>by<br><b>$dolibarr_main_db_pass="crypted:%s";</b>
-InstrucToClearPass=To have password decoded (clear) into the <b>conf.php</b> file, replace the line <br><b>$dolibarr_main_db_pass="crypted:...";</b><br>by<br><b>$dolibarr_main_db_pass="%s";</b>
-ProtectAndEncryptPdfFiles=Protection of generated pdf files (Activated NOT recommended, breaks mass pdf generation)
-ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature make building of a global cumulated pdf not working (like unpaid invoices).
-Feature=Feature
-DolibarrLicense=License
-DolibarrProjectLeader=Project leader
-Developpers=Developers/contributors
-OtherDeveloppers=Other developers/contributors
-OfficialWebSite=Dolibarr international official web site
-OfficialWebSiteFr=French official web site
-OfficialWiki=Dolibarr documentation on Wiki
-OfficialDemo=Dolibarr online demo
-OfficialMarketPlace=Official market place for external modules/addons
-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.
-HelpCenterDesc2=Some part of this service are available in <b>english only</b>.
-CurrentTopMenuHandler=Current top menu handler
-CurrentLeftMenuHandler=Current left menu handler
-CurrentMenuHandler=Current menu handler
-CurrentSmartphoneMenuHandler=Current smartphone menu handler
-MeasuringUnit=Measuring unit
-Emails=E-mails
-EMailsSetup=E-mails setup
-EMailsDesc=This page allows you to overwrite your PHP parameters for e-mails sending. In most cases on Unix/Linux OS, your PHP setup is correct and these parameters are useless.
-MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix like systems)
-MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix like systems)
-MAIN_MAIL_EMAIL_FROM=Sender e-mail for automatic emails (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_ERRORS_TO=Sender e-mail used for error returns emails sent
-MAIN_MAIL_AUTOCOPY_TO= Send systematically a hidden carbon-copy of all sent emails to
-MAIN_MAIL_AUTOCOPY_PROPOSAL_TO= Send systematically a hidden carbon-copy of proposals sent by email to
-MAIN_MAIL_AUTOCOPY_ORDER_TO= Send systematically a hidden carbon-copy of orders sent by email to
-MAIN_MAIL_AUTOCOPY_INVOICE_TO= Send systematically a hidden carbon-copy of invoice sent by emails to
-MAIN_DISABLE_ALL_MAILS=Disable all e-mails sendings (for test purposes or demos)
-MAIN_MAIL_SENDMODE=Method to use to send EMails
-MAIN_MAIL_SMTPS_ID=SMTP ID if authentication required
-MAIN_MAIL_SMTPS_PW=SMTP Password if authentication required
-MAIN_MAIL_EMAIL_TLS= Use TLS (SSL) encrypt
-MAIN_DISABLE_ALL_SMS=Disable all SMS sendings (for test purposes or demos)
-MAIN_SMS_SENDMODE=Method to use to send SMS
-MAIN_MAIL_SMS_FROM=Default sender phone number for Sms sending
-FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally.
-SubmitTranslation=If translation for this language is not complete or you find errors, you can correct this by editing files into directory <b>langs/%s</b> and submit modified files on www.dolibarr.org forum.
-ModuleSetup=Module setup
-ModulesSetup=Modules setup
-ModuleFamilyBase=System
-ModuleFamilyCrm=Customer Relation Management (CRM)
-ModuleFamilyProducts=Products Management
-ModuleFamilyHr=Human Resource Management
-ModuleFamilyProjects=Projects/Collaborative work
-ModuleFamilyOther=Other
-ModuleFamilyTechnic=Multi-modules tools
-ModuleFamilyExperimental=Experimental modules
-ModuleFamilyFinancial=Financial Modules (Accounting/Treasury)
-ModuleFamilyECM=Electronic Content Management (ECM)
-MenuHandlers=Menu handlers
-MenuAdmin=Menu editor
-DoNotUseInProduction=Do not use in production
-ThisIsProcessToFollow=This is setup to process:
-ThisIsAlternativeProcessToFollow=This is an alternative setup to process:
-StepNb=Step %s
-FindPackageFromWebSite=Find a package that provides feature you want (for example on official web site %s).
-DownloadPackageFromWebSite=Download package (for example from official web site %s).
-UnpackPackageInDolibarrRoot=Unpack package file into Dolibarr server directory dedicated to external modules: <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>
-InfDirExample=<br>Then declare it in the file conf.php<br> $dolibarr_main_url_root_alt='http://myserver/custom'<br>$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'<br>*These lines are commented with "#", to uncomment only remove the character.
-YouCanSubmitFile=For this step, you can send package using this tool: Select module file
-CurrentVersion=Dolibarr current version
-CallUpdatePage=Go to the page that updates the database structure and datas: %s.
-LastStableVersion=Last stable version
-UpdateServerOffline=Update server offline
-GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags could be used:<br><b>{000000}</b> corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask. <br><b>{000000+000}</b> same as previous but an offset corresponding to the number to the right of the + sign is applied starting on first %s. <br><b>{000000@x}</b> same as previous but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then sequence {yy}{mm} or {yyyy}{mm} is also required. <br><b>{dd}</b> day (01 to 31).<br><b>{mm}</b> month (01 to 12).<br><b>{yy}</b>, <b>{yyyy}</b> or <b>{y}</b> year over 2, 4 or 1 numbers. <br>
-GenericMaskCodes2=<b>{cccc}</b> the client code on n characters<br><b>{cccc000}</b> the client code on n characters is followed by a counter dedicated for customer. This counter dedicated to customer is reset at same time than global counter.<br><b>{tttt}</b> The code of thirdparty type on n characters (see dictionary-thirdparty types).<br>
-GenericMaskCodes3=All other characters in the mask will remain intact.<br>Spaces are not allowed.<br>
-GenericMaskCodes4a=<u>Example on the 99th %s of the third party TheCompany done 2007-01-31:</u><br>
-GenericMaskCodes4b=<u>Example on third party created on 2007-03-01:</u><br>
-GenericMaskCodes4c=<u>Example on product created on 2007-03-01:</u><br>
-GenericMaskCodes5=<b>ABC{yy}{mm}-{000000}</b> will give <b>ABC0701-000099</b><br><b>{0000+100@1}-ZZZ/{dd}/XXX</b> will give <b>0199-ZZZ/31/XXX</b>
-GenericNumRefModelDesc=Returns a customizable number according to a defined mask.
-ServerAvailableOnIPOrPort=Server is available at address <b>%s</b> on port <b>%s</b>
-ServerNotAvailableOnIPOrPort=Server is not available at address <b>%s</b> on port <b>%s</b>
-DoTestServerAvailability=Test server connectivity
-DoTestSend=Test sending
-DoTestSendHTML=Test sending HTML
-ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask.
-ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask.
-UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system.
-UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).<br>It must be the octal value (for example, 0666 means read and write for everyone).<br>This parameter is useless on a Windows server.
-SeeWikiForAllTeam=Take a look at the wiki page for full list of all actors and their organisation
-UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache)
-DisableLinkToHelpCenter=Hide link "<b>Need help or support</b>" on login page
-DisableLinkToHelp=Hide link "<b>%s Online help</b>" on left menu
-AddCRIfTooLong=There is no automatic wrapping, so if line is out of page on documents because too long, you must add yourself carriage returns in the textarea.
-ModuleDisabled=Module disabled
-ModuleDisabledSoNoEvent=Module disabled so event never created
-ConfirmPurge=Are you sure you want to execute this purge ?<br>This will delete definitely all your data files with no way to restore them (ECM files, attached files...).
-MinLength=Minimum length
-LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory
-ExamplesWithCurrentSetup=Examples with current running setup
-ListOfDirectories=List of OpenDocument templates directories
-ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.<br><br>Put here full path of directories.<br>Add a carriage return between eah directory.<br>To add a directory of the GED module, add here <b>DOL_DATA_ROOT/ecm/yourdirectoryname</b>.<br><br>Files in those directories must end with <b>.odt</b>.
-NumberOfModelFilesFound=Number of ODT/ODS templates files found in those directories
+AntiVirusCommandExample=Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe<br>Example for ClamAv: /usr/bin/clamscan
+AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
 ExampleOfDirectoriesForModelGen=Examples of syntax:<br>c:\\mydir<br>/home/mydir<br>DOL_DATA_ROOT/ecm/ecmdir
-FollowingSubstitutionKeysCanBeUsed=<br>To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
-FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
-FirstnameNamePosition=Position of Name/Lastname
-DescWeather=The following pictures will be shown on dashboard when number of late actions reach the following values:
-KeyForWebServicesAccess=Key to use Web Services (parameter "dolibarrkey" in webservices)
-TestSubmitForm=Input test form
-ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever is user choice. Also this menu manager specialized for smartphones does not works on all smartphone. Use another menu manager if you experience problems on yours.
-ThemeDir=Skins directory
-ConnectionTimeout=Connexion timeout
-ResponseTimeout=Response timeout
-SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__
-ModuleMustBeEnabledFirst=Module <b>%s</b> must be enabled first before using this feature.
-SecurityToken=Key to secure URLs
-NoSmsEngine=No SMS sender manager available. SMS sender manager are not installed with default distribution (because they depends on an external supplier) but you can find some on %s
-PDF=PDF
-PDFDesc=You can set each global options related to the PDF generation
-PDFAddressForging=Rules to forge address boxes
-HideAnyVATInformationOnPDF=Hide all information related to VAT on generated PDF
-HideDescOnPDF=Hide products description on generated PDF
-HideRefOnPDF=Hide products ref. on generated PDF
-HideDetailsOnPDF=Hide products lines details on generated PDF
-Library=Library
-UrlGenerationParameters=Parameters to secure URLs
-SecurityTokenIsUnique=Use a unique securekey parameter for each URL
-EnterRefToBuildUrl=Enter reference for object %s
-GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for unauthorized actions instead of showing disabled buttons
-OldVATRates=Old VAT rate
-NewVATRates=New VAT rate
-PriceBaseTypeToChange=Modify on prices with base reference value defined on
-MassConvert=Launch mass convert
-String=String
-TextLong=Long text
-Int=Integer
-Float=Float
-DateAndTime=Date and hour
-Unique=Unique
-Boolean=Boolean (Checkbox)
-ExtrafieldPhone = Phone
-ExtrafieldPrice = Price
-ExtrafieldMail = Email
-ExtrafieldSelect = Select list
-ExtrafieldSelectList = Select from table
-ExtrafieldSeparator=Separator
-ExtrafieldCheckBox=Checkbox
-ExtrafieldRadio=Radio button
-ExtrafieldCheckBoxFromList= Checkbox from table
-ExtrafieldLink=Link to an object
-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
-ExtrafieldParamHelpchkbxlst=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>
-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 (localtax is calculated on amount without tax)<br>2 : local tax apply on products and services including vat (localtax is calculated on amount + main tax)<br>3 : local tax apply on products without vat (localtax is calculated on amount without tax)<br>4 : local tax apply on products including vat (localtax is calculated on amount + main vat)<br>5 : local tax apply on services without vat (localtax is calculated on amount without tax)<br>6 : local tax apply on services including vat (localtax is calculated on amount + tax)
-SMS=SMS
-LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user <strong>%s</strong>
-RefreshPhoneLink=Refresh link
-LinkToTest=Clickable link generated for user <strong>%s</strong> (click phone number to test)
-KeepEmptyToUseDefault=Keep empty to use default value
-DefaultLink=Default link
-ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url)
-ExternalModule=External module - Installed into directory %s
-BarcodeInitForThirdparties=Mass barcode init for thirdparties
-BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services
-CurrentlyNWithoutBarCode=Currently, you have <strong>%s</strong> records on <strong>%s</strong> %s without barcode defined.
-InitEmptyBarCode=Init value for next %s empty records
-EraseAllCurrentBarCode=Erase all current barcode values
-ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values ?
-AllBarcodeReset=All barcode values have been removed
-NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
-NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
-
-# Modules
-Module0Name=Users & groups
-Module0Desc=Users and groups management
-Module1Name=Third parties
-Module1Desc=Companies and contact management (customers, prospects...)
-Module2Name=Commercial
-Module2Desc=Commercial management
-Module10Name=Accounting
-Module10Desc=Simple accounting reports (journals, turnover) based onto database content. No dispatching.
-Module20Name=Proposals
-Module20Desc=Commercial proposal management
-Module22Name=Mass E-mailings
-Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
-Module25Name=Customer Orders
-Module25Desc=Customer order management
-Module30Name=Invoices
-Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers
-Module40Name=Suppliers
-Module40Desc=Supplier management and buying (orders and invoices)
-Module42Name=Logs
-Module42Desc=Logging facilities (file, syslog, ...)
-Module49Name=Editors
-Module49Desc=Editor management
-Module50Name=Products
-Module50Desc=Product management
-Module51Name=Mass mailings
-Module51Desc=Mass paper mailing management
-Module52Name=Stocks
-Module52Desc=Stock management (products)
-Module53Name=Services
-Module53Desc=Service management
-Module54Name=Contracts/Subscriptions
-Module54Desc=Management of contracts (services or reccuring subscriptions)
-Module55Name=Barcodes
-Module55Desc=Barcode management
-Module56Name=Telephony
-Module56Desc=Telephony integration
-Module57Name=Standing orders
-Module57Desc=Standing orders and withdrawal management. Also includes generation of SEPA file for european countries.
-Module58Name=ClickToDial
-Module58Desc=Integration of a ClickToDial system (Asterisk, ...)
-Module59Name=Bookmark4u
-Module59Desc=Add function to generate Bookmark4u account from a Dolibarr account
-Module70Name=Interventions
-Module70Desc=Intervention management
-Module75Name=Expense and trip notes
-Module75Desc=Expense and trip notes management
-Module80Name=Shipments
-Module80Desc=Shipments and delivery order management
-Module85Name=Banks and cash
-Module85Desc=Management of bank or cash accounts
-Module100Name=External site
-Module100Desc=This module include an external web site or page into Dolibarr menus and view it into a Dolibarr frame
-Module105Name=Mailman and SPIP
-Module105Desc=Mailman or SPIP interface for member module
-Module200Name=LDAP
-Module200Desc=LDAP directory synchronisation
-Module210Name=PostNuke
-Module210Desc=PostNuke integration
-Module240Name=Data exports
-Module240Desc=Tool to export Dolibarr datas (with assistants)
-Module250Name=Data imports
-Module250Desc=Tool to import datas in Dolibarr  (with assistants)
-Module310Name=Members
-Module310Desc=Foundation members management
-Module320Name=RSS Feed
-Module320Desc=Add RSS feed inside Dolibarr screen pages
-Module330Name=Bookmarks
-Module330Desc=Bookmark management
-Module400Name=Projects/Opportunities/Leads
-Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view.
-Module410Name=Webcalendar
-Module410Desc=Webcalendar integration
-Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
-Module510Name=Salaries
-Module510Desc=Management of employees salaries and payments
-Module520Name=Loan
-Module520Desc=Management of loans
-Module600Name=Notifications
-Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
-Module700Name=Donations
-Module700Desc=Donation management
-Module770Name=Expense Report
-Module770Desc=Management and claim expense reports (transportation, meal, ...)
-Module1120Name=Supplier commercial proposal
-Module1120Desc=Request supplier commercial proposal and prices
-Module1200Name=Mantis
-Module1200Desc=Mantis integration
-Module1400Name=Accounting
-Module1400Desc=Accounting management (double parties)
-Module1520Name=Document Generation
-Module1520Desc=Mass mail document generation
-Module1780Name=Tags/Categories
-Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members)
-Module2000Name=WYSIWYG editor
-Module2000Desc=Allow to edit some text area using an advanced editor
-Module2200Name=Dynamic Prices
-Module2200Desc=Enable the usage of math expressions for prices
-Module2300Name=Cron
-Module2300Desc=Scheduled job management
-Module2400Name=Agenda
-Module2400Desc=Events/tasks and agenda management
-Module2500Name=Electronic Content Management
-Module2500Desc=Save and share documents
-Module2600Name=API services (Web services SOAP)
-Module2600Desc=Enable the Dolibarr SOAP server providing API services
-Module2610Name=API services (Web services REST)
-Module2610Desc=Enable the Dolibarr REST server providing API services
-Module2650Name=WebServices (client)
-Module2650Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Supplier orders supported only for the moment)
-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
-Module5000Name=Multi-company
-Module5000Desc=Allows you to manage multiple companies
-Module6000Name=Workflow
-Module6000Desc=Workflow management
-Module20000Name=Leave Requests management
-Module20000Desc=Declare and follow employees leaves requests
-Module39000Name=Product lot
-Module39000Desc=Lot or serial number, eat-by and sell-by date management on products
-Module50000Name=PayBox
-Module50000Desc=Module to offer an online payment page by credit card with PayBox
-Module50100Name=Point of sales
-Module50100Desc=Point of sales module
-Module50200Name=Paypal
-Module50200Desc=Module to offer an online payment page by credit card with Paypal
-Module50400Name=Accounting (advanced)
-Module50400Desc=Accounting management (double parties)
-Module54000Name=PrintIPP
-Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installe on server).
-Module55000Name=Open Poll
-Module55000Desc=Module to make online polls (like Doodle, Studs, Rdvz, ...)
-Module59000Name=Margins
-Module59000Desc=Module to manage margins
-Module60000Name=Commissions
-Module60000Desc=Module to manage commissions
-Permission11=Read customer invoices
-Permission12=Create/modify customer invoices
-Permission13=Unvalidate customer invoices
-Permission14=Validate customer invoices
-Permission15=Send customer invoices by email
-Permission16=Create payments for customer invoices
-Permission19=Delete customer invoices
-Permission21=Read commercial proposals
-Permission22=Create/modify commercial proposals
-Permission24=Validate commercial proposals
-Permission25=Send commercial proposals
-Permission26=Close commercial proposals
-Permission27=Delete commercial proposals
-Permission28=Export commercial proposals
-Permission31=Read products
-Permission32=Create/modify products
-Permission34=Delete products
-Permission36=See/manage hidden products
-Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
-Permission42=Create/modify projects (shared project and projects i'm contact for)
-Permission44=Delete projects (shared project and projects i'm contact for)
-Permission61=Read interventions
-Permission62=Create/modify interventions
-Permission64=Delete interventions
-Permission67=Export interventions
-Permission71=Read members
-Permission72=Create/modify members
-Permission74=Delete members
-Permission75=Setup types of membership
-Permission76=Export datas
-Permission78=Read subscriptions
-Permission79=Create/modify subscriptions
-Permission81=Read customers orders
-Permission82=Create/modify customers orders
-Permission84=Validate customers orders
-Permission86=Send customers orders
-Permission87=Close customers orders
-Permission88=Cancel customers orders
-Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
-Permission95=Read reports
-Permission101=Read sendings
-Permission102=Create/modify sendings
-Permission104=Validate sendings
-Permission106=Export sendings
-Permission109=Delete sendings
-Permission111=Read financial accounts
-Permission112=Create/modify/delete and compare transactions
-Permission113=Setup financial accounts (create, manage categories)
-Permission114=Reconciliate transactions
-Permission115=Export transactions and account statements
-Permission116=Transfers between accounts
-Permission117=Manage cheques dispatching
-Permission121=Read third parties linked to user
-Permission122=Create/modify third parties linked to user
-Permission125=Delete third parties linked to user
-Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
-Permission146=Read providers
-Permission147=Read stats
-Permission151=Read standing orders
-Permission152=Create/modify a standing orders request
-Permission153=Transmission standing orders receipts
-Permission154=Credit/refuse standing orders receipts
-Permission161=Read contracts/subscriptions
-Permission162=Create/modify contracts/subscriptions
-Permission163=Activate a service/subscription of a contract
-Permission164=Disable a service/subscription of a contract
-Permission165=Delete contracts/subscriptions
-Permission171=Read trips and expenses (own and his subordinates)
-Permission172=Create/modify trips and expenses
-Permission173=Delete trips and expenses
-Permission174=Read all trips and expenses
-Permission178=Export trips and expenses
-Permission180=Read suppliers
-Permission181=Read supplier orders
-Permission182=Create/modify supplier orders
-Permission183=Validate supplier orders
-Permission184=Approve supplier orders
-Permission185=Order or cancel supplier orders
-Permission186=Receive supplier orders
-Permission187=Close supplier orders
-Permission188=Cancel supplier orders
-Permission192=Create lines
-Permission193=Cancel lines
-Permission194=Read the bandwith lines
-Permission202=Create ADSL connections
-Permission203=Order connections orders
-Permission204=Order connections
-Permission205=Manage connections
-Permission206=Read connections
-Permission211=Read Telephony
-Permission212=Order lines
-Permission213=Activate line
-Permission214=Setup Telephony
-Permission215=Setup providers
-Permission221=Read emailings
-Permission222=Create/modify emailings (topic, recipients...)
-Permission223=Validate emailings (allows sending)
-Permission229=Delete emailings
-Permission237=View recipients and info
-Permission238=Manually send mailings
-Permission239=Delete mailings after validation or sent
-Permission241=Read categories
-Permission242=Create/modify categories
-Permission243=Delete categories
-Permission244=See the contents of the hidden categories
-Permission251=Read other users and groups
-PermissionAdvanced251=Read other users
-Permission252=Read permissions of other users
-Permission253=Create/modify other users, groups and permisssions
-PermissionAdvanced253=Create/modify internal/external users and permissions
-Permission254=Create/modify external users only
-Permission255=Modify other users password
-Permission256=Delete or disable other users
-Permission262=Extend access to all third parties (not only those linked to user). Not effective for external users (always limited to themselves).
-Permission271=Read CA
-Permission272=Read invoices
-Permission273=Issue invoices
-Permission281=Read contacts
-Permission282=Create/modify contacts
-Permission283=Delete contacts
-Permission286=Export contacts
-Permission291=Read tariffs
-Permission292=Set permissions on the tariffs
-Permission293=Modify costumers tariffs
-Permission300=Read bar codes
-Permission301=Create/modify bar codes
-Permission302=Delete bar codes
-Permission311=Read services
-Permission312=Assign service/subscription to contract
-Permission331=Read bookmarks
-Permission332=Create/modify bookmarks
-Permission333=Delete bookmarks
-Permission341=Read its own permissions
-Permission342=Create/modify his own user information
-Permission343=Modify his own password
-Permission344=Modify its own permissions
-Permission351=Read groups
-Permission352=Read groups permissions
-Permission353=Create/modify groups
-Permission354=Delete or disable groups
-Permission358=Export users
-Permission401=Read discounts
-Permission402=Create/modify discounts
-Permission403=Validate discounts
-Permission404=Delete discounts
-Permission510=Read Salaries
-Permission512=Create/modify salaries
-Permission514=Delete salaries
-Permission517=Export salaries
-Permission520=Read Loans
-Permission522=Create/modify loans
-Permission524=Delete loans
-Permission525=Access loan calculator
-Permission527=Export loans
-Permission531=Read services
-Permission532=Create/modify services
-Permission534=Delete services
-Permission536=See/manage hidden services
-Permission538=Export services
-Permission701=Read donations
-Permission702=Create/modify donations
-Permission703=Delete donations
-Permission771=Read expense reports (own and his subordinates)
-Permission772=Create/modify expense reports
-Permission773=Delete expense reports
-Permission774=Read all expense reports (even for user not subordinates)
-Permission775=Approve expense reports
-Permission776=Pay expense reports
-Permission779=Export expense reports
-Permission1001=Read stocks
-Permission1002=Create/modify warehouses
-Permission1003=Delete warehouses
-Permission1004=Read stock movements
-Permission1005=Create/modify stock movements
-Permission1101=Read delivery orders
-Permission1102=Create/modify delivery orders
-Permission1104=Validate delivery orders
-Permission1109=Delete delivery orders
-Permission1181=Read suppliers
-Permission1182=Read supplier orders
-Permission1183=Create/modify supplier orders
-Permission1184=Validate supplier orders
-Permission1185=Approve supplier orders
-Permission1186=Order supplier orders
-Permission1187=Acknowledge receipt of supplier orders
-Permission1188=Delete supplier orders
-Permission1190=Approve (second approval) supplier orders
-Permission1201=Get result of an export
-Permission1202=Create/Modify an export
-Permission1231=Read supplier invoices
-Permission1232=Create/modify supplier invoices
-Permission1233=Validate supplier invoices
-Permission1234=Delete supplier invoices
-Permission1235=Send supplier invoices by email
-Permission1236=Export supplier invoices, attributes and payments
-Permission1237=Export supplier orders and their details
-Permission1251=Run mass imports of external data into database (data load)
-Permission1321=Export customer invoices, attributes and payments
-Permission1421=Export customer orders and attributes
-Permission23001=Read Scheduled job
-Permission23002=Create/update Scheduled job
-Permission23003=Delete Scheduled job
-Permission23004=Execute Scheduled job
-Permission2401=Read actions (events or tasks) linked to his account
-Permission2402=Create/modify actions (events or tasks) linked to his account
-Permission2403=Delete actions (events or tasks) linked to his account
-Permission2411=Read actions (events or tasks) of others
-Permission2412=Create/modify actions (events or tasks) of others
-Permission2413=Delete actions (events or tasks) of others
-Permission2501=Read/Download documents
-Permission2502=Download documents
-Permission2503=Submit or delete documents
-Permission2515=Setup documents directories
-Permission2801=Use FTP client in read mode (browse and download only)
-Permission2802=Use FTP client in write mode (delete or upload files)
-Permission50101=Use Point of sales
-Permission50201=Read transactions
-Permission50202=Import transactions
-Permission54001=Print
-Permission55001=Read polls
-Permission55002=Create/modify polls
-Permission59001=Read commercial margins
-Permission59002=Define commercial margins
-Permission59003=Read every user margin
-DictionaryCompanyType=Thirdparties type
-DictionaryCompanyJuridicalType=Juridical kinds of thirdparties
-DictionaryProspectLevel=Prospect potential level
-DictionaryCanton=State/Cantons
-DictionaryRegion=Regions
-DictionaryCountry=Countries
-DictionaryCurrency=Currencies
-DictionaryCivility=Civility title
-DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
-DictionaryVAT=VAT Rates or Sales Tax Rates
-DictionaryRevenueStamp=Amount of revenue stamps
-DictionaryPaymentConditions=Payment terms
-DictionaryPaymentModes=Payment modes
-DictionaryTypeContact=Contact/Address types
-DictionaryEcotaxe=Ecotax (WEEE)
-DictionaryPaperFormat=Paper formats
-DictionaryFees=Type of fees
-DictionarySendingMethods=Shipping methods
-DictionaryStaff=Staff
-DictionaryAvailability=Delivery delay
-DictionaryOrderMethods=Ordering methods
-DictionarySource=Origin of proposals/orders
-DictionaryAccountancyplan=Chart of accounts
-DictionaryAccountancysystem=Models for chart of accounts
-DictionaryEMailTemplates=Emails templates
-DictionaryUnits=Units
-DictionaryProspectStatus=Prospection status
-SetupSaved=Setup saved
-BackToModuleList=Back to modules list
-BackToDictionaryList=Back to dictionaries list
-VATReceivedOnly=Special rate not charged
-VATManagement=VAT Management
-VATIsUsedDesc=The VAT rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If the seller is not subjected to VAT, then VAT by default=0. End of rule.<br>If the (selling country= buying country), then the VAT by default=VAT of the product in the selling country. End of rule. <br>If seller and buyer in the European Community and goods are transport products (car, ship, plane), the default VAT=0 ( The VAT should be paid by the buyer at the customoffice of his country and not at the seller). End of rule.<br>If seller and buyer in the European Community and buyer is not a company, then the VAT by default=VAT of product sold.  End of rule.<br>If seller and buyer in the European Community and buyer is a company, then the VAT by default=0. End of rule.<br>Else the proposed default VAT=0. End of rule.
-VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies.
-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 #####
-LTRate=Rate
-LocalTax1IsUsed=Use second tax
-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)
-LocalTax1Management=Second type of tax
-LocalTax1IsUsedExample=
-LocalTax1IsNotUsedExample=
-LocalTax2IsUsed=Use third tax
-LocalTax2IsNotUsed=Do not use third tax
-LocalTax2IsUsedDesc=Use a third type of tax (other than VAT)
-LocalTax2IsNotUsedDesc=Do not use other type of tax (other than VAT)
-LocalTax2Management=Third type of tax
-LocalTax2IsUsedExample=
-LocalTax2IsNotUsedExample=
-LocalTax1ManagementES= RE Management
-LocalTax1IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If te buyer is not subjected to RE, RE by default=0. End of rule.<br>If the buyer is subjected to RE then the RE by default. End of rule.<br>
-LocalTax1IsNotUsedDescES= By default the proposed RE is 0. End of rule.
-LocalTax1IsUsedExampleES= In Spain they are professionals subject to some specific sections of the Spanish IAE.
-LocalTax1IsNotUsedExampleES= In Spain they are professional and societies and subject to certain sections of the Spanish IAE.
-LocalTax2ManagementES= IRPF Management
-LocalTax2IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.<br>If the seller is subjected to IRPF then the IRPF by default. End of rule.<br>
-LocalTax2IsNotUsedDescES= By default the proposed IRPF is 0. End of rule.
-LocalTax2IsUsedExampleES= In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules.
-LocalTax2IsNotUsedExampleES= In Spain they are bussines not subject to tax system of modules.
-CalcLocaltax=Reports on local taxes
-CalcLocaltax1=Sales - Purchases
-CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases
-CalcLocaltax2=Purchases
-CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases
-CalcLocaltax3=Sales
-CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales
-LabelUsedByDefault=Label used by default if no translation can be found for code
-LabelOnDocuments=Label on documents
-NbOfDays=Nb of days
-AtEndOfMonth=At end of month
-Offset=Offset
-AlwaysActive=Always active
-UpdateRequired=Your system needs to be updated. To do this, click on <a href="%s">Update now</a>.
-Upgrade=Upgrade
-MenuUpgrade=Upgrade / Extend
-AddExtensionThemeModuleOrOther=Add extension (theme, module, ...)
-WebServer=Web server
-DocumentRootServer=Web server's root directory
-DataRootServer=Data files directory
-IP=IP
-Port=Port
-VirtualServerName=Virtual server name
-AllParameters=All parameters
-OS=OS
-PhpEnv=Env
-PhpModules=Modules
-PhpConf=Conf
-PhpWebLink=Web-Php link
-Pear=Pear
-PearPackages=Pear Packages
-Browser=Browser
-Server=Server
-Database=Database
-DatabaseServer=Database host
-DatabaseName=Database name
-DatabasePort=Database port
-DatabaseUser=Database user
-DatabasePassword=Database password
-DatabaseConfiguration=Database setup
-Tables=Tables
-TableName=Table name
-TableLineFormat=Line format
-NbOfRecord=Nb of records
-Constraints=Constraints
-ConstraintsType=Constraints type
-ConstraintsToShowOrNotEntry=Constraint to show or not the menu entry
-AllMustBeOk=All of these must be checked
-Host=Server
-DriverType=Driver type
-SummarySystem=System information summary
-SummaryConst=List of all Dolibarr setup parameters
-SystemUpdate=System update
-SystemSuccessfulyUpdate=Your system has been updated successfuly
-MenuCompanySetup=Company/Foundation
-MenuNewUser=New user
-MenuTopManager=Top menu manager
-MenuLeftManager=Left menu manager
-MenuManager=Menu manager
-MenuSmartphoneManager=Smartphone menu manager
-DefaultMenuTopManager=Top menu manager
-DefaultMenuLeftManager=Left menu manager
-DefaultMenuManager= Standard menu manager
-DefaultMenuSmartphoneManager=Smartphone menu manager
-Skin=Skin theme
-DefaultSkin=Default skin theme
-MaxSizeList=Max length for list
-DefaultMaxSizeList=Default max length for list
-MessageOfDay=Message of the day
-MessageLogin=Login page message
-PermanentLeftSearchForm=Permanent search form on left menu
-DefaultLanguage=Default language to use (language code)
-EnableMultilangInterface=Enable multilingual interface
-EnableShowLogo=Show logo on left menu
-EnableHtml5=Enable Html5 (Developement - Only available on Eldy template)
-SystemSuccessfulyUpdated=Your system has been updated successfully
-CompanyInfo=Company/foundation information
-CompanyIds=Company/foundation identities
-CompanyName=Name
-CompanyAddress=Address
-CompanyZip=Zip
-CompanyTown=Town
-CompanyCountry=Country
-CompanyCurrency=Main currency
-CompanyObject=Object of the company
-Logo=Logo
-DoNotShow=Do not show
-DoNotSuggestPaymentMode=Do not suggest
-NoActiveBankAccountDefined=No active bank account defined
-OwnerOfBankAccount=Owner of bank account %s
-BankModuleNotActive=Bank accounts module not enabled
-ShowBugTrackLink=Show link "<strong>%s</strong>"
-ShowWorkBoard=Show "workbench" on homepage
-Alerts=Alerts
-Delays=Delays
-DelayBeforeWarning=Delay before warning
-DelaysBeforeWarning=Delays before warning
-DelaysOfToleranceBeforeWarning=Tolerance delays before warning
-DelaysOfToleranceDesc=This screen allows you to define the tolerated delays before an alert is reported on screen with picto %s for each late element.
-Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned events not yet realised
-Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not yet processed
-Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not yet processed
-Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close
-Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed
-Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate
-Delays_MAIN_DELAY_RUNNING_SERVICES=Tolerance delay (in days) before alert on expired services
-Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Tolerance delay (in days) before alert on unpaid supplier invoices
-Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Tolerence delay (in days) before alert on unpaid client invoices
-Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Tolerance delay (in days) before alert on pending bank reconciliation
-Delays_MAIN_DELAY_MEMBERS=Tolerance delay (in days) before alert on delayed membership fee
-Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tolerance delay (in days) before alert for cheques deposit to do
-SetupDescription1=All parameters available in the setup area allow you to setup Dolibarr before starting using it.
-SetupDescription2=The 2 most important setup steps are the 2 first ones in the left setup menu, this means Company/foundation setup page and Modules setup page:
-SetupDescription3=Parameters in menu <a href="%s">Setup -> Company/foundation</a> are required because input information is used on Dolibarr displays and to modify Dolibarr behaviour (for example for features related to your country).
-SetupDescription4=Parameters in menu <a href="%s">Setup -> Modules</a> are required because Dolibarr is not a fixed ERP/CRM but a sum of several modules, all more or less independant. It's only after activating modules you're interesting in that you will see features appeared in menus.
-SetupDescription5=Other menu entries manage optional parameters.
-EventsSetup=Setup for events logs
-LogEvents=Security audit events
-Audit=Audit
-InfoDolibarr=Infos Dolibarr
-InfoBrowser=Infos Browser
-InfoOS=Infos OS
-InfoWebServer=Infos web server
-InfoDatabase=Infos database
-InfoPHP=Infos PHP
-InfoPerf=Infos performances
-BrowserName=Browser name
-BrowserOS=Browser OS
-ListEvents=Audit events
-ListOfSecurityEvents=List of Dolibarr security events
-SecurityEventsPurged=Security events purged
-LogEventDesc=You can enable here the logging for Dolibarr security events. Administrators can then see its content via menu <b>System tools - Audit</b>. Warning, this feature can consume a large amount of data in database.
-AreaForAdminOnly=Those features can be used by <b>administrator users</b> only.
-SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only.
-SystemAreaForAdminOnly=This area is available for administrator users only. None of the Dolibarr permissions can reduce this limit.
-CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "Modify" button at bottom of page)
-DisplayDesc=You can choose each parameter related to the Dolibarr look and feel here
-AvailableModules=Available modules
-ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules).
-SessionTimeOut=Time out for session
-SessionExplanation=This number guarantee that session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guaranty that session will expire just after this delay. It will expire, after this delay, and when the session cleaner is ran, so every <b>%s/%s</b> access, but only during access made by other sessions.<br>Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by the default <strong>session.gc_maxlifetime</strong>, no matter what the value entered here.
-TriggersAvailable=Available triggers
-TriggersDesc=Triggers are files that will modify the behaviour of Dolibarr workflow once copied into the directory <b>htdocs/core/triggers</b>. They realised new actions, activated on Dolibarr events (new company creation, invoice validation, ...).
-TriggerDisabledByName=Triggers in this file are disabled by the <b>-NORUN</b> suffix in their name.
-TriggerDisabledAsModuleDisabled=Triggers in this file are disabled as module <b>%s</b> is disabled.
-TriggerAlwaysActive=Triggers in this file are always active, whatever are the activated Dolibarr modules.
-TriggerActiveAsModuleActive=Triggers in this file are active as module <b>%s</b> is enabled.
-GeneratedPasswordDesc=Define here which rule you want to use to generate new password if you ask to have auto generated password
-DictionaryDesc=Define here all reference datas. You can complete predefined value with yours.
-ConstDesc=This page allows you to edit all other parameters not available in previous pages. They are reserved parameters for advanced developers or for troubleshouting.
-OnceSetupFinishedCreateUsers=Warning, you are a Dolibarr administrator user. Administrator users are used to setup Dolibarr. For a usual usage of Dolibarr, it is recommended to use a non administrator user created from Users & Groups menu.
-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_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=Step of rounding range (for countries where rounding is done on something else than base 10. For example, put 0.05 if rounding is done by 0.05 steps)
-UnitPriceOfProduct=Net unit price of a product
-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.
-NoEventFoundWithCriteria=No security event has been found for such search criterias.
-SeeLocalSendMailSetup=See your local sendmail setup
-BackupDesc=To make a complete backup of Dolibarr, you must:
-BackupDesc2=Save content of documents directory (<b>%s</b>) that contains all uploaded and generated files (you can make a zip for example).
-BackupDesc3=Save content of your database (<b>%s</b>) into a dump file. For this, you can use following assistant.
-BackupDescX=Archived directory should be stored in a secure place.
-BackupDescY=The generated dump file should be stored in a secure place.
-BackupPHPWarning=Backup can't be guaranted with this method. Prefer previous one
-RestoreDesc=To restore a Dolibarr backup, you must:
-RestoreDesc2=Restore archive file (zip file for example) of documents directory to extract tree of files in documents directory of a new Dolibarr installation or into this current documents directoy (<b>%s</b>).
-RestoreDesc3=Restore the data, from a backup dump file, into the database of the new Dolibarr installation or into the database of this current installation (<b>%s</b>). Warning, once restore is finished, you must use a login/password, that existed when backup was made, to connect again. To restore a backup database into this current installation, you can follow this assistant.
-RestoreMySQL=MySQL import
-ForcedToByAModule= This rule is forced to <b>%s</b> by an activated module
-PreviousDumpFiles=Available database backup dump files
-WeekStartOnDay=First day of week
-RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Programs version %s differs from database version %s)
-YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user <b>%s</b> or you must add -W option at end of command line to provide <b>%s</b> password.
-YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP
-DownloadMoreSkins=More skins to download
-SimpleNumRefModelDesc=Returns the reference number with format %syymm-nnnn where yy is year, mm is month and nnnn is a sequence without hole and with no reset
-ShowProfIdInAddress=Show professionnal id with addresses on documents
-ShowVATIntaInAddress=Hide VAT Intra num with addresses on documents
-TranslationUncomplete=Partial translation
-SomeTranslationAreUncomplete=Some languages may be partially translated or may contains errors. If you detect some, you can fix language files registering to <a href="http://transifex.com/projects/p/dolibarr/" target="_blank">http://transifex.com/projects/p/dolibarr/</a>.
-MenuUseLayout=Make vertical menu hidable (option javascript must not be disabled)
-MAIN_DISABLE_METEO=Disable meteo view
-TestLoginToAPI=Test login to API
-ProxyDesc=Some features of Dolibarr need to have an Internet access to work. Define here parameters for this. If the Dolibarr server is behind a Proxy server, those parameters tells Dolibarr how to access Internet through it.
-ExternalAccess=External access
-MAIN_PROXY_USE=Use a proxy server (otherwise direct access to internet)
-MAIN_PROXY_HOST=Name/Address of proxy server
-MAIN_PROXY_PORT=Port of proxy server
-MAIN_PROXY_USER=Login to use the proxy server
-MAIN_PROXY_PASS=Password to use the proxy server
-DefineHereComplementaryAttributes=Define here all attributes, not already available by default, and that you want to be supported for %s.
-ExtraFields=Complementary attributes
-ExtraFieldsLines=Complementary attributes (lines)
-ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines)
-ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines)
-ExtraFieldsThirdParties=Complementary attributes (thirdparty)
-ExtraFieldsContacts=Complementary attributes (contact/address)
-ExtraFieldsMember=Complementary attributes (member)
-ExtraFieldsMemberType=Complementary attributes (member type)
-ExtraFieldsCustomerOrders=Complementary attributes (orders)
-ExtraFieldsCustomerInvoices=Complementary attributes (invoices)
-ExtraFieldsSupplierOrders=Complementary attributes (orders)
-ExtraFieldsSupplierInvoices=Complementary attributes (invoices)
-ExtraFieldsProject=Complementary attributes (projects)
-ExtraFieldsProjectTask=Complementary attributes (tasks)
-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
-SendmailOptionNotComplete=Warning, on some Linux systems, to send email from your email, sendmail execution setup must contains option -ba (parameter mail.force_extra_parameters into your php.ini file). If some recipients never receive emails, try to edit this PHP parameter with mail.force_extra_parameters = -ba).
-PathToDocuments=Path to documents
-PathDirectory=Directory
-SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might be not correctly parsed by some receiving mail servers. Result is that some mails can't be read by people hosted by those bugged platforms. It's case for some Internet providers (Ex: Orange in France). This is not a problem into Dolibarr nor into PHP but onto receiving mail server. You can however add option MAIN_FIX_FOR_BUGGED_MTA to 1 into setup - other to modify Dolibarr to avoid this. However, you may experience problem with other servers that respect strictly the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" that has no disadvantages.
-TranslationSetup=Configuration de la traduction
-TranslationDesc=Choice of language visible on screen can be modified:<br>* Globally from menu <strong>Home - Setup - Display</strong><br>* For user only from tab <strong>User display</strong> of user card (click on login on top of screen).
-TotalNumberOfActivatedModules=Total number of activated feature modules: <b>%s</b>
-YouMustEnableOneModule=You must at least enable 1 module
-ClassNotFoundIntoPathWarning=Class %s not found into PHP path
-YesInSummer=Yes in summer
-OnlyFollowingModulesAreOpenedToExternalUsers=Note, only following modules are open to external users (whatever are permission of such users):
-SuhosinSessionEncrypt=Session storage encrypted by Suhosin
-ConditionIsCurrently=Condition is currently %s
-YouUseBestDriver=You use driver %s that is best driver available currently.
-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 is loaded.
-XCacheInstalled=XCache is loaded.
-AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink. Third parties will appears with name "CC12345 - SC45678 - The big company coorp", instead of "The big company coorp".
-FieldEdition=Edition of field %s
-FixTZ=TimeZone fix
-FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced)
-GetBarCode=Get barcode
-EmptyNumRefModelDesc=The code is free. This code can be modified at any time.
-##### Module password generation
-PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase.
-PasswordGenerationNone=Do not suggest any generated password. Password must be type in manually.
-##### Users setup #####
-UserGroupSetup=Users and groups module setup
-GeneratePassword=Suggest a generated password
-RuleForGeneratedPasswords=Rule to generate suggested passwords or validate passwords
-DoNotSuggest=Do not suggest any password
-EncryptedPasswordInDatabase=To allow the encryption of the passwords in the database
-DisableForgetPasswordLinkOnLogonPage=Do not show the link "Forget password" on login page
-UsersSetup=Users module setup
-UserMailRequired=EMail required to create a new user
-##### Company setup #####
-CompanySetup=Companies module setup
-CompanyCodeChecker=Module for third parties code generation and checking (customer or supplier)
-AccountCodeManager=Module for accountancy code generation (customer or supplier)
-ModuleCompanyCodeAquarium=Return an accountancy code built by:<br>%s followed by third party supplier code for a supplier accountancy code,<br>%s followed by third party customer code for a customer accountancy code.
-ModuleCompanyCodePanicum=Return an empty accountancy code.
-ModuleCompanyCodeDigitaria=Accountancy code depends on third party code. The code is composed of the character "C" in the first position followed by the first 5 characters of the third party code.
-UseNotifications=Use notifications
-NotificationsDesc=EMails notifications feature allows you to silently send automatic mail, for some Dolibarr events. Targets of notifications can be defined:<br>* per third parties contacts (customers or suppliers), one contact at time.<br>* or by setting global target email addresses in module setup page.
-ModelModules=Documents templates
-DocumentModelOdt=Generate documents from OpenDocuments templates (.ODT or .ODS files for OpenOffice, KOffice, TextEdit,...)
-WatermarkOnDraft=Watermark on draft document
-JSOnPaimentBill=Activate feature to autofill payment lines on payment form
-CompanyIdProfChecker=Rules on Professional Ids
-MustBeUnique=Must be unique ?
-MustBeMandatory=Mandatory to create third parties ?
-MustBeInvoiceMandatory=Mandatory to validate invoices ?
-Miscellaneous=Miscellaneous
-##### Webcal setup #####
-WebCalSetup=Webcalendar link setup
-WebCalSyncro=Add Dolibarr events to WebCalendar
-WebCalAllways=Always, no asking
-WebCalYesByDefault=On demand (yes by default)
-WebCalNoByDefault=On demand (no by default)
-WebCalNever=Never
-WebCalURL=URL for calendar access
-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' 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.
-WebCalAddEventOnCreateActions=Add calendar event on actions create
-WebCalAddEventOnCreateCompany=Add calendar event on companies create
-WebCalAddEventOnStatusPropal=Add calendar event on commercial proposals status change
-WebCalAddEventOnStatusContract=Add calendar event on contracts status change
-WebCalAddEventOnStatusBill=Add calendar event on bills status change
-WebCalAddEventOnStatusMember=Add calendar event on members status change
-WebCalUrlForVCalExport=An export link to <b>%s</b> format is available at following link: %s
-WebCalCheckWebcalSetup=Maybe the Webcal module setup is not correct.
-##### Invoices #####
-BillsSetup=Invoices module setup
-BillsDate=Invoices date
-BillsNumberingModule=Invoices and credit notes numbering model
-BillsPDFModules=Invoice documents models
-CreditNoteSetup=Credit note module setup
-CreditNotePDFModules=Credit note document models
-CreditNote=Credit note
-CreditNotes=Credit notes
-ForceInvoiceDate=Force invoice date to validation date
-DisableRepeatable=Disable repeatable invoices
-SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined for invoice
-EnableEditDeleteValidInvoice=Enable the possibility to edit/delete valid invoice with no payment
-SuggestPaymentByRIBOnAccount=Suggest payment by withdraw on account
-SuggestPaymentByChequeToAddress=Suggest payment by cheque to
-FreeLegalTextOnInvoices=Free text on invoices
-WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty)
-##### Proposals #####
-PropalSetup=Commercial proposals module setup
-CreateForm=Create forms
-NumberOfProductLines=Number of product lines
-ProposalsNumberingModules=Commercial proposal numbering models
-ProposalsPDFModules=Commercial proposal documents models
-ClassifiedInvoiced=Classified invoiced
-HideTreadedPropal=Hide the treated commercial proposals in the list
-AddShippingDateAbility=Add shipping date ability
-AddDeliveryAddressAbility=Add delivery date ability
-UseOptionLineIfNoQuantity=A line of product/service with a zero amount is considered as an option
-FreeLegalTextOnProposal=Free text on commercial proposals
-WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty)
-BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal
-##### AskPriceSupplier #####
-AskPriceSupplierSetup=Price requests suppliers module setup
-AskPriceSupplierNumberingModules=Price requests suppliers numbering models
-AskPriceSupplierPDFModules=Price requests suppliers documents models
-FreeLegalTextOnAskPriceSupplier=Free text on price requests suppliers
-WatermarkOnDraftAskPriceSupplier=Watermark on draft price requests suppliers (none if empty)
-BANK_ASK_PAYMENT_BANK_DURING_ASKPRICESUPPLIER=Ask for bank account destination of price request
-##### Orders #####
-OrdersSetup=Order management setup
-OrdersNumberingModules=Orders numbering models
-OrdersModelModule=Order documents models
-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)
-ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable
-BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order
-##### Clicktodial #####
-ClickToDialSetup=Click To Dial module setup
-ClickToDialUrlDesc=Url called when a click on phone picto is done.  In URL, you can use tags<br><b>__PHONETO__</b> that will be replaced with the phone number of person to call<br><b>__PHONEFROM__</b> that will be replaced with phone number of calling person (yours)<br><b>__LOGIN__</b> that will be replaced with your clicktodial login (defined on your user card)<br><b>__PASS__</b> that will be replaced with your clicktodial password (defined on your user card).
-##### Bookmark4u #####
-Bookmark4uSetup=Bookmark4u module setup
-##### Interventions #####
-InterventionsSetup=Interventions module setup
-FreeLegalTextOnInterventions=Free text on intervention documents
-FicheinterNumberingModules=Intervention numbering models
-TemplatePDFInterventions=Intervention card documents models
-WatermarkOnDraftInterventionCards=Watermark on intervention card documents (none if empty)
-##### Contracts #####
-ContractsSetup=Contracts/Subscriptions module setup
-ContractsNumberingModules=Contracts numbering modules
-TemplatePDFContracts=Contracts documents models
-FreeLegalTextOnContracts=Free text on contracts
-WatermarkOnDraftContractCards=Watermark on draft contracts (none if empty)
-##### Members #####
-MembersSetup=Members module setup
-MemberMainOptions=Main options
-AddSubscriptionIntoAccount=Suggest by default to create a bank transaction, in bank module, when adding a new payed subscription
-AdherentLoginRequired= Manage a Login for each member
-AdherentMailRequired=EMail required to create a new member
-MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default
-##### LDAP setup #####
-LDAPSetup=LDAP Setup
-LDAPGlobalParameters=Global parameters
-LDAPUsersSynchro=Users
-LDAPGroupsSynchro=Groups
-LDAPContactsSynchro=Contacts
-LDAPMembersSynchro=Members
-LDAPSynchronization=LDAP synchronisation
-LDAPFunctionsNotAvailableOnPHP=LDAP functions are not available on your PHP
-LDAPToDolibarr=LDAP -> Dolibarr
-DolibarrToLDAP=Dolibarr -> LDAP
-LDAPNamingAttribute=Key in LDAP
-LDAPSynchronizeUsers=Organization of users in LDAP
-LDAPSynchronizeGroups=Organization of groups in LDAP
-LDAPSynchronizeContacts=Organization of contacts in LDAP
-LDAPSynchronizeMembers=Organization of foundation's members in LDAP
-LDAPTypeExample=OpenLdap, Egroupware or Active Directory
-LDAPPrimaryServer=Primary server
-LDAPSecondaryServer=Secondary server
-LDAPServerPort=Server port
-LDAPServerPortExample=Default port : 389
-LDAPServerProtocolVersion=Protocol version
-LDAPServerUseTLS=Use TLS
-LDAPServerUseTLSExample=Your LDAP server use TLS
-LDAPServerDn=Server DN
-LDAPAdminDn=Administrator DN
-LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com)
-LDAPPassword=Administrator password
-LDAPUserDn=Users' DN
-LDAPUserDnExample=Complete DN (ex: ou=users,dc=example,dc=com)
-LDAPGroupDn=Groups' DN
-LDAPGroupDnExample=Complete DN (ex: ou=groups,dc=example,dc=com)
-LDAPServerExample=Server address (ex: localhost, 192.168.0.2, ldaps://ldap.example.com/)
-LDAPServerDnExample=Complete DN (ex: dc=example,dc=com)
-LDAPPasswordExample=Admin password
-LDAPDnSynchroActive=Users and groups synchronization
-LDAPDnSynchroActiveExample=LDAP to Dolibarr or Dolibarr to LDAP synchronization
-LDAPDnContactActive=Contacts' synchronization
-LDAPDnContactActiveYes=Activated synchronization
-LDAPDnContactActiveExample=Activated/Unactivated synchronization
-LDAPDnMemberActive=Members' synchronization
-LDAPDnMemberActiveExample=Activated/Unactivated synchronization
-LDAPContactDn=Dolibarr contacts' DN
-LDAPContactDnExample=Complete DN (ex: ou=contacts,dc=example,dc=com)
-LDAPMemberDn=Dolibarr members DN
-LDAPMemberDnExample=Complete DN (ex: ou=members,dc=example,dc=com)
-LDAPMemberObjectClassList=List of objectClass
-LDAPMemberObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPUserObjectClassList=List of objectClass
-LDAPUserObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPGroupObjectClassList=List of objectClass
-LDAPGroupObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames)
-LDAPContactObjectClassList=List of objectClass
-LDAPContactObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPMemberTypeDn=Dolibarr members type DN
-LDAPMemberTypeDnExample=Complete DN (ex: ou=type_members,dc=example,dc=com)
-LDAPTestConnect=Test LDAP connection
-LDAPTestSynchroContact=Test contacts synchronization
-LDAPTestSynchroUser=Test user synchronization
-LDAPTestSynchroGroup=Test group synchronization
-LDAPTestSynchroMember=Test member synchronization
-LDAPTestSearch= Test a LDAP search
-LDAPSynchroOK=Synchronization test successful
-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 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 successful
-LDAPUnbindFailed=Disconnect failed
-LDAPConnectToDNSuccessfull=Connection to DN (%s) successful
-LDAPConnectToDNFailed=Connection to DN (%s) failed
-LDAPSetupForVersion3=LDAP server configured for version 3
-LDAPSetupForVersion2=LDAP server configured for version 2
-LDAPDolibarrMapping=Dolibarr Mapping
-LDAPLdapMapping=LDAP Mapping
-LDAPFieldLoginUnix=Login (unix)
-LDAPFieldLoginExample=Example : uid
-LDAPFilterConnection=Search filter
-LDAPFilterConnectionExample=Example : &(objectClass=inetOrgPerson)
-LDAPFieldLoginSamba=Login (samba, activedirectory)
-LDAPFieldLoginSambaExample=Example : samaccountname
-LDAPFieldFullname=Full name
-LDAPFieldFullnameExample=Example : cn
-LDAPFieldPassword=Password
-LDAPFieldPasswordNotCrypted=Password not crypted
-LDAPFieldPasswordCrypted=Password crypted
-LDAPFieldPasswordExample=Example : userPassword
-LDAPFieldCommonName=Common name
-LDAPFieldCommonNameExample=Example : cn
-LDAPFieldName=Name
-LDAPFieldNameExample=Example : sn
-LDAPFieldFirstName=First name
-LDAPFieldFirstNameExample=Example : givenName
-LDAPFieldMail=Email address
-LDAPFieldMailExample=Example : mail
-LDAPFieldPhone=Professional phone number
-LDAPFieldPhoneExample=Example : telephonenumber
-LDAPFieldHomePhone=Personal phone number
-LDAPFieldHomePhoneExample=Example : homephone
-LDAPFieldMobile=Cellular phone
-LDAPFieldMobileExample=Example : mobile
-LDAPFieldFax=Fax number
-LDAPFieldFaxExample=Example : facsimiletelephonenumber
-LDAPFieldAddress=Street
-LDAPFieldAddressExample=Example : street
-LDAPFieldZip=Zip
-LDAPFieldZipExample=Example : postalcode
-LDAPFieldTown=Town
-LDAPFieldTownExample=Example : l
-LDAPFieldCountry=Country
-LDAPFieldCountryExample=Example : c
-LDAPFieldDescription=Description
-LDAPFieldDescriptionExample=Example : description
-LDAPFieldNotePublic=Public Note
-LDAPFieldNotePublicExample=Example : publicnote
-LDAPFieldGroupMembers= Group members
-LDAPFieldGroupMembersExample= Example : uniqueMember
-LDAPFieldBirthdate=Birthdate
-LDAPFieldBirthdateExample=Example :
-LDAPFieldCompany=Company
-LDAPFieldCompanyExample=Example : o
-LDAPFieldSid=SID
-LDAPFieldSidExample=Example : objectsid
-LDAPFieldEndLastSubscription=Date of subscription end
-LDAPFieldTitle=Post/Function
-LDAPFieldTitleExample=Example: title
-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.
-LDAPDescUsers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr users.
-LDAPDescGroups=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr groups.
-LDAPDescMembers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members module.
-LDAPDescValues=Example values are designed for <b>OpenLDAP</b> with following loaded schemas: <b>core.schema, cosine.schema, inetorgperson.schema</b>). If you use thoose values and OpenLDAP, modify your LDAP config file <b>slapd.conf</b> to have all thoose schemas loaded.
-ForANonAnonymousAccess=For an authenticated access (for a write access for example)
-PerfDolibarr=Performance setup/optimizing report
-YouMayFindPerfAdviceHere=You will find on this page some checks or advices related to performance.
-NotInstalled=Not installed, so your server is not slow down by this.
-ApplicativeCache=Applicative 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.
-MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete.
-MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled.
-OPCodeCache=OPCode cache
-NoOPCodeCacheFound=No OPCode cache found. May be you use another OPCode cache than XCache or eAccelerator (good), may be you don't have OPCode cache (very bad).
-HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript)
-FilesOfTypeCached=Files of type %s are cached by HTTP server
-FilesOfTypeNotCached=Files of type %s are not cached by HTTP server
-FilesOfTypeCompressed=Files of type %s are compressed by HTTP server
-FilesOfTypeNotCompressed=Files of type %s are not compressed by HTTP server
-CacheByServer=Cache by server
-CacheByClient=Cache by browser
-CompressionOfResources=Compression of HTTP responses
-TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers
-##### Products #####
-ProductSetup=Products module setup
-ServiceSetup=Services module setup
-ProductServiceSetup=Products and Services modules setup
-NumberOfProductShowInSelect=Max number of products in combos select lists (0=no limit)
-ConfirmDeleteProductLineAbility=Confirmation when removing product lines in forms
-ModifyProductDescAbility=Personalization of product descriptions in forms
-ViewProductDescInFormAbility=Visualization of product descriptions in the forms (otherwise as popup tooltip)
-MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal
-ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the thirdparty language
-UseSearchToSelectProductTooltip=Also if you have a large number of product (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectProduct=Use a search form to choose a product (rather than a drop-down list).
-UseEcoTaxeAbility=Support Eco-Taxe (WEEE)
-SetDefaultBarcodeTypeProducts=Default barcode type to use for products
-SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties
-UseUnits=Support units
-ProductCodeChecker= Module for product code generation and checking (product or service)
-ProductOtherConf= Product / Service configuration
-##### Syslog #####
-SyslogSetup=Logs module setup
-SyslogOutput=Logs outputs
-SyslogSyslog=Syslog
-SyslogFacility=Facility
-SyslogLevel=Level
-SyslogSimpleFile=File
-SyslogFilename=File name and path
-YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file.
-ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant
-OnlyWindowsLOG_USER=Windows only supports LOG_USER
-##### Donations #####
-DonationsSetup=Donation module setup
-DonationsReceiptModel=Template of donation receipt
-##### Barcode #####
-BarcodeSetup=Barcode setup
-PaperFormatModule=Print format module
-BarcodeEncodeModule=Barcode encoding type
-UseBarcodeInProductModule=Use bar codes for products
-CodeBarGenerator=Barcode generator
-ChooseABarCode=No generator defined
-FormatNotSupportedByGenerator=Format not supported by this generator
-BarcodeDescEAN8=Barcode of type EAN8
-BarcodeDescEAN13=Barcode of type EAN13
-BarcodeDescUPC=Barcode of type UPC
-BarcodeDescISBN=Barcode of type ISBN
-BarcodeDescC39=Barcode of type C39
-BarcodeDescC128=Barcode of type C128
-BarcodeDescDATAMATRIX=Barcode of type Datamatrix
-BarcodeDescQRCODE=Barcode of type QR code
-GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".<br>For example: /usr/local/bin/genbarcode
-BarcodeInternalEngine=Internal engine
-BarCodeNumberManager=Manager to auto define barcode numbers
-##### Prelevements #####
-WithdrawalsSetup=Withdrawal module setup
-##### ExternalRSS #####
-ExternalRSSSetup=External RSS imports setup
-NewRSS=New RSS Feed
-RSSUrl=RSS URL
-RSSUrlExample=An interesting RSS feed
-##### Mailing #####
-MailingSetup=EMailing module setup
-MailingEMailFrom=Sender EMail (From) for emails sent by emailing module
-MailingEMailError=Return EMail (Errors-to) for emails with errors
-MailingDelay=Seconds to wait after sending next message
-##### Notification #####
-NotificationSetup=EMail notification module setup
-NotificationEMailFrom=Sender EMail (From) for emails sent for notifications
-ListOfAvailableNotifications=List of events you can set notification on, for each thirdparty (go into thirdparty card to setup) or by setting a fixed email (List depends on activated modules)
-FixedEmailTarget=Fixed email target
-##### Sendings #####
-SendingsSetup=Sending module setup
-SendingsReceiptModel=Sending receipt model
-SendingsNumberingModules=Sendings numbering modules
-SendingsAbility=Support shipment sheets for customer deliveries
-NoNeedForDeliveryReceipts=In most cases, sendings receipts are used both as sheets for customer deliveries (list of products to send) and sheets that is recevied and signed by customer. So product deliveries receipts is a duplicated feature and is rarely activated.
-FreeLegalTextOnShippings=Free text on shipments
-##### Deliveries #####
-DeliveryOrderNumberingModules=Products deliveries receipt numbering module
-DeliveryOrderModel=Products deliveries receipt model
-DeliveriesOrderAbility=Support products deliveries receipts
-FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts
-##### FCKeditor #####
-AdvancedEditor=Advanced editor
-ActivateFCKeditor=Activate advanced editor for:
-FCKeditorForCompany=WYSIWIG creation/edition of elements description and note (except products/services)
-FCKeditorForProduct=WYSIWIG creation/edition of products/services description and note
-FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). <font class="warning">Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formating when building PDF files.</font>
-FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing)
-FCKeditorForUserSignature=WYSIWIG creation/edition of user signature
-FCKeditorForMail=WYSIWIG creation/edition for all mail (except Outils->eMailing)
-##### OSCommerce 1 #####
-OSCommerceErrorConnectOkButWrongDatabase=Connection succeeded but database doesn't look to be an OSCommerce database (Key %s not found in table %s).
-OSCommerceTestOk=Connection to server '%s' on database '%s' with user '%s' successfull.
-OSCommerceTestKo1=Connection to server '%s' succeed but database '%s' could not be reached.
-OSCommerceTestKo2=Connection to server '%s' with user '%s' failed.
-##### Stock #####
-StockSetup=Warehouse module setup
-UserWarehouse=Use user personal warehouses
-IfYouUsePointOfSaleCheckModule=If you use a Point of Sale module (POS module provided by default or another external module), this setup may be ignored by your Point Of Sale module. Most point of sales modules are designed to create immediatly an invoice and decrease stock by default whatever are options here. So, if you need or not to have a stock decrease when registering a sell from your Point Of Sale, check also your POS module set up.
-##### Menu #####
-MenuDeleted=Menu deleted
-TreeMenu=Tree menus
-Menus=Menus
-TreeMenuPersonalized=Personalized menus
-NewMenu=New menu
-MenuConf=Menus setup
-Menu=Selection of menu
-MenuHandler=Menu handler
-MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
-DetailId=Id menu
-DetailMenuHandler=Menu handler where to show new menu
-DetailMenuModule=Module name if menu entry come from a module
-DetailType=Type of menu (top or left)
-DetailTitre=Menu label or label code for translation
-DetailMainmenu=Group for which it belongs (obsolete)
-DetailUrl=URL where menu send you (Absolute URL link or external link with http://)
-DetailLeftmenu=Display condition or not (obsolete)
-DetailEnabled=Condition to show or not entry
-DetailRight=Condition to display unauthorized grey menus
-DetailLangs=Lang file name for label code translation
-DetailUser=Intern / Extern / All
-Target=Target
-DetailTarget=Target for links (_blank top open a new window)
-DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu)
-ModifMenu=Menu change
-DeleteMenu=Delete menu entry
-ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
-DeleteLine=Delete line
-ConfirmDeleteLine=Are you sure you want to delete this line ?
-##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
-OptionVatMode=VAT due
-OptionVATDefault=Cash basis
-OptionVATDebitOption=Accrual basis
-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 chosen option:
-OnDelivery=On delivery
-OnPayment=On payment
-OnInvoice=On invoice
-SupposedToBePaymentDate=Payment date used
-SupposedToBeInvoiceDate=Invoice date used
-Buy=Buy
-Sell=Sell
-InvoiceDateUsed=Invoice date used
-YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Foundation), so there is no VAT options to setup.
-AccountancyCode=Accountancy Code
-AccountancyCodeSell=Sale account. code
-AccountancyCodeBuy=Purchase account. code
-##### Agenda #####
-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 -> Dictionary -> Type of agenda events)
-AGENDA_DEFAULT_FILTER_TYPE=Set automatically this type of event into search filter of agenda view
-AGENDA_DEFAULT_FILTER_STATUS=Set automatically this status for events into search filter of agenda view
-AGENDA_DEFAULT_VIEW=Which tab do you want to open by default when selecting menu Agenda
-##### 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) #####
-CashDesk=Point of sales
-CashDeskSetup=Point of sales module setup
-CashDeskThirdPartyForSell=Default generic third party to use for sells
-CashDeskBankAccountForSell=Default account to use to receive cash payments
-CashDeskBankAccountForCheque= Default account to use to receive payments by cheque
-CashDeskBankAccountForCB= Default account to use to receive payments by credit cards
-CashDeskDoNotDecreaseStock=Disable stock decrease when a sell is done from Point of Sale (if "no", stock decrease is done for each sell done from POS, whatever is option set into module Stock).
-CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease
-StockDecreaseForPointOfSaleDisabled=Stock decrease from Point Of Sale disabled
-StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with lot management
-CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sell from Point Of Sale. So a warehouse is required.
-##### Bookmark #####
-BookmarkSetup=Bookmark module setup
-BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or externale web sites on your left menu.
-NbOfBoomarkToShow=Maximum number of bookmarks to show in left menu
-##### WebServices #####
-WebServicesSetup=Webservices module setup
-WebServicesDesc=By enabling this module, Dolibarr become a web service server to provide miscellaneous web services.
-WSDLCanBeDownloadedHere=WSDL descriptor files of provided services can be download here
-EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at Url
-##### API ####
-ApiSetup=API module setup
-ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
-KeyForApiAccess=Key to use API (parameter "api_key")
-ApiEndPointIs=You can access to the API at url
-ApiExporerIs=You can explore the API at url
-OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
-##### Bank #####
-BankSetupModule=Bank module setup
-FreeLegalTextOnChequeReceipts=Free text on cheque receipts
-BankOrderShow=Display order of bank accounts for countries using "detailed bank number"
-BankOrderGlobal=General
-BankOrderGlobalDesc=General display order
-BankOrderES=Spanish
-BankOrderESDesc=Spanish display order
-##### Multicompany #####
-MultiCompanySetup=Multi-company module setup
-##### Suppliers #####
-SuppliersSetup=Supplier module setup
-SuppliersCommandModel=Complete template of supplier order (logo...)
-SuppliersInvoiceModel=Complete template of supplier invoice (logo...)
-SuppliersInvoiceNumberingModel=Supplier invoices numbering models
-IfSetToYesDontForgetPermission=If set to yes, don't forget to provide permissions to groups or users allowed for the second approval
-##### GeoIPMaxmind #####
-GeoIPMaxmindSetup=GeoIP Maxmind module setup
-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
-NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions).
-YouCanDownloadFreeDatFileTo=You can download a <b>free demo version</b> of the Maxmind GeoIP country file at %s.
-YouCanDownloadAdvancedDatFileTo=You can also download a more <b>complete version, with updates,</b> of the Maxmind GeoIP country file at %s.
-TestGeoIPResult=Test of a conversion IP -> country
-##### Projects #####
-ProjectsNumberingModules=Projects numbering module
-ProjectsSetup=Project module setup
-ProjectsModelModule=Project reports document model
-TasksNumberingModules=Tasks numbering module
-TaskModelModule=Tasks reports document model
-##### ECM (GED) #####
-ECMSetup = GED Setup
-ECMAutoTree = Automatic tree folder and document
-##### Fiscal Year #####
-FiscalYears=Fiscal years
-FiscalYear=Fiscal year
-FiscalYearCard=Fiscal year card
-NewFiscalYear=New fiscal year
-EditFiscalYear=Edit fiscal year
-OpenFiscalYear=Open fiscal year
-CloseFiscalYear=Close fiscal year
-DeleteFiscalYear=Delete fiscal year
-ConfirmDeleteFiscalYear=Are you sure to delete this fiscal year ?
-Opened=Open
-Closed=Closed
-AlwaysEditable=Can always be edited
-MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application)
-NbMajMin=Minimum number of uppercase characters
-NbNumMin=Minimum number of numeric characters
-NbSpeMin=Minimum number of special characters
-NbIteConsecutive=Maximum number of repeating same characters
-NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation
-SalariesSetup=Setup of module salaries
-SortOrder=Sort order
-Format=Format
-TypePaymentDesc=0:Customer payment type, 1:Supplier payment type, 2:Both customers and suppliers payment type
-IncludePath=Include path (defined into variable %s)
-ExpenseReportsSetup=Setup of module Expense Reports
-TemplatePDFExpenseReports=Document templates to generate expense report document
-NoModueToManageStockDecrease=No module able to manage automatic stock decrease has been activated. Stock decrease will be done on manual input only.
-NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only.
-YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for EMail notifications by enabling and configuring the module "Notification".
-ListOfNotificationsPerContact=List of notifications per contact*
-ListOfFixedNotifications=List of fixed notifications
-GoOntoContactCardToAddMore=Go on the tab "Notifications" of a thirdparty contact to add or remove notifications for contacts/addresses
-Threshold=Threshold
-BackupDumpWizard=Wizard to build database backup dump file
-SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason:
-SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is only manual steps a privileged user can do.
-InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file <strong>%s</strong> to allow this feature.
-ConfFileMuseContainCustom=Installing an external module from application save the module files into directory <strong>%s</strong>. To have this directory processed by Dolibarr, you must setup your <strong>conf/conf.php</strong> to have option<br>- <strong>$dolibarr_main_url_root_alt</strong> enabled to value <strong>$dolibarr_main_url_root_alt="/custom"</strong><br>- <strong>$dolibarr_main_document_root_alt</strong> enabled to value <strong>"%s/custom"</strong>
-HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
-PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
-NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
diff --git a/htdocs/langs/en_GB/banks.lang b/htdocs/langs/en_GB/banks.lang
deleted file mode 100644
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..0000000000000000000000000000000000000000
--- a/htdocs/langs/en_GB/banks.lang
+++ /dev/null
@@ -1,167 +0,0 @@
-# Dolibarr language file - Source file is en_US - banks
-Bank=Bank
-Banks=Banks
-MenuBankCash=Bank/Cash
-MenuSetupBank=Bank/Cash setup
-BankName=Bank name
-FinancialAccount=Account
-FinancialAccounts=Accounts
-BankAccount=Bank account
-BankAccounts=Bank accounts
-ShowAccount=Show Account
-AccountRef=Financial account ref
-AccountLabel=Financial account label
-CashAccount=Cash account
-CashAccounts=Cash accounts
-MainAccount=Main account
-CurrentAccount=Current account
-CurrentAccounts=Current accounts
-SavingAccount=Savings account
-SavingAccounts=Savings accounts
-ErrorBankLabelAlreadyExists=Financial account label already exists
-BankBalance=Balance
-BankBalanceBefore=Balance before
-BankBalanceAfter=Balance after
-BalanceMinimalAllowed=Minimum allowed balance
-BalanceMinimalDesired=Minimum desired balance
-InitialBankBalance=Initial balance
-EndBankBalance=End balance
-CurrentBalance=Current balance
-FutureBalance=Future balance
-ShowAllTimeBalance=Show balance from start
-AllTime=From start
-Reconciliation=Reconciliation
-RIB=Bank Account Number
-IBAN=IBAN number
-IbanValid=IBAN is Valid
-IbanNotValid=IBAN is Not Valid
-BIC=BIC/SWIFT number
-SwiftValid=BIC/SWIFT is Valid
-SwiftNotValid=BIC/SWIFT is Not Valid
-StandingOrders=Standing orders
-StandingOrder=Standing order
-Withdrawals=Withdrawals
-Withdrawal=Withdrawal
-AccountStatement=Account statement
-AccountStatementShort=Statement
-AccountStatements=Account statements
-LastAccountStatements=Last account statements
-Rapprochement=Reconciliate
-IOMonthlyReporting=Monthly reporting
-BankAccountDomiciliation=Account address
-BankAccountCountry=Account country
-BankAccountOwner=Account owner name
-BankAccountOwnerAddress=Account owner address
-RIBControlError=Integrity check of values fails. This means information for this account number are not complete or wrong (check country, numbers and IBAN).
-CreateAccount=Create account
-NewAccount=New account
-NewBankAccount=New bank account
-NewFinancialAccount=New financial account
-MenuNewFinancialAccount=New financial account
-NewCurrentAccount=New current account
-NewSavingAccount=New savings account
-NewCashAccount=New cash account
-EditFinancialAccount=Edit account
-AccountSetup=Financial accounts setup
-SearchBankMovement=Search bank movement
-Debts=Debts
-LabelBankCashAccount=Bank or cash label
-AccountType=Account type
-BankType0=Savings account
-BankType1=Current or credit card account
-BankType2=Cash account
-IfBankAccount=If bank account
-AccountsArea=Accounts area
-AccountCard=Account card
-DeleteAccount=Delete account
-ConfirmDeleteAccount=Are you sure you want to delete this account ?
-Account=Account
-ByCategories=By categories
-ByRubriques=By categories
-BankTransactionByCategories=Bank transactions by categories
-BankTransactionForCategory=Bank transactions for category <b>%s</b>
-RemoveFromRubrique=Remove link with category
-RemoveFromRubriqueConfirm=Are you sure you want to remove link between the transaction and the category ?
-ListBankTransactions=List of bank transactions
-IdTransaction=Transaction ID
-BankTransactions=Bank transactions
-SearchTransaction=Search transaction
-ListTransactions=List transactions
-ListTransactionsByCategory=List transaction/category
-TransactionsToConciliate=Transactions to reconcile
-Conciliable=Can be reconciled
-Conciliate=Reconcile
-Conciliation=Reconciliation
-ConciliationForAccount=Reconcile this account
-IncludeClosedAccount=Include closed accounts
-OnlyOpenedAccount=Only open accounts
-AccountToCredit=Account to credit
-AccountToDebit=Account to debit
-DisableConciliation=Disable reconciliation feature for this account
-ConciliationDisabled=Reconciliation feature disabled
-StatusAccountOpened=Open
-StatusAccountClosed=Closed
-AccountIdShort=Number
-EditBankRecord=Edit record
-LineRecord=Transaction
-AddBankRecord=Add transaction
-AddBankRecordLong=Add transaction manually
-ConciliatedBy=Reconciled by
-DateConciliating=Reconcile date
-BankLineConciliated=Transaction reconciled
-CustomerInvoicePayment=Customer payment
-CustomerInvoicePaymentBack=Customer payment back
-SupplierInvoicePayment=Supplier payment
-WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
-FinancialAccountJournal=Financial account journal
-BankTransfer=Bank transfer
-BankTransfers=Bank transfers
-TransferDesc=Transfer from one account to another one, Dolibarr will write two records (a debit in source account and a credit in target account, of the same amount. The same label and date will be used for this transaction)
-TransferFrom=From
-TransferTo=To
-TransferFromToDone=A transfer from <b>%s</b> to <b>%s</b> of <b>%s</b> %s has been recorded.
-CheckTransmitter=Transmitter
-ValidateCheckReceipt=Validate this check receipt ?
-ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done ?
-DeleteCheckReceipt=Delete this check receipt ?
-ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt ?
-BankChecks=Bank checks
-BankChecksToReceipt=Checks waiting for deposit
-ShowCheckReceipt=Show check deposit receipt
-NumberOfCheques=Nb of check
-DeleteTransaction=Delete transaction
-ConfirmDeleteTransaction=Are you sure you want to delete this transaction ?
-ThisWillAlsoDeleteBankRecord=This will also delete generated bank transactions
-BankMovements=Movements
-CashBudget=Cash budget
-PlannedTransactions=Planned transactions
-Graph=Graphics
-ExportDataset_banque_1=Bank transactions and account statement
-ExportDataset_banque_2=Deposit slip
-TransactionOnTheOtherAccount=Transaction on the other account
-TransactionWithOtherAccount=Account transfer
-PaymentNumberUpdateSucceeded=Payment number updated succesfully
-PaymentNumberUpdateFailed=Payment number could not be updated
-PaymentDateUpdateSucceeded=Payment date update succesfully
-PaymentDateUpdateFailed=Payment date could not be updated
-Transactions=Transactions
-BankTransactionLine=Bank transaction
-AllAccounts=All bank/cash accounts
-BackToAccount=Back to account
-ShowAllAccounts=Show for all accounts
-FutureTransaction=Transaction in futur. No way to conciliate.
-SelectChequeTransactionAndGenerate=Select/filter checks to include into the check deposit receipt and click on "Create".
-InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD
-EventualyAddCategory=Eventually, specify a category in which to classify the records
-ToConciliate=To conciliate?
-ThenCheckLinesAndConciliate=Then, check the lines present in the bank statement and click
-BankDashboard=Bank accounts summary
-DefaultRIB=Default BAN
-AllRIB=All BAN
-LabelRIB=BAN Label
-NoBANRecord=No BAN record
-DeleteARib=Delete BAN record
-ConfirmDeleteRib=Are you sure you want to delete this BAN record ?
-StartDate=Start date
-EndDate=End date
diff --git a/htdocs/langs/en_GB/bills.lang b/htdocs/langs/en_GB/bills.lang
deleted file mode 100644
index b5c8d3b6653e731416674d9a9e3085b726a41f8b..0000000000000000000000000000000000000000
--- a/htdocs/langs/en_GB/bills.lang
+++ /dev/null
@@ -1,434 +0,0 @@
-# Dolibarr language file - Source file is en_US - bills
-Bill=Invoice
-Bills=Invoices
-BillsCustomers=Customers invoices
-BillsCustomer=Customers invoice
-BillsSuppliers=Suppliers invoices
-BillsCustomersUnpaid=Unpaid customers invoices
-BillsCustomersUnpaidForCompany=Unpaid customer's invoices for %s
-BillsSuppliersUnpaid=Unpaid supplier's invoices
-BillsSuppliersUnpaidForCompany=Unpaid supplier's invoices for %s
-BillsLate=Late payments
-BillsStatistics=Customers invoices statistics
-BillsStatisticsSuppliers=Suppliers invoices statistics
-DisabledBecauseNotErasable=Disabled because can not be erased
-InvoiceStandard=Standard invoice
-InvoiceStandardAsk=Standard invoice
-InvoiceStandardDesc=This kind of invoice is the common invoice.
-InvoiceDeposit=Deposit invoice
-InvoiceDepositAsk=Deposit invoice
-InvoiceDepositDesc=This kind of invoice is done when a deposit has been received.
-InvoiceProForma=Proforma invoice
-InvoiceProFormaAsk=Proforma invoice
-InvoiceProFormaDesc=<b>Proforma invoice</b> is an image of a true invoice but has no accountancy value.
-InvoiceReplacement=Replacement invoice
-InvoiceReplacementAsk=Replacement invoice for invoice
-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'.
-InvoiceAvoir=Credit note
-InvoiceAvoirAsk=Credit note to correct invoice
-InvoiceAvoirDesc=The <b>credit note</b> is a negative invoice used to solve fact that an invoice has an amount that differs than amount really paid (because customer paid too much by error, or will not paid completely since he returned some products for example).
-invoiceAvoirWithLines=Create Credit Note with lines from the origin invoice
-invoiceAvoirWithPaymentRestAmount=Create Credit Note with remaining unpaid of origin invoice
-invoiceAvoirLineWithPaymentRestAmount=Credit Note for remaining unpaid amount
-ReplaceInvoice=Replace invoice %s
-ReplacementInvoice=Replacement invoice
-ReplacedByInvoice=Replaced by invoice %s
-ReplacementByInvoice=Replaced by invoice
-CorrectInvoice=Correct invoice %s
-CorrectionInvoice=Correction invoice
-UsedByInvoice=Used to pay invoice %s
-ConsumedBy=Consumed by
-NotConsumed=Not consumed
-NoReplacableInvoice=No replacable invoices
-NoInvoiceToCorrect=No invoice to correct
-InvoiceHasAvoir=Corrected by one or several invoices
-CardBill=Invoice card
-PredefinedInvoices=Predefined Invoices
-Invoice=Invoice
-Invoices=Invoices
-InvoiceLine=Invoice line
-InvoiceCustomer=Customer invoice
-CustomerInvoice=Customer invoice
-CustomersInvoices=Customers invoices
-SupplierInvoice=Supplier invoice
-SuppliersInvoices=Suppliers invoices
-SupplierBill=Supplier invoice
-SupplierBills=suppliers invoices
-Payment=Payment
-PaymentBack=Payment back
-Payments=Payments
-PaymentsBack=Payments back
-PaidBack=Paid back
-DatePayment=Payment date
-DeletePayment=Delete payment
-ConfirmDeletePayment=Are you sure you want to delete this payment ?
-ConfirmConvertToReduc=Do you want to convert this credit note or deposit into an absolute discount ?<br>The amount will so be saved among all discounts and could be used as a discount for a current or a future invoice for this customer.
-SupplierPayments=Suppliers payments
-ReceivedPayments=Received payments
-ReceivedCustomersPayments=Payments received from customers
-PayedSuppliersPayments=Payments payed to suppliers
-ReceivedCustomersPaymentsToValid=Received customers payments to validate
-PaymentsReportsForYear=Payments reports for %s
-PaymentsReports=Payments reports
-PaymentsAlreadyDone=Payments already done
-PaymentsBackAlreadyDone=Payments back already done
-PaymentRule=Payment rule
-PaymentMode=Payment type
-PaymentTerm=Payment term
-PaymentConditions=Payment terms
-PaymentConditionsShort=Payment terms
-PaymentAmount=Payment amount
-ValidatePayment=Validate payment
-PaymentHigherThanReminderToPay=Payment higher than reminder to pay
-HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the rest to pay. <br> Edit your entry, otherwise confirm and think about creating a credit note of the excess received for each overpaid invoices.
-HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the rest to pay. <br> Edit your entry, otherwise confirm.
-ClassifyPaid=Classify 'Paid'
-ClassifyPaidPartially=Classify 'Paid partially'
-ClassifyCanceled=Classify 'Abandoned'
-ClassifyClosed=Classify 'Closed'
-ClassifyUnBilled=Classify 'Unbilled'
-CreateBill=Create Invoice
-AddBill=Create invoice or credit note
-AddToDraftInvoices=Add to draft invoice
-DeleteBill=Delete invoice
-SearchACustomerInvoice=Search for a customer invoice
-SearchASupplierInvoice=Search for a supplier invoice
-CancelBill=Cancel an invoice
-SendRemindByMail=Send reminder by EMail
-DoPayment=Do payment
-DoPaymentBack=Do payment back
-ConvertToReduc=Convert into future discount
-EnterPaymentReceivedFromCustomer=Enter payment received from customer
-EnterPaymentDueToCustomer=Make payment due to customer
-DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero
-Amount=Amount
-PriceBase=Price base
-BillStatus=Invoice status
-BillStatusDraft=Draft (needs to be validated)
-BillStatusPaid=Paid
-BillStatusPaidBackOrConverted=Paid or converted into discount
-BillStatusConverted=Paid (ready for final invoice)
-BillStatusCanceled=Abandoned
-BillStatusValidated=Validated (needs to be paid)
-BillStatusStarted=Started
-BillStatusNotPaid=Not paid
-BillStatusClosedUnpaid=Closed (unpaid)
-BillStatusClosedPaidPartially=Paid (partially)
-BillShortStatusDraft=Draft
-BillShortStatusPaid=Paid
-BillShortStatusPaidBackOrConverted=Processed
-BillShortStatusConverted=Processed
-BillShortStatusCanceled=Abandoned
-BillShortStatusValidated=Validated
-BillShortStatusStarted=Started
-BillShortStatusNotPaid=Not paid
-BillShortStatusClosedUnpaid=Closed
-BillShortStatusClosedPaidPartially=Paid (partially)
-PaymentStatusToValidShort=To validate
-ErrorVATIntraNotConfigured=Intracommunautary VAT number not yet defined
-ErrorNoPaiementModeConfigured=No default payment mode defined. Go to Invoice module setup to fix this.
-ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment modes
-ErrorBillNotFound=Invoice %s does not exist
-ErrorInvoiceAlreadyReplaced=Error, you try to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s.
-ErrorDiscountAlreadyUsed=Error, discount already used
-ErrorInvoiceAvoirMustBeNegative=Error, correct invoice must have a negative amount
-ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have a positive amount
-ErrorCantCancelIfReplacementInvoiceNotValidated=Error, can't cancel an invoice that has been replaced by another invoice that is still in draft status
-BillFrom=From
-BillTo=To
-ActionsOnBill=Actions on invoice
-NewBill=New invoice
-LastBills=Last %s invoices
-LastCustomersBills=Last %s customers invoices
-LastSuppliersBills=Last %s suppliers invoices
-AllBills=All invoices
-OtherBills=Other invoices
-DraftBills=Draft invoices
-CustomersDraftInvoices=Customers draft invoices
-SuppliersDraftInvoices=Suppliers draft invoices
-Unpaid=Unpaid
-ConfirmDeleteBill=Are you sure you want to delete this invoice ?
-ConfirmValidateBill=Are you sure you want to validate this invoice with reference <b>%s</b> ?
-ConfirmUnvalidateBill=Are you sure you want to change invoice <b>%s</b> to draft status ?
-ConfirmClassifyPaidBill=Are you sure you want to change invoice <b>%s</b> to status paid ?
-ConfirmCancelBill=Are you sure you want to cancel invoice <b>%s</b> ?
-ConfirmCancelBillQuestion=Why do you want to classify this invoice 'abandoned' ?
-ConfirmClassifyPaidPartially=Are you sure you want to change invoice <b>%s</b> to status paid ?
-ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What are reasons for you to close this invoice ?
-ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid <b>(%s %s)</b> is a discount granted because payment was made before term. I regularise the VAT with a credit note.
-ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Remaining unpaid <b>(%s %s)</b> is a discount granted because payment was made before term. I accept to lose the VAT on this discount.
-ConfirmClassifyPaidPartiallyReasonDiscountVat=Remaining unpaid <b>(%s %s)</b> is a discount granted because payment was made before term. I recover the VAT on this discount without a credit note.
-ConfirmClassifyPaidPartiallyReasonBadCustomer=Bad customer
-ConfirmClassifyPaidPartiallyReasonProductReturned=Products partially returned
-ConfirmClassifyPaidPartiallyReasonOther=Amount abandoned for other reason
-ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice have been provided with suitable comment. (Example «Only the tax corresponding to the price that have been actually paid gives rights to deduction»)
-ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In some countries, this choice might be possible only if your invoice contains correct note.
-ConfirmClassifyPaidPartiallyReasonAvoirDesc=Use this choice if all other does not suit
-ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A <b>bad customer</b> is a customer that refuse to pay his debt.
-ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=This choice is used when payment is not complete because some of products were returned
-ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all other does not suit, for example in following situation:<br>- payment not complete because some products were shipped back<br>- amount claimed too important because a discount was forgotten<br>In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note.
-ConfirmClassifyAbandonReasonOther=Other
-ConfirmClassifyAbandonReasonOtherDesc=This choice will be used in all other cases. For example because you plan to create a replacing invoice.
-ConfirmCustomerPayment=Do you confirm this payment input for <b>%s</b> %s ?
-ConfirmSupplierPayment=Do you confirm this payment input for <b>%s</b> %s ?
-ConfirmValidatePayment=Are you sure you want to validate this payment ? No change can be made once payment is validated.
-ValidateBill=Validate invoice
-UnvalidateBill=Unvalidate invoice
-NumberOfBills=Nb of invoices
-NumberOfBillsByMonth=Nb of invoices by month
-AmountOfBills=Amount of invoices
-AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
-ShowBill=Show invoice
-ShowInvoice=Show invoice
-ShowInvoiceReplace=Show replacing invoice
-ShowInvoiceAvoir=Show credit note
-ShowInvoiceDeposit=Show deposit invoice
-ShowPayment=Show payment
-File=File
-AlreadyPaid=Already paid
-AlreadyPaidBack=Already paid back
-AlreadyPaidNoCreditNotesNoDeposits=Already paid (without credit notes and deposits)
-Abandoned=Abandoned
-RemainderToPay=Remaining unpaid
-RemainderToTake=Remaining amount to take
-RemainderToPayBack=Remaining amount to pay back
-Rest=Pending
-AmountExpected=Amount claimed
-ExcessReceived=Excess received
-EscompteOffered=Discount offered (payment before term)
-SendBillRef=Submission of invoice %s
-SendReminderBillRef=Submission of invoice %s (reminder)
-StandingOrders=Standing orders
-StandingOrder=Standing order
-NoDraftBills=No draft invoices
-NoOtherDraftBills=No other draft invoices
-NoDraftInvoices=No draft invoices
-RefBill=Invoice ref
-ToBill=To bill
-RemainderToBill=Remainder to bill
-SendBillByMail=Send invoice by email
-SendReminderBillByMail=Send reminder by email
-RelatedCommercialProposals=Related commercial proposals
-MenuToValid=To valid
-DateMaxPayment=Payment due before
-DateEcheance=Due date limit
-DateInvoice=Invoice date
-NoInvoice=No invoice
-ClassifyBill=Classify invoice
-SupplierBillsToPay=Suppliers invoices to pay
-CustomerBillsUnpaid=Unpaid customers invoices
-DispenseMontantLettres=The written invoices through mecanographic procedures are dispensed by the order in letters
-NonPercuRecuperable=Non-recoverable
-SetConditions=Set payment terms
-SetMode=Set payment mode
-Billed=Billed
-RepeatableInvoice=Template invoice
-RepeatableInvoices=Template invoices
-Repeatable=Template
-Repeatables=Templates
-ChangeIntoRepeatableInvoice=Convert into template invoice
-CreateRepeatableInvoice=Create template invoice
-CreateFromRepeatableInvoice=Create from template invoice
-CustomersInvoicesAndInvoiceLines=Customer invoices and invoice's lines
-CustomersInvoicesAndPayments=Customer invoices and payments
-ExportDataset_invoice_1=Customer invoices list and invoice's lines
-ExportDataset_invoice_2=Customer invoices and payments
-ProformaBill=Proforma Bill:
-Reduction=Reduction
-ReductionShort=Reduc.
-Reductions=Reductions
-ReductionsShort=Reduc.
-Discount=Discount
-Discounts=Discounts
-AddDiscount=Create discount
-AddRelativeDiscount=Create relative discount
-EditRelativeDiscount=Edit relative discount
-AddGlobalDiscount=Create absolute discount
-EditGlobalDiscounts=Edit absolute discounts
-AddCreditNote=Create credit note
-ShowDiscount=Show discount
-ShowReduc=Show the deduction
-RelativeDiscount=Relative discount
-GlobalDiscount=Global discount
-CreditNote=Credit note
-CreditNotes=Credit notes
-Deposit=Deposit
-Deposits=Deposits
-DiscountFromCreditNote=Discount from credit note %s
-DiscountFromDeposit=Payments from deposit invoice %s
-AbsoluteDiscountUse=This kind of credit can be used on invoice before its validation
-CreditNoteDepositUse=Invoice must be validated to use this king of credits
-NewGlobalDiscount=New absolute discount
-NewRelativeDiscount=New relative discount
-NoteReason=Note/Reason
-ReasonDiscount=Reason
-DiscountOfferedBy=Granted by
-DiscountStillRemaining=Discounts still remaining
-DiscountAlreadyCounted=Discounts already counted
-BillAddress=Bill address
-HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
-HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
-HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
-PaymentId=Payment id
-InvoiceId=Invoice id
-InvoiceRef=Invoice ref.
-InvoiceDateCreation=Invoice creation date
-InvoiceStatus=Invoice status
-InvoiceNote=Invoice note
-InvoicePaid=Invoice paid
-PaymentNumber=Payment number
-RemoveDiscount=Remove discount
-WatermarkOnDraftBill=Watermark on draft invoices (nothing if empty)
-InvoiceNotChecked=No invoice selected
-CloneInvoice=Clone invoice
-ConfirmCloneInvoice=Are you sure you want to clone this invoice <b>%s</b> ?
-DisabledBecauseReplacedInvoice=Action disabled because invoice has been replaced
-DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payment during the fixed year are included here.
-NbOfPayments=Nb of payments
-SplitDiscount=Split discount in two
-ConfirmSplitDiscount=Are you sure you want to split this discount of <b>%s</b> %s into 2 lower discounts ?
-TypeAmountOfEachNewDiscount=Input amount for each of two parts :
-TotalOfTwoDiscountMustEqualsOriginal=Total of two new discount must be equal to original discount amount.
-ConfirmRemoveDiscount=Are you sure you want to remove this discount ?
-RelatedBill=Related invoice
-RelatedBills=Related invoices
-RelatedCustomerInvoices=Related customer invoices
-RelatedSupplierInvoices=Related supplier invoices
-LatestRelatedBill=Latest related invoice
-WarningBillExist=Warning, one or more invoice already exist
-MergingPDFTool=Merging PDF tool
-
-# PaymentConditions
-PaymentConditionShortRECEP=Immediate
-PaymentConditionRECEP=Immediate
-PaymentConditionShort30D=30 days
-PaymentCondition30D=30 days
-PaymentConditionShort30DENDMONTH=30 days end of month
-PaymentCondition30DENDMONTH=30 days end of month
-PaymentConditionShort60D=60 days
-PaymentCondition60D=60 days
-PaymentConditionShort60DENDMONTH=60 days end of month
-PaymentCondition60DENDMONTH=60 days end of month
-PaymentConditionShortPT_DELIVERY=Delivery
-PaymentConditionPT_DELIVERY=On delivery
-PaymentConditionShortPT_ORDER=On order
-PaymentConditionPT_ORDER=On order
-PaymentConditionShortPT_5050=50-50
-PaymentConditionPT_5050=50%% in advance, 50%% on delivery
-FixAmount=Fix amount
-VarAmount=Variable amount (%% tot.)
-# PaymentType
-PaymentTypeVIR=Bank deposit
-PaymentTypeShortVIR=Bank deposit
-PaymentTypePRE=Bank's order
-PaymentTypeShortPRE=Bank's order
-PaymentTypeLIQ=Cash
-PaymentTypeShortLIQ=Cash
-PaymentTypeCB=Credit card
-PaymentTypeShortCB=Credit card
-PaymentTypeCHQ=Check
-PaymentTypeShortCHQ=Check
-PaymentTypeTIP=TIP
-PaymentTypeShortTIP=TIP
-PaymentTypeVAD=On line payment
-PaymentTypeShortVAD=On line payment
-PaymentTypeTRA=Bill payment
-PaymentTypeShortTRA=Bill
-BankDetails=Bank details
-BankCode=Bank code
-DeskCode=Desk code
-BankAccountNumber=Account number
-BankAccountNumberKey=Key
-Residence=Domiciliation
-IBANNumber=IBAN number
-IBAN=IBAN
-BIC=BIC/SWIFT
-BICNumber=BIC/SWIFT number
-ExtraInfos=Extra infos
-RegulatedOn=Regulated on
-ChequeNumber=Check N°
-ChequeOrTransferNumber=Check/Transfer N°
-ChequeMaker=Check transmitter
-ChequeBank=Bank of Check
-CheckBank=Check
-NetToBePaid=Net to be paid
-PhoneNumber=Tel
-FullPhoneNumber=Telephone
-TeleFax=Fax
-PrettyLittleSentence=Accept the amount of payments due by checks issued in my name as a Member of an accounting association approved by the Fiscal Administration.
-IntracommunityVATNumber=Intracommunity number of VAT
-PaymentByChequeOrderedTo=Check payment (including tax) are payable to %s send to
-PaymentByChequeOrderedToShort=Check payment (including tax) are payable to
-SendTo=sent to
-PaymentByTransferOnThisBankAccount=Payment by transfer on the following bank account
-VATIsNotUsedForInvoice=* Non applicable VAT art-293B of CGI
-LawApplicationPart1=By application of the law 80.335 of 12/05/80
-LawApplicationPart2=the goods remain the property of
-LawApplicationPart3=the seller until the complete cashing of
-LawApplicationPart4=their price.
-LimitedLiabilityCompanyCapital=SARL with Capital of
-UseLine=Apply
-UseDiscount=Use discount
-UseCredit=Use credit
-UseCreditNoteInInvoicePayment=Reduce amount to pay with this credit
-MenuChequeDeposits=Checks deposits
-MenuCheques=Checks
-MenuChequesReceipts=Checks receipts
-NewChequeDeposit=New deposit
-ChequesReceipts=Checks receipts
-ChequesArea=Checks deposits area
-ChequeDeposits=Checks deposits
-Cheques=Checks
-CreditNoteConvertedIntoDiscount=This credit note or deposit invoice has been converted into %s
-UsBillingContactAsIncoiveRecipientIfExist=Use customer billing contact address instead of third party address as recipient for invoices
-ShowUnpaidAll=Show all unpaid invoices
-ShowUnpaidLateOnly=Show late unpaid invoices only
-PaymentInvoiceRef=Payment invoice %s
-ValidateInvoice=Validate invoice
-Cash=Cash
-Reported=Delayed
-DisabledBecausePayments=Not possible since there are some payments
-CantRemovePaymentWithOneInvoicePaid=Can't remove payment since there is at least one invoice classified paid
-ExpectedToPay=Expected payment
-PayedByThisPayment=Paid by this payment
-ClosePaidInvoicesAutomatically=Classify "Paid" all standard, situation or replacement invoices entirely paid.
-ClosePaidCreditNotesAutomatically=Classify "Paid" all credit notes entirely paid back.
-AllCompletelyPayedInvoiceWillBeClosed=All invoice with no remain to pay will be automatically closed to status "Paid".
-ToMakePayment=Pay
-ToMakePaymentBack=Pay back
-ListOfYourUnpaidInvoices=List of unpaid invoices
-NoteListOfYourUnpaidInvoices=Note: This list contains only invoices for third parties you are linked to as a sale representative.
-RevenueStamp=Revenue stamp
-YouMustCreateInvoiceFromThird=This option is only available when creating invoice from tab "customer" of thirdparty
-PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template)
-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
-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
-TypeContact_facture_external_BILLING=Customer invoice contact
-TypeContact_facture_external_SHIPPING=Customer shipping contact
-TypeContact_facture_external_SERVICE=Customer service contact
-TypeContact_invoice_supplier_internal_SALESREPFOLL=Representative following-up supplier invoice
-TypeContact_invoice_supplier_external_BILLING=Supplier invoice contact
-TypeContact_invoice_supplier_external_SHIPPING=Supplier shipping contact
-TypeContact_invoice_supplier_external_SERVICE=Supplier service contact
-# Situation invoices
-InvoiceFirstSituationAsk=First situation invoice
-InvoiceFirstSituationDesc=The <b>situation invoices</b> are tied to situations related to a progression, for example the progression of a construction. Each situation is tied to an invoice.
-InvoiceSituation=Situation invoice
-InvoiceSituationAsk=Invoice following the situation
-InvoiceSituationDesc=Create a new situation following an already existing one
-SituationAmount=Situation invoice amount(net)
-SituationDeduction=Situation subtraction
-Progress=Progress
-ModifyAllLines=Modify all lines
-CreateNextSituationInvoice=Create next situation
-NotLastInCycle=This invoice in not the last in cycle and must not be modified.
-DisabledBecauseNotLastInCycle=The next situation already exists.
-DisabledBecauseFinal=This situation is final.
-CantBeLessThanMinPercent=The progress can't be smaller than its value in the previous situation.
-NoSituations=No open situations
-InvoiceSituationLast=Final and general invoice
diff --git a/htdocs/langs/en_GB/interventions.lang b/htdocs/langs/en_GB/interventions.lang
deleted file mode 100644
index 84b26b1f95e09fc2fc1872c75da0c2922d92c3e8..0000000000000000000000000000000000000000
--- a/htdocs/langs/en_GB/interventions.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - interventions
-PrintProductsOnFichinterDetails=interventions generated from orders
diff --git a/htdocs/langs/en_GB/mails.lang b/htdocs/langs/en_GB/mails.lang
deleted file mode 100644
index 001b237ca8c71c5d3e7f887ac925918c2945842e..0000000000000000000000000000000000000000
--- a/htdocs/langs/en_GB/mails.lang
+++ /dev/null
@@ -1,143 +0,0 @@
-# Dolibarr language file - Source file is en_US - mails
-Mailing=EMailing
-EMailing=EMailing
-Mailings=EMailings
-EMailings=EMailings
-AllEMailings=All eMailings
-MailCard=EMailing card
-MailTargets=Targets
-MailRecipients=Recipients
-MailRecipient=Recipient
-MailTitle=Description
-MailFrom=Sender
-MailErrorsTo=Errors to
-MailReply=Reply to
-MailTo=Receiver(s)
-MailCC=Copy to
-MailCCC=Cached copy to
-MailTopic=EMail topic
-MailText=Message
-MailFile=Attached files
-MailMessage=EMail body
-ShowEMailing=Show emailing
-ListOfEMailings=List of emailings
-NewMailing=New emailing
-EditMailing=Edit emailing
-ResetMailing=Resend emailing
-DeleteMailing=Delete emailing
-DeleteAMailing=Delete an emailing
-PreviewMailing=Preview emailing
-PrepareMailing=Prepare emailing
-CreateMailing=Create emailing
-MailingDesc=This page allows you to send emailings to a group of people.
-MailingResult=Sending emails result
-TestMailing=Test email
-ValidMailing=Valid emailing
-ApproveMailing=Approve emailing
-MailingStatusDraft=Draft
-MailingStatusValidated=Validated
-MailingStatusApproved=Approved
-MailingStatusSent=Sent
-MailingStatusSentPartialy=Sent partialy
-MailingStatusSentCompletely=Sent completely
-MailingStatusError=Error
-MailingStatusNotSent=Not sent
-MailSuccessfulySent=Email successfully sent (from %s to %s)
-MailingSuccessfullyValidated=EMailing successfully validated
-MailUnsubcribe=Unsubscribe
-Unsuscribe=Unsubscribe
-MailingStatusNotContact=Don't contact anymore
-ErrorMailRecipientIsEmpty=Email recipient is empty
-WarningNoEMailsAdded=No new Email to add to recipient's list.
-ConfirmValidMailing=Are you sure you want to validate this emailing ?
-ConfirmResetMailing=Warning, by reinitializing emailing <b>%s</b>, you allow to make a mass sending of this email another time. Are you sure you this is what you want to do ?
-ConfirmDeleteMailing=Are you sure you want to delete this emailling ?
-NbOfRecipients=Number of recipients
-NbOfUniqueEMails=Nb of unique emails
-NbOfEMails=Nb of EMails
-TotalNbOfDistinctRecipients=Number of distinct recipients
-NoTargetYet=No recipients defined yet (Go on tab 'Recipients')
-AddRecipients=Add recipients
-RemoveRecipient=Remove recipient
-CommonSubstitutions=Common substitutions
-YouCanAddYourOwnPredefindedListHere=To create your email selector module, see htdocs/core/modules/mailings/README.
-EMailTestSubstitutionReplacedByGenericValues=When using test mode, substitutions variables are replaced by generic values
-MailingAddFile=Attach this file
-NoAttachedFiles=No attached files
-BadEMail=Bad value for EMail
-CloneEMailing=Clone Emailing
-ConfirmCloneEMailing=Are you sure you want to clone this emailing ?
-CloneContent=Clone message
-CloneReceivers=Cloner recipients
-DateLastSend=Date of last sending
-DateSending=Date sending
-SentTo=Sent to <b>%s</b>
-MailingStatusRead=Read
-CheckRead=Read Receipt
-YourMailUnsubcribeOK=The email <b>%s</b>  is correctly unsubcribe from mailing list
-MailtoEMail=Hyper link to email
-ActivateCheckRead=Allow to use the "Unsubcribe" link
-ActivateCheckReadKey=Key used to encrypt URL used 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
-RemindSent=%s reminder(s) sent
-AllRecipientSelectedForRemind=All thirdparties selected and if an email is set (note that one mail per invoice will be sent)
-NoRemindSent=No EMail reminder sent
-ResultOfMassSending=Result of mass EMail reminders sending
-
-# Libelle des modules de liste de destinataires mailing
-MailingModuleDescContactCompanies=Contacts/addresses of all third parties (customer, prospect, supplier, ...)
-MailingModuleDescDolibarrUsers=Dolibarr users
-MailingModuleDescFundationMembers=Foundation members with emails
-MailingModuleDescEmailsFromFile=EMails from a text file (email;lastname;firstname;other)
-MailingModuleDescEmailsFromUser=EMails from user input (email;lastname;firstname;other)
-MailingModuleDescContactsCategories=Third parties (by category)
-MailingModuleDescDolibarrContractsLinesExpired=Third parties with expired contract's lines
-MailingModuleDescContactsByCompanyCategory=Contacts/addresses of third parties (by third parties category)
-MailingModuleDescContactsByCategory=Contacts/addresses of third parties by category
-MailingModuleDescMembersCategories=Foundation members (by categories)
-MailingModuleDescContactsByFunction=Contacts/addresses of third parties (by position/function)
-LineInFile=Line %s in file
-RecipientSelectionModules=Defined requests for recipient's selection
-MailSelectedRecipients=Selected recipients
-MailingArea=EMailings area
-LastMailings=Last %s emailings
-TargetsStatistics=Targets statistics
-NbOfCompaniesContacts=Unique contacts/addresses
-MailNoChangePossible=Recipients for validated emailing can't be changed
-SearchAMailing=Search mailing
-SendMailing=Send emailing
-SendMail=Send email
-SentBy=Sent by
-MailingNeedCommand=For security reason, sending an emailing is better when performed from command line. If you have one, ask your server administrator to launch the following command to send the emailing to all recipients:
-MailingNeedCommand2=You can however send them online by adding parameter MAILING_LIMIT_SENDBYWEB with value of max number of emails you want to send by session. For this, go on Home - Setup - Other.
-ConfirmSendingEmailing=If you can't or prefer sending them with your www browser, please confirm you are sure you want to send emailing now from your browser ?
-LimitSendingEmailing=Note: Sending of emailings from web interface is done in several times for security and timeout reasons, <b>%s</b> recipients at a time for each sending session.
-TargetsReset=Clear list
-ToClearAllRecipientsClickHere=Click here to clear the recipient list for this emailing
-ToAddRecipientsChooseHere=Add recipients by choosing from the lists
-NbOfEMailingsReceived=Mass emailings received
-NbOfEMailingsSend=Mass emailings sent
-IdRecord=ID record
-DeliveryReceipt=Delivery Receipt
-YouCanUseCommaSeparatorForSeveralRecipients=You can use the <b>comma</b> separator to specify several recipients.
-TagCheckMail=Track mail opening
-TagUnsubscribe=Unsubscribe link
-TagSignature=Signature sending user
-TagMailtoEmail=Recipient EMail
-# Module Notifications
-Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target
-ListOfActiveNotifications=List all active email notification targets
-ListOfNotificationsDone=List all email notifications sent
-MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
-MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter <strong>'%s'</strong> to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
-MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
-YouCanAlsoUseSupervisorKeyword=You can also add the keyword <strong>__SUPERVISOREMAIL__</strong> to have email being sent to the supervisor of user (works only if an email is defined for this supervisor)
-NbOfTargetedContacts=Current number of targeted contact emails
diff --git a/htdocs/langs/en_GB/main.lang b/htdocs/langs/en_GB/main.lang
index 8b8079500b164a7ebb9f3adf168455f0c4e32b7d..4d59ac2b415e72a85dc8a454ae7a61f5b4e73012 100644
--- a/htdocs/langs/en_GB/main.lang
+++ b/htdocs/langs/en_GB/main.lang
@@ -1,9 +1,5 @@
 # Dolibarr language file - Source file is en_US - main
 DIRECTION=ltr
-# Note for Chinese:
-# msungstdlight or cid0ct are for traditional Chinese (traditional does not render with Ubuntu pdf reader)
-# stsongstdlight or cid0cs are for simplified Chinese
-# To read Chinese pdf with Linux: sudo apt-get install poppler-data
 FONTFORPDF=helvetica
 FONTSIZEFORPDF=10
 SeparatorDecimal=.
@@ -23,719 +19,9 @@ FormatDateHourShort=%d/%m/%Y %H:%M
 FormatDateHourSecShort=%d/%m/%Y %H:%M:%S
 FormatDateHourTextShort=%d %b %Y %H:%M
 FormatDateHourText=%d %B %Y %H:%M
-DatabaseConnection=Database connection
-NoTranslation=No translation
-NoRecordFound=No record found
-NoError=No error
-Error=Error
-ErrorFieldRequired=Field '%s' is required
-ErrorFieldFormat=Field '%s' has a bad value
-ErrorFileDoesNotExists=File %s does not exist
-ErrorFailedToOpenFile=Failed to open file %s
-ErrorCanNotCreateDir=Can not create dir %s
-ErrorCanNotReadDir=Can not read dir %s
-ErrorConstantNotDefined=Parameter %s not defined
-ErrorUnknown=Unknown error
-ErrorSQL=SQL Error
-ErrorLogoFileNotFound=Logo file '%s' was not found
-ErrorGoToGlobalSetup=Go to 'Company/Foundation' setup to fix this
-ErrorGoToModuleSetup=Go to Module setup to fix this
-ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=%s)
-ErrorAttachedFilesDisabled=File attaching is disabled on this server
-ErrorFileNotUploaded=File was not uploaded. Check that size does not exceed maximum allowed, that free space is available on disk and that there is not already a file with same name in this directory.
-ErrorInternalErrorDetected=Error detected
-ErrorNoRequestRan=No request ran
-ErrorWrongHostParameter=Wrong host parameter
-ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post again the form.
-ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child records.
-ErrorWrongValue=Wrong value
-ErrorWrongValueForParameterX=Wrong value for parameter %s
-ErrorNoRequestInError=No request in error
-ErrorServiceUnavailableTryLater=Service not available for the moment. Try again later.
-ErrorDuplicateField=Duplicate value in a unique field
-ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback changes.
-ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
-ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
-ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
-ErrorFailedToSaveFile=Error, failed to save file.
-SetDate=Set date
-SelectDate=Select a date
-SeeAlso=See also %s
-SeeHere=See here
-BackgroundColorByDefault=Default background color
-FileNotUploaded=The file was not uploaded
-FileUploaded=The file was successfully uploaded
-FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. Click on "Attach file" for this.
-NbOfEntries=Nb of entries
-GoToWikiHelpPage=Read online help (need Internet access)
-GoToHelpPage=Read help
-RecordSaved=Record saved
-RecordDeleted=Record deleted
-LevelOfFeature=Level of features
-NotDefined=Not defined
-DefinedAndHasThisValue=Defined and value to
-IsNotDefined=undefined
-DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is setup to <b>%s</b> in configuration file <b>conf.php</b>.<br>This means that password database is extern to Dolibarr, so changing this field may have no effects.
-Administrator=Administrator
-Undefined=Undefined
-PasswordForgotten=Password forgotten ?
-SeeAbove=See above
-HomeArea=Home area
-LastConnexion=Last connection
-PreviousConnexion=Previous connection
-ConnectedOnMultiCompany=Connected on environment
-ConnectedSince=Connected since
-AuthenticationMode=Authentification mode
-RequestedUrl=Requested Url
-DatabaseTypeManager=Database type manager
-RequestLastAccess=Request for last database access
-RequestLastAccessInError=Request for last database access in error
-ReturnCodeLastAccessInError=Return code for last database access in error
-InformationLastAccessInError=Information for last database access in error
-DolibarrHasDetectedError=Dolibarr has detected a technical error
-InformationToHelpDiagnose=This is information that can help diagnostic
-MoreInformation=More information
-TechnicalInformation=Technical information
-NotePublic=Note (public)
-NotePrivate=Note (private)
-PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to <b>%s</b> decimals.
-DoTest=Test
-ToFilter=Filter
-WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance delay.
-yes=yes
-Yes=Yes
-no=no
-No=No
-All=All
-Home=Home
-Help=Help
-OnlineHelp=Online help
-PageWiki=Wiki page
-Always=Always
-Never=Never
-Under=under
-Period=Period
-PeriodEndDate=End date for period
-Activate=Activate
-Activated=Activated
-Closed=Closed
-Closed2=Closed
-Enabled=Enabled
-Deprecated=Deprecated
-Disable=Disable
-Disabled=Disabled
-Add=Add
-AddLink=Add link
-Update=Update
-AddActionToDo=Add event to do
-AddActionDone=Add event done
-Close=Close
-Close2=Close
-Confirm=Confirm
-ConfirmSendCardByMail=Do you really want to send content of this card by mail to <b>%s</b> ?
-Delete=Delete
-Remove=Remove
-Resiliate=Resiliate
-Cancel=Cancel
-Modify=Modify
-Edit=Edit
-Validate=Validate
-ValidateAndApprove=Validate and Approve
-ToValidate=To validate
-Save=Save
-SaveAs=Save As
-TestConnection=Test connection
-ToClone=Clone
-ConfirmClone=Choose data you want to clone :
-NoCloneOptionsSpecified=No data to clone defined.
-Of=of
-Go=Go
-Run=Run
-CopyOf=Copy of
-Show=Show
-ShowCardHere=Show card
-Search=Search
-SearchOf=Search
-Valid=Valid
-Approve=Approve
-Disapprove=Disapprove
-ReOpen=Re-Open
-Upload=Send file
-ToLink=Link
-Select=Select
-Choose=Choose
-ChooseLangage=Please choose your language
-Resize=Resize
-Recenter=Recenter
-Author=Author
-User=User
-Users=Users
-Group=Group
-Groups=Groups
-NoUserGroupDefined=No user group defined
-Password=Password
-PasswordRetype=Retype your password
-NoteSomeFeaturesAreDisabled=Note that a lot of features/modules are disabled in this demonstration.
-Name=Name
-Person=Person
-Parameter=Parameter
-Parameters=Parameters
-Value=Value
-GlobalValue=Global value
-PersonalValue=Personal value
-NewValue=New value
-CurrentValue=Current value
-Code=Code
-Type=Type
-Language=Language
-MultiLanguage=Multi-language
-Note=Note
-CurrentNote=Current note
-Title=Title
-Label=Label
-RefOrLabel=Ref. or label
-Info=Log
-Family=Family
-Description=Description
-Designation=Description
-Model=Model
-DefaultModel=Default model
-Action=Event
-About=About
-Number=Number
-NumberByMonth=Number by month
-AmountByMonth=Amount by month
-Numero=Number
-Limit=Limit
-Limits=Limits
-DevelopmentTeam=Development Team
-Logout=Logout
-NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode <b>%s</b>
-Connection=Connection
-Setup=Setup
-Alert=Alert
-Previous=Previous
-Next=Next
-Cards=Cards
-Card=Card
-Now=Now
-HourStart=Start hour
-Date=Date
-DateAndHour=Date and hour
-DateStart=Date start
-DateEnd=Date end
-DateCreation=Creation date
-DateModification=Modification date
-DateModificationShort=Modif. date
-DateLastModification=Last modification date
-DateValidation=Validation date
-DateClosing=Closing date
-DateDue=Due date
-DateValue=Value date
-DateValueShort=Value date
-DateOperation=Operation date
-DateOperationShort=Oper. Date
-DateLimit=Limit date
-DateRequest=Request date
-DateProcess=Process date
-DatePlanShort=Date planed
-DateRealShort=Date real.
-DateBuild=Report build date
-DatePayment=Date of payment
-DateApprove=Approving date
-DateApprove2=Approving date (second approval)
-DurationYear=year
-DurationMonth=month
-DurationWeek=week
-DurationDay=day
-DurationYears=years
-DurationMonths=months
-DurationWeeks=weeks
-DurationDays=days
-Year=Year
-Month=Month
-Week=Week
-Day=Day
-Hour=Hour
-Minute=Minute
-Second=Second
-Years=Years
-Months=Months
-Days=Days
-days=days
-Hours=Hours
-Minutes=Minutes
-Seconds=Seconds
-Weeks=Weeks
-Today=Today
-Yesterday=Yesterday
-Tomorrow=Tomorrow
-Morning=Morning
-Afternoon=Afternoon
-Quadri=Quadri
-MonthOfDay=Month of the day
-HourShort=H
-MinuteShort=mn
-Rate=Rate
-UseLocalTax=Include tax
-Bytes=Bytes
-KiloBytes=Kilobytes
-MegaBytes=Megabytes
-GigaBytes=Gigabytes
-TeraBytes=Terabytes
-b=b.
-Kb=Kb
-Mb=Mb
-Gb=Gb
-Tb=Tb
-Cut=Cut
-Copy=Copy
-Paste=Paste
-Default=Default
-DefaultValue=Default value
-DefaultGlobalValue=Global value
-Price=Price
-UnitPrice=Unit price
-UnitPriceHT=Unit price (net)
-UnitPriceTTC=Unit price
-PriceU=U.P.
-PriceUHT=U.P. (net)
-AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
-Amount=Amount
-AmountInvoice=Invoice amount
-AmountPayment=Payment amount
-AmountHTShort=Amount (net)
-AmountTTCShort=Amount (inc. tax)
-AmountHT=Amount (net of tax)
-AmountTTC=Amount (inc. tax)
 AmountVAT=Amount VAT
-AmountLT1=Amount tax 2
-AmountLT2=Amount tax 3
-AmountLT1ES=Amount RE
-AmountLT2ES=Amount IRPF
-AmountTotal=Total amount
-AmountAverage=Average amount
-PriceQtyHT=Price for this quantity (net of tax)
-PriceQtyMinHT=Price quantity min. (net of tax)
-PriceQtyTTC=Price for this quantity (inc. tax)
-PriceQtyMinTTC=Price quantity min. (inc. of tax)
-Percentage=Percentage
-Total=Total
-SubTotal=Subtotal
-TotalHTShort=Total (net)
-TotalTTCShort=Total (inc. tax)
-TotalHT=Total (net of tax)
-TotalHTforthispage=Total (net of tax) for this page
-TotalTTC=Total (inc. tax)
-TotalTTCToYourCredit=Total (inc. tax) to your credit
 TotalVAT=Total VAT
-TotalLT1=Total tax 2
-TotalLT2=Total tax 3
-TotalLT1ES=Total RE
-TotalLT2ES=Total IRPF
 IncludedVAT=Included VAT
-HT=Net of tax
 TTC=Inc. VAT
 VAT=VAT
-LT1ES=RE
-LT2ES=IRPF
 VATRate=VAT Rate
-Average=Average
-Sum=Sum
-Delta=Delta
-Module=Module
-Option=Option
-List=List
-FullList=Full list
-Statistics=Statistics
-OtherStatistics=Other statistics
-Status=Status
-Favorite=Favorite
-ShortInfo=Info.
-Ref=Ref.
-ExternalRef=Ref. extern
-RefSupplier=Ref. supplier
-RefPayment=Ref. payment
-CommercialProposalsShort=Commercial proposals
-Comment=Comment
-Comments=Comments
-ActionsToDo=Events to do
-ActionsDone=Events done
-ActionsToDoShort=To do
-ActionsRunningshort=Started
-ActionsDoneShort=Done
-ActionNotApplicable=Not applicable
-ActionRunningNotStarted=To start
-ActionRunningShort=Started
-ActionDoneShort=Finished
-ActionUncomplete=Uncomplete
-CompanyFoundation=Company/Foundation
-ContactsForCompany=Contacts for this third party
-ContactsAddressesForCompany=Contacts/addresses for this third party
-AddressesForCompany=Addresses for this third party
-ActionsOnCompany=Events about this third party
-ActionsOnMember=Events about this member
-NActions=%s events
-NActionsLate=%s late
-RequestAlreadyDone=Request already recorded
-Filter=Filter
-RemoveFilter=Remove filter
-ChartGenerated=Chart generated
-ChartNotGenerated=Chart not generated
-GeneratedOn=Build on %s
-Generate=Generate
-Duration=Duration
-TotalDuration=Total duration
-Summary=Summary
-MyBookmarks=My bookmarks
-OtherInformationsBoxes=Other information boxes
-DolibarrBoard=Dolibarr board
-DolibarrStateBoard=Statistics
-DolibarrWorkBoard=Work tasks board
-Available=Available
-NotYetAvailable=Not yet available
-NotAvailable=Not available
-Popularity=Popularity
-Categories=Tags/categories
-Category=Tag/category
-By=By
-From=From
-to=to
-and=and
-or=or
-Other=Other
-Others=Others
-OtherInformations=Other informations
-Quantity=Quantity
-Qty=Qty
-ChangedBy=Changed by
-ApprovedBy=Approved by
-ApprovedBy2=Approved by (second approval)
-Approved=Approved
-Refused=Refused
-ReCalculate=Recalculate
-ResultOk=Success
-ResultKo=Failure
-Reporting=Reporting
-Reportings=Reporting
-Draft=Draft
-Drafts=Drafts
-Validated=Validated
-Opened=Open
-New=New
-Discount=Discount
-Unknown=Unknown
-General=General
-Size=Size
-Received=Received
-Paid=Paid
-Topic=Sujet
-ByCompanies=By third parties
-ByUsers=By users
-Links=Links
-Link=Link
-Receipts=Receipts
-Rejects=Rejects
-Preview=Preview
-NextStep=Next step
-PreviousStep=Previous step
-Datas=Data
-None=None
-NoneF=None
-Late=Late
-Photo=Picture
-Photos=Pictures
-AddPhoto=Add picture
-Login=Login
-CurrentLogin=Current login
-January=January
-February=February
-March=March
-April=April
-May=May
-June=June
-July=July
-August=August
-September=September
-October=October
-November=November
-December=December
-JanuaryMin=Jan
-FebruaryMin=Feb
-MarchMin=Mar
-AprilMin=Apr
-MayMin=May
-JuneMin=Jun
-JulyMin=Jul
-AugustMin=Aug
-SeptemberMin=Sep
-OctoberMin=Oct
-NovemberMin=Nov
-DecemberMin=Dec
-Month01=January
-Month02=February
-Month03=March
-Month04=April
-Month05=May
-Month06=June
-Month07=July
-Month08=August
-Month09=September
-Month10=October
-Month11=November
-Month12=December
-MonthShort01=Jan
-MonthShort02=Feb
-MonthShort03=Mar
-MonthShort04=Apr
-MonthShort05=May
-MonthShort06=Jun
-MonthShort07=Jul
-MonthShort08=Aug
-MonthShort09=Sep
-MonthShort10=Oct
-MonthShort11=Nov
-MonthShort12=Dec
-AttachedFiles=Attached files and documents
-FileTransferComplete=File was uploaded successfuly
-DateFormatYYYYMM=YYYY-MM
-DateFormatYYYYMMDD=YYYY-MM-DD
-DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS
-ReportName=Report name
-ReportPeriod=Report period
-ReportDescription=Description
-Report=Report
-Keyword=Mot clé
-Legend=Legend
-FillTownFromZip=Fill city from zip
-Fill=Fill
-Reset=Reset
-ShowLog=Show log
-File=File
-Files=Files
-NotAllowed=Not allowed
-ReadPermissionNotAllowed=Read permission not allowed
-AmountInCurrency=Amount in %s currency
-Example=Example
-Examples=Examples
-NoExample=No example
-FindBug=Report a bug
-NbOfThirdParties=Number of third parties
-NbOfCustomers=Number of customers
-NbOfLines=Number of lines
-NbOfObjects=Number of objects
-NbOfReferers=Number of referrers
-Referers=Refering objects
-TotalQuantity=Total quantity
-DateFromTo=From %s to %s
-DateFrom=From %s
-DateUntil=Until %s
-Check=Check
-Uncheck=Uncheck
-Internal=Internal
-External=External
-Internals=Internal
-Externals=External
-Warning=Warning
-Warnings=Warnings
-BuildPDF=Build PDF
-RebuildPDF=Rebuild PDF
-BuildDoc=Build Doc
-RebuildDoc=Rebuild Doc
-Entity=Environment
-Entities=Entities
-EventLogs=Logs
-CustomerPreview=Customer preview
-SupplierPreview=Supplier preview
-AccountancyPreview=Accountancy preview
-ShowCustomerPreview=Show customer preview
-ShowSupplierPreview=Show supplier preview
-ShowAccountancyPreview=Show accountancy preview
-ShowProspectPreview=Show prospect preview
-RefCustomer=Ref. customer
-Currency=Currency
-InfoAdmin=Information for administrators
-Undo=Undo
-Redo=Redo
-ExpandAll=Expand all
-UndoExpandAll=Undo expand
-Reason=Reason
-FeatureNotYetSupported=Feature not yet supported
-CloseWindow=Close window
-Question=Question
-Response=Response
-Priority=Priority
-SendByMail=Send by EMail
-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.
-Refresh=Refresh
-BackToList=Back to list
-GoBack=Go back
-CanBeModifiedIfOk=Can be modified if valid
-CanBeModifiedIfKo=Can be modified if not valid
-RecordModifiedSuccessfully=Record modified successfully
-RecordsModified=%s records modified
-AutomaticCode=Automatic code
-NotManaged=Not managed
-FeatureDisabled=Feature disabled
-MoveBox=Move box %s
-Offered=Offered
-NotEnoughPermissions=You don't have permission for this action
-SessionName=Session name
-Method=Method
-Receive=Receive
-PartialWoman=Partial
-PartialMan=Partial
-TotalWoman=Total
-TotalMan=Total
-NeverReceived=Never received
-Canceled=Canceled
-YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
-Color=Color
-Documents=Linked files
-DocumentsNb=Linked files (%s)
-Documents2=Documents
-BuildDocuments=Generated documents
-UploadDisabled=Upload disabled
-MenuECM=Documents
-MenuAWStats=AWStats
-MenuMembers=Members
-MenuAgendaGoogle=Google agenda
-ThisLimitIsDefinedInSetup=Dolibarr limit (Menu home-setup-security): %s Kb, PHP limit: %s Kb
-NoFileFound=No documents saved in this directory
-CurrentUserLanguage=Current language
-CurrentTheme=Current theme
-CurrentMenuManager=Current menu manager
-DisabledModules=Disabled modules
-For=For
-ForCustomer=For customer
-Signature=Signature
-HidePassword=Show command with password hidden
-UnHidePassword=Show real command with clear password
-Root=Root
-Informations=Informations
-Page=Page
-Notes=Notes
-AddNewLine=Add new line
-AddFile=Add file
-ListOfFiles=List of available files
-FreeZone=Free entry
-FreeLineOfType=Free entry of type
-CloneMainAttributes=Clone object with its main attributes
-PDFMerge=PDF Merge
-Merge=Merge
-PrintContentArea=Show page to print main content area
-MenuManager=Menu manager
-NoMenu=No sub-menu
-WarningYouAreInMaintenanceMode=Warning, you are in a maintenance mode, so only login <b>%s</b> is allowed to use application at the moment.
-CoreErrorTitle=System error
-CoreErrorMessage=Sorry, an error occurred. Check the logs or contact your system administrator.
-CreditCard=Credit card
-FieldsWithAreMandatory=Fields with <b>%s</b> are mandatory
-FieldsWithIsForPublic=Fields with <b>%s</b> are shown on public list of members. If you don't want this, check off the "public" box.
-AccordingToGeoIPDatabase=(according to GeoIP convertion)
-Line=Line
-NotSupported=Not supported
-RequiredField=Required field
-Result=Result
-ToTest=Test
-ValidateBefore=Card must be validated before using this feature
-Visibility=Visibility
-Private=Private
-Hidden=Hidden
-Resources=Resources
-Source=Source
-Prefix=Prefix
-Before=Before
-After=After
-IPAddress=IP address
-Frequency=Frequency
-IM=Instant messaging
-NewAttribute=New attribute
-AttributeCode=Attribute code
-OptionalFieldsSetup=Extra attributes setup
-URLPhoto=URL of photo/logo
-SetLinkToThirdParty=Link to another third party
-CreateDraft=Create draft
-SetToDraft=Back to draft
-ClickToEdit=Click to edit
-ObjectDeleted=Object %s deleted
-ByCountry=By country
-ByTown=By town
-ByDate=By date
-ByMonthYear=By month/year
-ByYear=By year
-ByMonth=By month
-ByDay=By day
-BySalesRepresentative=By sales representative
-LinkedToSpecificUsers=Linked to a particular user contact
-DeleteAFile=Delete a file
-ConfirmDeleteAFile=Are you sure you want to delete file
-NoResults=No results
-SystemTools=System tools
-ModulesSystemTools=Modules tools
-Test=Test
-Element=Element
-NoPhotoYet=No pictures available yet
-HomeDashboard=Home summary
-Deductible=Deductible
-from=from
-toward=toward
-Access=Access
-HelpCopyToClipboard=Use Ctrl+C to copy to clipboard
-SaveUploadedFileWithMask=Save file on server with name "<strong>%s</strong>" (otherwise "%s")
-OriginFileName=Original filename
-SetDemandReason=Set source
-SetBankAccount=Define Bank Account
-AccountCurrency=Account Currency
-ViewPrivateNote=View notes
-XMoreLines=%s line(s) hidden
-PublicUrl=Public URL
-AddBox=Add box
-SelectElementAndClickRefresh=Select an element and click Refresh
-PrintFile=Print File %s
-ShowTransaction=Show transaction
-GoIntoSetupToChangeLogo=Go into Home - Setup - Company to change logo or go into Home - Setup - Display to hide.
-Deny=Deny
-Denied=Denied
-ListOfTemplates=List of templates
-Genderman=Man
-Genderwoman=Woman
-# Week day
-Monday=Monday
-Tuesday=Tuesday
-Wednesday=Wednesday
-Thursday=Thursday
-Friday=Friday
-Saturday=Saturday
-Sunday=Sunday
-MondayMin=Mo
-TuesdayMin=Tu
-WednesdayMin=We
-ThursdayMin=Th
-FridayMin=Fr
-SaturdayMin=Sa
-SundayMin=Su
-Day1=Monday
-Day2=Tuesday
-Day3=Wednesday
-Day4=Thursday
-Day5=Friday
-Day6=Saturday
-Day0=Sunday
-ShortMonday=M
-ShortTuesday=T
-ShortWednesday=W
-ShortThursday=T
-ShortFriday=F
-ShortSaturday=S
-ShortSunday=S
-SelectMailModel=Select email template
diff --git a/htdocs/langs/en_GB/orders.lang b/htdocs/langs/en_GB/orders.lang
deleted file mode 100644
index 55802b4bb48c4486460ffacc3e045ff3dd64ad4f..0000000000000000000000000000000000000000
--- a/htdocs/langs/en_GB/orders.lang
+++ /dev/null
@@ -1,173 +0,0 @@
-# Dolibarr language file - Source file is en_US - orders
-OrdersArea=Customers orders area
-SuppliersOrdersArea=Suppliers orders area
-OrderCard=Order card
-OrderId=Order Id
-Order=Order
-Orders=Orders
-OrderLine=Order line
-OrderFollow=Follow up
-OrderDate=Order date
-OrderToProcess=Order to process
-NewOrder=New order
-ToOrder=Make order
-MakeOrder=Make order
-SupplierOrder=Supplier order
-SuppliersOrders=Suppliers orders
-SuppliersOrdersRunning=Current suppliers orders
-CustomerOrder=Customer order
-CustomersOrders=Customer orders
-CustomersOrdersRunning=Current customer orders
-CustomersOrdersAndOrdersLines=Customer orders and order lines
-OrdersToValid=Customer orders to validate
-OrdersToBill=Customer orders delivered
-OrdersInProcess=Customer orders in process
-OrdersToProcess=Customer orders to process
-SuppliersOrdersToProcess=Supplier orders to process
-StatusOrderCanceledShort=Canceled
-StatusOrderDraftShort=Draft
-StatusOrderValidatedShort=Validated
-StatusOrderSentShort=In process
-StatusOrderSent=Shipment in process
-StatusOrderOnProcessShort=Ordered
-StatusOrderProcessedShort=Processed
-StatusOrderToBillShort=Delivered
-StatusOrderToBill2Short=To bill
-StatusOrderApprovedShort=Approved
-StatusOrderRefusedShort=Refused
-StatusOrderToProcessShort=To process
-StatusOrderReceivedPartiallyShort=Partially received
-StatusOrderReceivedAllShort=Everything received
-StatusOrderCanceled=Canceled
-StatusOrderDraft=Draft (needs to be validated)
-StatusOrderValidated=Validated
-StatusOrderOnProcess=Ordered - Standby reception
-StatusOrderOnProcessWithValidation=Ordered - Standby reception or validation
-StatusOrderProcessed=Processed
-StatusOrderToBill=Delivered
-StatusOrderToBill2=To bill
-StatusOrderApproved=Approved
-StatusOrderRefused=Refused
-StatusOrderReceivedPartially=Partially received
-StatusOrderReceivedAll=Everything received
-ShippingExist=A shipment exists
-ProductQtyInDraft=Product quantity into draft orders
-ProductQtyInDraftOrWaitingApproved=Product quantity into draft or approved orders, not yet ordered
-DraftOrWaitingApproved=Draft or approved not yet ordered
-DraftOrWaitingShipped=Draft or validated not yet shipped
-MenuOrdersToBill=Orders delivered
-MenuOrdersToBill2=Billable orders
-SearchOrder=Search order
-SearchACustomerOrder=Search a customer order
-SearchASupplierOrder=Search a supplier order
-ShipProduct=Ship product
-Discount=Discount
-CreateOrder=Create Order
-RefuseOrder=Refuse order
-ApproveOrder=Approve order
-Approve2Order=Approve order (second level)
-ValidateOrder=Validate order
-UnvalidateOrder=Unvalidate order
-DeleteOrder=Delete order
-CancelOrder=Cancel order
-AddOrder=Create order
-AddToMyOrders=Add to my orders
-AddToOtherOrders=Add to other orders
-AddToDraftOrders=Add to draft order
-ShowOrder=Show order
-OrdersOpened=Orders to process
-NoOpenedOrders=No open orders
-NoOtherOpenedOrders=No other open orders
-NoDraftOrders=No draft orders
-OtherOrders=Other orders
-LastOrders=Last %s customer orders
-LastCustomerOrders=Last %s customer orders
-LastSupplierOrders=Last %s supplier orders
-LastModifiedOrders=Last %s modified orders
-LastClosedOrders=Last %s closed orders
-AllOrders=All orders
-NbOfOrders=Number of orders
-OrdersStatistics=Order's statistics
-OrdersStatisticsSuppliers=Supplier order's statistics
-NumberOfOrdersByMonth=Number of orders by month
-AmountOfOrdersByMonthHT=Amount of orders by month (net of tax)
-ListOfOrders=List of orders
-CloseOrder=Close order
-ConfirmCloseOrder=Are you sure you want to set this order to deliverd ? Once an order is delivered, it can be set to billed.
-ConfirmCloseOrderIfSending=Are you sure you want to close this order ? You must close an order only when all shipping are done.
-ConfirmDeleteOrder=Are you sure you want to delete this order ?
-ConfirmValidateOrder=Are you sure you want to validate this order under name <b>%s</b> ?
-ConfirmUnvalidateOrder=Are you sure you want to restore order <b>%s</b> to draft status ?
-ConfirmCancelOrder=Are you sure you want to cancel this order ?
-ConfirmMakeOrder=Are you sure you want to confirm you made this order on <b>%s</b> ?
-GenerateBill=Generate invoice
-ClassifyShipped=Classify delivered
-ClassifyBilled=Classify billed
-ComptaCard=Accountancy card
-DraftOrders=Draft orders
-RelatedOrders=Related orders
-RelatedCustomerOrders=Related customer orders
-RelatedSupplierOrders=Related supplier orders
-OnProcessOrders=In process orders
-RefOrder=Ref. order
-RefCustomerOrder=Ref. customer order
-RefCustomerOrderShort=Ref. cust. order
-SendOrderByMail=Send order by mail
-ActionsOnOrder=Events on order
-NoArticleOfTypeProduct=No article of type 'product' so no shippable article for this order
-OrderMode=Order method
-AuthorRequest=Request author
-UseCustomerContactAsOrderRecipientIfExist=Use customer contact address if defined instead of third party address as order recipient address
-RunningOrders=Orders on process
-UserWithApproveOrderGrant=Users granted with "approve orders" permission.
-PaymentOrderRef=Payment of order %s
-CloneOrder=Clone order
-ConfirmCloneOrder=Are you sure you want to clone this order <b>%s</b> ?
-DispatchSupplierOrder=Receiving supplier order %s
-FirstApprovalAlreadyDone=First approval already done
-##### Types de contacts #####
-TypeContact_commande_internal_SALESREPFOLL=Representative following-up customer order
-TypeContact_commande_internal_SHIPPING=Representative following-up shipping
-TypeContact_commande_external_BILLING=Customer invoice contact
-TypeContact_commande_external_SHIPPING=Customer shipping contact
-TypeContact_commande_external_CUSTOMER=Customer contact following-up order
-TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up supplier order
-TypeContact_order_supplier_internal_SHIPPING=Representative following-up shipping
-TypeContact_order_supplier_external_BILLING=Supplier invoice contact
-TypeContact_order_supplier_external_SHIPPING=Supplier shipping contact
-TypeContact_order_supplier_external_CUSTOMER=Supplier contact following-up order
-
-Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Constant COMMANDE_SUPPLIER_ADDON not defined
-Error_COMMANDE_ADDON_NotDefined=Constant COMMANDE_ADDON not defined
-Error_FailedToLoad_COMMANDE_SUPPLIER_ADDON_File=Failed to load module file '%s'
-Error_FailedToLoad_COMMANDE_ADDON_File=Failed to load module file '%s'
-Error_OrderNotChecked=No orders to invoice selected
-# Sources
-OrderSource0=Commercial proposal
-OrderSource1=Internet
-OrderSource2=Mail campaign
-OrderSource3=Phone compaign
-OrderSource4=Fax campaign
-OrderSource5=Commercial
-OrderSource6=Store
-QtyOrdered=Qty ordered
-AddDeliveryCostLine=Add a delivery cost line indicating the weight of the order
-# Documents models
-PDFEinsteinDescription=A complete order model (logo...)
-PDFEdisonDescription=A simple order model
-PDFProformaDescription=A complete proforma invoice (logo…)
-# Orders modes
-OrderByMail=Mail
-OrderByFax=Fax
-OrderByEMail=EMail
-OrderByWWW=Online
-OrderByPhone=Phone
-CreateInvoiceForThisCustomer=Bill orders
-NoOrdersToInvoice=No orders billable
-CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders.
-OrderCreation=Order creation
-Ordered=Ordered
-OrderCreated=Your orders have been created
-OrderFail=An error happened during your orders creation
-CreateOrders=Create orders
-ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s".
diff --git a/htdocs/langs/en_GB/productbatch.lang b/htdocs/langs/en_GB/productbatch.lang
deleted file mode 100644
index 37ceaa49b382be34c3ec4577cc01d40d91c61efe..0000000000000000000000000000000000000000
--- a/htdocs/langs/en_GB/productbatch.lang
+++ /dev/null
@@ -1,22 +0,0 @@
-# ProductBATCH language file - en_US - ProductBATCH
-ManageLotSerial=Use lot/serial number
-ProductStatusOnBatch=Yes (lot/serial required)
-ProductStatusNotOnBatch=No (lot/serial not used)
-ProductStatusOnBatchShort=Yes
-ProductStatusNotOnBatchShort=No
-Batch=Lot/Serial
-atleast1batchfield=Eat-by date or Sell-by date or Lot/Serial number
-batch_number=Lot/Serial number
-BatchNumberShort=Lot/Serial
-l_eatby=Eat-by date
-l_sellby=Sell-by date
-DetailBatchNumber=Lot/Serial details
-DetailBatchFormat=Lot/Serial: %s - Eat by: %s - Sell by: %s (Qty : %d)
-printBatch=Lot/Serial: %s
-printEatby=Eat-by: %s
-printSellby=Sell-by: %s
-printQty=Qty: %d
-AddDispatchBatchLine=Add a line for Shelf Life dispatching
-BatchDefaultNumber=Undefined
-WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, increase/decrease stock mode is forced to last choice and can't be edited. Other options can be defined as you want.
-ProductDoesNotUseBatchSerial=This product does not use lot/serial number
diff --git a/htdocs/langs/en_GB/stocks.lang b/htdocs/langs/en_GB/stocks.lang
deleted file mode 100644
index 7aeef1c96414b7c022420907803398303d9af080..0000000000000000000000000000000000000000
--- a/htdocs/langs/en_GB/stocks.lang
+++ /dev/null
@@ -1,140 +0,0 @@
-# Dolibarr language file - Source file is en_US - stocks
-WarehouseCard=Warehouse card
-Warehouse=Warehouse
-Warehouses=Warehouses
-NewWarehouse=New warehouse / Stock area
-WarehouseEdit=Modify warehouse
-MenuNewWarehouse=New warehouse
-WarehouseOpened=Warehouse open
-WarehouseClosed=Warehouse closed
-WarehouseSource=Source warehouse
-WarehouseSourceNotDefined=No warehouse defined,
-AddOne=Add one
-WarehouseTarget=Target warehouse
-ValidateSending=Delete sending
-CancelSending=Cancel sending
-DeleteSending=Delete sending
-Stock=Stock
-Stocks=Stocks
-StocksByLotSerial=Stock by lot/serial
-Movement=Movement
-Movements=Movements
-ErrorWarehouseRefRequired=Warehouse reference name is required
-ErrorWarehouseLabelRequired=Warehouse label is required
-CorrectStock=Correct stock
-ListOfWarehouses=List of warehouses
-ListOfStockMovements=List of stock movements
-StocksArea=Warehouses area
-Location=Location
-LocationSummary=Short name location
-NumberOfDifferentProducts=Number of different products
-NumberOfProducts=Total number of products
-LastMovement=Last movement
-LastMovements=Last movements
-Units=Units
-Unit=Unit
-StockCorrection=Correct stock
-StockTransfer=Stock transfer
-StockMovement=Transfer
-StockMovements=Stock transfers
-LabelMovement=Movement label
-NumberOfUnit=Number of units
-UnitPurchaseValue=Unit purchase price
-TotalStock=Total in stock
-StockTooLow=Stock too low
-StockLowerThanLimit=Stock lower than alert limit
-EnhancedValue=Value
-PMPValue=Weighted average price
-PMPValueShort=WAP
-EnhancedValueOfWarehouses=Warehouses value
-UserWarehouseAutoCreate=Create a warehouse automatically when creating a user
-IndependantSubProductStock=Product stock and subproduct stock are independant
-QtyDispatched=Quantity dispatched
-QtyDispatchedShort=Qty dispatched
-QtyToDispatchShort=Qty to dispatch
-OrderDispatch=Stock dispatching
-RuleForStockManagementDecrease=Rule for stock management decrease
-RuleForStockManagementIncrease=Rule for stock management increase
-DeStockOnBill=Decrease real stocks on customers invoices/credit notes validation
-DeStockOnValidateOrder=Decrease real stocks on customers orders validation
-DeStockOnShipment=Decrease real stocks on shipment validation
-ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation
-ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation
-ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receiving
-ReStockOnDeleteInvoice=Increase real stocks on invoice deletion
-OrderStatusNotReadyToDispatch=Order has not yet or no more a status that allows dispatching of products in stock warehouses.
-StockDiffPhysicTeoric=Explanation for difference between physical and theoretical stock
-NoPredefinedProductToDispatch=No predefined products for this object. So no dispatching in stock is required.
-DispatchVerb=Dispatch
-StockLimitShort=Limit for alert
-StockLimit=Stock limit for alert
-PhysicalStock=Physical stock
-RealStock=Real Stock
-VirtualStock=Virtual stock
-MininumStock=Minimum stock
-StockUp=Stock up
-MininumStockShort=Stock min
-StockUpShort=Stock up
-IdWarehouse=Id warehouse
-DescWareHouse=Description warehouse
-LieuWareHouse=Localisation warehouse
-WarehousesAndProducts=Warehouses and products
-WarehousesAndProductsBatchDetail=Warehouses and products (with detail per lot/serial)
-AverageUnitPricePMPShort=Weighted average input price
-AverageUnitPricePMP=Weighted average input price
-SellPriceMin=Selling Unit Price
-EstimatedStockValueSellShort=Value to sell
-EstimatedStockValueSell=Value to Sell
-EstimatedStockValueShort=Input stock value
-EstimatedStockValue=Input stock value
-DeleteAWarehouse=Delete a warehouse
-ConfirmDeleteWarehouse=Are you sure you want to delete the warehouse <b>%s</b> ?
-PersonalStock=Personal stock %s
-ThisWarehouseIsPersonalStock=This warehouse represents personal stock of %s %s
-SelectWarehouseForStockDecrease=Choose warehouse to use for stock decrease
-SelectWarehouseForStockIncrease=Choose warehouse to use for stock increase
-NoStockAction=No stock action
-LastWaitingSupplierOrders=Orders waiting for receptions
-DesiredStock=Desired minimum stock
-DesiredMaxStock=Desired maximum stock
-StockToBuy=To order
-Replenishment=Replenishment
-ReplenishmentOrders=Replenishment orders
-VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical + current orders) may differ
-UseVirtualStockByDefault=Use virtual stock by default, instead of physical stock, for replenishment feature
-UseVirtualStock=Use virtual stock
-UsePhysicalStock=Use physical stock
-CurentSelectionMode=Current selection mode
-CurentlyUsingVirtualStock=Virtual stock
-CurentlyUsingPhysicalStock=Physical stock
-RuleForStockReplenishment=Rule for stocks replenishment
-SelectProductWithNotNullQty=Select at least one product with a qty not null and a supplier
-AlertOnly= Alerts only
-WarehouseForStockDecrease=The warehouse <b>%s</b> will be used for stock decrease
-WarehouseForStockIncrease=The warehouse <b>%s</b> will be used for stock increase
-ForThisWarehouse=For this warehouse
-ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked), and suggest you to create supplier orders to fill the difference.
-ReplenishmentOrdersDesc=This is a list of all opened supplier orders including predefined products. Only opened orders with predefined products, so orders that may affect stocks, are visible here.
-Replenishments=Replenishments
-NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s)
-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
-ReceivingForSameOrder=Receipts for this order
-StockMovementRecorded=Stock movements recorded
-RuleForStockAvailability=Rules on stock requirements
-StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice
-StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order
-StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment
-MovementLabel=Label of movement
-InventoryCode=Movement or inventory code
-IsInPackage=Contained into package
-ShowWarehouse=Show warehouse
-MovementCorrectStock=Stock correction for product %s
-MovementTransferStock=Stock transfer of product %s into another warehouse
-WarehouseMustBeSelectedAtFirstStepWhenProductBatchModuleOn=Source warehouse must be defined here when "Product lot" module is on. It will be used to list wich lot/serial is available for product that required lot/serial data for movement. If you want to send products from different warehouses, just make the shipment into several steps.
-InventoryCodeShort=Inv./Mov. code
-NoPendingReceptionOnSupplierOrder=No pending reception due to open supplier order
-ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (<strong>%s</strong>) already exists but with different eatby or sellby date (found <strong>%s</strong> but you enter <strong>%s</strong>).
diff --git a/htdocs/langs/en_US/admin.lang b/htdocs/langs/en_US/admin.lang
index 74c705cf54795dfd679c1dbaeaedb28e764f6f17..3bf2d5a14b566c903ce84f3d6d13c5bb80a0a501 100755
--- a/htdocs/langs/en_US/admin.lang
+++ b/htdocs/langs/en_US/admin.lang
@@ -1651,3 +1651,24 @@ LeftMenuBackgroundColor=Background color for Left menu
 BackgroundTableTitleColor=Background color for table title line
 BackgroundTableLineOddColor=Background color for odd table lines
 BackgroundTableLineEvenColor=Background color for even table lines
+MinimumNoticePeriod=Minimum notice period (Your leave request must be done before this delay)
+NbAddedAutomatically=Number of days added to counters of users (automatically) each month
+EnterAnyCode=This field contains a reference to identify line. Enter any value of your choice, but without special characters.
+UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For exemple: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364]
+PositionIntoComboList=Position of line into combo lists
+SellTaxRate=Sale tax rate
+RecuperableOnly=Yes for VAT "Non Perçue Récupérable" dedicated for some state in France. Keep value to "No" in all other cases.
+UrlTrackingDesc=If the provider or transport service offer a page or web site to check status of your shipment, you can enter it here. You can use the key {TRACKID} into URL parameters so the system will replace it with value of tracking number user entered into shipment card.
+OpportunityPercent=When you create an opportunity, you will defined an estimated amount of project/lead. According to status of opportunity, this amount may be multiplicated by this rate to evaluate global amount all your opportunities may generate. Value is percent (between 0 and 100).
+TemplateForElement=This template record is dedicated to which element
+TypeOfTemplate=Type of template
+TemplateIsVisibleByOwnerOnly=Template is visible by owner only
+MailToSendProposal=To send customer proposal
+MailToSendOrder=To send customer order
+MailToSendInvoice=To send customer invoice
+MailToSendShipment=To send shipment
+MailToSendIntervention=To send intervention
+MailToSendSupplierRequestForQuotation=To send quotation request to supplier
+MailToSendSupplierOrder=To send supplier order
+MailToSendSupplierInvoice=To send supplier invoice
+MailToThirdparty=To send email from thirdparty page
\ No newline at end of file
diff --git a/htdocs/langs/en_US/banks.lang b/htdocs/langs/en_US/banks.lang
index d12f45387d6b4649f2face75d8646935a7c16c33..f98f02ccef0dd9a7ef06c0534c1fb6f45a662ac7 100644
--- a/htdocs/langs/en_US/banks.lang
+++ b/htdocs/langs/en_US/banks.lang
@@ -165,3 +165,8 @@ DeleteARib=Delete BAN record
 ConfirmDeleteRib=Are you sure you want to delete this BAN record ?
 StartDate=Start date
 EndDate=End date
+RejectCheck=Check rejection
+ConfirmRejectCheck=Are you sure you want to mark this check as rejected ?
+RejectCheckDate=Check rejection date
+CheckRejected=Check rejected
+CheckRejectedAndInvoicesReopened=Check rejected and invoices reopened
diff --git a/htdocs/langs/en_US/categories.lang b/htdocs/langs/en_US/categories.lang
index 9c3a956727eedc859c706f6687837e9b35378f79..81c73356c9313f8f6b58ca91fb632a9d894f335b 100644
--- a/htdocs/langs/en_US/categories.lang
+++ b/htdocs/langs/en_US/categories.lang
@@ -108,3 +108,4 @@ CategorieRecursiv=Link with parent tag/category automatically
 CategorieRecursivHelp=If activated, product will also linked to parent category when adding into a subcategory
 AddProductServiceIntoCategory=Add the following product/service
 ShowCategory=Show tag/category
+ByDefaultInList=By default in list
diff --git a/htdocs/langs/en_US/compta.lang b/htdocs/langs/en_US/compta.lang
index 09858bc092f52b21449401bb06b35b277bde2261..9e801939dccd69ac96566d2e65a4a92ffade7034 100644
--- a/htdocs/langs/en_US/compta.lang
+++ b/htdocs/langs/en_US/compta.lang
@@ -205,3 +205,9 @@ ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdpartie
 CloneTax=Clone a social/fiscal tax
 ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
+SimpleReport=Simple report
+AddExtraReport=Extra reports
+OtherCountriesCustomersReport=Foreign customers report
+BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Based on the two first letters of the VAT number being different from your own company's country code
+SameCountryCustomersWithVAT=National customers report
+BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Based on the two first letters of the VAT number being the same as your own company's country code
\ No newline at end of file
diff --git a/htdocs/langs/en_US/exports.lang b/htdocs/langs/en_US/exports.lang
index d396746ccad5fc0b7c795a9f089ce63319db6624..6c68d6f677e6134c857604c8c9824f4e2ffb3644 100644
--- a/htdocs/langs/en_US/exports.lang
+++ b/htdocs/langs/en_US/exports.lang
@@ -132,3 +132,4 @@ SelectFilterFields=If you want to filter on some values, just input values here.
 FilterableFields=Champs Filtrables
 FilteredFields=Filtered fields
 FilteredFieldsValues=Value for filter
+FormatControlRule=Format control rule
diff --git a/htdocs/langs/en_US/projects.lang b/htdocs/langs/en_US/projects.lang
index de6f0fe05760e8b701428b51b007538686e11940..5d560ed4a248d9170e4d2d94050e127e40c4dec2 100644
--- a/htdocs/langs/en_US/projects.lang
+++ b/htdocs/langs/en_US/projects.lang
@@ -159,4 +159,5 @@ ProjectOverview=Overview
 ManageTasks=Use projects to follow tasks and time
 ManageOpportunitiesStatus=Use projects to follow leads/opportinuties
 ProjectNbProjectByMonth=Nb of created projects by month
-ProjectsStatistics=Statistics on projects/leads 
\ No newline at end of file
+ProjectsStatistics=Statistics on projects/leads
+TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible.
diff --git a/htdocs/langs/en_US/trips.lang b/htdocs/langs/en_US/trips.lang
index 969ceaa01d6f2382b6efa1e408893dbc6b2d882b..cc14a66aea538b261c028e0e56431126a4ecfa84 100644
--- a/htdocs/langs/en_US/trips.lang
+++ b/htdocs/langs/en_US/trips.lang
@@ -9,6 +9,7 @@ TripCard=Expense report card
 AddTrip=Create expense report
 ListOfTrips=List of expense reports
 ListOfFees=List of fees
+ShowTrip=Show expense report
 NewTrip=New expense report
 CompanyVisited=Company/foundation visited
 Kilometers=Kilometers
diff --git a/htdocs/langs/es_AR/admin.lang b/htdocs/langs/es_AR/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..1c53b65c99c6fee95d719213ae8ef0909a718a3f 100644
--- a/htdocs/langs/es_AR/admin.lang
+++ b/htdocs/langs/es_AR/admin.lang
@@ -1,1642 +1,4 @@
 # Dolibarr language file - Source file is en_US - admin
-Foundation=Foundation
-Version=Version
-VersionProgram=Version program
-VersionLastInstall=Version initial install
-VersionLastUpgrade=Version last upgrade
-VersionExperimental=Experimental
-VersionDevelopment=Development
-VersionUnknown=Unknown
-VersionRecommanded=Recommended
-FileCheck=Files Integrity
-FilesMissing=Missing Files
-FilesUpdated=Updated Files
-FileCheckDolibarr=Check Dolibarr Files Integrity
-XmlNotFound=Xml File of Dolibarr Integrity Not Found
-SessionId=Session ID
-SessionSaveHandler=Handler to save sessions
-SessionSavePath=Storage session localization
-PurgeSessions=Purge of sessions
-ConfirmPurgeSessions=Do you really want to purge all sessions ? This will disconnect every user (except yourself).
-NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow to list all running sessions.
-LockNewSessions=Lock new connections
-ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself. Only user <b>%s</b> will be able to connect after that.
-UnlockNewSessions=Remove connection lock
-YourSession=Your session
-Sessions=Users session
-WebUserGroup=Web server user/group
-NoSessionFound=Your PHP seems to not allow to list active sessions. Directory used to save sessions (<b>%s</b>) might be protected (For example, by OS permissions or by PHP directive open_basedir).
-HTMLCharset=Charset for generated HTML pages
-DBStoringCharset=Database charset to store data
-DBSortingCharset=Database charset to sort data
-WarningModuleNotActive=Module <b>%s</b> must be enabled
-WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page.
-DolibarrSetup=Dolibarr install or upgrade
-DolibarrUser=Dolibarr user
-InternalUser=Internal user
-ExternalUser=External user
-InternalUsers=Internal users
-ExternalUsers=External users
-GlobalSetup=Global setup
-GUISetup=Display
-SetupArea=Setup area
-FormToTestFileUploadForm=Form to test file upload (according to setup)
-IfModuleEnabled=Note: yes is effective only if module <b>%s</b> is enabled
-RemoveLock=Remove file <b>%s</b> if it exists to allow usage of the update tool.
-RestoreLock=Restore file <b>%s</b>, with read permission only, to disable any usage of update tool.
-SecuritySetup=Security setup
-ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher
-ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher
-ErrorDecimalLargerThanAreForbidden=Error, a precision higher than <b>%s</b> is not supported.
-DictionarySetup=Dictionary setup
-Dictionary=Dictionaries
-Chartofaccounts=Chart of accounts
-Fiscalyear=Fiscal years
-ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record
-ErrorCodeCantContainZero=Code can't contain value 0
-DisableJavascript=Disable JavaScript and Ajax functions (Recommended for blind person or text browsers)
-ConfirmAjax=Use Ajax confirmation popups
-UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectCompany=Use autocompletion fields to choose third parties instead of using a list box.
-ActivityStateToSelectCompany= Add a filter option to show/hide thirdparties which are currently in activity or has ceased it
-UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectContact=Use autocompletion fields to choose contact (instead of using a list box).
-DelaiedFullListToSelectCompany=Wait you press a key before loading content of thirdparties combo list (This may increase performance if you have a large number of thirdparties)
-DelaiedFullListToSelectContact=Wait you press a key before loading content of contact combo list (This may increase performance if you have a large number of contact)
-SearchFilter=Search filters options
-NumberOfKeyToSearch=Nbr of characters to trigger search: %s
-ViewFullDateActions=Show full dates events in the third sheet
-NotAvailableWhenAjaxDisabled=Not available when Ajax disabled
-JavascriptDisabled=JavaScript disabled
-UsePopupCalendar=Use popup for dates input
-UsePreviewTabs=Use preview tabs
-ShowPreview=Show preview
-PreviewNotAvailable=Preview not available
-ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
-MySQLTimeZone=TimeZone MySql (database)
-TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submited string. The timezone has effect only when using UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
-Space=Space
-Table=Table
-Fields=Fields
-Index=Index
-Mask=Mask
-NextValue=Next value
-NextValueForInvoices=Next value (invoices)
-NextValueForCreditNotes=Next value (credit notes)
-NextValueForDeposit=Next value (deposit)
-NextValueForReplacements=Next value (replacements)
-MustBeLowerThanPHPLimit=Note: your PHP limits each file upload's size to <b>%s</b> %s, whatever this parameter's value is
-NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration
-MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload)
-UseCaptchaCode=Use graphical code (CAPTCHA) on login page
-UseAvToScanUploadedFiles=Use anti-virus to scan uploaded files
-AntiVirusCommand= Full path to antivirus command
-AntiVirusCommandExample= Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe<br>Example for ClamAv: /usr/bin/clamscan
-AntiVirusParam= More parameters on command line
-AntiVirusParamExample= Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
-ComptaSetup=Accounting module setup
-UserSetup=User management setup
-MenuSetup=Menu management setup
-MenuLimits=Limits and accuracy
-MenuIdParent=Parent menu ID
-DetailMenuIdParent=ID of parent menu (empty for a top menu)
-DetailPosition=Sort number to define menu position
-PersonalizedMenusNotSupported=Personalized menus not supported
-AllMenus=All
-NotConfigured=Module not configured
-Setup=Setup
-Activation=Activation
-Active=Active
-SetupShort=Setup
-OtherOptions=Other options
-OtherSetup=Other setup
-CurrentValueSeparatorDecimal=Decimal separator
-CurrentValueSeparatorThousand=Thousand separator
-Destination=Destination
-IdModule=Module ID
-IdPermissions=Permissions ID
-Modules=Modules
-ModulesCommon=Main modules
-ModulesOther=Other modules
-ModulesInterfaces=Interfaces modules
-ModulesSpecial=Modules very specific
-ParameterInDolibarr=Parameter %s
-LanguageParameter=Language parameter %s
-LanguageBrowserParameter=Parameter %s
-LocalisationDolibarrParameters=Localisation parameters
-ClientTZ=Client Time Zone (user)
-ClientHour=Client time (user)
-OSTZ=Server OS Time Zone
-PHPTZ=PHP server Time Zone
-PHPServerOffsetWithGreenwich=PHP server offset width Greenwich (seconds)
-ClientOffsetWithGreenwich=Client/Browser offset width Greenwich (seconds)
-DaylingSavingTime=Daylight saving time
-CurrentHour=PHP Time (server)
-CompanyTZ=Company Time Zone (main company)
-CompanyHour=Company Time (main company)
-CurrentSessionTimeOut=Current session timeout
-YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a file .htacces with a line like this "SetEnv TZ Europe/Paris"
-OSEnv=OS Environment
-Box=Box
-Boxes=Boxes
-MaxNbOfLinesForBoxes=Max number of lines for boxes
-PositionByDefault=Default order
-Position=Position
-MenusDesc=Menus managers define content of the 2 menu bars (horizontal bar and vertical bar).
-MenusEditorDesc=The menu editor allow you to define personalized entries in menus. Use it carefully to avoid making dolibarr unstable and menu entries permanently unreachable.<br>Some modules add entries in the menus (in menu <b>All</b> in most cases). If you removed some of these entries by mistake, you can restore them by disabling and reenabling the module.
-MenuForUsers=Menu for users
-LangFile=.lang file
-System=System
-SystemInfo=System information
-SystemToolsArea=System tools area
-SystemToolsAreaDesc=This area provides administration features. Use the menu to choose the feature you're looking for.
-Purge=Purge
-PurgeAreaDesc=This page allows you to delete all files built or stored by Dolibarr (temporary files or all files in <b>%s</b> directory). Using this feature is not necessary. It is provided for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files built by the web server.
-PurgeDeleteLogFile=Delete log file <b>%s</b> defined for Syslog module (no risk to loose data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk to loose data)
-PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory <b>%s</b>. Temporary files but also database backup dumps, files attached to elements (third parties, invoices, ...) and uploaded into the ECM module will be deleted.
-PurgeRunNow=Purge now
-PurgeNothingToDelete=No directory or file to delete.
-PurgeNDirectoriesDeleted=<b>%s</b> files or directories deleted.
-PurgeAuditEvents=Purge all security events
-ConfirmPurgeAuditEvents=Are you sure you want to purge all security events ? All security logs will be deleted, no other data will be removed.
-NewBackup=New backup
-GenerateBackup=Generate backup
-Backup=Backup
-Restore=Restore
-RunCommandSummary=Backup has been launched with the following command
-RunCommandSummaryToLaunch=Backup can be launched with the following command
-WebServerMustHavePermissionForCommand=Your web server must have the permission to run such commands
-BackupResult=Backup result
-BackupFileSuccessfullyCreated=Backup file successfully generated
-YouCanDownloadBackupFile=Generated files can now be downloaded
-NoBackupFileAvailable=No backup files available.
-ExportMethod=Export method
-ImportMethod=Import method
-ToBuildBackupFileClickHere=To build a backup file, click <a href="%s">here</a>.
-ImportMySqlDesc=To import a backup file, you must use mysql command from command line:
-ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line:
-ImportMySqlCommand=%s %s < mybackupfile.sql
-ImportPostgreSqlCommand=%s %s mybackupfile.sql
-FileNameToGenerate=File name to generate
-Compression=Compression
-CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import
-CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later
-ExportCompatibility=Compatibility of generated export file
-MySqlExportParameters=MySQL export parameters
-PostgreSqlExportParameters= PostgreSQL export parameters
-UseTransactionnalMode=Use transactional mode
-FullPathToMysqldumpCommand=Full path to mysqldump command
-FullPathToPostgreSQLdumpCommand=Full path to pg_dump command
-ExportOptions=Export Options
-AddDropDatabase=Add DROP DATABASE command
-AddDropTable=Add DROP TABLE command
-ExportStructure=Structure
-Datas=Data
-NameColumn=Name columns
-ExtendedInsert=Extended INSERT
-NoLockBeforeInsert=No lock commands around INSERT
-DelayedInsert=Delayed insert
-EncodeBinariesInHexa=Encode binary data in hexadecimal
-IgnoreDuplicateRecords=Ignore errors of duplicate records (INSERT IGNORE)
-Yes=Yes
-No=No
-AutoDetectLang=Autodetect (browser language)
-FeatureDisabledInDemo=Feature disabled in demo
-Rights=Permissions
-BoxesDesc=Boxes are screen area that show a piece of information on some pages. You can choose between showing the box or not by selecting target page and clicking 'Activate', or by clicking the dustbin to disable it.
-OnlyActiveElementsAreShown=Only elements from <a href="%s">enabled modules</a> are shown.
-ModulesDesc=Dolibarr modules define which functionality is enabled in software. Some modules require permissions you must grant to users, after enabling module. Click on button on/off in column "Status" to enable a module/feature.
-ModulesInterfaceDesc=The Dolibarr modules interface allows you to add features depending on external software, systems or services.
-ModulesSpecialDesc=Special modules are very specific or seldom used modules.
-ModulesJobDesc=Business modules provide simple predefined setup of Dolibarr for a particular business.
-ModulesMarketPlaceDesc=You can find more modules to download on external web sites on the Internet...
-ModulesMarketPlaces=More modules...
-DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules
-DoliPartnersDesc=List with some companies that can provide/develop on-demand modules or features (Note: any Open Source company knowning PHP language can provide you specific development)
-WebSiteDesc=Web site providers you can search to find more modules...
-URL=Link
-BoxesAvailable=Boxes available
-BoxesActivated=Boxes activated
-ActivateOn=Activate on
-ActiveOn=Activated on
-SourceFile=Source file
-AutomaticIfJavascriptDisabled=Automatic if Javascript is disabled
-AvailableOnlyIfJavascriptNotDisabled=Available only if JavaScript is not disabled
-AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled
-Required=Required
-UsedOnlyWithTypeOption=Used by some agenda option only
-Security=Security
-Passwords=Passwords
-DoNotStoreClearPassword=Do no store clear passwords in database but store only encrypted value (Activated recommended)
-MainDbPasswordFileConfEncrypted=Database password encrypted in conf.php (Activated recommended)
-InstrucToEncodePass=To have password encoded into the <b>conf.php</b> file, replace the line <br><b>$dolibarr_main_db_pass="...";</b><br>by<br><b>$dolibarr_main_db_pass="crypted:%s";</b>
-InstrucToClearPass=To have password decoded (clear) into the <b>conf.php</b> file, replace the line <br><b>$dolibarr_main_db_pass="crypted:...";</b><br>by<br><b>$dolibarr_main_db_pass="%s";</b>
-ProtectAndEncryptPdfFiles=Protection of generated pdf files (Activated NOT recommended, breaks mass pdf generation)
-ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature make building of a global cumulated pdf not working (like unpaid invoices).
-Feature=Feature
-DolibarrLicense=License
-DolibarrProjectLeader=Project leader
-Developpers=Developers/contributors
-OtherDeveloppers=Other developers/contributors
-OfficialWebSite=Dolibarr international official web site
-OfficialWebSiteFr=French official web site
-OfficialWiki=Dolibarr documentation on Wiki
-OfficialDemo=Dolibarr online demo
-OfficialMarketPlace=Official market place for external modules/addons
-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.
-HelpCenterDesc2=Some part of this service are available in <b>english only</b>.
-CurrentTopMenuHandler=Current top menu handler
-CurrentLeftMenuHandler=Current left menu handler
-CurrentMenuHandler=Current menu handler
-CurrentSmartphoneMenuHandler=Current smartphone menu handler
-MeasuringUnit=Measuring unit
-Emails=E-mails
-EMailsSetup=E-mails setup
-EMailsDesc=This page allows you to overwrite your PHP parameters for e-mails sending. In most cases on Unix/Linux OS, your PHP setup is correct and these parameters are useless.
-MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix like systems)
-MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix like systems)
-MAIN_MAIL_EMAIL_FROM=Sender e-mail for automatic emails (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_ERRORS_TO=Sender e-mail used for error returns emails sent
-MAIN_MAIL_AUTOCOPY_TO= Send systematically a hidden carbon-copy of all sent emails to
-MAIN_MAIL_AUTOCOPY_PROPOSAL_TO= Send systematically a hidden carbon-copy of proposals sent by email to
-MAIN_MAIL_AUTOCOPY_ORDER_TO= Send systematically a hidden carbon-copy of orders sent by email to
-MAIN_MAIL_AUTOCOPY_INVOICE_TO= Send systematically a hidden carbon-copy of invoice sent by emails to
-MAIN_DISABLE_ALL_MAILS=Disable all e-mails sendings (for test purposes or demos)
-MAIN_MAIL_SENDMODE=Method to use to send EMails
-MAIN_MAIL_SMTPS_ID=SMTP ID if authentication required
-MAIN_MAIL_SMTPS_PW=SMTP Password if authentication required
-MAIN_MAIL_EMAIL_TLS= Use TLS (SSL) encrypt
-MAIN_DISABLE_ALL_SMS=Disable all SMS sendings (for test purposes or demos)
-MAIN_SMS_SENDMODE=Method to use to send SMS
-MAIN_MAIL_SMS_FROM=Default sender phone number for Sms sending
-FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally.
-SubmitTranslation=If translation for this language is not complete or you find errors, you can correct this by editing files into directory <b>langs/%s</b> and submit modified files on www.dolibarr.org forum.
-ModuleSetup=Module setup
-ModulesSetup=Modules setup
-ModuleFamilyBase=System
-ModuleFamilyCrm=Customer Relation Management (CRM)
-ModuleFamilyProducts=Products Management
-ModuleFamilyHr=Human Resource Management
-ModuleFamilyProjects=Projects/Collaborative work
-ModuleFamilyOther=Other
-ModuleFamilyTechnic=Multi-modules tools
-ModuleFamilyExperimental=Experimental modules
-ModuleFamilyFinancial=Financial Modules (Accounting/Treasury)
-ModuleFamilyECM=Electronic Content Management (ECM)
-MenuHandlers=Menu handlers
-MenuAdmin=Menu editor
-DoNotUseInProduction=Do not use in production
-ThisIsProcessToFollow=This is setup to process:
-ThisIsAlternativeProcessToFollow=This is an alternative setup to process:
-StepNb=Step %s
-FindPackageFromWebSite=Find a package that provides feature you want (for example on official web site %s).
-DownloadPackageFromWebSite=Download package (for example from official web site %s).
-UnpackPackageInDolibarrRoot=Unpack package file into Dolibarr server directory dedicated to external modules: <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>
-InfDirExample=<br>Then declare it in the file conf.php<br> $dolibarr_main_url_root_alt='http://myserver/custom'<br>$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'<br>*These lines are commented with "#", to uncomment only remove the character.
-YouCanSubmitFile=For this step, you can send package using this tool: Select module file
-CurrentVersion=Dolibarr current version
-CallUpdatePage=Go to the page that updates the database structure and datas: %s.
-LastStableVersion=Last stable version
-UpdateServerOffline=Update server offline
-GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags could be used:<br><b>{000000}</b> corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask. <br><b>{000000+000}</b> same as previous but an offset corresponding to the number to the right of the + sign is applied starting on first %s. <br><b>{000000@x}</b> same as previous but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then sequence {yy}{mm} or {yyyy}{mm} is also required. <br><b>{dd}</b> day (01 to 31).<br><b>{mm}</b> month (01 to 12).<br><b>{yy}</b>, <b>{yyyy}</b> or <b>{y}</b> year over 2, 4 or 1 numbers. <br>
-GenericMaskCodes2=<b>{cccc}</b> the client code on n characters<br><b>{cccc000}</b> the client code on n characters is followed by a counter dedicated for customer. This counter dedicated to customer is reset at same time than global counter.<br><b>{tttt}</b> The code of thirdparty type on n characters (see dictionary-thirdparty types).<br>
-GenericMaskCodes3=All other characters in the mask will remain intact.<br>Spaces are not allowed.<br>
-GenericMaskCodes4a=<u>Example on the 99th %s of the third party TheCompany done 2007-01-31:</u><br>
-GenericMaskCodes4b=<u>Example on third party created on 2007-03-01:</u><br>
-GenericMaskCodes4c=<u>Example on product created on 2007-03-01:</u><br>
-GenericMaskCodes5=<b>ABC{yy}{mm}-{000000}</b> will give <b>ABC0701-000099</b><br><b>{0000+100@1}-ZZZ/{dd}/XXX</b> will give <b>0199-ZZZ/31/XXX</b>
-GenericNumRefModelDesc=Returns a customizable number according to a defined mask.
-ServerAvailableOnIPOrPort=Server is available at address <b>%s</b> on port <b>%s</b>
-ServerNotAvailableOnIPOrPort=Server is not available at address <b>%s</b> on port <b>%s</b>
-DoTestServerAvailability=Test server connectivity
-DoTestSend=Test sending
-DoTestSendHTML=Test sending HTML
-ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask.
-ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask.
-UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system.
-UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).<br>It must be the octal value (for example, 0666 means read and write for everyone).<br>This parameter is useless on a Windows server.
-SeeWikiForAllTeam=Take a look at the wiki page for full list of all actors and their organisation
-UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache)
-DisableLinkToHelpCenter=Hide link "<b>Need help or support</b>" on login page
-DisableLinkToHelp=Hide link "<b>%s Online help</b>" on left menu
-AddCRIfTooLong=There is no automatic wrapping, so if line is out of page on documents because too long, you must add yourself carriage returns in the textarea.
-ModuleDisabled=Module disabled
-ModuleDisabledSoNoEvent=Module disabled so event never created
-ConfirmPurge=Are you sure you want to execute this purge ?<br>This will delete definitely all your data files with no way to restore them (ECM files, attached files...).
-MinLength=Minimum length
-LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory
-ExamplesWithCurrentSetup=Examples with current running setup
-ListOfDirectories=List of OpenDocument templates directories
-ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.<br><br>Put here full path of directories.<br>Add a carriage return between eah directory.<br>To add a directory of the GED module, add here <b>DOL_DATA_ROOT/ecm/yourdirectoryname</b>.<br><br>Files in those directories must end with <b>.odt</b>.
-NumberOfModelFilesFound=Number of ODT/ODS templates files found in those directories
+AntiVirusCommandExample=Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe<br>Example for ClamAv: /usr/bin/clamscan
+AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
 ExampleOfDirectoriesForModelGen=Examples of syntax:<br>c:\\mydir<br>/home/mydir<br>DOL_DATA_ROOT/ecm/ecmdir
-FollowingSubstitutionKeysCanBeUsed=<br>To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
-FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
-FirstnameNamePosition=Position of Name/Lastname
-DescWeather=The following pictures will be shown on dashboard when number of late actions reach the following values:
-KeyForWebServicesAccess=Key to use Web Services (parameter "dolibarrkey" in webservices)
-TestSubmitForm=Input test form
-ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever is user choice. Also this menu manager specialized for smartphones does not works on all smartphone. Use another menu manager if you experience problems on yours.
-ThemeDir=Skins directory
-ConnectionTimeout=Connexion timeout
-ResponseTimeout=Response timeout
-SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__
-ModuleMustBeEnabledFirst=Module <b>%s</b> must be enabled first before using this feature.
-SecurityToken=Key to secure URLs
-NoSmsEngine=No SMS sender manager available. SMS sender manager are not installed with default distribution (because they depends on an external supplier) but you can find some on %s
-PDF=PDF
-PDFDesc=You can set each global options related to the PDF generation
-PDFAddressForging=Rules to forge address boxes
-HideAnyVATInformationOnPDF=Hide all information related to VAT on generated PDF
-HideDescOnPDF=Hide products description on generated PDF
-HideRefOnPDF=Hide products ref. on generated PDF
-HideDetailsOnPDF=Hide products lines details on generated PDF
-Library=Library
-UrlGenerationParameters=Parameters to secure URLs
-SecurityTokenIsUnique=Use a unique securekey parameter for each URL
-EnterRefToBuildUrl=Enter reference for object %s
-GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for unauthorized actions instead of showing disabled buttons
-OldVATRates=Old VAT rate
-NewVATRates=New VAT rate
-PriceBaseTypeToChange=Modify on prices with base reference value defined on
-MassConvert=Launch mass convert
-String=String
-TextLong=Long text
-Int=Integer
-Float=Float
-DateAndTime=Date and hour
-Unique=Unique
-Boolean=Boolean (Checkbox)
-ExtrafieldPhone = Phone
-ExtrafieldPrice = Price
-ExtrafieldMail = Email
-ExtrafieldSelect = Select list
-ExtrafieldSelectList = Select from table
-ExtrafieldSeparator=Separator
-ExtrafieldCheckBox=Checkbox
-ExtrafieldRadio=Radio button
-ExtrafieldCheckBoxFromList= Checkbox from table
-ExtrafieldLink=Link to an object
-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
-ExtrafieldParamHelpchkbxlst=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>
-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 (localtax is calculated on amount without tax)<br>2 : local tax apply on products and services including vat (localtax is calculated on amount + main tax)<br>3 : local tax apply on products without vat (localtax is calculated on amount without tax)<br>4 : local tax apply on products including vat (localtax is calculated on amount + main vat)<br>5 : local tax apply on services without vat (localtax is calculated on amount without tax)<br>6 : local tax apply on services including vat (localtax is calculated on amount + tax)
-SMS=SMS
-LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user <strong>%s</strong>
-RefreshPhoneLink=Refresh link
-LinkToTest=Clickable link generated for user <strong>%s</strong> (click phone number to test)
-KeepEmptyToUseDefault=Keep empty to use default value
-DefaultLink=Default link
-ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url)
-ExternalModule=External module - Installed into directory %s
-BarcodeInitForThirdparties=Mass barcode init for thirdparties
-BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services
-CurrentlyNWithoutBarCode=Currently, you have <strong>%s</strong> records on <strong>%s</strong> %s without barcode defined.
-InitEmptyBarCode=Init value for next %s empty records
-EraseAllCurrentBarCode=Erase all current barcode values
-ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values ?
-AllBarcodeReset=All barcode values have been removed
-NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
-NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
-
-# Modules
-Module0Name=Users & groups
-Module0Desc=Users and groups management
-Module1Name=Third parties
-Module1Desc=Companies and contact management (customers, prospects...)
-Module2Name=Commercial
-Module2Desc=Commercial management
-Module10Name=Accounting
-Module10Desc=Simple accounting reports (journals, turnover) based onto database content. No dispatching.
-Module20Name=Proposals
-Module20Desc=Commercial proposal management
-Module22Name=Mass E-mailings
-Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
-Module25Name=Customer Orders
-Module25Desc=Customer order management
-Module30Name=Invoices
-Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers
-Module40Name=Suppliers
-Module40Desc=Supplier management and buying (orders and invoices)
-Module42Name=Logs
-Module42Desc=Logging facilities (file, syslog, ...)
-Module49Name=Editors
-Module49Desc=Editor management
-Module50Name=Products
-Module50Desc=Product management
-Module51Name=Mass mailings
-Module51Desc=Mass paper mailing management
-Module52Name=Stocks
-Module52Desc=Stock management (products)
-Module53Name=Services
-Module53Desc=Service management
-Module54Name=Contracts/Subscriptions
-Module54Desc=Management of contracts (services or reccuring subscriptions)
-Module55Name=Barcodes
-Module55Desc=Barcode management
-Module56Name=Telephony
-Module56Desc=Telephony integration
-Module57Name=Standing orders
-Module57Desc=Standing orders and withdrawal management. Also includes generation of SEPA file for european countries.
-Module58Name=ClickToDial
-Module58Desc=Integration of a ClickToDial system (Asterisk, ...)
-Module59Name=Bookmark4u
-Module59Desc=Add function to generate Bookmark4u account from a Dolibarr account
-Module70Name=Interventions
-Module70Desc=Intervention management
-Module75Name=Expense and trip notes
-Module75Desc=Expense and trip notes management
-Module80Name=Shipments
-Module80Desc=Shipments and delivery order management
-Module85Name=Banks and cash
-Module85Desc=Management of bank or cash accounts
-Module100Name=External site
-Module100Desc=This module include an external web site or page into Dolibarr menus and view it into a Dolibarr frame
-Module105Name=Mailman and SPIP
-Module105Desc=Mailman or SPIP interface for member module
-Module200Name=LDAP
-Module200Desc=LDAP directory synchronisation
-Module210Name=PostNuke
-Module210Desc=PostNuke integration
-Module240Name=Data exports
-Module240Desc=Tool to export Dolibarr datas (with assistants)
-Module250Name=Data imports
-Module250Desc=Tool to import datas in Dolibarr  (with assistants)
-Module310Name=Members
-Module310Desc=Foundation members management
-Module320Name=RSS Feed
-Module320Desc=Add RSS feed inside Dolibarr screen pages
-Module330Name=Bookmarks
-Module330Desc=Bookmark management
-Module400Name=Projects/Opportunities/Leads
-Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view.
-Module410Name=Webcalendar
-Module410Desc=Webcalendar integration
-Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
-Module510Name=Salaries
-Module510Desc=Management of employees salaries and payments
-Module520Name=Loan
-Module520Desc=Management of loans
-Module600Name=Notifications
-Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
-Module700Name=Donations
-Module700Desc=Donation management
-Module770Name=Expense Report
-Module770Desc=Management and claim expense reports (transportation, meal, ...)
-Module1120Name=Supplier commercial proposal
-Module1120Desc=Request supplier commercial proposal and prices
-Module1200Name=Mantis
-Module1200Desc=Mantis integration
-Module1400Name=Accounting
-Module1400Desc=Accounting management (double parties)
-Module1520Name=Document Generation
-Module1520Desc=Mass mail document generation
-Module1780Name=Tags/Categories
-Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members)
-Module2000Name=WYSIWYG editor
-Module2000Desc=Allow to edit some text area using an advanced editor
-Module2200Name=Dynamic Prices
-Module2200Desc=Enable the usage of math expressions for prices
-Module2300Name=Cron
-Module2300Desc=Scheduled job management
-Module2400Name=Agenda
-Module2400Desc=Events/tasks and agenda management
-Module2500Name=Electronic Content Management
-Module2500Desc=Save and share documents
-Module2600Name=API services (Web services SOAP)
-Module2600Desc=Enable the Dolibarr SOAP server providing API services
-Module2610Name=API services (Web services REST)
-Module2610Desc=Enable the Dolibarr REST server providing API services
-Module2650Name=WebServices (client)
-Module2650Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Supplier orders supported only for the moment)
-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
-Module5000Name=Multi-company
-Module5000Desc=Allows you to manage multiple companies
-Module6000Name=Workflow
-Module6000Desc=Workflow management
-Module20000Name=Leave Requests management
-Module20000Desc=Declare and follow employees leaves requests
-Module39000Name=Product lot
-Module39000Desc=Lot or serial number, eat-by and sell-by date management on products
-Module50000Name=PayBox
-Module50000Desc=Module to offer an online payment page by credit card with PayBox
-Module50100Name=Point of sales
-Module50100Desc=Point of sales module
-Module50200Name=Paypal
-Module50200Desc=Module to offer an online payment page by credit card with Paypal
-Module50400Name=Accounting (advanced)
-Module50400Desc=Accounting management (double parties)
-Module54000Name=PrintIPP
-Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installe on server).
-Module55000Name=Open Poll
-Module55000Desc=Module to make online polls (like Doodle, Studs, Rdvz, ...)
-Module59000Name=Margins
-Module59000Desc=Module to manage margins
-Module60000Name=Commissions
-Module60000Desc=Module to manage commissions
-Permission11=Read customer invoices
-Permission12=Create/modify customer invoices
-Permission13=Unvalidate customer invoices
-Permission14=Validate customer invoices
-Permission15=Send customer invoices by email
-Permission16=Create payments for customer invoices
-Permission19=Delete customer invoices
-Permission21=Read commercial proposals
-Permission22=Create/modify commercial proposals
-Permission24=Validate commercial proposals
-Permission25=Send commercial proposals
-Permission26=Close commercial proposals
-Permission27=Delete commercial proposals
-Permission28=Export commercial proposals
-Permission31=Read products
-Permission32=Create/modify products
-Permission34=Delete products
-Permission36=See/manage hidden products
-Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
-Permission42=Create/modify projects (shared project and projects i'm contact for)
-Permission44=Delete projects (shared project and projects i'm contact for)
-Permission61=Read interventions
-Permission62=Create/modify interventions
-Permission64=Delete interventions
-Permission67=Export interventions
-Permission71=Read members
-Permission72=Create/modify members
-Permission74=Delete members
-Permission75=Setup types of membership
-Permission76=Export datas
-Permission78=Read subscriptions
-Permission79=Create/modify subscriptions
-Permission81=Read customers orders
-Permission82=Create/modify customers orders
-Permission84=Validate customers orders
-Permission86=Send customers orders
-Permission87=Close customers orders
-Permission88=Cancel customers orders
-Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
-Permission95=Read reports
-Permission101=Read sendings
-Permission102=Create/modify sendings
-Permission104=Validate sendings
-Permission106=Export sendings
-Permission109=Delete sendings
-Permission111=Read financial accounts
-Permission112=Create/modify/delete and compare transactions
-Permission113=Setup financial accounts (create, manage categories)
-Permission114=Reconciliate transactions
-Permission115=Export transactions and account statements
-Permission116=Transfers between accounts
-Permission117=Manage cheques dispatching
-Permission121=Read third parties linked to user
-Permission122=Create/modify third parties linked to user
-Permission125=Delete third parties linked to user
-Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
-Permission146=Read providers
-Permission147=Read stats
-Permission151=Read standing orders
-Permission152=Create/modify a standing orders request
-Permission153=Transmission standing orders receipts
-Permission154=Credit/refuse standing orders receipts
-Permission161=Read contracts/subscriptions
-Permission162=Create/modify contracts/subscriptions
-Permission163=Activate a service/subscription of a contract
-Permission164=Disable a service/subscription of a contract
-Permission165=Delete contracts/subscriptions
-Permission171=Read trips and expenses (own and his subordinates)
-Permission172=Create/modify trips and expenses
-Permission173=Delete trips and expenses
-Permission174=Read all trips and expenses
-Permission178=Export trips and expenses
-Permission180=Read suppliers
-Permission181=Read supplier orders
-Permission182=Create/modify supplier orders
-Permission183=Validate supplier orders
-Permission184=Approve supplier orders
-Permission185=Order or cancel supplier orders
-Permission186=Receive supplier orders
-Permission187=Close supplier orders
-Permission188=Cancel supplier orders
-Permission192=Create lines
-Permission193=Cancel lines
-Permission194=Read the bandwith lines
-Permission202=Create ADSL connections
-Permission203=Order connections orders
-Permission204=Order connections
-Permission205=Manage connections
-Permission206=Read connections
-Permission211=Read Telephony
-Permission212=Order lines
-Permission213=Activate line
-Permission214=Setup Telephony
-Permission215=Setup providers
-Permission221=Read emailings
-Permission222=Create/modify emailings (topic, recipients...)
-Permission223=Validate emailings (allows sending)
-Permission229=Delete emailings
-Permission237=View recipients and info
-Permission238=Manually send mailings
-Permission239=Delete mailings after validation or sent
-Permission241=Read categories
-Permission242=Create/modify categories
-Permission243=Delete categories
-Permission244=See the contents of the hidden categories
-Permission251=Read other users and groups
-PermissionAdvanced251=Read other users
-Permission252=Read permissions of other users
-Permission253=Create/modify other users, groups and permisssions
-PermissionAdvanced253=Create/modify internal/external users and permissions
-Permission254=Create/modify external users only
-Permission255=Modify other users password
-Permission256=Delete or disable other users
-Permission262=Extend access to all third parties (not only those linked to user). Not effective for external users (always limited to themselves).
-Permission271=Read CA
-Permission272=Read invoices
-Permission273=Issue invoices
-Permission281=Read contacts
-Permission282=Create/modify contacts
-Permission283=Delete contacts
-Permission286=Export contacts
-Permission291=Read tariffs
-Permission292=Set permissions on the tariffs
-Permission293=Modify costumers tariffs
-Permission300=Read bar codes
-Permission301=Create/modify bar codes
-Permission302=Delete bar codes
-Permission311=Read services
-Permission312=Assign service/subscription to contract
-Permission331=Read bookmarks
-Permission332=Create/modify bookmarks
-Permission333=Delete bookmarks
-Permission341=Read its own permissions
-Permission342=Create/modify his own user information
-Permission343=Modify his own password
-Permission344=Modify its own permissions
-Permission351=Read groups
-Permission352=Read groups permissions
-Permission353=Create/modify groups
-Permission354=Delete or disable groups
-Permission358=Export users
-Permission401=Read discounts
-Permission402=Create/modify discounts
-Permission403=Validate discounts
-Permission404=Delete discounts
-Permission510=Read Salaries
-Permission512=Create/modify salaries
-Permission514=Delete salaries
-Permission517=Export salaries
-Permission520=Read Loans
-Permission522=Create/modify loans
-Permission524=Delete loans
-Permission525=Access loan calculator
-Permission527=Export loans
-Permission531=Read services
-Permission532=Create/modify services
-Permission534=Delete services
-Permission536=See/manage hidden services
-Permission538=Export services
-Permission701=Read donations
-Permission702=Create/modify donations
-Permission703=Delete donations
-Permission771=Read expense reports (own and his subordinates)
-Permission772=Create/modify expense reports
-Permission773=Delete expense reports
-Permission774=Read all expense reports (even for user not subordinates)
-Permission775=Approve expense reports
-Permission776=Pay expense reports
-Permission779=Export expense reports
-Permission1001=Read stocks
-Permission1002=Create/modify warehouses
-Permission1003=Delete warehouses
-Permission1004=Read stock movements
-Permission1005=Create/modify stock movements
-Permission1101=Read delivery orders
-Permission1102=Create/modify delivery orders
-Permission1104=Validate delivery orders
-Permission1109=Delete delivery orders
-Permission1181=Read suppliers
-Permission1182=Read supplier orders
-Permission1183=Create/modify supplier orders
-Permission1184=Validate supplier orders
-Permission1185=Approve supplier orders
-Permission1186=Order supplier orders
-Permission1187=Acknowledge receipt of supplier orders
-Permission1188=Delete supplier orders
-Permission1190=Approve (second approval) supplier orders
-Permission1201=Get result of an export
-Permission1202=Create/Modify an export
-Permission1231=Read supplier invoices
-Permission1232=Create/modify supplier invoices
-Permission1233=Validate supplier invoices
-Permission1234=Delete supplier invoices
-Permission1235=Send supplier invoices by email
-Permission1236=Export supplier invoices, attributes and payments
-Permission1237=Export supplier orders and their details
-Permission1251=Run mass imports of external data into database (data load)
-Permission1321=Export customer invoices, attributes and payments
-Permission1421=Export customer orders and attributes
-Permission23001=Read Scheduled job
-Permission23002=Create/update Scheduled job
-Permission23003=Delete Scheduled job
-Permission23004=Execute Scheduled job
-Permission2401=Read actions (events or tasks) linked to his account
-Permission2402=Create/modify actions (events or tasks) linked to his account
-Permission2403=Delete actions (events or tasks) linked to his account
-Permission2411=Read actions (events or tasks) of others
-Permission2412=Create/modify actions (events or tasks) of others
-Permission2413=Delete actions (events or tasks) of others
-Permission2501=Read/Download documents
-Permission2502=Download documents
-Permission2503=Submit or delete documents
-Permission2515=Setup documents directories
-Permission2801=Use FTP client in read mode (browse and download only)
-Permission2802=Use FTP client in write mode (delete or upload files)
-Permission50101=Use Point of sales
-Permission50201=Read transactions
-Permission50202=Import transactions
-Permission54001=Print
-Permission55001=Read polls
-Permission55002=Create/modify polls
-Permission59001=Read commercial margins
-Permission59002=Define commercial margins
-Permission59003=Read every user margin
-DictionaryCompanyType=Thirdparties type
-DictionaryCompanyJuridicalType=Juridical kinds of thirdparties
-DictionaryProspectLevel=Prospect potential level
-DictionaryCanton=State/Cantons
-DictionaryRegion=Regions
-DictionaryCountry=Countries
-DictionaryCurrency=Currencies
-DictionaryCivility=Civility title
-DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
-DictionaryVAT=VAT Rates or Sales Tax Rates
-DictionaryRevenueStamp=Amount of revenue stamps
-DictionaryPaymentConditions=Payment terms
-DictionaryPaymentModes=Payment modes
-DictionaryTypeContact=Contact/Address types
-DictionaryEcotaxe=Ecotax (WEEE)
-DictionaryPaperFormat=Paper formats
-DictionaryFees=Type of fees
-DictionarySendingMethods=Shipping methods
-DictionaryStaff=Staff
-DictionaryAvailability=Delivery delay
-DictionaryOrderMethods=Ordering methods
-DictionarySource=Origin of proposals/orders
-DictionaryAccountancyplan=Chart of accounts
-DictionaryAccountancysystem=Models for chart of accounts
-DictionaryEMailTemplates=Emails templates
-DictionaryUnits=Units
-DictionaryProspectStatus=Prospection status
-SetupSaved=Setup saved
-BackToModuleList=Back to modules list
-BackToDictionaryList=Back to dictionaries list
-VATReceivedOnly=Special rate not charged
-VATManagement=VAT Management
-VATIsUsedDesc=The VAT rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If the seller is not subjected to VAT, then VAT by default=0. End of rule.<br>If the (selling country= buying country), then the VAT by default=VAT of the product in the selling country. End of rule. <br>If seller and buyer in the European Community and goods are transport products (car, ship, plane), the default VAT=0 ( The VAT should be paid by the buyer at the customoffice of his country and not at the seller). End of rule.<br>If seller and buyer in the European Community and buyer is not a company, then the VAT by default=VAT of product sold.  End of rule.<br>If seller and buyer in the European Community and buyer is a company, then the VAT by default=0. End of rule.<br>Else the proposed default VAT=0. End of rule.
-VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies.
-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 #####
-LTRate=Rate
-LocalTax1IsUsed=Use second tax
-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)
-LocalTax1Management=Second type of tax
-LocalTax1IsUsedExample=
-LocalTax1IsNotUsedExample=
-LocalTax2IsUsed=Use third tax
-LocalTax2IsNotUsed=Do not use third tax
-LocalTax2IsUsedDesc=Use a third type of tax (other than VAT)
-LocalTax2IsNotUsedDesc=Do not use other type of tax (other than VAT)
-LocalTax2Management=Third type of tax
-LocalTax2IsUsedExample=
-LocalTax2IsNotUsedExample=
-LocalTax1ManagementES= RE Management
-LocalTax1IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If te buyer is not subjected to RE, RE by default=0. End of rule.<br>If the buyer is subjected to RE then the RE by default. End of rule.<br>
-LocalTax1IsNotUsedDescES= By default the proposed RE is 0. End of rule.
-LocalTax1IsUsedExampleES= In Spain they are professionals subject to some specific sections of the Spanish IAE.
-LocalTax1IsNotUsedExampleES= In Spain they are professional and societies and subject to certain sections of the Spanish IAE.
-LocalTax2ManagementES= IRPF Management
-LocalTax2IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.<br>If the seller is subjected to IRPF then the IRPF by default. End of rule.<br>
-LocalTax2IsNotUsedDescES= By default the proposed IRPF is 0. End of rule.
-LocalTax2IsUsedExampleES= In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules.
-LocalTax2IsNotUsedExampleES= In Spain they are bussines not subject to tax system of modules.
-CalcLocaltax=Reports on local taxes
-CalcLocaltax1=Sales - Purchases
-CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases
-CalcLocaltax2=Purchases
-CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases
-CalcLocaltax3=Sales
-CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales
-LabelUsedByDefault=Label used by default if no translation can be found for code
-LabelOnDocuments=Label on documents
-NbOfDays=Nb of days
-AtEndOfMonth=At end of month
-Offset=Offset
-AlwaysActive=Always active
-UpdateRequired=Your system needs to be updated. To do this, click on <a href="%s">Update now</a>.
-Upgrade=Upgrade
-MenuUpgrade=Upgrade / Extend
-AddExtensionThemeModuleOrOther=Add extension (theme, module, ...)
-WebServer=Web server
-DocumentRootServer=Web server's root directory
-DataRootServer=Data files directory
-IP=IP
-Port=Port
-VirtualServerName=Virtual server name
-AllParameters=All parameters
-OS=OS
-PhpEnv=Env
-PhpModules=Modules
-PhpConf=Conf
-PhpWebLink=Web-Php link
-Pear=Pear
-PearPackages=Pear Packages
-Browser=Browser
-Server=Server
-Database=Database
-DatabaseServer=Database host
-DatabaseName=Database name
-DatabasePort=Database port
-DatabaseUser=Database user
-DatabasePassword=Database password
-DatabaseConfiguration=Database setup
-Tables=Tables
-TableName=Table name
-TableLineFormat=Line format
-NbOfRecord=Nb of records
-Constraints=Constraints
-ConstraintsType=Constraints type
-ConstraintsToShowOrNotEntry=Constraint to show or not the menu entry
-AllMustBeOk=All of these must be checked
-Host=Server
-DriverType=Driver type
-SummarySystem=System information summary
-SummaryConst=List of all Dolibarr setup parameters
-SystemUpdate=System update
-SystemSuccessfulyUpdate=Your system has been updated successfuly
-MenuCompanySetup=Company/Foundation
-MenuNewUser=New user
-MenuTopManager=Top menu manager
-MenuLeftManager=Left menu manager
-MenuManager=Menu manager
-MenuSmartphoneManager=Smartphone menu manager
-DefaultMenuTopManager=Top menu manager
-DefaultMenuLeftManager=Left menu manager
-DefaultMenuManager= Standard menu manager
-DefaultMenuSmartphoneManager=Smartphone menu manager
-Skin=Skin theme
-DefaultSkin=Default skin theme
-MaxSizeList=Max length for list
-DefaultMaxSizeList=Default max length for list
-MessageOfDay=Message of the day
-MessageLogin=Login page message
-PermanentLeftSearchForm=Permanent search form on left menu
-DefaultLanguage=Default language to use (language code)
-EnableMultilangInterface=Enable multilingual interface
-EnableShowLogo=Show logo on left menu
-EnableHtml5=Enable Html5 (Developement - Only available on Eldy template)
-SystemSuccessfulyUpdated=Your system has been updated successfully
-CompanyInfo=Company/foundation information
-CompanyIds=Company/foundation identities
-CompanyName=Name
-CompanyAddress=Address
-CompanyZip=Zip
-CompanyTown=Town
-CompanyCountry=Country
-CompanyCurrency=Main currency
-CompanyObject=Object of the company
-Logo=Logo
-DoNotShow=Do not show
-DoNotSuggestPaymentMode=Do not suggest
-NoActiveBankAccountDefined=No active bank account defined
-OwnerOfBankAccount=Owner of bank account %s
-BankModuleNotActive=Bank accounts module not enabled
-ShowBugTrackLink=Show link "<strong>%s</strong>"
-ShowWorkBoard=Show "workbench" on homepage
-Alerts=Alerts
-Delays=Delays
-DelayBeforeWarning=Delay before warning
-DelaysBeforeWarning=Delays before warning
-DelaysOfToleranceBeforeWarning=Tolerance delays before warning
-DelaysOfToleranceDesc=This screen allows you to define the tolerated delays before an alert is reported on screen with picto %s for each late element.
-Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned events not yet realised
-Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not yet processed
-Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not yet processed
-Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close
-Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed
-Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate
-Delays_MAIN_DELAY_RUNNING_SERVICES=Tolerance delay (in days) before alert on expired services
-Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Tolerance delay (in days) before alert on unpaid supplier invoices
-Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Tolerence delay (in days) before alert on unpaid client invoices
-Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Tolerance delay (in days) before alert on pending bank reconciliation
-Delays_MAIN_DELAY_MEMBERS=Tolerance delay (in days) before alert on delayed membership fee
-Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tolerance delay (in days) before alert for cheques deposit to do
-SetupDescription1=All parameters available in the setup area allow you to setup Dolibarr before starting using it.
-SetupDescription2=The 2 most important setup steps are the 2 first ones in the left setup menu, this means Company/foundation setup page and Modules setup page:
-SetupDescription3=Parameters in menu <a href="%s">Setup -> Company/foundation</a> are required because input information is used on Dolibarr displays and to modify Dolibarr behaviour (for example for features related to your country).
-SetupDescription4=Parameters in menu <a href="%s">Setup -> Modules</a> are required because Dolibarr is not a fixed ERP/CRM but a sum of several modules, all more or less independant. It's only after activating modules you're interesting in that you will see features appeared in menus.
-SetupDescription5=Other menu entries manage optional parameters.
-EventsSetup=Setup for events logs
-LogEvents=Security audit events
-Audit=Audit
-InfoDolibarr=Infos Dolibarr
-InfoBrowser=Infos Browser
-InfoOS=Infos OS
-InfoWebServer=Infos web server
-InfoDatabase=Infos database
-InfoPHP=Infos PHP
-InfoPerf=Infos performances
-BrowserName=Browser name
-BrowserOS=Browser OS
-ListEvents=Audit events
-ListOfSecurityEvents=List of Dolibarr security events
-SecurityEventsPurged=Security events purged
-LogEventDesc=You can enable here the logging for Dolibarr security events. Administrators can then see its content via menu <b>System tools - Audit</b>. Warning, this feature can consume a large amount of data in database.
-AreaForAdminOnly=Those features can be used by <b>administrator users</b> only.
-SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only.
-SystemAreaForAdminOnly=This area is available for administrator users only. None of the Dolibarr permissions can reduce this limit.
-CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "Modify" button at bottom of page)
-DisplayDesc=You can choose each parameter related to the Dolibarr look and feel here
-AvailableModules=Available modules
-ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules).
-SessionTimeOut=Time out for session
-SessionExplanation=This number guarantee that session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guaranty that session will expire just after this delay. It will expire, after this delay, and when the session cleaner is ran, so every <b>%s/%s</b> access, but only during access made by other sessions.<br>Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by the default <strong>session.gc_maxlifetime</strong>, no matter what the value entered here.
-TriggersAvailable=Available triggers
-TriggersDesc=Triggers are files that will modify the behaviour of Dolibarr workflow once copied into the directory <b>htdocs/core/triggers</b>. They realised new actions, activated on Dolibarr events (new company creation, invoice validation, ...).
-TriggerDisabledByName=Triggers in this file are disabled by the <b>-NORUN</b> suffix in their name.
-TriggerDisabledAsModuleDisabled=Triggers in this file are disabled as module <b>%s</b> is disabled.
-TriggerAlwaysActive=Triggers in this file are always active, whatever are the activated Dolibarr modules.
-TriggerActiveAsModuleActive=Triggers in this file are active as module <b>%s</b> is enabled.
-GeneratedPasswordDesc=Define here which rule you want to use to generate new password if you ask to have auto generated password
-DictionaryDesc=Define here all reference datas. You can complete predefined value with yours.
-ConstDesc=This page allows you to edit all other parameters not available in previous pages. They are reserved parameters for advanced developers or for troubleshouting.
-OnceSetupFinishedCreateUsers=Warning, you are a Dolibarr administrator user. Administrator users are used to setup Dolibarr. For a usual usage of Dolibarr, it is recommended to use a non administrator user created from Users & Groups menu.
-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_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=Step of rounding range (for countries where rounding is done on something else than base 10. For example, put 0.05 if rounding is done by 0.05 steps)
-UnitPriceOfProduct=Net unit price of a product
-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.
-NoEventFoundWithCriteria=No security event has been found for such search criterias.
-SeeLocalSendMailSetup=See your local sendmail setup
-BackupDesc=To make a complete backup of Dolibarr, you must:
-BackupDesc2=Save content of documents directory (<b>%s</b>) that contains all uploaded and generated files (you can make a zip for example).
-BackupDesc3=Save content of your database (<b>%s</b>) into a dump file. For this, you can use following assistant.
-BackupDescX=Archived directory should be stored in a secure place.
-BackupDescY=The generated dump file should be stored in a secure place.
-BackupPHPWarning=Backup can't be guaranted with this method. Prefer previous one
-RestoreDesc=To restore a Dolibarr backup, you must:
-RestoreDesc2=Restore archive file (zip file for example) of documents directory to extract tree of files in documents directory of a new Dolibarr installation or into this current documents directoy (<b>%s</b>).
-RestoreDesc3=Restore the data, from a backup dump file, into the database of the new Dolibarr installation or into the database of this current installation (<b>%s</b>). Warning, once restore is finished, you must use a login/password, that existed when backup was made, to connect again. To restore a backup database into this current installation, you can follow this assistant.
-RestoreMySQL=MySQL import
-ForcedToByAModule= This rule is forced to <b>%s</b> by an activated module
-PreviousDumpFiles=Available database backup dump files
-WeekStartOnDay=First day of week
-RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Programs version %s differs from database version %s)
-YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user <b>%s</b> or you must add -W option at end of command line to provide <b>%s</b> password.
-YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP
-DownloadMoreSkins=More skins to download
-SimpleNumRefModelDesc=Returns the reference number with format %syymm-nnnn where yy is year, mm is month and nnnn is a sequence without hole and with no reset
-ShowProfIdInAddress=Show professionnal id with addresses on documents
-ShowVATIntaInAddress=Hide VAT Intra num with addresses on documents
-TranslationUncomplete=Partial translation
-SomeTranslationAreUncomplete=Some languages may be partially translated or may contains errors. If you detect some, you can fix language files registering to <a href="http://transifex.com/projects/p/dolibarr/" target="_blank">http://transifex.com/projects/p/dolibarr/</a>.
-MenuUseLayout=Make vertical menu hidable (option javascript must not be disabled)
-MAIN_DISABLE_METEO=Disable meteo view
-TestLoginToAPI=Test login to API
-ProxyDesc=Some features of Dolibarr need to have an Internet access to work. Define here parameters for this. If the Dolibarr server is behind a Proxy server, those parameters tells Dolibarr how to access Internet through it.
-ExternalAccess=External access
-MAIN_PROXY_USE=Use a proxy server (otherwise direct access to internet)
-MAIN_PROXY_HOST=Name/Address of proxy server
-MAIN_PROXY_PORT=Port of proxy server
-MAIN_PROXY_USER=Login to use the proxy server
-MAIN_PROXY_PASS=Password to use the proxy server
-DefineHereComplementaryAttributes=Define here all attributes, not already available by default, and that you want to be supported for %s.
-ExtraFields=Complementary attributes
-ExtraFieldsLines=Complementary attributes (lines)
-ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines)
-ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines)
-ExtraFieldsThirdParties=Complementary attributes (thirdparty)
-ExtraFieldsContacts=Complementary attributes (contact/address)
-ExtraFieldsMember=Complementary attributes (member)
-ExtraFieldsMemberType=Complementary attributes (member type)
-ExtraFieldsCustomerOrders=Complementary attributes (orders)
-ExtraFieldsCustomerInvoices=Complementary attributes (invoices)
-ExtraFieldsSupplierOrders=Complementary attributes (orders)
-ExtraFieldsSupplierInvoices=Complementary attributes (invoices)
-ExtraFieldsProject=Complementary attributes (projects)
-ExtraFieldsProjectTask=Complementary attributes (tasks)
-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
-SendmailOptionNotComplete=Warning, on some Linux systems, to send email from your email, sendmail execution setup must contains option -ba (parameter mail.force_extra_parameters into your php.ini file). If some recipients never receive emails, try to edit this PHP parameter with mail.force_extra_parameters = -ba).
-PathToDocuments=Path to documents
-PathDirectory=Directory
-SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might be not correctly parsed by some receiving mail servers. Result is that some mails can't be read by people hosted by those bugged platforms. It's case for some Internet providers (Ex: Orange in France). This is not a problem into Dolibarr nor into PHP but onto receiving mail server. You can however add option MAIN_FIX_FOR_BUGGED_MTA to 1 into setup - other to modify Dolibarr to avoid this. However, you may experience problem with other servers that respect strictly the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" that has no disadvantages.
-TranslationSetup=Configuration de la traduction
-TranslationDesc=Choice of language visible on screen can be modified:<br>* Globally from menu <strong>Home - Setup - Display</strong><br>* For user only from tab <strong>User display</strong> of user card (click on login on top of screen).
-TotalNumberOfActivatedModules=Total number of activated feature modules: <b>%s</b>
-YouMustEnableOneModule=You must at least enable 1 module
-ClassNotFoundIntoPathWarning=Class %s not found into PHP path
-YesInSummer=Yes in summer
-OnlyFollowingModulesAreOpenedToExternalUsers=Note, only following modules are open to external users (whatever are permission of such users):
-SuhosinSessionEncrypt=Session storage encrypted by Suhosin
-ConditionIsCurrently=Condition is currently %s
-YouUseBestDriver=You use driver %s that is best driver available currently.
-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 is loaded.
-XCacheInstalled=XCache is loaded.
-AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink. Third parties will appears with name "CC12345 - SC45678 - The big company coorp", instead of "The big company coorp".
-FieldEdition=Edition of field %s
-FixTZ=TimeZone fix
-FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced)
-GetBarCode=Get barcode
-EmptyNumRefModelDesc=The code is free. This code can be modified at any time.
-##### Module password generation
-PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase.
-PasswordGenerationNone=Do not suggest any generated password. Password must be type in manually.
-##### Users setup #####
-UserGroupSetup=Users and groups module setup
-GeneratePassword=Suggest a generated password
-RuleForGeneratedPasswords=Rule to generate suggested passwords or validate passwords
-DoNotSuggest=Do not suggest any password
-EncryptedPasswordInDatabase=To allow the encryption of the passwords in the database
-DisableForgetPasswordLinkOnLogonPage=Do not show the link "Forget password" on login page
-UsersSetup=Users module setup
-UserMailRequired=EMail required to create a new user
-##### Company setup #####
-CompanySetup=Companies module setup
-CompanyCodeChecker=Module for third parties code generation and checking (customer or supplier)
-AccountCodeManager=Module for accountancy code generation (customer or supplier)
-ModuleCompanyCodeAquarium=Return an accountancy code built by:<br>%s followed by third party supplier code for a supplier accountancy code,<br>%s followed by third party customer code for a customer accountancy code.
-ModuleCompanyCodePanicum=Return an empty accountancy code.
-ModuleCompanyCodeDigitaria=Accountancy code depends on third party code. The code is composed of the character "C" in the first position followed by the first 5 characters of the third party code.
-UseNotifications=Use notifications
-NotificationsDesc=EMails notifications feature allows you to silently send automatic mail, for some Dolibarr events. Targets of notifications can be defined:<br>* per third parties contacts (customers or suppliers), one contact at time.<br>* or by setting global target email addresses in module setup page.
-ModelModules=Documents templates
-DocumentModelOdt=Generate documents from OpenDocuments templates (.ODT or .ODS files for OpenOffice, KOffice, TextEdit,...)
-WatermarkOnDraft=Watermark on draft document
-JSOnPaimentBill=Activate feature to autofill payment lines on payment form
-CompanyIdProfChecker=Rules on Professional Ids
-MustBeUnique=Must be unique ?
-MustBeMandatory=Mandatory to create third parties ?
-MustBeInvoiceMandatory=Mandatory to validate invoices ?
-Miscellaneous=Miscellaneous
-##### Webcal setup #####
-WebCalSetup=Webcalendar link setup
-WebCalSyncro=Add Dolibarr events to WebCalendar
-WebCalAllways=Always, no asking
-WebCalYesByDefault=On demand (yes by default)
-WebCalNoByDefault=On demand (no by default)
-WebCalNever=Never
-WebCalURL=URL for calendar access
-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' 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.
-WebCalAddEventOnCreateActions=Add calendar event on actions create
-WebCalAddEventOnCreateCompany=Add calendar event on companies create
-WebCalAddEventOnStatusPropal=Add calendar event on commercial proposals status change
-WebCalAddEventOnStatusContract=Add calendar event on contracts status change
-WebCalAddEventOnStatusBill=Add calendar event on bills status change
-WebCalAddEventOnStatusMember=Add calendar event on members status change
-WebCalUrlForVCalExport=An export link to <b>%s</b> format is available at following link: %s
-WebCalCheckWebcalSetup=Maybe the Webcal module setup is not correct.
-##### Invoices #####
-BillsSetup=Invoices module setup
-BillsDate=Invoices date
-BillsNumberingModule=Invoices and credit notes numbering model
-BillsPDFModules=Invoice documents models
-CreditNoteSetup=Credit note module setup
-CreditNotePDFModules=Credit note document models
-CreditNote=Credit note
-CreditNotes=Credit notes
-ForceInvoiceDate=Force invoice date to validation date
-DisableRepeatable=Disable repeatable invoices
-SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined for invoice
-EnableEditDeleteValidInvoice=Enable the possibility to edit/delete valid invoice with no payment
-SuggestPaymentByRIBOnAccount=Suggest payment by withdraw on account
-SuggestPaymentByChequeToAddress=Suggest payment by cheque to
-FreeLegalTextOnInvoices=Free text on invoices
-WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty)
-##### Proposals #####
-PropalSetup=Commercial proposals module setup
-CreateForm=Create forms
-NumberOfProductLines=Number of product lines
-ProposalsNumberingModules=Commercial proposal numbering models
-ProposalsPDFModules=Commercial proposal documents models
-ClassifiedInvoiced=Classified invoiced
-HideTreadedPropal=Hide the treated commercial proposals in the list
-AddShippingDateAbility=Add shipping date ability
-AddDeliveryAddressAbility=Add delivery date ability
-UseOptionLineIfNoQuantity=A line of product/service with a zero amount is considered as an option
-FreeLegalTextOnProposal=Free text on commercial proposals
-WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty)
-BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal
-##### AskPriceSupplier #####
-AskPriceSupplierSetup=Price requests suppliers module setup
-AskPriceSupplierNumberingModules=Price requests suppliers numbering models
-AskPriceSupplierPDFModules=Price requests suppliers documents models
-FreeLegalTextOnAskPriceSupplier=Free text on price requests suppliers
-WatermarkOnDraftAskPriceSupplier=Watermark on draft price requests suppliers (none if empty)
-BANK_ASK_PAYMENT_BANK_DURING_ASKPRICESUPPLIER=Ask for bank account destination of price request
-##### Orders #####
-OrdersSetup=Order management setup
-OrdersNumberingModules=Orders numbering models
-OrdersModelModule=Order documents models
-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)
-ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable
-BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order
-##### Clicktodial #####
-ClickToDialSetup=Click To Dial module setup
-ClickToDialUrlDesc=Url called when a click on phone picto is done.  In URL, you can use tags<br><b>__PHONETO__</b> that will be replaced with the phone number of person to call<br><b>__PHONEFROM__</b> that will be replaced with phone number of calling person (yours)<br><b>__LOGIN__</b> that will be replaced with your clicktodial login (defined on your user card)<br><b>__PASS__</b> that will be replaced with your clicktodial password (defined on your user card).
-##### Bookmark4u #####
-Bookmark4uSetup=Bookmark4u module setup
-##### Interventions #####
-InterventionsSetup=Interventions module setup
-FreeLegalTextOnInterventions=Free text on intervention documents
-FicheinterNumberingModules=Intervention numbering models
-TemplatePDFInterventions=Intervention card documents models
-WatermarkOnDraftInterventionCards=Watermark on intervention card documents (none if empty)
-##### Contracts #####
-ContractsSetup=Contracts/Subscriptions module setup
-ContractsNumberingModules=Contracts numbering modules
-TemplatePDFContracts=Contracts documents models
-FreeLegalTextOnContracts=Free text on contracts
-WatermarkOnDraftContractCards=Watermark on draft contracts (none if empty)
-##### Members #####
-MembersSetup=Members module setup
-MemberMainOptions=Main options
-AddSubscriptionIntoAccount=Suggest by default to create a bank transaction, in bank module, when adding a new payed subscription
-AdherentLoginRequired= Manage a Login for each member
-AdherentMailRequired=EMail required to create a new member
-MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default
-##### LDAP setup #####
-LDAPSetup=LDAP Setup
-LDAPGlobalParameters=Global parameters
-LDAPUsersSynchro=Users
-LDAPGroupsSynchro=Groups
-LDAPContactsSynchro=Contacts
-LDAPMembersSynchro=Members
-LDAPSynchronization=LDAP synchronisation
-LDAPFunctionsNotAvailableOnPHP=LDAP functions are not available on your PHP
-LDAPToDolibarr=LDAP -> Dolibarr
-DolibarrToLDAP=Dolibarr -> LDAP
-LDAPNamingAttribute=Key in LDAP
-LDAPSynchronizeUsers=Organization of users in LDAP
-LDAPSynchronizeGroups=Organization of groups in LDAP
-LDAPSynchronizeContacts=Organization of contacts in LDAP
-LDAPSynchronizeMembers=Organization of foundation's members in LDAP
-LDAPTypeExample=OpenLdap, Egroupware or Active Directory
-LDAPPrimaryServer=Primary server
-LDAPSecondaryServer=Secondary server
-LDAPServerPort=Server port
-LDAPServerPortExample=Default port : 389
-LDAPServerProtocolVersion=Protocol version
-LDAPServerUseTLS=Use TLS
-LDAPServerUseTLSExample=Your LDAP server use TLS
-LDAPServerDn=Server DN
-LDAPAdminDn=Administrator DN
-LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com)
-LDAPPassword=Administrator password
-LDAPUserDn=Users' DN
-LDAPUserDnExample=Complete DN (ex: ou=users,dc=example,dc=com)
-LDAPGroupDn=Groups' DN
-LDAPGroupDnExample=Complete DN (ex: ou=groups,dc=example,dc=com)
-LDAPServerExample=Server address (ex: localhost, 192.168.0.2, ldaps://ldap.example.com/)
-LDAPServerDnExample=Complete DN (ex: dc=example,dc=com)
-LDAPPasswordExample=Admin password
-LDAPDnSynchroActive=Users and groups synchronization
-LDAPDnSynchroActiveExample=LDAP to Dolibarr or Dolibarr to LDAP synchronization
-LDAPDnContactActive=Contacts' synchronization
-LDAPDnContactActiveYes=Activated synchronization
-LDAPDnContactActiveExample=Activated/Unactivated synchronization
-LDAPDnMemberActive=Members' synchronization
-LDAPDnMemberActiveExample=Activated/Unactivated synchronization
-LDAPContactDn=Dolibarr contacts' DN
-LDAPContactDnExample=Complete DN (ex: ou=contacts,dc=example,dc=com)
-LDAPMemberDn=Dolibarr members DN
-LDAPMemberDnExample=Complete DN (ex: ou=members,dc=example,dc=com)
-LDAPMemberObjectClassList=List of objectClass
-LDAPMemberObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPUserObjectClassList=List of objectClass
-LDAPUserObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPGroupObjectClassList=List of objectClass
-LDAPGroupObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames)
-LDAPContactObjectClassList=List of objectClass
-LDAPContactObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPMemberTypeDn=Dolibarr members type DN
-LDAPMemberTypeDnExample=Complete DN (ex: ou=type_members,dc=example,dc=com)
-LDAPTestConnect=Test LDAP connection
-LDAPTestSynchroContact=Test contacts synchronization
-LDAPTestSynchroUser=Test user synchronization
-LDAPTestSynchroGroup=Test group synchronization
-LDAPTestSynchroMember=Test member synchronization
-LDAPTestSearch= Test a LDAP search
-LDAPSynchroOK=Synchronization test successful
-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 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 successful
-LDAPUnbindFailed=Disconnect failed
-LDAPConnectToDNSuccessfull=Connection to DN (%s) successful
-LDAPConnectToDNFailed=Connection to DN (%s) failed
-LDAPSetupForVersion3=LDAP server configured for version 3
-LDAPSetupForVersion2=LDAP server configured for version 2
-LDAPDolibarrMapping=Dolibarr Mapping
-LDAPLdapMapping=LDAP Mapping
-LDAPFieldLoginUnix=Login (unix)
-LDAPFieldLoginExample=Example : uid
-LDAPFilterConnection=Search filter
-LDAPFilterConnectionExample=Example : &(objectClass=inetOrgPerson)
-LDAPFieldLoginSamba=Login (samba, activedirectory)
-LDAPFieldLoginSambaExample=Example : samaccountname
-LDAPFieldFullname=Full name
-LDAPFieldFullnameExample=Example : cn
-LDAPFieldPassword=Password
-LDAPFieldPasswordNotCrypted=Password not crypted
-LDAPFieldPasswordCrypted=Password crypted
-LDAPFieldPasswordExample=Example : userPassword
-LDAPFieldCommonName=Common name
-LDAPFieldCommonNameExample=Example : cn
-LDAPFieldName=Name
-LDAPFieldNameExample=Example : sn
-LDAPFieldFirstName=First name
-LDAPFieldFirstNameExample=Example : givenName
-LDAPFieldMail=Email address
-LDAPFieldMailExample=Example : mail
-LDAPFieldPhone=Professional phone number
-LDAPFieldPhoneExample=Example : telephonenumber
-LDAPFieldHomePhone=Personal phone number
-LDAPFieldHomePhoneExample=Example : homephone
-LDAPFieldMobile=Cellular phone
-LDAPFieldMobileExample=Example : mobile
-LDAPFieldFax=Fax number
-LDAPFieldFaxExample=Example : facsimiletelephonenumber
-LDAPFieldAddress=Street
-LDAPFieldAddressExample=Example : street
-LDAPFieldZip=Zip
-LDAPFieldZipExample=Example : postalcode
-LDAPFieldTown=Town
-LDAPFieldTownExample=Example : l
-LDAPFieldCountry=Country
-LDAPFieldCountryExample=Example : c
-LDAPFieldDescription=Description
-LDAPFieldDescriptionExample=Example : description
-LDAPFieldNotePublic=Public Note
-LDAPFieldNotePublicExample=Example : publicnote
-LDAPFieldGroupMembers= Group members
-LDAPFieldGroupMembersExample= Example : uniqueMember
-LDAPFieldBirthdate=Birthdate
-LDAPFieldBirthdateExample=Example :
-LDAPFieldCompany=Company
-LDAPFieldCompanyExample=Example : o
-LDAPFieldSid=SID
-LDAPFieldSidExample=Example : objectsid
-LDAPFieldEndLastSubscription=Date of subscription end
-LDAPFieldTitle=Post/Function
-LDAPFieldTitleExample=Example: title
-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.
-LDAPDescUsers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr users.
-LDAPDescGroups=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr groups.
-LDAPDescMembers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members module.
-LDAPDescValues=Example values are designed for <b>OpenLDAP</b> with following loaded schemas: <b>core.schema, cosine.schema, inetorgperson.schema</b>). If you use thoose values and OpenLDAP, modify your LDAP config file <b>slapd.conf</b> to have all thoose schemas loaded.
-ForANonAnonymousAccess=For an authenticated access (for a write access for example)
-PerfDolibarr=Performance setup/optimizing report
-YouMayFindPerfAdviceHere=You will find on this page some checks or advices related to performance.
-NotInstalled=Not installed, so your server is not slow down by this.
-ApplicativeCache=Applicative 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.
-MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete.
-MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled.
-OPCodeCache=OPCode cache
-NoOPCodeCacheFound=No OPCode cache found. May be you use another OPCode cache than XCache or eAccelerator (good), may be you don't have OPCode cache (very bad).
-HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript)
-FilesOfTypeCached=Files of type %s are cached by HTTP server
-FilesOfTypeNotCached=Files of type %s are not cached by HTTP server
-FilesOfTypeCompressed=Files of type %s are compressed by HTTP server
-FilesOfTypeNotCompressed=Files of type %s are not compressed by HTTP server
-CacheByServer=Cache by server
-CacheByClient=Cache by browser
-CompressionOfResources=Compression of HTTP responses
-TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers
-##### Products #####
-ProductSetup=Products module setup
-ServiceSetup=Services module setup
-ProductServiceSetup=Products and Services modules setup
-NumberOfProductShowInSelect=Max number of products in combos select lists (0=no limit)
-ConfirmDeleteProductLineAbility=Confirmation when removing product lines in forms
-ModifyProductDescAbility=Personalization of product descriptions in forms
-ViewProductDescInFormAbility=Visualization of product descriptions in the forms (otherwise as popup tooltip)
-MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal
-ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the thirdparty language
-UseSearchToSelectProductTooltip=Also if you have a large number of product (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectProduct=Use a search form to choose a product (rather than a drop-down list).
-UseEcoTaxeAbility=Support Eco-Taxe (WEEE)
-SetDefaultBarcodeTypeProducts=Default barcode type to use for products
-SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties
-UseUnits=Support units
-ProductCodeChecker= Module for product code generation and checking (product or service)
-ProductOtherConf= Product / Service configuration
-##### Syslog #####
-SyslogSetup=Logs module setup
-SyslogOutput=Logs outputs
-SyslogSyslog=Syslog
-SyslogFacility=Facility
-SyslogLevel=Level
-SyslogSimpleFile=File
-SyslogFilename=File name and path
-YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file.
-ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant
-OnlyWindowsLOG_USER=Windows only supports LOG_USER
-##### Donations #####
-DonationsSetup=Donation module setup
-DonationsReceiptModel=Template of donation receipt
-##### Barcode #####
-BarcodeSetup=Barcode setup
-PaperFormatModule=Print format module
-BarcodeEncodeModule=Barcode encoding type
-UseBarcodeInProductModule=Use bar codes for products
-CodeBarGenerator=Barcode generator
-ChooseABarCode=No generator defined
-FormatNotSupportedByGenerator=Format not supported by this generator
-BarcodeDescEAN8=Barcode of type EAN8
-BarcodeDescEAN13=Barcode of type EAN13
-BarcodeDescUPC=Barcode of type UPC
-BarcodeDescISBN=Barcode of type ISBN
-BarcodeDescC39=Barcode of type C39
-BarcodeDescC128=Barcode of type C128
-BarcodeDescDATAMATRIX=Barcode of type Datamatrix
-BarcodeDescQRCODE=Barcode of type QR code
-GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".<br>For example: /usr/local/bin/genbarcode
-BarcodeInternalEngine=Internal engine
-BarCodeNumberManager=Manager to auto define barcode numbers
-##### Prelevements #####
-WithdrawalsSetup=Withdrawal module setup
-##### ExternalRSS #####
-ExternalRSSSetup=External RSS imports setup
-NewRSS=New RSS Feed
-RSSUrl=RSS URL
-RSSUrlExample=An interesting RSS feed
-##### Mailing #####
-MailingSetup=EMailing module setup
-MailingEMailFrom=Sender EMail (From) for emails sent by emailing module
-MailingEMailError=Return EMail (Errors-to) for emails with errors
-MailingDelay=Seconds to wait after sending next message
-##### Notification #####
-NotificationSetup=EMail notification module setup
-NotificationEMailFrom=Sender EMail (From) for emails sent for notifications
-ListOfAvailableNotifications=List of events you can set notification on, for each thirdparty (go into thirdparty card to setup) or by setting a fixed email (List depends on activated modules)
-FixedEmailTarget=Fixed email target
-##### Sendings #####
-SendingsSetup=Sending module setup
-SendingsReceiptModel=Sending receipt model
-SendingsNumberingModules=Sendings numbering modules
-SendingsAbility=Support shipment sheets for customer deliveries
-NoNeedForDeliveryReceipts=In most cases, sendings receipts are used both as sheets for customer deliveries (list of products to send) and sheets that is recevied and signed by customer. So product deliveries receipts is a duplicated feature and is rarely activated.
-FreeLegalTextOnShippings=Free text on shipments
-##### Deliveries #####
-DeliveryOrderNumberingModules=Products deliveries receipt numbering module
-DeliveryOrderModel=Products deliveries receipt model
-DeliveriesOrderAbility=Support products deliveries receipts
-FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts
-##### FCKeditor #####
-AdvancedEditor=Advanced editor
-ActivateFCKeditor=Activate advanced editor for:
-FCKeditorForCompany=WYSIWIG creation/edition of elements description and note (except products/services)
-FCKeditorForProduct=WYSIWIG creation/edition of products/services description and note
-FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). <font class="warning">Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formating when building PDF files.</font>
-FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing)
-FCKeditorForUserSignature=WYSIWIG creation/edition of user signature
-FCKeditorForMail=WYSIWIG creation/edition for all mail (except Outils->eMailing)
-##### OSCommerce 1 #####
-OSCommerceErrorConnectOkButWrongDatabase=Connection succeeded but database doesn't look to be an OSCommerce database (Key %s not found in table %s).
-OSCommerceTestOk=Connection to server '%s' on database '%s' with user '%s' successfull.
-OSCommerceTestKo1=Connection to server '%s' succeed but database '%s' could not be reached.
-OSCommerceTestKo2=Connection to server '%s' with user '%s' failed.
-##### Stock #####
-StockSetup=Warehouse module setup
-UserWarehouse=Use user personal warehouses
-IfYouUsePointOfSaleCheckModule=If you use a Point of Sale module (POS module provided by default or another external module), this setup may be ignored by your Point Of Sale module. Most point of sales modules are designed to create immediatly an invoice and decrease stock by default whatever are options here. So, if you need or not to have a stock decrease when registering a sell from your Point Of Sale, check also your POS module set up.
-##### Menu #####
-MenuDeleted=Menu deleted
-TreeMenu=Tree menus
-Menus=Menus
-TreeMenuPersonalized=Personalized menus
-NewMenu=New menu
-MenuConf=Menus setup
-Menu=Selection of menu
-MenuHandler=Menu handler
-MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
-DetailId=Id menu
-DetailMenuHandler=Menu handler where to show new menu
-DetailMenuModule=Module name if menu entry come from a module
-DetailType=Type of menu (top or left)
-DetailTitre=Menu label or label code for translation
-DetailMainmenu=Group for which it belongs (obsolete)
-DetailUrl=URL where menu send you (Absolute URL link or external link with http://)
-DetailLeftmenu=Display condition or not (obsolete)
-DetailEnabled=Condition to show or not entry
-DetailRight=Condition to display unauthorized grey menus
-DetailLangs=Lang file name for label code translation
-DetailUser=Intern / Extern / All
-Target=Target
-DetailTarget=Target for links (_blank top open a new window)
-DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu)
-ModifMenu=Menu change
-DeleteMenu=Delete menu entry
-ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
-DeleteLine=Delete line
-ConfirmDeleteLine=Are you sure you want to delete this line ?
-##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
-OptionVatMode=VAT due
-OptionVATDefault=Cash basis
-OptionVATDebitOption=Accrual basis
-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 chosen option:
-OnDelivery=On delivery
-OnPayment=On payment
-OnInvoice=On invoice
-SupposedToBePaymentDate=Payment date used
-SupposedToBeInvoiceDate=Invoice date used
-Buy=Buy
-Sell=Sell
-InvoiceDateUsed=Invoice date used
-YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Foundation), so there is no VAT options to setup.
-AccountancyCode=Accountancy Code
-AccountancyCodeSell=Sale account. code
-AccountancyCodeBuy=Purchase account. code
-##### Agenda #####
-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 -> Dictionary -> Type of agenda events)
-AGENDA_DEFAULT_FILTER_TYPE=Set automatically this type of event into search filter of agenda view
-AGENDA_DEFAULT_FILTER_STATUS=Set automatically this status for events into search filter of agenda view
-AGENDA_DEFAULT_VIEW=Which tab do you want to open by default when selecting menu Agenda
-##### 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) #####
-CashDesk=Point of sales
-CashDeskSetup=Point of sales module setup
-CashDeskThirdPartyForSell=Default generic third party to use for sells
-CashDeskBankAccountForSell=Default account to use to receive cash payments
-CashDeskBankAccountForCheque= Default account to use to receive payments by cheque
-CashDeskBankAccountForCB= Default account to use to receive payments by credit cards
-CashDeskDoNotDecreaseStock=Disable stock decrease when a sell is done from Point of Sale (if "no", stock decrease is done for each sell done from POS, whatever is option set into module Stock).
-CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease
-StockDecreaseForPointOfSaleDisabled=Stock decrease from Point Of Sale disabled
-StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with lot management
-CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sell from Point Of Sale. So a warehouse is required.
-##### Bookmark #####
-BookmarkSetup=Bookmark module setup
-BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or externale web sites on your left menu.
-NbOfBoomarkToShow=Maximum number of bookmarks to show in left menu
-##### WebServices #####
-WebServicesSetup=Webservices module setup
-WebServicesDesc=By enabling this module, Dolibarr become a web service server to provide miscellaneous web services.
-WSDLCanBeDownloadedHere=WSDL descriptor files of provided services can be download here
-EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at Url
-##### API ####
-ApiSetup=API module setup
-ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
-KeyForApiAccess=Key to use API (parameter "api_key")
-ApiEndPointIs=You can access to the API at url
-ApiExporerIs=You can explore the API at url
-OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
-##### Bank #####
-BankSetupModule=Bank module setup
-FreeLegalTextOnChequeReceipts=Free text on cheque receipts
-BankOrderShow=Display order of bank accounts for countries using "detailed bank number"
-BankOrderGlobal=General
-BankOrderGlobalDesc=General display order
-BankOrderES=Spanish
-BankOrderESDesc=Spanish display order
-##### Multicompany #####
-MultiCompanySetup=Multi-company module setup
-##### Suppliers #####
-SuppliersSetup=Supplier module setup
-SuppliersCommandModel=Complete template of supplier order (logo...)
-SuppliersInvoiceModel=Complete template of supplier invoice (logo...)
-SuppliersInvoiceNumberingModel=Supplier invoices numbering models
-IfSetToYesDontForgetPermission=If set to yes, don't forget to provide permissions to groups or users allowed for the second approval
-##### GeoIPMaxmind #####
-GeoIPMaxmindSetup=GeoIP Maxmind module setup
-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
-NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions).
-YouCanDownloadFreeDatFileTo=You can download a <b>free demo version</b> of the Maxmind GeoIP country file at %s.
-YouCanDownloadAdvancedDatFileTo=You can also download a more <b>complete version, with updates,</b> of the Maxmind GeoIP country file at %s.
-TestGeoIPResult=Test of a conversion IP -> country
-##### Projects #####
-ProjectsNumberingModules=Projects numbering module
-ProjectsSetup=Project module setup
-ProjectsModelModule=Project reports document model
-TasksNumberingModules=Tasks numbering module
-TaskModelModule=Tasks reports document model
-##### ECM (GED) #####
-ECMSetup = GED Setup
-ECMAutoTree = Automatic tree folder and document
-##### Fiscal Year #####
-FiscalYears=Fiscal years
-FiscalYear=Fiscal year
-FiscalYearCard=Fiscal year card
-NewFiscalYear=New fiscal year
-EditFiscalYear=Edit fiscal year
-OpenFiscalYear=Open fiscal year
-CloseFiscalYear=Close fiscal year
-DeleteFiscalYear=Delete fiscal year
-ConfirmDeleteFiscalYear=Are you sure to delete this fiscal year ?
-Opened=Open
-Closed=Closed
-AlwaysEditable=Can always be edited
-MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application)
-NbMajMin=Minimum number of uppercase characters
-NbNumMin=Minimum number of numeric characters
-NbSpeMin=Minimum number of special characters
-NbIteConsecutive=Maximum number of repeating same characters
-NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation
-SalariesSetup=Setup of module salaries
-SortOrder=Sort order
-Format=Format
-TypePaymentDesc=0:Customer payment type, 1:Supplier payment type, 2:Both customers and suppliers payment type
-IncludePath=Include path (defined into variable %s)
-ExpenseReportsSetup=Setup of module Expense Reports
-TemplatePDFExpenseReports=Document templates to generate expense report document
-NoModueToManageStockDecrease=No module able to manage automatic stock decrease has been activated. Stock decrease will be done on manual input only.
-NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only.
-YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for EMail notifications by enabling and configuring the module "Notification".
-ListOfNotificationsPerContact=List of notifications per contact*
-ListOfFixedNotifications=List of fixed notifications
-GoOntoContactCardToAddMore=Go on the tab "Notifications" of a thirdparty contact to add or remove notifications for contacts/addresses
-Threshold=Threshold
-BackupDumpWizard=Wizard to build database backup dump file
-SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason:
-SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is only manual steps a privileged user can do.
-InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file <strong>%s</strong> to allow this feature.
-ConfFileMuseContainCustom=Installing an external module from application save the module files into directory <strong>%s</strong>. To have this directory processed by Dolibarr, you must setup your <strong>conf/conf.php</strong> to have option<br>- <strong>$dolibarr_main_url_root_alt</strong> enabled to value <strong>$dolibarr_main_url_root_alt="/custom"</strong><br>- <strong>$dolibarr_main_document_root_alt</strong> enabled to value <strong>"%s/custom"</strong>
-HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
-PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
-NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
diff --git a/htdocs/langs/es_AR/banks.lang b/htdocs/langs/es_AR/banks.lang
deleted file mode 100644
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_AR/banks.lang
+++ /dev/null
@@ -1,167 +0,0 @@
-# Dolibarr language file - Source file is en_US - banks
-Bank=Bank
-Banks=Banks
-MenuBankCash=Bank/Cash
-MenuSetupBank=Bank/Cash setup
-BankName=Bank name
-FinancialAccount=Account
-FinancialAccounts=Accounts
-BankAccount=Bank account
-BankAccounts=Bank accounts
-ShowAccount=Show Account
-AccountRef=Financial account ref
-AccountLabel=Financial account label
-CashAccount=Cash account
-CashAccounts=Cash accounts
-MainAccount=Main account
-CurrentAccount=Current account
-CurrentAccounts=Current accounts
-SavingAccount=Savings account
-SavingAccounts=Savings accounts
-ErrorBankLabelAlreadyExists=Financial account label already exists
-BankBalance=Balance
-BankBalanceBefore=Balance before
-BankBalanceAfter=Balance after
-BalanceMinimalAllowed=Minimum allowed balance
-BalanceMinimalDesired=Minimum desired balance
-InitialBankBalance=Initial balance
-EndBankBalance=End balance
-CurrentBalance=Current balance
-FutureBalance=Future balance
-ShowAllTimeBalance=Show balance from start
-AllTime=From start
-Reconciliation=Reconciliation
-RIB=Bank Account Number
-IBAN=IBAN number
-IbanValid=IBAN is Valid
-IbanNotValid=IBAN is Not Valid
-BIC=BIC/SWIFT number
-SwiftValid=BIC/SWIFT is Valid
-SwiftNotValid=BIC/SWIFT is Not Valid
-StandingOrders=Standing orders
-StandingOrder=Standing order
-Withdrawals=Withdrawals
-Withdrawal=Withdrawal
-AccountStatement=Account statement
-AccountStatementShort=Statement
-AccountStatements=Account statements
-LastAccountStatements=Last account statements
-Rapprochement=Reconciliate
-IOMonthlyReporting=Monthly reporting
-BankAccountDomiciliation=Account address
-BankAccountCountry=Account country
-BankAccountOwner=Account owner name
-BankAccountOwnerAddress=Account owner address
-RIBControlError=Integrity check of values fails. This means information for this account number are not complete or wrong (check country, numbers and IBAN).
-CreateAccount=Create account
-NewAccount=New account
-NewBankAccount=New bank account
-NewFinancialAccount=New financial account
-MenuNewFinancialAccount=New financial account
-NewCurrentAccount=New current account
-NewSavingAccount=New savings account
-NewCashAccount=New cash account
-EditFinancialAccount=Edit account
-AccountSetup=Financial accounts setup
-SearchBankMovement=Search bank movement
-Debts=Debts
-LabelBankCashAccount=Bank or cash label
-AccountType=Account type
-BankType0=Savings account
-BankType1=Current or credit card account
-BankType2=Cash account
-IfBankAccount=If bank account
-AccountsArea=Accounts area
-AccountCard=Account card
-DeleteAccount=Delete account
-ConfirmDeleteAccount=Are you sure you want to delete this account ?
-Account=Account
-ByCategories=By categories
-ByRubriques=By categories
-BankTransactionByCategories=Bank transactions by categories
-BankTransactionForCategory=Bank transactions for category <b>%s</b>
-RemoveFromRubrique=Remove link with category
-RemoveFromRubriqueConfirm=Are you sure you want to remove link between the transaction and the category ?
-ListBankTransactions=List of bank transactions
-IdTransaction=Transaction ID
-BankTransactions=Bank transactions
-SearchTransaction=Search transaction
-ListTransactions=List transactions
-ListTransactionsByCategory=List transaction/category
-TransactionsToConciliate=Transactions to reconcile
-Conciliable=Can be reconciled
-Conciliate=Reconcile
-Conciliation=Reconciliation
-ConciliationForAccount=Reconcile this account
-IncludeClosedAccount=Include closed accounts
-OnlyOpenedAccount=Only open accounts
-AccountToCredit=Account to credit
-AccountToDebit=Account to debit
-DisableConciliation=Disable reconciliation feature for this account
-ConciliationDisabled=Reconciliation feature disabled
-StatusAccountOpened=Open
-StatusAccountClosed=Closed
-AccountIdShort=Number
-EditBankRecord=Edit record
-LineRecord=Transaction
-AddBankRecord=Add transaction
-AddBankRecordLong=Add transaction manually
-ConciliatedBy=Reconciled by
-DateConciliating=Reconcile date
-BankLineConciliated=Transaction reconciled
-CustomerInvoicePayment=Customer payment
-CustomerInvoicePaymentBack=Customer payment back
-SupplierInvoicePayment=Supplier payment
-WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
-FinancialAccountJournal=Financial account journal
-BankTransfer=Bank transfer
-BankTransfers=Bank transfers
-TransferDesc=Transfer from one account to another one, Dolibarr will write two records (a debit in source account and a credit in target account, of the same amount. The same label and date will be used for this transaction)
-TransferFrom=From
-TransferTo=To
-TransferFromToDone=A transfer from <b>%s</b> to <b>%s</b> of <b>%s</b> %s has been recorded.
-CheckTransmitter=Transmitter
-ValidateCheckReceipt=Validate this check receipt ?
-ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done ?
-DeleteCheckReceipt=Delete this check receipt ?
-ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt ?
-BankChecks=Bank checks
-BankChecksToReceipt=Checks waiting for deposit
-ShowCheckReceipt=Show check deposit receipt
-NumberOfCheques=Nb of check
-DeleteTransaction=Delete transaction
-ConfirmDeleteTransaction=Are you sure you want to delete this transaction ?
-ThisWillAlsoDeleteBankRecord=This will also delete generated bank transactions
-BankMovements=Movements
-CashBudget=Cash budget
-PlannedTransactions=Planned transactions
-Graph=Graphics
-ExportDataset_banque_1=Bank transactions and account statement
-ExportDataset_banque_2=Deposit slip
-TransactionOnTheOtherAccount=Transaction on the other account
-TransactionWithOtherAccount=Account transfer
-PaymentNumberUpdateSucceeded=Payment number updated succesfully
-PaymentNumberUpdateFailed=Payment number could not be updated
-PaymentDateUpdateSucceeded=Payment date update succesfully
-PaymentDateUpdateFailed=Payment date could not be updated
-Transactions=Transactions
-BankTransactionLine=Bank transaction
-AllAccounts=All bank/cash accounts
-BackToAccount=Back to account
-ShowAllAccounts=Show for all accounts
-FutureTransaction=Transaction in futur. No way to conciliate.
-SelectChequeTransactionAndGenerate=Select/filter checks to include into the check deposit receipt and click on "Create".
-InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD
-EventualyAddCategory=Eventually, specify a category in which to classify the records
-ToConciliate=To conciliate?
-ThenCheckLinesAndConciliate=Then, check the lines present in the bank statement and click
-BankDashboard=Bank accounts summary
-DefaultRIB=Default BAN
-AllRIB=All BAN
-LabelRIB=BAN Label
-NoBANRecord=No BAN record
-DeleteARib=Delete BAN record
-ConfirmDeleteRib=Are you sure you want to delete this BAN record ?
-StartDate=Start date
-EndDate=End date
diff --git a/htdocs/langs/es_AR/commercial.lang b/htdocs/langs/es_AR/commercial.lang
deleted file mode 100644
index 18d8db068019668b61d38d3d592361512787d725..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_AR/commercial.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - commercial
-ActionAffectedTo=Event assigned to
diff --git a/htdocs/langs/es_AR/companies.lang b/htdocs/langs/es_AR/companies.lang
deleted file mode 100644
index ad9980cb0552d268ab543108eb80064004ba1ebc..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_AR/companies.lang
+++ /dev/null
@@ -1,419 +0,0 @@
-# Dolibarr language file - Source file is en_US - companies
-ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one.
-ErrorPrefixAlreadyExists=Prefix %s already exists. Choose another one.
-ErrorSetACountryFirst=Set the country first
-SelectThirdParty=Select a third party
-DeleteThirdParty=Delete a third party
-ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information ?
-DeleteContact=Delete a contact/address
-ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information ?
-MenuNewThirdParty=New third party
-MenuNewCompany=New company
-MenuNewCustomer=New customer
-MenuNewProspect=New prospect
-MenuNewSupplier=New supplier
-MenuNewPrivateIndividual=New private individual
-MenuSocGroup=Groups
-NewCompany=New company (prospect, customer, supplier)
-NewThirdParty=New third party (prospect, customer, supplier)
-NewSocGroup=New company group
-NewPrivateIndividual=New private individual (prospect, customer, supplier)
-CreateDolibarrThirdPartySupplier=Create a third party (supplier)
-ProspectionArea=Prospection area
-SocGroup=Group of companies
-IdThirdParty=Id third party
-IdCompany=Company Id
-IdContact=Contact Id
-Contacts=Contacts/Addresses
-ThirdPartyContacts=Third party contacts
-ThirdPartyContact=Third party contact/address
-StatusContactValidated=Status of contact/address
-Company=Company
-CompanyName=Company name
-Companies=Companies
-CountryIsInEEC=Country is inside European Economic Community
-ThirdPartyName=Third party name
-ThirdParty=Third party
-ThirdParties=Third parties
-ThirdPartyAll=Third parties (all)
-ThirdPartyProspects=Prospects
-ThirdPartyProspectsStats=Prospects
-ThirdPartyCustomers=Customers
-ThirdPartyCustomersStats=Customers
-ThirdPartyCustomersWithIdProf12=Customers with %s or %s
-ThirdPartySuppliers=Suppliers
-ThirdPartyType=Third party type
-Company/Fundation=Company/Foundation
-Individual=Private individual
-ToCreateContactWithSameName=Will create automatically a physical contact with same informations
-ParentCompany=Parent company
-Subsidiary=Subsidiary
-Subsidiaries=Subsidiaries
-NoSubsidiary=No subsidiary
-ReportByCustomers=Report by customers
-ReportByQuarter=Report by rate
-CivilityCode=Civility code
-RegisteredOffice=Registered office
-Name=Name
-Lastname=Last name
-Firstname=First name
-PostOrFunction=Post/Function
-UserTitle=Title
-Surname=Surname/Pseudo
-Address=Address
-State=State/Province
-Region=Region
-Country=Country
-CountryCode=Country code
-CountryId=Country id
-Phone=Phone
-Skype=Skype
-Call=Call
-Chat=Chat
-PhonePro=Prof. phone
-PhonePerso=Pers. phone
-PhoneMobile=Mobile
-No_Email=Don't send mass e-mailings
-Fax=Fax
-Zip=Zip Code
-Town=City
-Web=Web
-Poste= Position
-DefaultLang=Language by default
-VATIsUsed=VAT is used
-VATIsNotUsed=VAT is not used
-CopyAddressFromSoc=Fill address with thirdparty address
-NoEmailDefined=There is no email defined
-##### Local Taxes #####
-LocalTax1IsUsedES= RE is used
-LocalTax1IsNotUsedES= RE is not used
-LocalTax2IsUsedES= IRPF is used
-LocalTax2IsNotUsedES= IRPF is not used
-LocalTax1ES=RE
-LocalTax2ES=IRPF
-TypeLocaltax1ES=RE Type
-TypeLocaltax2ES=IRPF Type
-TypeES=Type
-ThirdPartyEMail=%s
-WrongCustomerCode=Customer code invalid
-WrongSupplierCode=Supplier code invalid
-CustomerCodeModel=Customer code model
-SupplierCodeModel=Supplier code model
-Gencod=Bar code
-##### Professional ID #####
-ProfId1Short=Prof. id 1
-ProfId2Short=Prof. id 2
-ProfId3Short=Prof. id 3
-ProfId4Short=Prof. id 4
-ProfId5Short=Prof. id 5
-ProfId6Short=Prof. id 5
-ProfId1=Professional ID 1
-ProfId2=Professional ID 2
-ProfId3=Professional ID 3
-ProfId4=Professional ID 4
-ProfId5=Professional ID 5
-ProfId6=Professional ID 6
-ProfId1AR=Prof Id 1 (CUIT/CUIL)
-ProfId2AR=Prof Id 2 (Revenu brutes)
-ProfId3AR=-
-ProfId4AR=-
-ProfId5AR=-
-ProfId6AR=-
-ProfId1AU=Prof Id 1 (ABN)
-ProfId2AU=-
-ProfId3AU=-
-ProfId4AU=-
-ProfId5AU=-
-ProfId6AU=-
-ProfId1BE=Prof Id 1 (Professional number)
-ProfId2BE=-
-ProfId3BE=-
-ProfId4BE=-
-ProfId5BE=-
-ProfId6BE=-
-ProfId1BR=-
-ProfId2BR=IE (Inscricao Estadual)
-ProfId3BR=IM (Inscricao Municipal)
-ProfId4BR=CPF
-#ProfId5BR=CNAE
-#ProfId6BR=INSS
-ProfId1CH=-
-ProfId2CH=-
-ProfId3CH=Prof Id 1 (Federal number)
-ProfId4CH=Prof Id 2 (Commercial Record number)
-ProfId5CH=-
-ProfId6CH=-
-ProfId1CL=Prof Id 1 (R.U.T.)
-ProfId2CL=-
-ProfId3CL=-
-ProfId4CL=-
-ProfId5CL=-
-ProfId6CL=-
-ProfId1CO=Prof Id 1 (R.U.T.)
-ProfId2CO=-
-ProfId3CO=-
-ProfId4CO=-
-ProfId5CO=-
-ProfId6CO=-
-ProfId1DE=Prof Id 1 (USt.-IdNr)
-ProfId2DE=Prof Id 2 (USt.-Nr)
-ProfId3DE=Prof Id 3 (Handelsregister-Nr.)
-ProfId4DE=-
-ProfId5DE=-
-ProfId6DE=-
-ProfId1ES=Prof Id 1 (CIF/NIF)
-ProfId2ES=Prof Id 2 (Social security number)
-ProfId3ES=Prof Id 3 (CNAE)
-ProfId4ES=Prof Id 4 (Collegiate number)
-ProfId5ES=-
-ProfId6ES=-
-ProfId1FR=Prof Id 1 (SIREN)
-ProfId2FR=Prof Id 2 (SIRET)
-ProfId3FR=Prof Id 3 (NAF, old APE)
-ProfId4FR=Prof Id 4 (RCS/RM)
-ProfId5FR=-
-ProfId6FR=-
-ProfId1GB=Registration Number
-ProfId2GB=-
-ProfId3GB=SIC
-ProfId4GB=-
-ProfId5GB=-
-ProfId6GB=-
-ProfId1HN=Id prof. 1 (RTN)
-ProfId2HN=-
-ProfId3HN=-
-ProfId4HN=-
-ProfId5HN=-
-ProfId6HN=-
-ProfId1IN=Prof Id 1 (TIN)
-ProfId2IN=Prof Id 2 (PAN)
-ProfId3IN=Prof Id 3 (SRVC TAX)
-ProfId4IN=Prof Id 4
-ProfId5IN=Prof Id 5
-ProfId6IN=-
-ProfId1MA=Id prof. 1 (R.C.)
-ProfId2MA=Id prof. 2 (Patente)
-ProfId3MA=Id prof. 3 (I.F.)
-ProfId4MA=Id prof. 4 (C.N.S.S.)
-ProfId5MA=-
-ProfId6MA=-
-ProfId1MX=Prof Id 1 (R.F.C).
-ProfId2MX=Prof Id 2 (R..P. IMSS)
-ProfId3MX=Prof Id 3 (Profesional Charter)
-ProfId4MX=-
-ProfId5MX=-
-ProfId6MX=-
-ProfId1NL=KVK nummer
-ProfId2NL=-
-ProfId3NL=-
-ProfId4NL=Burgerservicenummer (BSN)
-ProfId5NL=-
-ProfId6NL=-
-ProfId1PT=Prof Id 1 (NIPC)
-ProfId2PT=Prof Id 2 (Social security number)
-ProfId3PT=Prof Id 3 (Commercial Record number)
-ProfId4PT=Prof Id 4 (Conservatory)
-ProfId5PT=-
-ProfId6PT=-
-ProfId1SN=RC
-ProfId2SN=NINEA
-ProfId3SN=-
-ProfId4SN=-
-ProfId5SN=-
-ProfId6SN=-
-ProfId1TN=Prof Id 1 (RC)
-ProfId2TN=Prof Id 2 (Fiscal matricule)
-ProfId3TN=Prof Id 3 (Douane code)
-ProfId4TN=Prof Id 4 (BAN)
-ProfId5TN=-
-ProfId6TN=-
-ProfId1RU=Prof Id 1 (OGRN)
-ProfId2RU=Prof Id 2 (INN)
-ProfId3RU=Prof Id 3 (KPP)
-ProfId4RU=Prof Id 4 (OKPO)
-ProfId5RU=-
-ProfId6RU=-
-VATIntra=VAT number
-VATIntraShort=VAT number
-VATIntraVeryShort=VAT
-VATIntraSyntaxIsValid=Syntax is valid
-VATIntraValueIsValid=Value is valid
-ProspectCustomer=Prospect / Customer
-Prospect=Prospect
-CustomerCard=Customer Card
-Customer=Customer
-CustomerDiscount=Customer Discount
-CustomerRelativeDiscount=Relative customer discount
-CustomerAbsoluteDiscount=Absolute customer discount
-CustomerRelativeDiscountShort=Relative discount
-CustomerAbsoluteDiscountShort=Absolute discount
-CompanyHasRelativeDiscount=This customer has a default discount of <b>%s%%</b>
-CompanyHasNoRelativeDiscount=This customer has no relative discount by default
-CompanyHasAbsoluteDiscount=This customer still has discount credits or deposits for <b>%s</b> %s
-CompanyHasCreditNote=This customer still has credit notes for <b>%s</b> %s
-CompanyHasNoAbsoluteDiscount=This customer has no discount credit available
-CustomerAbsoluteDiscountAllUsers=Absolute discounts (granted by all users)
-CustomerAbsoluteDiscountMy=Absolute discounts (granted by yourself)
-DefaultDiscount=Default discount
-AvailableGlobalDiscounts=Absolute discounts available
-DiscountNone=None
-Supplier=Supplier
-CompanyList=Company's list
-AddContact=Create contact
-AddContactAddress=Create contact/address
-EditContact=Edit contact
-EditContactAddress=Edit contact/address
-Contact=Contact
-ContactsAddresses=Contacts/Addresses
-NoContactDefinedForThirdParty=No contact defined for this third party
-NoContactDefined=No contact defined
-DefaultContact=Default contact/address
-AddCompany=Create company
-AddThirdParty=Create third party
-DeleteACompany=Delete a company
-PersonalInformations=Personal data
-AccountancyCode=Accountancy code
-CustomerCode=Customer code
-SupplierCode=Supplier code
-CustomerAccount=Customer account
-SupplierAccount=Supplier account
-CustomerCodeDesc=Customer code, unique for all customers
-SupplierCodeDesc=Supplier code, unique for all suppliers
-RequiredIfCustomer=Required if third party is a customer or prospect
-RequiredIfSupplier=Required if third party is a supplier
-ValidityControledByModule=Validity controled by module
-ThisIsModuleRules=This is rules for this module
-LastProspect=Last
-ProspectToContact=Prospect to contact
-CompanyDeleted=Company "%s" deleted from database.
-ListOfContacts=List of contacts/addresses
-ListOfContactsAddresses=List of contacts/adresses
-ListOfProspectsContacts=List of prospect contacts
-ListOfCustomersContacts=List of customer contacts
-ListOfSuppliersContacts=List of supplier contacts
-ListOfCompanies=List of companies
-ListOfThirdParties=List of third parties
-ShowCompany=Show company
-ShowContact=Show contact
-ContactsAllShort=All (No filter)
-ContactType=Contact type
-ContactForOrders=Order's contact
-ContactForProposals=Proposal's contact
-ContactForContracts=Contract's contact
-ContactForInvoices=Invoice's contact
-NoContactForAnyOrder=This contact is not a contact for any order
-NoContactForAnyProposal=This contact is not a contact for any commercial proposal
-NoContactForAnyContract=This contact is not a contact for any contract
-NoContactForAnyInvoice=This contact is not a contact for any invoice
-NewContact=New contact
-NewContactAddress=New contact/address
-LastContacts=Last contacts
-MyContacts=My contacts
-Phones=Phones
-Capital=Capital
-CapitalOf=Capital of %s
-EditCompany=Edit company
-EditDeliveryAddress=Edit delivery address
-ThisUserIsNot=This user is not a prospect, customer nor supplier
-VATIntraCheck=Check
-VATIntraCheckDesc=The link <b>%s</b> allows to ask the european VAT checker service. An external internet access from server is required for this service to work.
-VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do
-VATIntraCheckableOnEUSite=Check Intracomunnautary VAT on European commision site
-VATIntraManualCheck=You can also check manually from european web site <a href="%s" target="_blank">%s</a>
-ErrorVATCheckMS_UNAVAILABLE=Check not possible. Check service is not provided by the member state (%s).
-NorProspectNorCustomer=Nor prospect, nor customer
-JuridicalStatus=Juridical status
-Staff=Staff
-ProspectLevelShort=Potential
-ProspectLevel=Prospect potential
-ContactPrivate=Private
-ContactPublic=Shared
-ContactVisibility=Visibility
-OthersNotLinkedToThirdParty=Others, not linked to a third party
-ProspectStatus=Prospect status
-PL_NONE=None
-PL_UNKNOWN=Unknown
-PL_LOW=Low
-PL_MEDIUM=Medium
-PL_HIGH=High
-TE_UNKNOWN=-
-TE_STARTUP=Startup
-TE_GROUP=Large company
-TE_MEDIUM=Medium company
-TE_ADMIN=Governmental
-TE_SMALL=Small company
-TE_RETAIL=Retailer
-TE_WHOLE=Wholetailer
-TE_PRIVATE=Private individual
-TE_OTHER=Other
-StatusProspect-1=Do not contact
-StatusProspect0=Never contacted
-StatusProspect1=To contact
-StatusProspect2=Contact in process
-StatusProspect3=Contact done
-ChangeDoNotContact=Change status to 'Do not contact'
-ChangeNeverContacted=Change status to 'Never contacted'
-ChangeToContact=Change status to 'To contact'
-ChangeContactInProcess=Change status to 'Contact in process'
-ChangeContactDone=Change status to 'Contact done'
-ProspectsByStatus=Prospects by status
-BillingContact=Billing contact
-NbOfAttachedFiles=Number of attached files
-AttachANewFile=Attach a new file
-NoRIB=No BAN defined
-NoParentCompany=None
-ExportImport=Import-Export
-ExportCardToFormat=Export card to format
-ContactNotLinkedToCompany=Contact not linked to any third party
-DolibarrLogin=Dolibarr login
-NoDolibarrAccess=No Dolibarr access
-ExportDataset_company_1=Third parties (Companies/foundations/physical people) and properties
-ExportDataset_company_2=Contacts and properties
-ImportDataset_company_1=Third parties (Companies/foundations/physical people) and properties
-ImportDataset_company_2=Contacts/Addresses (of thirdparties or not) and attributes
-ImportDataset_company_3=Bank details
-PriceLevel=Price level
-DeliveriesAddress=Delivery addresses
-DeliveryAddress=Delivery address
-DeliveryAddressLabel=Delivery address label
-DeleteDeliveryAddress=Delete a delivery address
-ConfirmDeleteDeliveryAddress=Are you sure you want to delete this delivery address?
-NewDeliveryAddress=New delivery address
-AddDeliveryAddress=Create address
-AddAddress=Create address
-NoOtherDeliveryAddress=No alternative delivery address defined
-SupplierCategory=Supplier category
-JuridicalStatus200=Independant
-DeleteFile=Delete file
-ConfirmDeleteFile=Are you sure you want to delete this file?
-AllocateCommercial=Assigned to sale representative
-SelectCountry=Select a country
-SelectCompany=Select a third party
-Organization=Organization
-AutomaticallyGenerated=Automatically generated
-FiscalYearInformation=Information on the fiscal year
-FiscalMonthStart=Starting month of the fiscal year
-YouMustCreateContactFirst=You must create emails contacts for third party first to be able to add emails notifications.
-ListSuppliersShort=List of suppliers
-ListProspectsShort=List of prospects
-ListCustomersShort=List of customers
-ThirdPartiesArea=Third parties and contact area
-LastModifiedThirdParties=Last %s modified third parties
-UniqueThirdParties=Total of unique third parties
-InActivity=Open
-ActivityCeased=Closed
-ActivityStateFilter=Activity status
-ProductsIntoElements=List of products into %s
-CurrentOutstandingBill=Current outstanding bill
-OutstandingBill=Max. for outstanding bill
-OutstandingBillReached=Reached max. for outstanding bill
-MonkeyNumRefModelDesc=Return numero with format %syymm-nnnn for customer code and %syymm-nnnn for supplier code where yy is year, mm is month and nnnn is a sequence with no break and no return to 0.
-LeopardNumRefModelDesc=The code is free. This code can be modified at any time.
-ManagingDirectors=Manager(s) name (CEO, director, president...)
-SearchThirdparty=Search third party
-SearchContact=Search contact
-MergeOriginThirdparty=Duplicate third party (third party you want to delete)
-MergeThirdparties=Merge third parties
-ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one ? All linked objects (invoices, orders, ...) will be moved to current third party so you will be able to delete the duplicate one.
-ThirdpartiesMergeSuccess=Thirdparties have been merged
-ErrorThirdpartiesMerge=There was an error when deleting the thirdparties. Please check the log. Changes have been reverted.
diff --git a/htdocs/langs/es_AR/interventions.lang b/htdocs/langs/es_AR/interventions.lang
deleted file mode 100644
index 84b26b1f95e09fc2fc1872c75da0c2922d92c3e8..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_AR/interventions.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - interventions
-PrintProductsOnFichinterDetails=interventions generated from orders
diff --git a/htdocs/langs/es_AR/mails.lang b/htdocs/langs/es_AR/mails.lang
deleted file mode 100644
index 001b237ca8c71c5d3e7f887ac925918c2945842e..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_AR/mails.lang
+++ /dev/null
@@ -1,143 +0,0 @@
-# Dolibarr language file - Source file is en_US - mails
-Mailing=EMailing
-EMailing=EMailing
-Mailings=EMailings
-EMailings=EMailings
-AllEMailings=All eMailings
-MailCard=EMailing card
-MailTargets=Targets
-MailRecipients=Recipients
-MailRecipient=Recipient
-MailTitle=Description
-MailFrom=Sender
-MailErrorsTo=Errors to
-MailReply=Reply to
-MailTo=Receiver(s)
-MailCC=Copy to
-MailCCC=Cached copy to
-MailTopic=EMail topic
-MailText=Message
-MailFile=Attached files
-MailMessage=EMail body
-ShowEMailing=Show emailing
-ListOfEMailings=List of emailings
-NewMailing=New emailing
-EditMailing=Edit emailing
-ResetMailing=Resend emailing
-DeleteMailing=Delete emailing
-DeleteAMailing=Delete an emailing
-PreviewMailing=Preview emailing
-PrepareMailing=Prepare emailing
-CreateMailing=Create emailing
-MailingDesc=This page allows you to send emailings to a group of people.
-MailingResult=Sending emails result
-TestMailing=Test email
-ValidMailing=Valid emailing
-ApproveMailing=Approve emailing
-MailingStatusDraft=Draft
-MailingStatusValidated=Validated
-MailingStatusApproved=Approved
-MailingStatusSent=Sent
-MailingStatusSentPartialy=Sent partialy
-MailingStatusSentCompletely=Sent completely
-MailingStatusError=Error
-MailingStatusNotSent=Not sent
-MailSuccessfulySent=Email successfully sent (from %s to %s)
-MailingSuccessfullyValidated=EMailing successfully validated
-MailUnsubcribe=Unsubscribe
-Unsuscribe=Unsubscribe
-MailingStatusNotContact=Don't contact anymore
-ErrorMailRecipientIsEmpty=Email recipient is empty
-WarningNoEMailsAdded=No new Email to add to recipient's list.
-ConfirmValidMailing=Are you sure you want to validate this emailing ?
-ConfirmResetMailing=Warning, by reinitializing emailing <b>%s</b>, you allow to make a mass sending of this email another time. Are you sure you this is what you want to do ?
-ConfirmDeleteMailing=Are you sure you want to delete this emailling ?
-NbOfRecipients=Number of recipients
-NbOfUniqueEMails=Nb of unique emails
-NbOfEMails=Nb of EMails
-TotalNbOfDistinctRecipients=Number of distinct recipients
-NoTargetYet=No recipients defined yet (Go on tab 'Recipients')
-AddRecipients=Add recipients
-RemoveRecipient=Remove recipient
-CommonSubstitutions=Common substitutions
-YouCanAddYourOwnPredefindedListHere=To create your email selector module, see htdocs/core/modules/mailings/README.
-EMailTestSubstitutionReplacedByGenericValues=When using test mode, substitutions variables are replaced by generic values
-MailingAddFile=Attach this file
-NoAttachedFiles=No attached files
-BadEMail=Bad value for EMail
-CloneEMailing=Clone Emailing
-ConfirmCloneEMailing=Are you sure you want to clone this emailing ?
-CloneContent=Clone message
-CloneReceivers=Cloner recipients
-DateLastSend=Date of last sending
-DateSending=Date sending
-SentTo=Sent to <b>%s</b>
-MailingStatusRead=Read
-CheckRead=Read Receipt
-YourMailUnsubcribeOK=The email <b>%s</b>  is correctly unsubcribe from mailing list
-MailtoEMail=Hyper link to email
-ActivateCheckRead=Allow to use the "Unsubcribe" link
-ActivateCheckReadKey=Key used to encrypt URL used 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
-RemindSent=%s reminder(s) sent
-AllRecipientSelectedForRemind=All thirdparties selected and if an email is set (note that one mail per invoice will be sent)
-NoRemindSent=No EMail reminder sent
-ResultOfMassSending=Result of mass EMail reminders sending
-
-# Libelle des modules de liste de destinataires mailing
-MailingModuleDescContactCompanies=Contacts/addresses of all third parties (customer, prospect, supplier, ...)
-MailingModuleDescDolibarrUsers=Dolibarr users
-MailingModuleDescFundationMembers=Foundation members with emails
-MailingModuleDescEmailsFromFile=EMails from a text file (email;lastname;firstname;other)
-MailingModuleDescEmailsFromUser=EMails from user input (email;lastname;firstname;other)
-MailingModuleDescContactsCategories=Third parties (by category)
-MailingModuleDescDolibarrContractsLinesExpired=Third parties with expired contract's lines
-MailingModuleDescContactsByCompanyCategory=Contacts/addresses of third parties (by third parties category)
-MailingModuleDescContactsByCategory=Contacts/addresses of third parties by category
-MailingModuleDescMembersCategories=Foundation members (by categories)
-MailingModuleDescContactsByFunction=Contacts/addresses of third parties (by position/function)
-LineInFile=Line %s in file
-RecipientSelectionModules=Defined requests for recipient's selection
-MailSelectedRecipients=Selected recipients
-MailingArea=EMailings area
-LastMailings=Last %s emailings
-TargetsStatistics=Targets statistics
-NbOfCompaniesContacts=Unique contacts/addresses
-MailNoChangePossible=Recipients for validated emailing can't be changed
-SearchAMailing=Search mailing
-SendMailing=Send emailing
-SendMail=Send email
-SentBy=Sent by
-MailingNeedCommand=For security reason, sending an emailing is better when performed from command line. If you have one, ask your server administrator to launch the following command to send the emailing to all recipients:
-MailingNeedCommand2=You can however send them online by adding parameter MAILING_LIMIT_SENDBYWEB with value of max number of emails you want to send by session. For this, go on Home - Setup - Other.
-ConfirmSendingEmailing=If you can't or prefer sending them with your www browser, please confirm you are sure you want to send emailing now from your browser ?
-LimitSendingEmailing=Note: Sending of emailings from web interface is done in several times for security and timeout reasons, <b>%s</b> recipients at a time for each sending session.
-TargetsReset=Clear list
-ToClearAllRecipientsClickHere=Click here to clear the recipient list for this emailing
-ToAddRecipientsChooseHere=Add recipients by choosing from the lists
-NbOfEMailingsReceived=Mass emailings received
-NbOfEMailingsSend=Mass emailings sent
-IdRecord=ID record
-DeliveryReceipt=Delivery Receipt
-YouCanUseCommaSeparatorForSeveralRecipients=You can use the <b>comma</b> separator to specify several recipients.
-TagCheckMail=Track mail opening
-TagUnsubscribe=Unsubscribe link
-TagSignature=Signature sending user
-TagMailtoEmail=Recipient EMail
-# Module Notifications
-Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target
-ListOfActiveNotifications=List all active email notification targets
-ListOfNotificationsDone=List all email notifications sent
-MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
-MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter <strong>'%s'</strong> to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
-MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
-YouCanAlsoUseSupervisorKeyword=You can also add the keyword <strong>__SUPERVISOREMAIL__</strong> to have email being sent to the supervisor of user (works only if an email is defined for this supervisor)
-NbOfTargetedContacts=Current number of targeted contact emails
diff --git a/htdocs/langs/es_AR/main.lang b/htdocs/langs/es_AR/main.lang
index b8eb245ac6f9db066cf1e787653db490228fb3b3..2e691473326d372b5db42468423519b3171a0d8a 100644
--- a/htdocs/langs/es_AR/main.lang
+++ b/htdocs/langs/es_AR/main.lang
@@ -1,9 +1,5 @@
 # Dolibarr language file - Source file is en_US - main
 DIRECTION=ltr
-# Note for Chinese:
-# msungstdlight or cid0ct are for traditional Chinese (traditional does not render with Ubuntu pdf reader)
-# stsongstdlight or cid0cs are for simplified Chinese
-# To read Chinese pdf with Linux: sudo apt-get install poppler-data
 FONTFORPDF=helvetica
 FONTSIZEFORPDF=10
 SeparatorDecimal=.
@@ -23,719 +19,3 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p
 FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p
 FormatDateHourTextShort=%b %d, %Y, %I:%M %p
 FormatDateHourText=%B %d, %Y, %I:%M %p
-DatabaseConnection=Database connection
-NoTranslation=No translation
-NoRecordFound=No record found
-NoError=No error
-Error=Error
-ErrorFieldRequired=Field '%s' is required
-ErrorFieldFormat=Field '%s' has a bad value
-ErrorFileDoesNotExists=File %s does not exist
-ErrorFailedToOpenFile=Failed to open file %s
-ErrorCanNotCreateDir=Can not create dir %s
-ErrorCanNotReadDir=Can not read dir %s
-ErrorConstantNotDefined=Parameter %s not defined
-ErrorUnknown=Unknown error
-ErrorSQL=SQL Error
-ErrorLogoFileNotFound=Logo file '%s' was not found
-ErrorGoToGlobalSetup=Go to 'Company/Foundation' setup to fix this
-ErrorGoToModuleSetup=Go to Module setup to fix this
-ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=%s)
-ErrorAttachedFilesDisabled=File attaching is disabled on this server
-ErrorFileNotUploaded=File was not uploaded. Check that size does not exceed maximum allowed, that free space is available on disk and that there is not already a file with same name in this directory.
-ErrorInternalErrorDetected=Error detected
-ErrorNoRequestRan=No request ran
-ErrorWrongHostParameter=Wrong host parameter
-ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post again the form.
-ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child records.
-ErrorWrongValue=Wrong value
-ErrorWrongValueForParameterX=Wrong value for parameter %s
-ErrorNoRequestInError=No request in error
-ErrorServiceUnavailableTryLater=Service not available for the moment. Try again later.
-ErrorDuplicateField=Duplicate value in a unique field
-ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback changes.
-ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
-ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
-ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
-ErrorFailedToSaveFile=Error, failed to save file.
-SetDate=Set date
-SelectDate=Select a date
-SeeAlso=See also %s
-SeeHere=See here
-BackgroundColorByDefault=Default background color
-FileNotUploaded=The file was not uploaded
-FileUploaded=The file was successfully uploaded
-FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. Click on "Attach file" for this.
-NbOfEntries=Nb of entries
-GoToWikiHelpPage=Read online help (need Internet access)
-GoToHelpPage=Read help
-RecordSaved=Record saved
-RecordDeleted=Record deleted
-LevelOfFeature=Level of features
-NotDefined=Not defined
-DefinedAndHasThisValue=Defined and value to
-IsNotDefined=undefined
-DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is setup to <b>%s</b> in configuration file <b>conf.php</b>.<br>This means that password database is extern to Dolibarr, so changing this field may have no effects.
-Administrator=Administrator
-Undefined=Undefined
-PasswordForgotten=Password forgotten ?
-SeeAbove=See above
-HomeArea=Home area
-LastConnexion=Last connection
-PreviousConnexion=Previous connection
-ConnectedOnMultiCompany=Connected on environment
-ConnectedSince=Connected since
-AuthenticationMode=Authentification mode
-RequestedUrl=Requested Url
-DatabaseTypeManager=Database type manager
-RequestLastAccess=Request for last database access
-RequestLastAccessInError=Request for last database access in error
-ReturnCodeLastAccessInError=Return code for last database access in error
-InformationLastAccessInError=Information for last database access in error
-DolibarrHasDetectedError=Dolibarr has detected a technical error
-InformationToHelpDiagnose=This is information that can help diagnostic
-MoreInformation=More information
-TechnicalInformation=Technical information
-NotePublic=Note (public)
-NotePrivate=Note (private)
-PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to <b>%s</b> decimals.
-DoTest=Test
-ToFilter=Filter
-WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance delay.
-yes=yes
-Yes=Yes
-no=no
-No=No
-All=All
-Home=Home
-Help=Help
-OnlineHelp=Online help
-PageWiki=Wiki page
-Always=Always
-Never=Never
-Under=under
-Period=Period
-PeriodEndDate=End date for period
-Activate=Activate
-Activated=Activated
-Closed=Closed
-Closed2=Closed
-Enabled=Enabled
-Deprecated=Deprecated
-Disable=Disable
-Disabled=Disabled
-Add=Add
-AddLink=Add link
-Update=Update
-AddActionToDo=Add event to do
-AddActionDone=Add event done
-Close=Close
-Close2=Close
-Confirm=Confirm
-ConfirmSendCardByMail=Do you really want to send content of this card by mail to <b>%s</b> ?
-Delete=Delete
-Remove=Remove
-Resiliate=Resiliate
-Cancel=Cancel
-Modify=Modify
-Edit=Edit
-Validate=Validate
-ValidateAndApprove=Validate and Approve
-ToValidate=To validate
-Save=Save
-SaveAs=Save As
-TestConnection=Test connection
-ToClone=Clone
-ConfirmClone=Choose data you want to clone :
-NoCloneOptionsSpecified=No data to clone defined.
-Of=of
-Go=Go
-Run=Run
-CopyOf=Copy of
-Show=Show
-ShowCardHere=Show card
-Search=Search
-SearchOf=Search
-Valid=Valid
-Approve=Approve
-Disapprove=Disapprove
-ReOpen=Re-Open
-Upload=Send file
-ToLink=Link
-Select=Select
-Choose=Choose
-ChooseLangage=Please choose your language
-Resize=Resize
-Recenter=Recenter
-Author=Author
-User=User
-Users=Users
-Group=Group
-Groups=Groups
-NoUserGroupDefined=No user group defined
-Password=Password
-PasswordRetype=Retype your password
-NoteSomeFeaturesAreDisabled=Note that a lot of features/modules are disabled in this demonstration.
-Name=Name
-Person=Person
-Parameter=Parameter
-Parameters=Parameters
-Value=Value
-GlobalValue=Global value
-PersonalValue=Personal value
-NewValue=New value
-CurrentValue=Current value
-Code=Code
-Type=Type
-Language=Language
-MultiLanguage=Multi-language
-Note=Note
-CurrentNote=Current note
-Title=Title
-Label=Label
-RefOrLabel=Ref. or label
-Info=Log
-Family=Family
-Description=Description
-Designation=Description
-Model=Model
-DefaultModel=Default model
-Action=Event
-About=About
-Number=Number
-NumberByMonth=Number by month
-AmountByMonth=Amount by month
-Numero=Number
-Limit=Limit
-Limits=Limits
-DevelopmentTeam=Development Team
-Logout=Logout
-NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode <b>%s</b>
-Connection=Connection
-Setup=Setup
-Alert=Alert
-Previous=Previous
-Next=Next
-Cards=Cards
-Card=Card
-Now=Now
-HourStart=Start hour
-Date=Date
-DateAndHour=Date and hour
-DateStart=Date start
-DateEnd=Date end
-DateCreation=Creation date
-DateModification=Modification date
-DateModificationShort=Modif. date
-DateLastModification=Last modification date
-DateValidation=Validation date
-DateClosing=Closing date
-DateDue=Due date
-DateValue=Value date
-DateValueShort=Value date
-DateOperation=Operation date
-DateOperationShort=Oper. Date
-DateLimit=Limit date
-DateRequest=Request date
-DateProcess=Process date
-DatePlanShort=Date planed
-DateRealShort=Date real.
-DateBuild=Report build date
-DatePayment=Date of payment
-DateApprove=Approving date
-DateApprove2=Approving date (second approval)
-DurationYear=year
-DurationMonth=month
-DurationWeek=week
-DurationDay=day
-DurationYears=years
-DurationMonths=months
-DurationWeeks=weeks
-DurationDays=days
-Year=Year
-Month=Month
-Week=Week
-Day=Day
-Hour=Hour
-Minute=Minute
-Second=Second
-Years=Years
-Months=Months
-Days=Days
-days=days
-Hours=Hours
-Minutes=Minutes
-Seconds=Seconds
-Weeks=Weeks
-Today=Today
-Yesterday=Yesterday
-Tomorrow=Tomorrow
-Morning=Morning
-Afternoon=Afternoon
-Quadri=Quadri
-MonthOfDay=Month of the day
-HourShort=H
-MinuteShort=mn
-Rate=Rate
-UseLocalTax=Include tax
-Bytes=Bytes
-KiloBytes=Kilobytes
-MegaBytes=Megabytes
-GigaBytes=Gigabytes
-TeraBytes=Terabytes
-b=b.
-Kb=Kb
-Mb=Mb
-Gb=Gb
-Tb=Tb
-Cut=Cut
-Copy=Copy
-Paste=Paste
-Default=Default
-DefaultValue=Default value
-DefaultGlobalValue=Global value
-Price=Price
-UnitPrice=Unit price
-UnitPriceHT=Unit price (net)
-UnitPriceTTC=Unit price
-PriceU=U.P.
-PriceUHT=U.P. (net)
-AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
-Amount=Amount
-AmountInvoice=Invoice amount
-AmountPayment=Payment amount
-AmountHTShort=Amount (net)
-AmountTTCShort=Amount (inc. tax)
-AmountHT=Amount (net of tax)
-AmountTTC=Amount (inc. tax)
-AmountVAT=Amount tax
-AmountLT1=Amount tax 2
-AmountLT2=Amount tax 3
-AmountLT1ES=Amount RE
-AmountLT2ES=Amount IRPF
-AmountTotal=Total amount
-AmountAverage=Average amount
-PriceQtyHT=Price for this quantity (net of tax)
-PriceQtyMinHT=Price quantity min. (net of tax)
-PriceQtyTTC=Price for this quantity (inc. tax)
-PriceQtyMinTTC=Price quantity min. (inc. of tax)
-Percentage=Percentage
-Total=Total
-SubTotal=Subtotal
-TotalHTShort=Total (net)
-TotalTTCShort=Total (inc. tax)
-TotalHT=Total (net of tax)
-TotalHTforthispage=Total (net of tax) for this page
-TotalTTC=Total (inc. tax)
-TotalTTCToYourCredit=Total (inc. tax) to your credit
-TotalVAT=Total tax
-TotalLT1=Total tax 2
-TotalLT2=Total tax 3
-TotalLT1ES=Total RE
-TotalLT2ES=Total IRPF
-IncludedVAT=Included tax
-HT=Net of tax
-TTC=Inc. tax
-VAT=Sales tax
-LT1ES=RE
-LT2ES=IRPF
-VATRate=Tax Rate
-Average=Average
-Sum=Sum
-Delta=Delta
-Module=Module
-Option=Option
-List=List
-FullList=Full list
-Statistics=Statistics
-OtherStatistics=Other statistics
-Status=Status
-Favorite=Favorite
-ShortInfo=Info.
-Ref=Ref.
-ExternalRef=Ref. extern
-RefSupplier=Ref. supplier
-RefPayment=Ref. payment
-CommercialProposalsShort=Commercial proposals
-Comment=Comment
-Comments=Comments
-ActionsToDo=Events to do
-ActionsDone=Events done
-ActionsToDoShort=To do
-ActionsRunningshort=Started
-ActionsDoneShort=Done
-ActionNotApplicable=Not applicable
-ActionRunningNotStarted=To start
-ActionRunningShort=Started
-ActionDoneShort=Finished
-ActionUncomplete=Uncomplete
-CompanyFoundation=Company/Foundation
-ContactsForCompany=Contacts for this third party
-ContactsAddressesForCompany=Contacts/addresses for this third party
-AddressesForCompany=Addresses for this third party
-ActionsOnCompany=Events about this third party
-ActionsOnMember=Events about this member
-NActions=%s events
-NActionsLate=%s late
-RequestAlreadyDone=Request already recorded
-Filter=Filter
-RemoveFilter=Remove filter
-ChartGenerated=Chart generated
-ChartNotGenerated=Chart not generated
-GeneratedOn=Build on %s
-Generate=Generate
-Duration=Duration
-TotalDuration=Total duration
-Summary=Summary
-MyBookmarks=My bookmarks
-OtherInformationsBoxes=Other information boxes
-DolibarrBoard=Dolibarr board
-DolibarrStateBoard=Statistics
-DolibarrWorkBoard=Work tasks board
-Available=Available
-NotYetAvailable=Not yet available
-NotAvailable=Not available
-Popularity=Popularity
-Categories=Tags/categories
-Category=Tag/category
-By=By
-From=From
-to=to
-and=and
-or=or
-Other=Other
-Others=Others
-OtherInformations=Other informations
-Quantity=Quantity
-Qty=Qty
-ChangedBy=Changed by
-ApprovedBy=Approved by
-ApprovedBy2=Approved by (second approval)
-Approved=Approved
-Refused=Refused
-ReCalculate=Recalculate
-ResultOk=Success
-ResultKo=Failure
-Reporting=Reporting
-Reportings=Reporting
-Draft=Draft
-Drafts=Drafts
-Validated=Validated
-Opened=Open
-New=New
-Discount=Discount
-Unknown=Unknown
-General=General
-Size=Size
-Received=Received
-Paid=Paid
-Topic=Sujet
-ByCompanies=By third parties
-ByUsers=By users
-Links=Links
-Link=Link
-Receipts=Receipts
-Rejects=Rejects
-Preview=Preview
-NextStep=Next step
-PreviousStep=Previous step
-Datas=Data
-None=None
-NoneF=None
-Late=Late
-Photo=Picture
-Photos=Pictures
-AddPhoto=Add picture
-Login=Login
-CurrentLogin=Current login
-January=January
-February=February
-March=March
-April=April
-May=May
-June=June
-July=July
-August=August
-September=September
-October=October
-November=November
-December=December
-JanuaryMin=Jan
-FebruaryMin=Feb
-MarchMin=Mar
-AprilMin=Apr
-MayMin=May
-JuneMin=Jun
-JulyMin=Jul
-AugustMin=Aug
-SeptemberMin=Sep
-OctoberMin=Oct
-NovemberMin=Nov
-DecemberMin=Dec
-Month01=January
-Month02=February
-Month03=March
-Month04=April
-Month05=May
-Month06=June
-Month07=July
-Month08=August
-Month09=September
-Month10=October
-Month11=November
-Month12=December
-MonthShort01=Jan
-MonthShort02=Feb
-MonthShort03=Mar
-MonthShort04=Apr
-MonthShort05=May
-MonthShort06=Jun
-MonthShort07=Jul
-MonthShort08=Aug
-MonthShort09=Sep
-MonthShort10=Oct
-MonthShort11=Nov
-MonthShort12=Dec
-AttachedFiles=Attached files and documents
-FileTransferComplete=File was uploaded successfuly
-DateFormatYYYYMM=YYYY-MM
-DateFormatYYYYMMDD=YYYY-MM-DD
-DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS
-ReportName=Report name
-ReportPeriod=Report period
-ReportDescription=Description
-Report=Report
-Keyword=Mot clé
-Legend=Legend
-FillTownFromZip=Fill city from zip
-Fill=Fill
-Reset=Reset
-ShowLog=Show log
-File=File
-Files=Files
-NotAllowed=Not allowed
-ReadPermissionNotAllowed=Read permission not allowed
-AmountInCurrency=Amount in %s currency
-Example=Example
-Examples=Examples
-NoExample=No example
-FindBug=Report a bug
-NbOfThirdParties=Number of third parties
-NbOfCustomers=Number of customers
-NbOfLines=Number of lines
-NbOfObjects=Number of objects
-NbOfReferers=Number of referrers
-Referers=Refering objects
-TotalQuantity=Total quantity
-DateFromTo=From %s to %s
-DateFrom=From %s
-DateUntil=Until %s
-Check=Check
-Uncheck=Uncheck
-Internal=Internal
-External=External
-Internals=Internal
-Externals=External
-Warning=Warning
-Warnings=Warnings
-BuildPDF=Build PDF
-RebuildPDF=Rebuild PDF
-BuildDoc=Build Doc
-RebuildDoc=Rebuild Doc
-Entity=Environment
-Entities=Entities
-EventLogs=Logs
-CustomerPreview=Customer preview
-SupplierPreview=Supplier preview
-AccountancyPreview=Accountancy preview
-ShowCustomerPreview=Show customer preview
-ShowSupplierPreview=Show supplier preview
-ShowAccountancyPreview=Show accountancy preview
-ShowProspectPreview=Show prospect preview
-RefCustomer=Ref. customer
-Currency=Currency
-InfoAdmin=Information for administrators
-Undo=Undo
-Redo=Redo
-ExpandAll=Expand all
-UndoExpandAll=Undo expand
-Reason=Reason
-FeatureNotYetSupported=Feature not yet supported
-CloseWindow=Close window
-Question=Question
-Response=Response
-Priority=Priority
-SendByMail=Send by EMail
-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.
-Refresh=Refresh
-BackToList=Back to list
-GoBack=Go back
-CanBeModifiedIfOk=Can be modified if valid
-CanBeModifiedIfKo=Can be modified if not valid
-RecordModifiedSuccessfully=Record modified successfully
-RecordsModified=%s records modified
-AutomaticCode=Automatic code
-NotManaged=Not managed
-FeatureDisabled=Feature disabled
-MoveBox=Move box %s
-Offered=Offered
-NotEnoughPermissions=You don't have permission for this action
-SessionName=Session name
-Method=Method
-Receive=Receive
-PartialWoman=Partial
-PartialMan=Partial
-TotalWoman=Total
-TotalMan=Total
-NeverReceived=Never received
-Canceled=Canceled
-YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
-Color=Color
-Documents=Linked files
-DocumentsNb=Linked files (%s)
-Documents2=Documents
-BuildDocuments=Generated documents
-UploadDisabled=Upload disabled
-MenuECM=Documents
-MenuAWStats=AWStats
-MenuMembers=Members
-MenuAgendaGoogle=Google agenda
-ThisLimitIsDefinedInSetup=Dolibarr limit (Menu home-setup-security): %s Kb, PHP limit: %s Kb
-NoFileFound=No documents saved in this directory
-CurrentUserLanguage=Current language
-CurrentTheme=Current theme
-CurrentMenuManager=Current menu manager
-DisabledModules=Disabled modules
-For=For
-ForCustomer=For customer
-Signature=Signature
-HidePassword=Show command with password hidden
-UnHidePassword=Show real command with clear password
-Root=Root
-Informations=Informations
-Page=Page
-Notes=Notes
-AddNewLine=Add new line
-AddFile=Add file
-ListOfFiles=List of available files
-FreeZone=Free entry
-FreeLineOfType=Free entry of type
-CloneMainAttributes=Clone object with its main attributes
-PDFMerge=PDF Merge
-Merge=Merge
-PrintContentArea=Show page to print main content area
-MenuManager=Menu manager
-NoMenu=No sub-menu
-WarningYouAreInMaintenanceMode=Warning, you are in a maintenance mode, so only login <b>%s</b> is allowed to use application at the moment.
-CoreErrorTitle=System error
-CoreErrorMessage=Sorry, an error occurred. Check the logs or contact your system administrator.
-CreditCard=Credit card
-FieldsWithAreMandatory=Fields with <b>%s</b> are mandatory
-FieldsWithIsForPublic=Fields with <b>%s</b> are shown on public list of members. If you don't want this, check off the "public" box.
-AccordingToGeoIPDatabase=(according to GeoIP convertion)
-Line=Line
-NotSupported=Not supported
-RequiredField=Required field
-Result=Result
-ToTest=Test
-ValidateBefore=Card must be validated before using this feature
-Visibility=Visibility
-Private=Private
-Hidden=Hidden
-Resources=Resources
-Source=Source
-Prefix=Prefix
-Before=Before
-After=After
-IPAddress=IP address
-Frequency=Frequency
-IM=Instant messaging
-NewAttribute=New attribute
-AttributeCode=Attribute code
-OptionalFieldsSetup=Extra attributes setup
-URLPhoto=URL of photo/logo
-SetLinkToThirdParty=Link to another third party
-CreateDraft=Create draft
-SetToDraft=Back to draft
-ClickToEdit=Click to edit
-ObjectDeleted=Object %s deleted
-ByCountry=By country
-ByTown=By town
-ByDate=By date
-ByMonthYear=By month/year
-ByYear=By year
-ByMonth=By month
-ByDay=By day
-BySalesRepresentative=By sales representative
-LinkedToSpecificUsers=Linked to a particular user contact
-DeleteAFile=Delete a file
-ConfirmDeleteAFile=Are you sure you want to delete file
-NoResults=No results
-SystemTools=System tools
-ModulesSystemTools=Modules tools
-Test=Test
-Element=Element
-NoPhotoYet=No pictures available yet
-HomeDashboard=Home summary
-Deductible=Deductible
-from=from
-toward=toward
-Access=Access
-HelpCopyToClipboard=Use Ctrl+C to copy to clipboard
-SaveUploadedFileWithMask=Save file on server with name "<strong>%s</strong>" (otherwise "%s")
-OriginFileName=Original filename
-SetDemandReason=Set source
-SetBankAccount=Define Bank Account
-AccountCurrency=Account Currency
-ViewPrivateNote=View notes
-XMoreLines=%s line(s) hidden
-PublicUrl=Public URL
-AddBox=Add box
-SelectElementAndClickRefresh=Select an element and click Refresh
-PrintFile=Print File %s
-ShowTransaction=Show transaction
-GoIntoSetupToChangeLogo=Go into Home - Setup - Company to change logo or go into Home - Setup - Display to hide.
-Deny=Deny
-Denied=Denied
-ListOfTemplates=List of templates
-Genderman=Man
-Genderwoman=Woman
-# Week day
-Monday=Monday
-Tuesday=Tuesday
-Wednesday=Wednesday
-Thursday=Thursday
-Friday=Friday
-Saturday=Saturday
-Sunday=Sunday
-MondayMin=Mo
-TuesdayMin=Tu
-WednesdayMin=We
-ThursdayMin=Th
-FridayMin=Fr
-SaturdayMin=Sa
-SundayMin=Su
-Day1=Monday
-Day2=Tuesday
-Day3=Wednesday
-Day4=Thursday
-Day5=Friday
-Day6=Saturday
-Day0=Sunday
-ShortMonday=M
-ShortTuesday=T
-ShortWednesday=W
-ShortThursday=T
-ShortFriday=F
-ShortSaturday=S
-ShortSunday=S
-SelectMailModel=Select email template
diff --git a/htdocs/langs/es_AR/orders.lang b/htdocs/langs/es_AR/orders.lang
deleted file mode 100644
index 55802b4bb48c4486460ffacc3e045ff3dd64ad4f..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_AR/orders.lang
+++ /dev/null
@@ -1,173 +0,0 @@
-# Dolibarr language file - Source file is en_US - orders
-OrdersArea=Customers orders area
-SuppliersOrdersArea=Suppliers orders area
-OrderCard=Order card
-OrderId=Order Id
-Order=Order
-Orders=Orders
-OrderLine=Order line
-OrderFollow=Follow up
-OrderDate=Order date
-OrderToProcess=Order to process
-NewOrder=New order
-ToOrder=Make order
-MakeOrder=Make order
-SupplierOrder=Supplier order
-SuppliersOrders=Suppliers orders
-SuppliersOrdersRunning=Current suppliers orders
-CustomerOrder=Customer order
-CustomersOrders=Customer orders
-CustomersOrdersRunning=Current customer orders
-CustomersOrdersAndOrdersLines=Customer orders and order lines
-OrdersToValid=Customer orders to validate
-OrdersToBill=Customer orders delivered
-OrdersInProcess=Customer orders in process
-OrdersToProcess=Customer orders to process
-SuppliersOrdersToProcess=Supplier orders to process
-StatusOrderCanceledShort=Canceled
-StatusOrderDraftShort=Draft
-StatusOrderValidatedShort=Validated
-StatusOrderSentShort=In process
-StatusOrderSent=Shipment in process
-StatusOrderOnProcessShort=Ordered
-StatusOrderProcessedShort=Processed
-StatusOrderToBillShort=Delivered
-StatusOrderToBill2Short=To bill
-StatusOrderApprovedShort=Approved
-StatusOrderRefusedShort=Refused
-StatusOrderToProcessShort=To process
-StatusOrderReceivedPartiallyShort=Partially received
-StatusOrderReceivedAllShort=Everything received
-StatusOrderCanceled=Canceled
-StatusOrderDraft=Draft (needs to be validated)
-StatusOrderValidated=Validated
-StatusOrderOnProcess=Ordered - Standby reception
-StatusOrderOnProcessWithValidation=Ordered - Standby reception or validation
-StatusOrderProcessed=Processed
-StatusOrderToBill=Delivered
-StatusOrderToBill2=To bill
-StatusOrderApproved=Approved
-StatusOrderRefused=Refused
-StatusOrderReceivedPartially=Partially received
-StatusOrderReceivedAll=Everything received
-ShippingExist=A shipment exists
-ProductQtyInDraft=Product quantity into draft orders
-ProductQtyInDraftOrWaitingApproved=Product quantity into draft or approved orders, not yet ordered
-DraftOrWaitingApproved=Draft or approved not yet ordered
-DraftOrWaitingShipped=Draft or validated not yet shipped
-MenuOrdersToBill=Orders delivered
-MenuOrdersToBill2=Billable orders
-SearchOrder=Search order
-SearchACustomerOrder=Search a customer order
-SearchASupplierOrder=Search a supplier order
-ShipProduct=Ship product
-Discount=Discount
-CreateOrder=Create Order
-RefuseOrder=Refuse order
-ApproveOrder=Approve order
-Approve2Order=Approve order (second level)
-ValidateOrder=Validate order
-UnvalidateOrder=Unvalidate order
-DeleteOrder=Delete order
-CancelOrder=Cancel order
-AddOrder=Create order
-AddToMyOrders=Add to my orders
-AddToOtherOrders=Add to other orders
-AddToDraftOrders=Add to draft order
-ShowOrder=Show order
-OrdersOpened=Orders to process
-NoOpenedOrders=No open orders
-NoOtherOpenedOrders=No other open orders
-NoDraftOrders=No draft orders
-OtherOrders=Other orders
-LastOrders=Last %s customer orders
-LastCustomerOrders=Last %s customer orders
-LastSupplierOrders=Last %s supplier orders
-LastModifiedOrders=Last %s modified orders
-LastClosedOrders=Last %s closed orders
-AllOrders=All orders
-NbOfOrders=Number of orders
-OrdersStatistics=Order's statistics
-OrdersStatisticsSuppliers=Supplier order's statistics
-NumberOfOrdersByMonth=Number of orders by month
-AmountOfOrdersByMonthHT=Amount of orders by month (net of tax)
-ListOfOrders=List of orders
-CloseOrder=Close order
-ConfirmCloseOrder=Are you sure you want to set this order to deliverd ? Once an order is delivered, it can be set to billed.
-ConfirmCloseOrderIfSending=Are you sure you want to close this order ? You must close an order only when all shipping are done.
-ConfirmDeleteOrder=Are you sure you want to delete this order ?
-ConfirmValidateOrder=Are you sure you want to validate this order under name <b>%s</b> ?
-ConfirmUnvalidateOrder=Are you sure you want to restore order <b>%s</b> to draft status ?
-ConfirmCancelOrder=Are you sure you want to cancel this order ?
-ConfirmMakeOrder=Are you sure you want to confirm you made this order on <b>%s</b> ?
-GenerateBill=Generate invoice
-ClassifyShipped=Classify delivered
-ClassifyBilled=Classify billed
-ComptaCard=Accountancy card
-DraftOrders=Draft orders
-RelatedOrders=Related orders
-RelatedCustomerOrders=Related customer orders
-RelatedSupplierOrders=Related supplier orders
-OnProcessOrders=In process orders
-RefOrder=Ref. order
-RefCustomerOrder=Ref. customer order
-RefCustomerOrderShort=Ref. cust. order
-SendOrderByMail=Send order by mail
-ActionsOnOrder=Events on order
-NoArticleOfTypeProduct=No article of type 'product' so no shippable article for this order
-OrderMode=Order method
-AuthorRequest=Request author
-UseCustomerContactAsOrderRecipientIfExist=Use customer contact address if defined instead of third party address as order recipient address
-RunningOrders=Orders on process
-UserWithApproveOrderGrant=Users granted with "approve orders" permission.
-PaymentOrderRef=Payment of order %s
-CloneOrder=Clone order
-ConfirmCloneOrder=Are you sure you want to clone this order <b>%s</b> ?
-DispatchSupplierOrder=Receiving supplier order %s
-FirstApprovalAlreadyDone=First approval already done
-##### Types de contacts #####
-TypeContact_commande_internal_SALESREPFOLL=Representative following-up customer order
-TypeContact_commande_internal_SHIPPING=Representative following-up shipping
-TypeContact_commande_external_BILLING=Customer invoice contact
-TypeContact_commande_external_SHIPPING=Customer shipping contact
-TypeContact_commande_external_CUSTOMER=Customer contact following-up order
-TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up supplier order
-TypeContact_order_supplier_internal_SHIPPING=Representative following-up shipping
-TypeContact_order_supplier_external_BILLING=Supplier invoice contact
-TypeContact_order_supplier_external_SHIPPING=Supplier shipping contact
-TypeContact_order_supplier_external_CUSTOMER=Supplier contact following-up order
-
-Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Constant COMMANDE_SUPPLIER_ADDON not defined
-Error_COMMANDE_ADDON_NotDefined=Constant COMMANDE_ADDON not defined
-Error_FailedToLoad_COMMANDE_SUPPLIER_ADDON_File=Failed to load module file '%s'
-Error_FailedToLoad_COMMANDE_ADDON_File=Failed to load module file '%s'
-Error_OrderNotChecked=No orders to invoice selected
-# Sources
-OrderSource0=Commercial proposal
-OrderSource1=Internet
-OrderSource2=Mail campaign
-OrderSource3=Phone compaign
-OrderSource4=Fax campaign
-OrderSource5=Commercial
-OrderSource6=Store
-QtyOrdered=Qty ordered
-AddDeliveryCostLine=Add a delivery cost line indicating the weight of the order
-# Documents models
-PDFEinsteinDescription=A complete order model (logo...)
-PDFEdisonDescription=A simple order model
-PDFProformaDescription=A complete proforma invoice (logo…)
-# Orders modes
-OrderByMail=Mail
-OrderByFax=Fax
-OrderByEMail=EMail
-OrderByWWW=Online
-OrderByPhone=Phone
-CreateInvoiceForThisCustomer=Bill orders
-NoOrdersToInvoice=No orders billable
-CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders.
-OrderCreation=Order creation
-Ordered=Ordered
-OrderCreated=Your orders have been created
-OrderFail=An error happened during your orders creation
-CreateOrders=Create orders
-ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s".
diff --git a/htdocs/langs/es_AR/other.lang b/htdocs/langs/es_AR/other.lang
deleted file mode 100644
index c49606b8f7504a06d7daba530169d75d21dc7607..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_AR/other.lang
+++ /dev/null
@@ -1,242 +0,0 @@
-# Dolibarr language file - Source file is en_US - other
-SecurityCode=Security code
-Calendar=Calendar
-Tools=Tools
-ToolsDesc=This area is dedicated to group miscellaneous tools not available into other menu entries.<br><br>Those tools can be reached from menu on the side.
-Birthday=Birthday
-BirthdayDate=Birthday
-DateToBirth=Date of birth
-BirthdayAlertOn= birthday alert active
-BirthdayAlertOff= birthday alert inactive
-Notify_FICHINTER_VALIDATE=Intervention validated
-Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
-Notify_BILL_VALIDATE=Customer invoice validated
-Notify_BILL_UNVALIDATE=Customer invoice unvalidated
-Notify_ORDER_SUPPLIER_VALIDATE=Supplier order recorded
-Notify_ORDER_SUPPLIER_APPROVE=Supplier order approved
-Notify_ORDER_SUPPLIER_REFUSE=Supplier order refused
-Notify_ORDER_VALIDATE=Customer order validated
-Notify_PROPAL_VALIDATE=Customer proposal validated
-Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed
-Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused
-Notify_WITHDRAW_TRANSMIT=Transmission withdrawal
-Notify_WITHDRAW_CREDIT=Credit withdrawal
-Notify_WITHDRAW_EMIT=Perform withdrawal
-Notify_ORDER_SENTBYMAIL=Customer order sent by mail
-Notify_COMPANY_CREATE=Third party created
-Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
-Notify_PROPAL_SENTBYMAIL=Commercial proposal sent by mail
-Notify_BILL_PAYED=Customer invoice payed
-Notify_BILL_CANCEL=Customer invoice canceled
-Notify_BILL_SENTBYMAIL=Customer invoice sent by mail
-Notify_ORDER_SUPPLIER_VALIDATE=Supplier order recorded
-Notify_ORDER_SUPPLIER_SENTBYMAIL=Supplier order sent by mail
-Notify_BILL_SUPPLIER_VALIDATE=Supplier invoice validated
-Notify_BILL_SUPPLIER_PAYED=Supplier invoice payed
-Notify_BILL_SUPPLIER_SENTBYMAIL=Supplier invoice sent by mail
-Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled
-Notify_CONTRACT_VALIDATE=Contract validated
-Notify_FICHEINTER_VALIDATE=Intervention validated
-Notify_SHIPPING_VALIDATE=Shipping validated
-Notify_SHIPPING_SENTBYMAIL=Shipping sent by mail
-Notify_MEMBER_VALIDATE=Member validated
-Notify_MEMBER_MODIFY=Member modified
-Notify_MEMBER_SUBSCRIPTION=Member subscribed
-Notify_MEMBER_RESILIATE=Member resiliated
-Notify_MEMBER_DELETE=Member deleted
-Notify_PROJECT_CREATE=Project creation
-Notify_TASK_CREATE=Task created
-Notify_TASK_MODIFY=Task modified
-Notify_TASK_DELETE=Task deleted
-SeeModuleSetup=See setup of module %s
-NbOfAttachedFiles=Number of attached files/documents
-TotalSizeOfAttachedFiles=Total size of attached files/documents
-MaxSize=Maximum size
-AttachANewFile=Attach a new file/document
-LinkedObject=Linked object
-Miscellaneous=Miscellaneous
-NbOfActiveNotifications=Number of notifications (nb of recipient emails)
-PredefinedMailTest=This is a test mail.\nThe two lines are separated by a carriage return.\n\n__SIGNATURE__
-PredefinedMailTestHtml=This is a <b>test</b> mail (the word test must be in bold).<br>The two lines are separated by a carriage return.<br><br>__SIGNATURE__
-PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice  __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendAskPriceSupplier=__CONTACTCIVNAME__\n\nYou will find here the price request __ASKREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
-DemoDesc=Dolibarr is a compact ERP/CRM composed by several functional modules. A demo that includes all modules does not mean anything as this never occurs. So, several demo profiles are available.
-ChooseYourDemoProfil=Choose the demo profile that match your activity...
-DemoFundation=Manage members of a foundation
-DemoFundation2=Manage members and bank account of a foundation
-DemoCompanyServiceOnly=Manage a freelance activity selling service only
-DemoCompanyShopWithCashDesk=Manage a shop with a cash desk
-DemoCompanyProductAndStocks=Manage a small or medium company selling products
-DemoCompanyAll=Manage a small or medium company with multiple activities (all main modules)
-GoToDemo=Go to demo
-CreatedBy=Created by %s
-ModifiedBy=Modified by %s
-ValidatedBy=Validated by %s
-CanceledBy=Canceled by %s
-ClosedBy=Closed by %s
-CreatedById=User id who created
-ModifiedById=User id who made last change
-ValidatedById=User id who validated
-CanceledById=User id who canceled
-ClosedById=User id who closed
-CreatedByLogin=User login who created
-ModifiedByLogin=User login who made last change
-ValidatedByLogin=User login who validated
-CanceledByLogin=User login who canceled
-ClosedByLogin=User login who closed
-FileWasRemoved=File %s was removed
-DirWasRemoved=Directory %s was removed
-FeatureNotYetAvailableShort=Available in a next version
-FeatureNotYetAvailable=Feature not yet available in this version
-FeatureExperimental=Experimental feature. Not stable in this version
-FeatureDevelopment=Development feature. Not stable in this version
-FeaturesSupported=Features supported
-Width=Width
-Height=Height
-Depth=Depth
-Top=Top
-Bottom=Bottom
-Left=Left
-Right=Right
-CalculatedWeight=Calculated weight
-CalculatedVolume=Calculated volume
-Weight=Weight
-TotalWeight=Total weight
-WeightUnitton=tonnes
-WeightUnitkg=kg
-WeightUnitg=g
-WeightUnitmg=mg
-WeightUnitpound=pound
-Length=Length
-LengthUnitm=m
-LengthUnitdm=dm
-LengthUnitcm=cm
-LengthUnitmm=mm
-Surface=Area
-SurfaceUnitm2=m2
-SurfaceUnitdm2=dm2
-SurfaceUnitcm2=cm2
-SurfaceUnitmm2=mm2
-SurfaceUnitfoot2=ft2
-SurfaceUnitinch2=in2
-Volume=Volume
-TotalVolume=Total volume
-VolumeUnitm3=m3
-VolumeUnitdm3=dm3
-VolumeUnitcm3=cm3
-VolumeUnitmm3=mm3
-VolumeUnitfoot3=ft3
-VolumeUnitinch3=in3
-VolumeUnitounce=ounce
-VolumeUnitlitre=litre
-VolumeUnitgallon=gallon
-Size=size
-SizeUnitm=m
-SizeUnitdm=dm
-SizeUnitcm=cm
-SizeUnitmm=mm
-SizeUnitinch=inch
-SizeUnitfoot=foot
-SizeUnitpoint=point
-BugTracker=Bug tracker
-SendNewPasswordDesc=This form allows you to request a new password. It will be send to your email address.<br>Change will be effective only after clicking on confirmation link inside this email.<br>Check your email reader software.
-BackToLoginPage=Back to login page
-AuthenticationDoesNotAllowSendNewPassword=Authentication mode is <b>%s</b>.<br>In this mode, Dolibarr can't know nor change your password.<br>Contact your system administrator if you want to change your password.
-EnableGDLibraryDesc=Install or enable GD library with your PHP for use this option.
-EnablePhpAVModuleDesc=You need to install a module compatible with your anti-virus. (Clamav : php4-clamavlib ou php5-clamavlib)
-ProfIdShortDesc=<b>Prof Id %s</b> is an information depending on third party country.<br>For example, for country <b>%s</b>, it's code <b>%s</b>.
-DolibarrDemo=Dolibarr ERP/CRM demo
-StatsByNumberOfUnits=Statistics in number of products/services units
-StatsByNumberOfEntities=Statistics in number of referring entities
-NumberOfProposals=Number of proposals on last 12 month
-NumberOfCustomerOrders=Number of customer orders on last 12 month
-NumberOfCustomerInvoices=Number of customer invoices on last 12 month
-NumberOfSupplierOrders=Number of supplier orders on last 12 month
-NumberOfSupplierInvoices=Number of supplier invoices on last 12 month
-NumberOfUnitsProposals=Number of units on proposals on last 12 month
-NumberOfUnitsCustomerOrders=Number of units on customer orders on last 12 month
-NumberOfUnitsCustomerInvoices=Number of units on customer invoices on last 12 month
-NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
-NumberOfUnitsSupplierInvoices=Number of units on supplier invoices on last 12 month
-EMailTextInterventionValidated=The intervention %s has been validated.
-EMailTextInvoiceValidated=The invoice %s has been validated.
-EMailTextProposalValidated=The proposal %s has been validated.
-EMailTextOrderValidated=The order %s has been validated.
-EMailTextOrderApproved=The order %s has been approved.
-EMailTextOrderValidatedBy=The order %s has been recorded by %s.
-EMailTextOrderApprovedBy=The order %s has been approved by %s.
-EMailTextOrderRefused=The order %s has been refused.
-EMailTextOrderRefusedBy=The order %s has been refused by %s.
-EMailTextExpeditionValidated=The shipping %s has been validated.
-ImportedWithSet=Importation data set
-DolibarrNotification=Automatic notification
-ResizeDesc=Enter new width <b>OR</b> new height. Ratio will be kept during resizing...
-NewLength=New width
-NewHeight=New height
-NewSizeAfterCropping=New size after cropping
-DefineNewAreaToPick=Define new area on image to pick (left click on image then drag until you reach the opposite corner)
-CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is informations on current edited image
-ImageEditor=Image editor
-YouReceiveMailBecauseOfNotification=You receive this message because your email has been added to list of targets to be informed of particular events into %s software of %s.
-YouReceiveMailBecauseOfNotification2=This event is the following:
-ThisIsListOfModules=This is a list of modules preselected by this demo profile (only most common modules are visible in this demo). Edit this to have a more personalized demo and click on "Start".
-ClickHere=Click here
-UseAdvancedPerms=Use the advanced permissions of some modules
-FileFormat=File format
-SelectAColor=Choose a color
-AddFiles=Add Files
-StartUpload=Start upload
-CancelUpload=Cancel upload
-FileIsTooBig=Files is too big
-PleaseBePatient=Please be patient...
-RequestToResetPasswordReceived=A request to change your Dolibarr password has been received
-NewKeyIs=This is your new keys to login
-NewKeyWillBe=Your new key to login to software will be
-ClickHereToGoTo=Click here to go to %s
-YouMustClickToChange=You must however first click on the following link to validate this password change
-ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe.
-IfAmountHigherThan=If amount higher than <strong>%s</strong>
-SourcesRepository=Repository for sources
-
-##### Calendar common #####
-AddCalendarEntry=Add entry in calendar %s
-NewCompanyToDolibarr=Company %s added
-ContractValidatedInDolibarr=Contract %s validated
-ContractCanceledInDolibarr=Contract %s canceled
-ContractClosedInDolibarr=Contract %s closed
-PropalClosedSignedInDolibarr=Proposal %s signed
-PropalClosedRefusedInDolibarr=Proposal %s refused
-PropalValidatedInDolibarr=Proposal %s validated
-PropalClassifiedBilledInDolibarr=Proposal %s classified billed
-InvoiceValidatedInDolibarr=Invoice %s validated
-InvoicePaidInDolibarr=Invoice %s changed to paid
-InvoiceCanceledInDolibarr=Invoice %s canceled
-PaymentDoneInDolibarr=Payment %s done
-CustomerPaymentDoneInDolibarr=Customer payment %s done
-SupplierPaymentDoneInDolibarr=Supplier payment %s done
-MemberValidatedInDolibarr=Member %s validated
-MemberResiliatedInDolibarr=Member %s resiliated
-MemberDeletedInDolibarr=Member %s deleted
-MemberSubscriptionAddedInDolibarr=Subscription for member %s added
-ShipmentValidatedInDolibarr=Shipment %s validated
-ShipmentDeletedInDolibarr=Shipment %s deleted
-##### Export #####
-Export=Export
-ExportsArea=Exports area
-AvailableFormats=Available formats
-LibraryUsed=Librairy used
-LibraryVersion=Version
-ExportableDatas=Exportable data
-NoExportableData=No exportable data (no modules with exportable data loaded, or missing permissions)
-ToExport=Export
-NewExport=New export
-##### External sites #####
-ExternalSites=External sites
diff --git a/htdocs/langs/es_AR/productbatch.lang b/htdocs/langs/es_AR/productbatch.lang
deleted file mode 100644
index 37ceaa49b382be34c3ec4577cc01d40d91c61efe..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_AR/productbatch.lang
+++ /dev/null
@@ -1,22 +0,0 @@
-# ProductBATCH language file - en_US - ProductBATCH
-ManageLotSerial=Use lot/serial number
-ProductStatusOnBatch=Yes (lot/serial required)
-ProductStatusNotOnBatch=No (lot/serial not used)
-ProductStatusOnBatchShort=Yes
-ProductStatusNotOnBatchShort=No
-Batch=Lot/Serial
-atleast1batchfield=Eat-by date or Sell-by date or Lot/Serial number
-batch_number=Lot/Serial number
-BatchNumberShort=Lot/Serial
-l_eatby=Eat-by date
-l_sellby=Sell-by date
-DetailBatchNumber=Lot/Serial details
-DetailBatchFormat=Lot/Serial: %s - Eat by: %s - Sell by: %s (Qty : %d)
-printBatch=Lot/Serial: %s
-printEatby=Eat-by: %s
-printSellby=Sell-by: %s
-printQty=Qty: %d
-AddDispatchBatchLine=Add a line for Shelf Life dispatching
-BatchDefaultNumber=Undefined
-WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, increase/decrease stock mode is forced to last choice and can't be edited. Other options can be defined as you want.
-ProductDoesNotUseBatchSerial=This product does not use lot/serial number
diff --git a/htdocs/langs/es_AR/stocks.lang b/htdocs/langs/es_AR/stocks.lang
deleted file mode 100644
index 7aeef1c96414b7c022420907803398303d9af080..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_AR/stocks.lang
+++ /dev/null
@@ -1,140 +0,0 @@
-# Dolibarr language file - Source file is en_US - stocks
-WarehouseCard=Warehouse card
-Warehouse=Warehouse
-Warehouses=Warehouses
-NewWarehouse=New warehouse / Stock area
-WarehouseEdit=Modify warehouse
-MenuNewWarehouse=New warehouse
-WarehouseOpened=Warehouse open
-WarehouseClosed=Warehouse closed
-WarehouseSource=Source warehouse
-WarehouseSourceNotDefined=No warehouse defined,
-AddOne=Add one
-WarehouseTarget=Target warehouse
-ValidateSending=Delete sending
-CancelSending=Cancel sending
-DeleteSending=Delete sending
-Stock=Stock
-Stocks=Stocks
-StocksByLotSerial=Stock by lot/serial
-Movement=Movement
-Movements=Movements
-ErrorWarehouseRefRequired=Warehouse reference name is required
-ErrorWarehouseLabelRequired=Warehouse label is required
-CorrectStock=Correct stock
-ListOfWarehouses=List of warehouses
-ListOfStockMovements=List of stock movements
-StocksArea=Warehouses area
-Location=Location
-LocationSummary=Short name location
-NumberOfDifferentProducts=Number of different products
-NumberOfProducts=Total number of products
-LastMovement=Last movement
-LastMovements=Last movements
-Units=Units
-Unit=Unit
-StockCorrection=Correct stock
-StockTransfer=Stock transfer
-StockMovement=Transfer
-StockMovements=Stock transfers
-LabelMovement=Movement label
-NumberOfUnit=Number of units
-UnitPurchaseValue=Unit purchase price
-TotalStock=Total in stock
-StockTooLow=Stock too low
-StockLowerThanLimit=Stock lower than alert limit
-EnhancedValue=Value
-PMPValue=Weighted average price
-PMPValueShort=WAP
-EnhancedValueOfWarehouses=Warehouses value
-UserWarehouseAutoCreate=Create a warehouse automatically when creating a user
-IndependantSubProductStock=Product stock and subproduct stock are independant
-QtyDispatched=Quantity dispatched
-QtyDispatchedShort=Qty dispatched
-QtyToDispatchShort=Qty to dispatch
-OrderDispatch=Stock dispatching
-RuleForStockManagementDecrease=Rule for stock management decrease
-RuleForStockManagementIncrease=Rule for stock management increase
-DeStockOnBill=Decrease real stocks on customers invoices/credit notes validation
-DeStockOnValidateOrder=Decrease real stocks on customers orders validation
-DeStockOnShipment=Decrease real stocks on shipment validation
-ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation
-ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation
-ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receiving
-ReStockOnDeleteInvoice=Increase real stocks on invoice deletion
-OrderStatusNotReadyToDispatch=Order has not yet or no more a status that allows dispatching of products in stock warehouses.
-StockDiffPhysicTeoric=Explanation for difference between physical and theoretical stock
-NoPredefinedProductToDispatch=No predefined products for this object. So no dispatching in stock is required.
-DispatchVerb=Dispatch
-StockLimitShort=Limit for alert
-StockLimit=Stock limit for alert
-PhysicalStock=Physical stock
-RealStock=Real Stock
-VirtualStock=Virtual stock
-MininumStock=Minimum stock
-StockUp=Stock up
-MininumStockShort=Stock min
-StockUpShort=Stock up
-IdWarehouse=Id warehouse
-DescWareHouse=Description warehouse
-LieuWareHouse=Localisation warehouse
-WarehousesAndProducts=Warehouses and products
-WarehousesAndProductsBatchDetail=Warehouses and products (with detail per lot/serial)
-AverageUnitPricePMPShort=Weighted average input price
-AverageUnitPricePMP=Weighted average input price
-SellPriceMin=Selling Unit Price
-EstimatedStockValueSellShort=Value to sell
-EstimatedStockValueSell=Value to Sell
-EstimatedStockValueShort=Input stock value
-EstimatedStockValue=Input stock value
-DeleteAWarehouse=Delete a warehouse
-ConfirmDeleteWarehouse=Are you sure you want to delete the warehouse <b>%s</b> ?
-PersonalStock=Personal stock %s
-ThisWarehouseIsPersonalStock=This warehouse represents personal stock of %s %s
-SelectWarehouseForStockDecrease=Choose warehouse to use for stock decrease
-SelectWarehouseForStockIncrease=Choose warehouse to use for stock increase
-NoStockAction=No stock action
-LastWaitingSupplierOrders=Orders waiting for receptions
-DesiredStock=Desired minimum stock
-DesiredMaxStock=Desired maximum stock
-StockToBuy=To order
-Replenishment=Replenishment
-ReplenishmentOrders=Replenishment orders
-VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical + current orders) may differ
-UseVirtualStockByDefault=Use virtual stock by default, instead of physical stock, for replenishment feature
-UseVirtualStock=Use virtual stock
-UsePhysicalStock=Use physical stock
-CurentSelectionMode=Current selection mode
-CurentlyUsingVirtualStock=Virtual stock
-CurentlyUsingPhysicalStock=Physical stock
-RuleForStockReplenishment=Rule for stocks replenishment
-SelectProductWithNotNullQty=Select at least one product with a qty not null and a supplier
-AlertOnly= Alerts only
-WarehouseForStockDecrease=The warehouse <b>%s</b> will be used for stock decrease
-WarehouseForStockIncrease=The warehouse <b>%s</b> will be used for stock increase
-ForThisWarehouse=For this warehouse
-ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked), and suggest you to create supplier orders to fill the difference.
-ReplenishmentOrdersDesc=This is a list of all opened supplier orders including predefined products. Only opened orders with predefined products, so orders that may affect stocks, are visible here.
-Replenishments=Replenishments
-NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s)
-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
-ReceivingForSameOrder=Receipts for this order
-StockMovementRecorded=Stock movements recorded
-RuleForStockAvailability=Rules on stock requirements
-StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice
-StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order
-StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment
-MovementLabel=Label of movement
-InventoryCode=Movement or inventory code
-IsInPackage=Contained into package
-ShowWarehouse=Show warehouse
-MovementCorrectStock=Stock correction for product %s
-MovementTransferStock=Stock transfer of product %s into another warehouse
-WarehouseMustBeSelectedAtFirstStepWhenProductBatchModuleOn=Source warehouse must be defined here when "Product lot" module is on. It will be used to list wich lot/serial is available for product that required lot/serial data for movement. If you want to send products from different warehouses, just make the shipment into several steps.
-InventoryCodeShort=Inv./Mov. code
-NoPendingReceptionOnSupplierOrder=No pending reception due to open supplier order
-ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (<strong>%s</strong>) already exists but with different eatby or sellby date (found <strong>%s</strong> but you enter <strong>%s</strong>).
diff --git a/htdocs/langs/es_AR/suppliers.lang b/htdocs/langs/es_AR/suppliers.lang
deleted file mode 100644
index 5388a4867c7dade443f807dd5be89740281b85f4..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_AR/suppliers.lang
+++ /dev/null
@@ -1,46 +0,0 @@
-# Dolibarr language file - Source file is en_US - suppliers
-Suppliers=Suppliers
-AddSupplier=Create a supplier
-SupplierRemoved=Supplier removed
-SuppliersInvoice=Suppliers invoice
-NewSupplier=New supplier
-History=History
-ListOfSuppliers=List of suppliers
-ShowSupplier=Show supplier
-OrderDate=Order date
-BuyingPrice=Buying price
-BuyingPriceMin=Minimum buying price
-BuyingPriceMinShort=Min buying price
-TotalBuyingPriceMin=Total of subproducts buying prices
-SomeSubProductHaveNoPrices=Some sub-products have no price defined
-AddSupplierPrice=Add supplier price
-ChangeSupplierPrice=Change supplier price
-ErrorQtyTooLowForThisSupplier=Quantity too low for this supplier or no price defined on this product for this supplier
-ErrorSupplierCountryIsNotDefined=Country for this supplier is not defined. Correct this first.
-ProductHasAlreadyReferenceInThisSupplier=This product has already a reference in this supplier
-ReferenceSupplierIsAlreadyAssociatedWithAProduct=This reference supplier is already associated with a reference: %s
-NoRecordedSuppliers=No suppliers recorded
-SupplierPayment=Supplier payment
-SuppliersArea=Suppliers area
-RefSupplierShort=Ref. supplier
-Availability=Availability
-ExportDataset_fournisseur_1=Supplier invoices list and invoice lines
-ExportDataset_fournisseur_2=Supplier invoices and payments
-ExportDataset_fournisseur_3=Supplier orders and order lines
-ApproveThisOrder=Approve this order
-ConfirmApproveThisOrder=Are you sure you want to approve order <b>%s</b> ?
-DenyingThisOrder=Deny this order
-ConfirmDenyingThisOrder=Are you sure you want to deny this order <b>%s</b> ?
-ConfirmCancelThisOrder=Are you sure you want to cancel this order <b>%s</b> ?
-AddCustomerOrder=Create customer order
-AddCustomerInvoice=Create customer invoice
-AddSupplierOrder=Create supplier order
-AddSupplierInvoice=Create supplier invoice
-ListOfSupplierProductForSupplier=List of products and prices for supplier <b>%s</b>
-NoneOrBatchFileNeverRan=None or batch <b>%s</b> not ran recently
-SentToSuppliers=Sent to suppliers
-ListOfSupplierOrders=List of supplier orders
-MenuOrdersSupplierToBill=Supplier orders to invoice
-NbDaysToDelivery=Delivery delay in days
-DescNbDaysToDelivery=The biggest deliver delay of the products from this order
-UseDoubleApproval=Use double approval (the second approval can be done by any user with the dedicated permission)
diff --git a/htdocs/langs/es_AR/trips.lang b/htdocs/langs/es_AR/trips.lang
deleted file mode 100644
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_AR/trips.lang
+++ /dev/null
@@ -1,101 +0,0 @@
-# Dolibarr language file - Source file is en_US - trips
-ExpenseReport=Expense report
-ExpenseReports=Expense reports
-Trip=Expense report
-Trips=Expense reports
-TripsAndExpenses=Expenses reports
-TripsAndExpensesStatistics=Expense reports statistics
-TripCard=Expense report card
-AddTrip=Create expense report
-ListOfTrips=List of expense reports
-ListOfFees=List of fees
-NewTrip=New expense report
-CompanyVisited=Company/foundation visited
-Kilometers=Kilometers
-FeesKilometersOrAmout=Amount or kilometers
-DeleteTrip=Delete expense report
-ConfirmDeleteTrip=Are you sure you want to delete this expense report ?
-ListTripsAndExpenses=List of expense reports
-ListToApprove=Waiting for approval
-ExpensesArea=Expense reports area
-SearchATripAndExpense=Search an expense report
-ClassifyRefunded=Classify 'Refunded'
-ExpenseReportWaitingForApproval=A new expense report has been submitted for approval
-ExpenseReportWaitingForApprovalMessage=A new expense report has been submitted and is waiting for approval.\n- User: %s\n- Period: %s\nClick here to validate: %s
-TripId=Id expense report
-AnyOtherInThisListCanValidate=Person to inform for validation.
-TripSociete=Information company
-TripSalarie=Informations user
-TripNDF=Informations expense report
-DeleteLine=Delete a line of the expense report
-ConfirmDeleteLine=Are you sure you want to delete this line ?
-PDFStandardExpenseReports=Standard template to generate a PDF document for expense report
-ExpenseReportLine=Expense report line
-TF_OTHER=Other
-TF_TRANSPORTATION=Transportation
-TF_LUNCH=Lunch
-TF_METRO=Metro
-TF_TRAIN=Train
-TF_BUS=Bus
-TF_CAR=Car
-TF_PEAGE=Toll
-TF_ESSENCE=Fuel
-TF_HOTEL=Hotel
-TF_TAXI=Taxi
-
-ErrorDoubleDeclaration=You have declared another expense report into a similar date range.
-AucuneNDF=No expense reports found for this criteria
-AucuneLigne=There is no expense report declared yet
-AddLine=Add a line
-AddLineMini=Add
-
-Date_DEBUT=Period date start
-Date_FIN=Period date end
-ModePaiement=Payment mode
-Note=Note
-Project=Project
-
-VALIDATOR=User responsible for approval
-VALIDOR=Approved by
-AUTHOR=Recorded by
-AUTHORPAIEMENT=Paid by
-REFUSEUR=Denied by
-CANCEL_USER=Deleted by
-
-MOTIF_REFUS=Reason
-MOTIF_CANCEL=Reason
-
-DATE_REFUS=Deny date
-DATE_SAVE=Validation date
-DATE_VALIDE=Validation date
-DATE_CANCEL=Cancelation date
-DATE_PAIEMENT=Payment date
-
-TO_PAID=Pay
-BROUILLONNER=Reopen
-SendToValid=Sent on approval
-ModifyInfoGen=Edit
-ValidateAndSubmit=Validate and submit for approval
-
-NOT_VALIDATOR=You are not allowed to approve this expense report
-NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
-
-RefuseTrip=Deny an expense report
-ConfirmRefuseTrip=Are you sure you want to deny this expense report ?
-
-ValideTrip=Approve expense report
-ConfirmValideTrip=Are you sure you want to approve this expense report ?
-
-PaidTrip=Pay an expense report
-ConfirmPaidTrip=Are you sure you want to change status of this expense report to "Paid" ?
-
-CancelTrip=Cancel an expense report
-ConfirmCancelTrip=Are you sure you want to cancel this expense report ?
-
-BrouillonnerTrip=Move back expense report to status "Draft"
-ConfirmBrouillonnerTrip=Are you sure you want to move this expense report to status "Draft" ?
-
-SaveTrip=Validate expense report
-ConfirmSaveTrip=Are you sure you want to validate this expense report ?
-
-NoTripsToExportCSV=No expense report to export for this period.
diff --git a/htdocs/langs/es_CL/workflow.lang b/htdocs/langs/es_CL/workflow.lang
index 6f07885c8973d2a468b0e60b90b3d6146e72c094..3ecd63703b73a8d1dc67871acbc93294b694518e 100644
--- a/htdocs/langs/es_CL/workflow.lang
+++ b/htdocs/langs/es_CL/workflow.lang
@@ -1,4 +1,3 @@
 # Dolibarr language file - Source file is en_US - workflow
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crear un pedido de cliente automáticamente a la firma de una cotización
-descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Crear una factura a cliente automáticamente a la firma de una cotización
 descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasificar como facturada la cotización cuando el pedido de cliente relacionado se clasifique como pagado
diff --git a/htdocs/langs/es_CO/admin.lang b/htdocs/langs/es_CO/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..1c53b65c99c6fee95d719213ae8ef0909a718a3f 100644
--- a/htdocs/langs/es_CO/admin.lang
+++ b/htdocs/langs/es_CO/admin.lang
@@ -1,1642 +1,4 @@
 # Dolibarr language file - Source file is en_US - admin
-Foundation=Foundation
-Version=Version
-VersionProgram=Version program
-VersionLastInstall=Version initial install
-VersionLastUpgrade=Version last upgrade
-VersionExperimental=Experimental
-VersionDevelopment=Development
-VersionUnknown=Unknown
-VersionRecommanded=Recommended
-FileCheck=Files Integrity
-FilesMissing=Missing Files
-FilesUpdated=Updated Files
-FileCheckDolibarr=Check Dolibarr Files Integrity
-XmlNotFound=Xml File of Dolibarr Integrity Not Found
-SessionId=Session ID
-SessionSaveHandler=Handler to save sessions
-SessionSavePath=Storage session localization
-PurgeSessions=Purge of sessions
-ConfirmPurgeSessions=Do you really want to purge all sessions ? This will disconnect every user (except yourself).
-NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow to list all running sessions.
-LockNewSessions=Lock new connections
-ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself. Only user <b>%s</b> will be able to connect after that.
-UnlockNewSessions=Remove connection lock
-YourSession=Your session
-Sessions=Users session
-WebUserGroup=Web server user/group
-NoSessionFound=Your PHP seems to not allow to list active sessions. Directory used to save sessions (<b>%s</b>) might be protected (For example, by OS permissions or by PHP directive open_basedir).
-HTMLCharset=Charset for generated HTML pages
-DBStoringCharset=Database charset to store data
-DBSortingCharset=Database charset to sort data
-WarningModuleNotActive=Module <b>%s</b> must be enabled
-WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page.
-DolibarrSetup=Dolibarr install or upgrade
-DolibarrUser=Dolibarr user
-InternalUser=Internal user
-ExternalUser=External user
-InternalUsers=Internal users
-ExternalUsers=External users
-GlobalSetup=Global setup
-GUISetup=Display
-SetupArea=Setup area
-FormToTestFileUploadForm=Form to test file upload (according to setup)
-IfModuleEnabled=Note: yes is effective only if module <b>%s</b> is enabled
-RemoveLock=Remove file <b>%s</b> if it exists to allow usage of the update tool.
-RestoreLock=Restore file <b>%s</b>, with read permission only, to disable any usage of update tool.
-SecuritySetup=Security setup
-ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher
-ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher
-ErrorDecimalLargerThanAreForbidden=Error, a precision higher than <b>%s</b> is not supported.
-DictionarySetup=Dictionary setup
-Dictionary=Dictionaries
-Chartofaccounts=Chart of accounts
-Fiscalyear=Fiscal years
-ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record
-ErrorCodeCantContainZero=Code can't contain value 0
-DisableJavascript=Disable JavaScript and Ajax functions (Recommended for blind person or text browsers)
-ConfirmAjax=Use Ajax confirmation popups
-UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectCompany=Use autocompletion fields to choose third parties instead of using a list box.
-ActivityStateToSelectCompany= Add a filter option to show/hide thirdparties which are currently in activity or has ceased it
-UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectContact=Use autocompletion fields to choose contact (instead of using a list box).
-DelaiedFullListToSelectCompany=Wait you press a key before loading content of thirdparties combo list (This may increase performance if you have a large number of thirdparties)
-DelaiedFullListToSelectContact=Wait you press a key before loading content of contact combo list (This may increase performance if you have a large number of contact)
-SearchFilter=Search filters options
-NumberOfKeyToSearch=Nbr of characters to trigger search: %s
-ViewFullDateActions=Show full dates events in the third sheet
-NotAvailableWhenAjaxDisabled=Not available when Ajax disabled
-JavascriptDisabled=JavaScript disabled
-UsePopupCalendar=Use popup for dates input
-UsePreviewTabs=Use preview tabs
-ShowPreview=Show preview
-PreviewNotAvailable=Preview not available
-ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
-MySQLTimeZone=TimeZone MySql (database)
-TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submited string. The timezone has effect only when using UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
-Space=Space
-Table=Table
-Fields=Fields
-Index=Index
-Mask=Mask
-NextValue=Next value
-NextValueForInvoices=Next value (invoices)
-NextValueForCreditNotes=Next value (credit notes)
-NextValueForDeposit=Next value (deposit)
-NextValueForReplacements=Next value (replacements)
-MustBeLowerThanPHPLimit=Note: your PHP limits each file upload's size to <b>%s</b> %s, whatever this parameter's value is
-NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration
-MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload)
-UseCaptchaCode=Use graphical code (CAPTCHA) on login page
-UseAvToScanUploadedFiles=Use anti-virus to scan uploaded files
-AntiVirusCommand= Full path to antivirus command
-AntiVirusCommandExample= Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe<br>Example for ClamAv: /usr/bin/clamscan
-AntiVirusParam= More parameters on command line
-AntiVirusParamExample= Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
-ComptaSetup=Accounting module setup
-UserSetup=User management setup
-MenuSetup=Menu management setup
-MenuLimits=Limits and accuracy
-MenuIdParent=Parent menu ID
-DetailMenuIdParent=ID of parent menu (empty for a top menu)
-DetailPosition=Sort number to define menu position
-PersonalizedMenusNotSupported=Personalized menus not supported
-AllMenus=All
-NotConfigured=Module not configured
-Setup=Setup
-Activation=Activation
-Active=Active
-SetupShort=Setup
-OtherOptions=Other options
-OtherSetup=Other setup
-CurrentValueSeparatorDecimal=Decimal separator
-CurrentValueSeparatorThousand=Thousand separator
-Destination=Destination
-IdModule=Module ID
-IdPermissions=Permissions ID
-Modules=Modules
-ModulesCommon=Main modules
-ModulesOther=Other modules
-ModulesInterfaces=Interfaces modules
-ModulesSpecial=Modules very specific
-ParameterInDolibarr=Parameter %s
-LanguageParameter=Language parameter %s
-LanguageBrowserParameter=Parameter %s
-LocalisationDolibarrParameters=Localisation parameters
-ClientTZ=Client Time Zone (user)
-ClientHour=Client time (user)
-OSTZ=Server OS Time Zone
-PHPTZ=PHP server Time Zone
-PHPServerOffsetWithGreenwich=PHP server offset width Greenwich (seconds)
-ClientOffsetWithGreenwich=Client/Browser offset width Greenwich (seconds)
-DaylingSavingTime=Daylight saving time
-CurrentHour=PHP Time (server)
-CompanyTZ=Company Time Zone (main company)
-CompanyHour=Company Time (main company)
-CurrentSessionTimeOut=Current session timeout
-YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a file .htacces with a line like this "SetEnv TZ Europe/Paris"
-OSEnv=OS Environment
-Box=Box
-Boxes=Boxes
-MaxNbOfLinesForBoxes=Max number of lines for boxes
-PositionByDefault=Default order
-Position=Position
-MenusDesc=Menus managers define content of the 2 menu bars (horizontal bar and vertical bar).
-MenusEditorDesc=The menu editor allow you to define personalized entries in menus. Use it carefully to avoid making dolibarr unstable and menu entries permanently unreachable.<br>Some modules add entries in the menus (in menu <b>All</b> in most cases). If you removed some of these entries by mistake, you can restore them by disabling and reenabling the module.
-MenuForUsers=Menu for users
-LangFile=.lang file
-System=System
-SystemInfo=System information
-SystemToolsArea=System tools area
-SystemToolsAreaDesc=This area provides administration features. Use the menu to choose the feature you're looking for.
-Purge=Purge
-PurgeAreaDesc=This page allows you to delete all files built or stored by Dolibarr (temporary files or all files in <b>%s</b> directory). Using this feature is not necessary. It is provided for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files built by the web server.
-PurgeDeleteLogFile=Delete log file <b>%s</b> defined for Syslog module (no risk to loose data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk to loose data)
-PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory <b>%s</b>. Temporary files but also database backup dumps, files attached to elements (third parties, invoices, ...) and uploaded into the ECM module will be deleted.
-PurgeRunNow=Purge now
-PurgeNothingToDelete=No directory or file to delete.
-PurgeNDirectoriesDeleted=<b>%s</b> files or directories deleted.
-PurgeAuditEvents=Purge all security events
-ConfirmPurgeAuditEvents=Are you sure you want to purge all security events ? All security logs will be deleted, no other data will be removed.
-NewBackup=New backup
-GenerateBackup=Generate backup
-Backup=Backup
-Restore=Restore
-RunCommandSummary=Backup has been launched with the following command
-RunCommandSummaryToLaunch=Backup can be launched with the following command
-WebServerMustHavePermissionForCommand=Your web server must have the permission to run such commands
-BackupResult=Backup result
-BackupFileSuccessfullyCreated=Backup file successfully generated
-YouCanDownloadBackupFile=Generated files can now be downloaded
-NoBackupFileAvailable=No backup files available.
-ExportMethod=Export method
-ImportMethod=Import method
-ToBuildBackupFileClickHere=To build a backup file, click <a href="%s">here</a>.
-ImportMySqlDesc=To import a backup file, you must use mysql command from command line:
-ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line:
-ImportMySqlCommand=%s %s < mybackupfile.sql
-ImportPostgreSqlCommand=%s %s mybackupfile.sql
-FileNameToGenerate=File name to generate
-Compression=Compression
-CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import
-CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later
-ExportCompatibility=Compatibility of generated export file
-MySqlExportParameters=MySQL export parameters
-PostgreSqlExportParameters= PostgreSQL export parameters
-UseTransactionnalMode=Use transactional mode
-FullPathToMysqldumpCommand=Full path to mysqldump command
-FullPathToPostgreSQLdumpCommand=Full path to pg_dump command
-ExportOptions=Export Options
-AddDropDatabase=Add DROP DATABASE command
-AddDropTable=Add DROP TABLE command
-ExportStructure=Structure
-Datas=Data
-NameColumn=Name columns
-ExtendedInsert=Extended INSERT
-NoLockBeforeInsert=No lock commands around INSERT
-DelayedInsert=Delayed insert
-EncodeBinariesInHexa=Encode binary data in hexadecimal
-IgnoreDuplicateRecords=Ignore errors of duplicate records (INSERT IGNORE)
-Yes=Yes
-No=No
-AutoDetectLang=Autodetect (browser language)
-FeatureDisabledInDemo=Feature disabled in demo
-Rights=Permissions
-BoxesDesc=Boxes are screen area that show a piece of information on some pages. You can choose between showing the box or not by selecting target page and clicking 'Activate', or by clicking the dustbin to disable it.
-OnlyActiveElementsAreShown=Only elements from <a href="%s">enabled modules</a> are shown.
-ModulesDesc=Dolibarr modules define which functionality is enabled in software. Some modules require permissions you must grant to users, after enabling module. Click on button on/off in column "Status" to enable a module/feature.
-ModulesInterfaceDesc=The Dolibarr modules interface allows you to add features depending on external software, systems or services.
-ModulesSpecialDesc=Special modules are very specific or seldom used modules.
-ModulesJobDesc=Business modules provide simple predefined setup of Dolibarr for a particular business.
-ModulesMarketPlaceDesc=You can find more modules to download on external web sites on the Internet...
-ModulesMarketPlaces=More modules...
-DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules
-DoliPartnersDesc=List with some companies that can provide/develop on-demand modules or features (Note: any Open Source company knowning PHP language can provide you specific development)
-WebSiteDesc=Web site providers you can search to find more modules...
-URL=Link
-BoxesAvailable=Boxes available
-BoxesActivated=Boxes activated
-ActivateOn=Activate on
-ActiveOn=Activated on
-SourceFile=Source file
-AutomaticIfJavascriptDisabled=Automatic if Javascript is disabled
-AvailableOnlyIfJavascriptNotDisabled=Available only if JavaScript is not disabled
-AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled
-Required=Required
-UsedOnlyWithTypeOption=Used by some agenda option only
-Security=Security
-Passwords=Passwords
-DoNotStoreClearPassword=Do no store clear passwords in database but store only encrypted value (Activated recommended)
-MainDbPasswordFileConfEncrypted=Database password encrypted in conf.php (Activated recommended)
-InstrucToEncodePass=To have password encoded into the <b>conf.php</b> file, replace the line <br><b>$dolibarr_main_db_pass="...";</b><br>by<br><b>$dolibarr_main_db_pass="crypted:%s";</b>
-InstrucToClearPass=To have password decoded (clear) into the <b>conf.php</b> file, replace the line <br><b>$dolibarr_main_db_pass="crypted:...";</b><br>by<br><b>$dolibarr_main_db_pass="%s";</b>
-ProtectAndEncryptPdfFiles=Protection of generated pdf files (Activated NOT recommended, breaks mass pdf generation)
-ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature make building of a global cumulated pdf not working (like unpaid invoices).
-Feature=Feature
-DolibarrLicense=License
-DolibarrProjectLeader=Project leader
-Developpers=Developers/contributors
-OtherDeveloppers=Other developers/contributors
-OfficialWebSite=Dolibarr international official web site
-OfficialWebSiteFr=French official web site
-OfficialWiki=Dolibarr documentation on Wiki
-OfficialDemo=Dolibarr online demo
-OfficialMarketPlace=Official market place for external modules/addons
-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.
-HelpCenterDesc2=Some part of this service are available in <b>english only</b>.
-CurrentTopMenuHandler=Current top menu handler
-CurrentLeftMenuHandler=Current left menu handler
-CurrentMenuHandler=Current menu handler
-CurrentSmartphoneMenuHandler=Current smartphone menu handler
-MeasuringUnit=Measuring unit
-Emails=E-mails
-EMailsSetup=E-mails setup
-EMailsDesc=This page allows you to overwrite your PHP parameters for e-mails sending. In most cases on Unix/Linux OS, your PHP setup is correct and these parameters are useless.
-MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix like systems)
-MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix like systems)
-MAIN_MAIL_EMAIL_FROM=Sender e-mail for automatic emails (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_ERRORS_TO=Sender e-mail used for error returns emails sent
-MAIN_MAIL_AUTOCOPY_TO= Send systematically a hidden carbon-copy of all sent emails to
-MAIN_MAIL_AUTOCOPY_PROPOSAL_TO= Send systematically a hidden carbon-copy of proposals sent by email to
-MAIN_MAIL_AUTOCOPY_ORDER_TO= Send systematically a hidden carbon-copy of orders sent by email to
-MAIN_MAIL_AUTOCOPY_INVOICE_TO= Send systematically a hidden carbon-copy of invoice sent by emails to
-MAIN_DISABLE_ALL_MAILS=Disable all e-mails sendings (for test purposes or demos)
-MAIN_MAIL_SENDMODE=Method to use to send EMails
-MAIN_MAIL_SMTPS_ID=SMTP ID if authentication required
-MAIN_MAIL_SMTPS_PW=SMTP Password if authentication required
-MAIN_MAIL_EMAIL_TLS= Use TLS (SSL) encrypt
-MAIN_DISABLE_ALL_SMS=Disable all SMS sendings (for test purposes or demos)
-MAIN_SMS_SENDMODE=Method to use to send SMS
-MAIN_MAIL_SMS_FROM=Default sender phone number for Sms sending
-FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally.
-SubmitTranslation=If translation for this language is not complete or you find errors, you can correct this by editing files into directory <b>langs/%s</b> and submit modified files on www.dolibarr.org forum.
-ModuleSetup=Module setup
-ModulesSetup=Modules setup
-ModuleFamilyBase=System
-ModuleFamilyCrm=Customer Relation Management (CRM)
-ModuleFamilyProducts=Products Management
-ModuleFamilyHr=Human Resource Management
-ModuleFamilyProjects=Projects/Collaborative work
-ModuleFamilyOther=Other
-ModuleFamilyTechnic=Multi-modules tools
-ModuleFamilyExperimental=Experimental modules
-ModuleFamilyFinancial=Financial Modules (Accounting/Treasury)
-ModuleFamilyECM=Electronic Content Management (ECM)
-MenuHandlers=Menu handlers
-MenuAdmin=Menu editor
-DoNotUseInProduction=Do not use in production
-ThisIsProcessToFollow=This is setup to process:
-ThisIsAlternativeProcessToFollow=This is an alternative setup to process:
-StepNb=Step %s
-FindPackageFromWebSite=Find a package that provides feature you want (for example on official web site %s).
-DownloadPackageFromWebSite=Download package (for example from official web site %s).
-UnpackPackageInDolibarrRoot=Unpack package file into Dolibarr server directory dedicated to external modules: <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>
-InfDirExample=<br>Then declare it in the file conf.php<br> $dolibarr_main_url_root_alt='http://myserver/custom'<br>$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'<br>*These lines are commented with "#", to uncomment only remove the character.
-YouCanSubmitFile=For this step, you can send package using this tool: Select module file
-CurrentVersion=Dolibarr current version
-CallUpdatePage=Go to the page that updates the database structure and datas: %s.
-LastStableVersion=Last stable version
-UpdateServerOffline=Update server offline
-GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags could be used:<br><b>{000000}</b> corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask. <br><b>{000000+000}</b> same as previous but an offset corresponding to the number to the right of the + sign is applied starting on first %s. <br><b>{000000@x}</b> same as previous but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then sequence {yy}{mm} or {yyyy}{mm} is also required. <br><b>{dd}</b> day (01 to 31).<br><b>{mm}</b> month (01 to 12).<br><b>{yy}</b>, <b>{yyyy}</b> or <b>{y}</b> year over 2, 4 or 1 numbers. <br>
-GenericMaskCodes2=<b>{cccc}</b> the client code on n characters<br><b>{cccc000}</b> the client code on n characters is followed by a counter dedicated for customer. This counter dedicated to customer is reset at same time than global counter.<br><b>{tttt}</b> The code of thirdparty type on n characters (see dictionary-thirdparty types).<br>
-GenericMaskCodes3=All other characters in the mask will remain intact.<br>Spaces are not allowed.<br>
-GenericMaskCodes4a=<u>Example on the 99th %s of the third party TheCompany done 2007-01-31:</u><br>
-GenericMaskCodes4b=<u>Example on third party created on 2007-03-01:</u><br>
-GenericMaskCodes4c=<u>Example on product created on 2007-03-01:</u><br>
-GenericMaskCodes5=<b>ABC{yy}{mm}-{000000}</b> will give <b>ABC0701-000099</b><br><b>{0000+100@1}-ZZZ/{dd}/XXX</b> will give <b>0199-ZZZ/31/XXX</b>
-GenericNumRefModelDesc=Returns a customizable number according to a defined mask.
-ServerAvailableOnIPOrPort=Server is available at address <b>%s</b> on port <b>%s</b>
-ServerNotAvailableOnIPOrPort=Server is not available at address <b>%s</b> on port <b>%s</b>
-DoTestServerAvailability=Test server connectivity
-DoTestSend=Test sending
-DoTestSendHTML=Test sending HTML
-ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask.
-ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask.
-UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system.
-UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).<br>It must be the octal value (for example, 0666 means read and write for everyone).<br>This parameter is useless on a Windows server.
-SeeWikiForAllTeam=Take a look at the wiki page for full list of all actors and their organisation
-UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache)
-DisableLinkToHelpCenter=Hide link "<b>Need help or support</b>" on login page
-DisableLinkToHelp=Hide link "<b>%s Online help</b>" on left menu
-AddCRIfTooLong=There is no automatic wrapping, so if line is out of page on documents because too long, you must add yourself carriage returns in the textarea.
-ModuleDisabled=Module disabled
-ModuleDisabledSoNoEvent=Module disabled so event never created
-ConfirmPurge=Are you sure you want to execute this purge ?<br>This will delete definitely all your data files with no way to restore them (ECM files, attached files...).
-MinLength=Minimum length
-LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory
-ExamplesWithCurrentSetup=Examples with current running setup
-ListOfDirectories=List of OpenDocument templates directories
-ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.<br><br>Put here full path of directories.<br>Add a carriage return between eah directory.<br>To add a directory of the GED module, add here <b>DOL_DATA_ROOT/ecm/yourdirectoryname</b>.<br><br>Files in those directories must end with <b>.odt</b>.
-NumberOfModelFilesFound=Number of ODT/ODS templates files found in those directories
+AntiVirusCommandExample=Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe<br>Example for ClamAv: /usr/bin/clamscan
+AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
 ExampleOfDirectoriesForModelGen=Examples of syntax:<br>c:\\mydir<br>/home/mydir<br>DOL_DATA_ROOT/ecm/ecmdir
-FollowingSubstitutionKeysCanBeUsed=<br>To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
-FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
-FirstnameNamePosition=Position of Name/Lastname
-DescWeather=The following pictures will be shown on dashboard when number of late actions reach the following values:
-KeyForWebServicesAccess=Key to use Web Services (parameter "dolibarrkey" in webservices)
-TestSubmitForm=Input test form
-ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever is user choice. Also this menu manager specialized for smartphones does not works on all smartphone. Use another menu manager if you experience problems on yours.
-ThemeDir=Skins directory
-ConnectionTimeout=Connexion timeout
-ResponseTimeout=Response timeout
-SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__
-ModuleMustBeEnabledFirst=Module <b>%s</b> must be enabled first before using this feature.
-SecurityToken=Key to secure URLs
-NoSmsEngine=No SMS sender manager available. SMS sender manager are not installed with default distribution (because they depends on an external supplier) but you can find some on %s
-PDF=PDF
-PDFDesc=You can set each global options related to the PDF generation
-PDFAddressForging=Rules to forge address boxes
-HideAnyVATInformationOnPDF=Hide all information related to VAT on generated PDF
-HideDescOnPDF=Hide products description on generated PDF
-HideRefOnPDF=Hide products ref. on generated PDF
-HideDetailsOnPDF=Hide products lines details on generated PDF
-Library=Library
-UrlGenerationParameters=Parameters to secure URLs
-SecurityTokenIsUnique=Use a unique securekey parameter for each URL
-EnterRefToBuildUrl=Enter reference for object %s
-GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for unauthorized actions instead of showing disabled buttons
-OldVATRates=Old VAT rate
-NewVATRates=New VAT rate
-PriceBaseTypeToChange=Modify on prices with base reference value defined on
-MassConvert=Launch mass convert
-String=String
-TextLong=Long text
-Int=Integer
-Float=Float
-DateAndTime=Date and hour
-Unique=Unique
-Boolean=Boolean (Checkbox)
-ExtrafieldPhone = Phone
-ExtrafieldPrice = Price
-ExtrafieldMail = Email
-ExtrafieldSelect = Select list
-ExtrafieldSelectList = Select from table
-ExtrafieldSeparator=Separator
-ExtrafieldCheckBox=Checkbox
-ExtrafieldRadio=Radio button
-ExtrafieldCheckBoxFromList= Checkbox from table
-ExtrafieldLink=Link to an object
-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
-ExtrafieldParamHelpchkbxlst=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>
-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 (localtax is calculated on amount without tax)<br>2 : local tax apply on products and services including vat (localtax is calculated on amount + main tax)<br>3 : local tax apply on products without vat (localtax is calculated on amount without tax)<br>4 : local tax apply on products including vat (localtax is calculated on amount + main vat)<br>5 : local tax apply on services without vat (localtax is calculated on amount without tax)<br>6 : local tax apply on services including vat (localtax is calculated on amount + tax)
-SMS=SMS
-LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user <strong>%s</strong>
-RefreshPhoneLink=Refresh link
-LinkToTest=Clickable link generated for user <strong>%s</strong> (click phone number to test)
-KeepEmptyToUseDefault=Keep empty to use default value
-DefaultLink=Default link
-ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url)
-ExternalModule=External module - Installed into directory %s
-BarcodeInitForThirdparties=Mass barcode init for thirdparties
-BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services
-CurrentlyNWithoutBarCode=Currently, you have <strong>%s</strong> records on <strong>%s</strong> %s without barcode defined.
-InitEmptyBarCode=Init value for next %s empty records
-EraseAllCurrentBarCode=Erase all current barcode values
-ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values ?
-AllBarcodeReset=All barcode values have been removed
-NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
-NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
-
-# Modules
-Module0Name=Users & groups
-Module0Desc=Users and groups management
-Module1Name=Third parties
-Module1Desc=Companies and contact management (customers, prospects...)
-Module2Name=Commercial
-Module2Desc=Commercial management
-Module10Name=Accounting
-Module10Desc=Simple accounting reports (journals, turnover) based onto database content. No dispatching.
-Module20Name=Proposals
-Module20Desc=Commercial proposal management
-Module22Name=Mass E-mailings
-Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
-Module25Name=Customer Orders
-Module25Desc=Customer order management
-Module30Name=Invoices
-Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers
-Module40Name=Suppliers
-Module40Desc=Supplier management and buying (orders and invoices)
-Module42Name=Logs
-Module42Desc=Logging facilities (file, syslog, ...)
-Module49Name=Editors
-Module49Desc=Editor management
-Module50Name=Products
-Module50Desc=Product management
-Module51Name=Mass mailings
-Module51Desc=Mass paper mailing management
-Module52Name=Stocks
-Module52Desc=Stock management (products)
-Module53Name=Services
-Module53Desc=Service management
-Module54Name=Contracts/Subscriptions
-Module54Desc=Management of contracts (services or reccuring subscriptions)
-Module55Name=Barcodes
-Module55Desc=Barcode management
-Module56Name=Telephony
-Module56Desc=Telephony integration
-Module57Name=Standing orders
-Module57Desc=Standing orders and withdrawal management. Also includes generation of SEPA file for european countries.
-Module58Name=ClickToDial
-Module58Desc=Integration of a ClickToDial system (Asterisk, ...)
-Module59Name=Bookmark4u
-Module59Desc=Add function to generate Bookmark4u account from a Dolibarr account
-Module70Name=Interventions
-Module70Desc=Intervention management
-Module75Name=Expense and trip notes
-Module75Desc=Expense and trip notes management
-Module80Name=Shipments
-Module80Desc=Shipments and delivery order management
-Module85Name=Banks and cash
-Module85Desc=Management of bank or cash accounts
-Module100Name=External site
-Module100Desc=This module include an external web site or page into Dolibarr menus and view it into a Dolibarr frame
-Module105Name=Mailman and SPIP
-Module105Desc=Mailman or SPIP interface for member module
-Module200Name=LDAP
-Module200Desc=LDAP directory synchronisation
-Module210Name=PostNuke
-Module210Desc=PostNuke integration
-Module240Name=Data exports
-Module240Desc=Tool to export Dolibarr datas (with assistants)
-Module250Name=Data imports
-Module250Desc=Tool to import datas in Dolibarr  (with assistants)
-Module310Name=Members
-Module310Desc=Foundation members management
-Module320Name=RSS Feed
-Module320Desc=Add RSS feed inside Dolibarr screen pages
-Module330Name=Bookmarks
-Module330Desc=Bookmark management
-Module400Name=Projects/Opportunities/Leads
-Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view.
-Module410Name=Webcalendar
-Module410Desc=Webcalendar integration
-Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
-Module510Name=Salaries
-Module510Desc=Management of employees salaries and payments
-Module520Name=Loan
-Module520Desc=Management of loans
-Module600Name=Notifications
-Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
-Module700Name=Donations
-Module700Desc=Donation management
-Module770Name=Expense Report
-Module770Desc=Management and claim expense reports (transportation, meal, ...)
-Module1120Name=Supplier commercial proposal
-Module1120Desc=Request supplier commercial proposal and prices
-Module1200Name=Mantis
-Module1200Desc=Mantis integration
-Module1400Name=Accounting
-Module1400Desc=Accounting management (double parties)
-Module1520Name=Document Generation
-Module1520Desc=Mass mail document generation
-Module1780Name=Tags/Categories
-Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members)
-Module2000Name=WYSIWYG editor
-Module2000Desc=Allow to edit some text area using an advanced editor
-Module2200Name=Dynamic Prices
-Module2200Desc=Enable the usage of math expressions for prices
-Module2300Name=Cron
-Module2300Desc=Scheduled job management
-Module2400Name=Agenda
-Module2400Desc=Events/tasks and agenda management
-Module2500Name=Electronic Content Management
-Module2500Desc=Save and share documents
-Module2600Name=API services (Web services SOAP)
-Module2600Desc=Enable the Dolibarr SOAP server providing API services
-Module2610Name=API services (Web services REST)
-Module2610Desc=Enable the Dolibarr REST server providing API services
-Module2650Name=WebServices (client)
-Module2650Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Supplier orders supported only for the moment)
-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
-Module5000Name=Multi-company
-Module5000Desc=Allows you to manage multiple companies
-Module6000Name=Workflow
-Module6000Desc=Workflow management
-Module20000Name=Leave Requests management
-Module20000Desc=Declare and follow employees leaves requests
-Module39000Name=Product lot
-Module39000Desc=Lot or serial number, eat-by and sell-by date management on products
-Module50000Name=PayBox
-Module50000Desc=Module to offer an online payment page by credit card with PayBox
-Module50100Name=Point of sales
-Module50100Desc=Point of sales module
-Module50200Name=Paypal
-Module50200Desc=Module to offer an online payment page by credit card with Paypal
-Module50400Name=Accounting (advanced)
-Module50400Desc=Accounting management (double parties)
-Module54000Name=PrintIPP
-Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installe on server).
-Module55000Name=Open Poll
-Module55000Desc=Module to make online polls (like Doodle, Studs, Rdvz, ...)
-Module59000Name=Margins
-Module59000Desc=Module to manage margins
-Module60000Name=Commissions
-Module60000Desc=Module to manage commissions
-Permission11=Read customer invoices
-Permission12=Create/modify customer invoices
-Permission13=Unvalidate customer invoices
-Permission14=Validate customer invoices
-Permission15=Send customer invoices by email
-Permission16=Create payments for customer invoices
-Permission19=Delete customer invoices
-Permission21=Read commercial proposals
-Permission22=Create/modify commercial proposals
-Permission24=Validate commercial proposals
-Permission25=Send commercial proposals
-Permission26=Close commercial proposals
-Permission27=Delete commercial proposals
-Permission28=Export commercial proposals
-Permission31=Read products
-Permission32=Create/modify products
-Permission34=Delete products
-Permission36=See/manage hidden products
-Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
-Permission42=Create/modify projects (shared project and projects i'm contact for)
-Permission44=Delete projects (shared project and projects i'm contact for)
-Permission61=Read interventions
-Permission62=Create/modify interventions
-Permission64=Delete interventions
-Permission67=Export interventions
-Permission71=Read members
-Permission72=Create/modify members
-Permission74=Delete members
-Permission75=Setup types of membership
-Permission76=Export datas
-Permission78=Read subscriptions
-Permission79=Create/modify subscriptions
-Permission81=Read customers orders
-Permission82=Create/modify customers orders
-Permission84=Validate customers orders
-Permission86=Send customers orders
-Permission87=Close customers orders
-Permission88=Cancel customers orders
-Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
-Permission95=Read reports
-Permission101=Read sendings
-Permission102=Create/modify sendings
-Permission104=Validate sendings
-Permission106=Export sendings
-Permission109=Delete sendings
-Permission111=Read financial accounts
-Permission112=Create/modify/delete and compare transactions
-Permission113=Setup financial accounts (create, manage categories)
-Permission114=Reconciliate transactions
-Permission115=Export transactions and account statements
-Permission116=Transfers between accounts
-Permission117=Manage cheques dispatching
-Permission121=Read third parties linked to user
-Permission122=Create/modify third parties linked to user
-Permission125=Delete third parties linked to user
-Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
-Permission146=Read providers
-Permission147=Read stats
-Permission151=Read standing orders
-Permission152=Create/modify a standing orders request
-Permission153=Transmission standing orders receipts
-Permission154=Credit/refuse standing orders receipts
-Permission161=Read contracts/subscriptions
-Permission162=Create/modify contracts/subscriptions
-Permission163=Activate a service/subscription of a contract
-Permission164=Disable a service/subscription of a contract
-Permission165=Delete contracts/subscriptions
-Permission171=Read trips and expenses (own and his subordinates)
-Permission172=Create/modify trips and expenses
-Permission173=Delete trips and expenses
-Permission174=Read all trips and expenses
-Permission178=Export trips and expenses
-Permission180=Read suppliers
-Permission181=Read supplier orders
-Permission182=Create/modify supplier orders
-Permission183=Validate supplier orders
-Permission184=Approve supplier orders
-Permission185=Order or cancel supplier orders
-Permission186=Receive supplier orders
-Permission187=Close supplier orders
-Permission188=Cancel supplier orders
-Permission192=Create lines
-Permission193=Cancel lines
-Permission194=Read the bandwith lines
-Permission202=Create ADSL connections
-Permission203=Order connections orders
-Permission204=Order connections
-Permission205=Manage connections
-Permission206=Read connections
-Permission211=Read Telephony
-Permission212=Order lines
-Permission213=Activate line
-Permission214=Setup Telephony
-Permission215=Setup providers
-Permission221=Read emailings
-Permission222=Create/modify emailings (topic, recipients...)
-Permission223=Validate emailings (allows sending)
-Permission229=Delete emailings
-Permission237=View recipients and info
-Permission238=Manually send mailings
-Permission239=Delete mailings after validation or sent
-Permission241=Read categories
-Permission242=Create/modify categories
-Permission243=Delete categories
-Permission244=See the contents of the hidden categories
-Permission251=Read other users and groups
-PermissionAdvanced251=Read other users
-Permission252=Read permissions of other users
-Permission253=Create/modify other users, groups and permisssions
-PermissionAdvanced253=Create/modify internal/external users and permissions
-Permission254=Create/modify external users only
-Permission255=Modify other users password
-Permission256=Delete or disable other users
-Permission262=Extend access to all third parties (not only those linked to user). Not effective for external users (always limited to themselves).
-Permission271=Read CA
-Permission272=Read invoices
-Permission273=Issue invoices
-Permission281=Read contacts
-Permission282=Create/modify contacts
-Permission283=Delete contacts
-Permission286=Export contacts
-Permission291=Read tariffs
-Permission292=Set permissions on the tariffs
-Permission293=Modify costumers tariffs
-Permission300=Read bar codes
-Permission301=Create/modify bar codes
-Permission302=Delete bar codes
-Permission311=Read services
-Permission312=Assign service/subscription to contract
-Permission331=Read bookmarks
-Permission332=Create/modify bookmarks
-Permission333=Delete bookmarks
-Permission341=Read its own permissions
-Permission342=Create/modify his own user information
-Permission343=Modify his own password
-Permission344=Modify its own permissions
-Permission351=Read groups
-Permission352=Read groups permissions
-Permission353=Create/modify groups
-Permission354=Delete or disable groups
-Permission358=Export users
-Permission401=Read discounts
-Permission402=Create/modify discounts
-Permission403=Validate discounts
-Permission404=Delete discounts
-Permission510=Read Salaries
-Permission512=Create/modify salaries
-Permission514=Delete salaries
-Permission517=Export salaries
-Permission520=Read Loans
-Permission522=Create/modify loans
-Permission524=Delete loans
-Permission525=Access loan calculator
-Permission527=Export loans
-Permission531=Read services
-Permission532=Create/modify services
-Permission534=Delete services
-Permission536=See/manage hidden services
-Permission538=Export services
-Permission701=Read donations
-Permission702=Create/modify donations
-Permission703=Delete donations
-Permission771=Read expense reports (own and his subordinates)
-Permission772=Create/modify expense reports
-Permission773=Delete expense reports
-Permission774=Read all expense reports (even for user not subordinates)
-Permission775=Approve expense reports
-Permission776=Pay expense reports
-Permission779=Export expense reports
-Permission1001=Read stocks
-Permission1002=Create/modify warehouses
-Permission1003=Delete warehouses
-Permission1004=Read stock movements
-Permission1005=Create/modify stock movements
-Permission1101=Read delivery orders
-Permission1102=Create/modify delivery orders
-Permission1104=Validate delivery orders
-Permission1109=Delete delivery orders
-Permission1181=Read suppliers
-Permission1182=Read supplier orders
-Permission1183=Create/modify supplier orders
-Permission1184=Validate supplier orders
-Permission1185=Approve supplier orders
-Permission1186=Order supplier orders
-Permission1187=Acknowledge receipt of supplier orders
-Permission1188=Delete supplier orders
-Permission1190=Approve (second approval) supplier orders
-Permission1201=Get result of an export
-Permission1202=Create/Modify an export
-Permission1231=Read supplier invoices
-Permission1232=Create/modify supplier invoices
-Permission1233=Validate supplier invoices
-Permission1234=Delete supplier invoices
-Permission1235=Send supplier invoices by email
-Permission1236=Export supplier invoices, attributes and payments
-Permission1237=Export supplier orders and their details
-Permission1251=Run mass imports of external data into database (data load)
-Permission1321=Export customer invoices, attributes and payments
-Permission1421=Export customer orders and attributes
-Permission23001=Read Scheduled job
-Permission23002=Create/update Scheduled job
-Permission23003=Delete Scheduled job
-Permission23004=Execute Scheduled job
-Permission2401=Read actions (events or tasks) linked to his account
-Permission2402=Create/modify actions (events or tasks) linked to his account
-Permission2403=Delete actions (events or tasks) linked to his account
-Permission2411=Read actions (events or tasks) of others
-Permission2412=Create/modify actions (events or tasks) of others
-Permission2413=Delete actions (events or tasks) of others
-Permission2501=Read/Download documents
-Permission2502=Download documents
-Permission2503=Submit or delete documents
-Permission2515=Setup documents directories
-Permission2801=Use FTP client in read mode (browse and download only)
-Permission2802=Use FTP client in write mode (delete or upload files)
-Permission50101=Use Point of sales
-Permission50201=Read transactions
-Permission50202=Import transactions
-Permission54001=Print
-Permission55001=Read polls
-Permission55002=Create/modify polls
-Permission59001=Read commercial margins
-Permission59002=Define commercial margins
-Permission59003=Read every user margin
-DictionaryCompanyType=Thirdparties type
-DictionaryCompanyJuridicalType=Juridical kinds of thirdparties
-DictionaryProspectLevel=Prospect potential level
-DictionaryCanton=State/Cantons
-DictionaryRegion=Regions
-DictionaryCountry=Countries
-DictionaryCurrency=Currencies
-DictionaryCivility=Civility title
-DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
-DictionaryVAT=VAT Rates or Sales Tax Rates
-DictionaryRevenueStamp=Amount of revenue stamps
-DictionaryPaymentConditions=Payment terms
-DictionaryPaymentModes=Payment modes
-DictionaryTypeContact=Contact/Address types
-DictionaryEcotaxe=Ecotax (WEEE)
-DictionaryPaperFormat=Paper formats
-DictionaryFees=Type of fees
-DictionarySendingMethods=Shipping methods
-DictionaryStaff=Staff
-DictionaryAvailability=Delivery delay
-DictionaryOrderMethods=Ordering methods
-DictionarySource=Origin of proposals/orders
-DictionaryAccountancyplan=Chart of accounts
-DictionaryAccountancysystem=Models for chart of accounts
-DictionaryEMailTemplates=Emails templates
-DictionaryUnits=Units
-DictionaryProspectStatus=Prospection status
-SetupSaved=Setup saved
-BackToModuleList=Back to modules list
-BackToDictionaryList=Back to dictionaries list
-VATReceivedOnly=Special rate not charged
-VATManagement=VAT Management
-VATIsUsedDesc=The VAT rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If the seller is not subjected to VAT, then VAT by default=0. End of rule.<br>If the (selling country= buying country), then the VAT by default=VAT of the product in the selling country. End of rule. <br>If seller and buyer in the European Community and goods are transport products (car, ship, plane), the default VAT=0 ( The VAT should be paid by the buyer at the customoffice of his country and not at the seller). End of rule.<br>If seller and buyer in the European Community and buyer is not a company, then the VAT by default=VAT of product sold.  End of rule.<br>If seller and buyer in the European Community and buyer is a company, then the VAT by default=0. End of rule.<br>Else the proposed default VAT=0. End of rule.
-VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies.
-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 #####
-LTRate=Rate
-LocalTax1IsUsed=Use second tax
-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)
-LocalTax1Management=Second type of tax
-LocalTax1IsUsedExample=
-LocalTax1IsNotUsedExample=
-LocalTax2IsUsed=Use third tax
-LocalTax2IsNotUsed=Do not use third tax
-LocalTax2IsUsedDesc=Use a third type of tax (other than VAT)
-LocalTax2IsNotUsedDesc=Do not use other type of tax (other than VAT)
-LocalTax2Management=Third type of tax
-LocalTax2IsUsedExample=
-LocalTax2IsNotUsedExample=
-LocalTax1ManagementES= RE Management
-LocalTax1IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If te buyer is not subjected to RE, RE by default=0. End of rule.<br>If the buyer is subjected to RE then the RE by default. End of rule.<br>
-LocalTax1IsNotUsedDescES= By default the proposed RE is 0. End of rule.
-LocalTax1IsUsedExampleES= In Spain they are professionals subject to some specific sections of the Spanish IAE.
-LocalTax1IsNotUsedExampleES= In Spain they are professional and societies and subject to certain sections of the Spanish IAE.
-LocalTax2ManagementES= IRPF Management
-LocalTax2IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.<br>If the seller is subjected to IRPF then the IRPF by default. End of rule.<br>
-LocalTax2IsNotUsedDescES= By default the proposed IRPF is 0. End of rule.
-LocalTax2IsUsedExampleES= In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules.
-LocalTax2IsNotUsedExampleES= In Spain they are bussines not subject to tax system of modules.
-CalcLocaltax=Reports on local taxes
-CalcLocaltax1=Sales - Purchases
-CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases
-CalcLocaltax2=Purchases
-CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases
-CalcLocaltax3=Sales
-CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales
-LabelUsedByDefault=Label used by default if no translation can be found for code
-LabelOnDocuments=Label on documents
-NbOfDays=Nb of days
-AtEndOfMonth=At end of month
-Offset=Offset
-AlwaysActive=Always active
-UpdateRequired=Your system needs to be updated. To do this, click on <a href="%s">Update now</a>.
-Upgrade=Upgrade
-MenuUpgrade=Upgrade / Extend
-AddExtensionThemeModuleOrOther=Add extension (theme, module, ...)
-WebServer=Web server
-DocumentRootServer=Web server's root directory
-DataRootServer=Data files directory
-IP=IP
-Port=Port
-VirtualServerName=Virtual server name
-AllParameters=All parameters
-OS=OS
-PhpEnv=Env
-PhpModules=Modules
-PhpConf=Conf
-PhpWebLink=Web-Php link
-Pear=Pear
-PearPackages=Pear Packages
-Browser=Browser
-Server=Server
-Database=Database
-DatabaseServer=Database host
-DatabaseName=Database name
-DatabasePort=Database port
-DatabaseUser=Database user
-DatabasePassword=Database password
-DatabaseConfiguration=Database setup
-Tables=Tables
-TableName=Table name
-TableLineFormat=Line format
-NbOfRecord=Nb of records
-Constraints=Constraints
-ConstraintsType=Constraints type
-ConstraintsToShowOrNotEntry=Constraint to show or not the menu entry
-AllMustBeOk=All of these must be checked
-Host=Server
-DriverType=Driver type
-SummarySystem=System information summary
-SummaryConst=List of all Dolibarr setup parameters
-SystemUpdate=System update
-SystemSuccessfulyUpdate=Your system has been updated successfuly
-MenuCompanySetup=Company/Foundation
-MenuNewUser=New user
-MenuTopManager=Top menu manager
-MenuLeftManager=Left menu manager
-MenuManager=Menu manager
-MenuSmartphoneManager=Smartphone menu manager
-DefaultMenuTopManager=Top menu manager
-DefaultMenuLeftManager=Left menu manager
-DefaultMenuManager= Standard menu manager
-DefaultMenuSmartphoneManager=Smartphone menu manager
-Skin=Skin theme
-DefaultSkin=Default skin theme
-MaxSizeList=Max length for list
-DefaultMaxSizeList=Default max length for list
-MessageOfDay=Message of the day
-MessageLogin=Login page message
-PermanentLeftSearchForm=Permanent search form on left menu
-DefaultLanguage=Default language to use (language code)
-EnableMultilangInterface=Enable multilingual interface
-EnableShowLogo=Show logo on left menu
-EnableHtml5=Enable Html5 (Developement - Only available on Eldy template)
-SystemSuccessfulyUpdated=Your system has been updated successfully
-CompanyInfo=Company/foundation information
-CompanyIds=Company/foundation identities
-CompanyName=Name
-CompanyAddress=Address
-CompanyZip=Zip
-CompanyTown=Town
-CompanyCountry=Country
-CompanyCurrency=Main currency
-CompanyObject=Object of the company
-Logo=Logo
-DoNotShow=Do not show
-DoNotSuggestPaymentMode=Do not suggest
-NoActiveBankAccountDefined=No active bank account defined
-OwnerOfBankAccount=Owner of bank account %s
-BankModuleNotActive=Bank accounts module not enabled
-ShowBugTrackLink=Show link "<strong>%s</strong>"
-ShowWorkBoard=Show "workbench" on homepage
-Alerts=Alerts
-Delays=Delays
-DelayBeforeWarning=Delay before warning
-DelaysBeforeWarning=Delays before warning
-DelaysOfToleranceBeforeWarning=Tolerance delays before warning
-DelaysOfToleranceDesc=This screen allows you to define the tolerated delays before an alert is reported on screen with picto %s for each late element.
-Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned events not yet realised
-Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not yet processed
-Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not yet processed
-Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close
-Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed
-Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate
-Delays_MAIN_DELAY_RUNNING_SERVICES=Tolerance delay (in days) before alert on expired services
-Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Tolerance delay (in days) before alert on unpaid supplier invoices
-Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Tolerence delay (in days) before alert on unpaid client invoices
-Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Tolerance delay (in days) before alert on pending bank reconciliation
-Delays_MAIN_DELAY_MEMBERS=Tolerance delay (in days) before alert on delayed membership fee
-Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tolerance delay (in days) before alert for cheques deposit to do
-SetupDescription1=All parameters available in the setup area allow you to setup Dolibarr before starting using it.
-SetupDescription2=The 2 most important setup steps are the 2 first ones in the left setup menu, this means Company/foundation setup page and Modules setup page:
-SetupDescription3=Parameters in menu <a href="%s">Setup -> Company/foundation</a> are required because input information is used on Dolibarr displays and to modify Dolibarr behaviour (for example for features related to your country).
-SetupDescription4=Parameters in menu <a href="%s">Setup -> Modules</a> are required because Dolibarr is not a fixed ERP/CRM but a sum of several modules, all more or less independant. It's only after activating modules you're interesting in that you will see features appeared in menus.
-SetupDescription5=Other menu entries manage optional parameters.
-EventsSetup=Setup for events logs
-LogEvents=Security audit events
-Audit=Audit
-InfoDolibarr=Infos Dolibarr
-InfoBrowser=Infos Browser
-InfoOS=Infos OS
-InfoWebServer=Infos web server
-InfoDatabase=Infos database
-InfoPHP=Infos PHP
-InfoPerf=Infos performances
-BrowserName=Browser name
-BrowserOS=Browser OS
-ListEvents=Audit events
-ListOfSecurityEvents=List of Dolibarr security events
-SecurityEventsPurged=Security events purged
-LogEventDesc=You can enable here the logging for Dolibarr security events. Administrators can then see its content via menu <b>System tools - Audit</b>. Warning, this feature can consume a large amount of data in database.
-AreaForAdminOnly=Those features can be used by <b>administrator users</b> only.
-SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only.
-SystemAreaForAdminOnly=This area is available for administrator users only. None of the Dolibarr permissions can reduce this limit.
-CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "Modify" button at bottom of page)
-DisplayDesc=You can choose each parameter related to the Dolibarr look and feel here
-AvailableModules=Available modules
-ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules).
-SessionTimeOut=Time out for session
-SessionExplanation=This number guarantee that session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guaranty that session will expire just after this delay. It will expire, after this delay, and when the session cleaner is ran, so every <b>%s/%s</b> access, but only during access made by other sessions.<br>Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by the default <strong>session.gc_maxlifetime</strong>, no matter what the value entered here.
-TriggersAvailable=Available triggers
-TriggersDesc=Triggers are files that will modify the behaviour of Dolibarr workflow once copied into the directory <b>htdocs/core/triggers</b>. They realised new actions, activated on Dolibarr events (new company creation, invoice validation, ...).
-TriggerDisabledByName=Triggers in this file are disabled by the <b>-NORUN</b> suffix in their name.
-TriggerDisabledAsModuleDisabled=Triggers in this file are disabled as module <b>%s</b> is disabled.
-TriggerAlwaysActive=Triggers in this file are always active, whatever are the activated Dolibarr modules.
-TriggerActiveAsModuleActive=Triggers in this file are active as module <b>%s</b> is enabled.
-GeneratedPasswordDesc=Define here which rule you want to use to generate new password if you ask to have auto generated password
-DictionaryDesc=Define here all reference datas. You can complete predefined value with yours.
-ConstDesc=This page allows you to edit all other parameters not available in previous pages. They are reserved parameters for advanced developers or for troubleshouting.
-OnceSetupFinishedCreateUsers=Warning, you are a Dolibarr administrator user. Administrator users are used to setup Dolibarr. For a usual usage of Dolibarr, it is recommended to use a non administrator user created from Users & Groups menu.
-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_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=Step of rounding range (for countries where rounding is done on something else than base 10. For example, put 0.05 if rounding is done by 0.05 steps)
-UnitPriceOfProduct=Net unit price of a product
-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.
-NoEventFoundWithCriteria=No security event has been found for such search criterias.
-SeeLocalSendMailSetup=See your local sendmail setup
-BackupDesc=To make a complete backup of Dolibarr, you must:
-BackupDesc2=Save content of documents directory (<b>%s</b>) that contains all uploaded and generated files (you can make a zip for example).
-BackupDesc3=Save content of your database (<b>%s</b>) into a dump file. For this, you can use following assistant.
-BackupDescX=Archived directory should be stored in a secure place.
-BackupDescY=The generated dump file should be stored in a secure place.
-BackupPHPWarning=Backup can't be guaranted with this method. Prefer previous one
-RestoreDesc=To restore a Dolibarr backup, you must:
-RestoreDesc2=Restore archive file (zip file for example) of documents directory to extract tree of files in documents directory of a new Dolibarr installation or into this current documents directoy (<b>%s</b>).
-RestoreDesc3=Restore the data, from a backup dump file, into the database of the new Dolibarr installation or into the database of this current installation (<b>%s</b>). Warning, once restore is finished, you must use a login/password, that existed when backup was made, to connect again. To restore a backup database into this current installation, you can follow this assistant.
-RestoreMySQL=MySQL import
-ForcedToByAModule= This rule is forced to <b>%s</b> by an activated module
-PreviousDumpFiles=Available database backup dump files
-WeekStartOnDay=First day of week
-RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Programs version %s differs from database version %s)
-YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user <b>%s</b> or you must add -W option at end of command line to provide <b>%s</b> password.
-YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP
-DownloadMoreSkins=More skins to download
-SimpleNumRefModelDesc=Returns the reference number with format %syymm-nnnn where yy is year, mm is month and nnnn is a sequence without hole and with no reset
-ShowProfIdInAddress=Show professionnal id with addresses on documents
-ShowVATIntaInAddress=Hide VAT Intra num with addresses on documents
-TranslationUncomplete=Partial translation
-SomeTranslationAreUncomplete=Some languages may be partially translated or may contains errors. If you detect some, you can fix language files registering to <a href="http://transifex.com/projects/p/dolibarr/" target="_blank">http://transifex.com/projects/p/dolibarr/</a>.
-MenuUseLayout=Make vertical menu hidable (option javascript must not be disabled)
-MAIN_DISABLE_METEO=Disable meteo view
-TestLoginToAPI=Test login to API
-ProxyDesc=Some features of Dolibarr need to have an Internet access to work. Define here parameters for this. If the Dolibarr server is behind a Proxy server, those parameters tells Dolibarr how to access Internet through it.
-ExternalAccess=External access
-MAIN_PROXY_USE=Use a proxy server (otherwise direct access to internet)
-MAIN_PROXY_HOST=Name/Address of proxy server
-MAIN_PROXY_PORT=Port of proxy server
-MAIN_PROXY_USER=Login to use the proxy server
-MAIN_PROXY_PASS=Password to use the proxy server
-DefineHereComplementaryAttributes=Define here all attributes, not already available by default, and that you want to be supported for %s.
-ExtraFields=Complementary attributes
-ExtraFieldsLines=Complementary attributes (lines)
-ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines)
-ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines)
-ExtraFieldsThirdParties=Complementary attributes (thirdparty)
-ExtraFieldsContacts=Complementary attributes (contact/address)
-ExtraFieldsMember=Complementary attributes (member)
-ExtraFieldsMemberType=Complementary attributes (member type)
-ExtraFieldsCustomerOrders=Complementary attributes (orders)
-ExtraFieldsCustomerInvoices=Complementary attributes (invoices)
-ExtraFieldsSupplierOrders=Complementary attributes (orders)
-ExtraFieldsSupplierInvoices=Complementary attributes (invoices)
-ExtraFieldsProject=Complementary attributes (projects)
-ExtraFieldsProjectTask=Complementary attributes (tasks)
-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
-SendmailOptionNotComplete=Warning, on some Linux systems, to send email from your email, sendmail execution setup must contains option -ba (parameter mail.force_extra_parameters into your php.ini file). If some recipients never receive emails, try to edit this PHP parameter with mail.force_extra_parameters = -ba).
-PathToDocuments=Path to documents
-PathDirectory=Directory
-SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might be not correctly parsed by some receiving mail servers. Result is that some mails can't be read by people hosted by those bugged platforms. It's case for some Internet providers (Ex: Orange in France). This is not a problem into Dolibarr nor into PHP but onto receiving mail server. You can however add option MAIN_FIX_FOR_BUGGED_MTA to 1 into setup - other to modify Dolibarr to avoid this. However, you may experience problem with other servers that respect strictly the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" that has no disadvantages.
-TranslationSetup=Configuration de la traduction
-TranslationDesc=Choice of language visible on screen can be modified:<br>* Globally from menu <strong>Home - Setup - Display</strong><br>* For user only from tab <strong>User display</strong> of user card (click on login on top of screen).
-TotalNumberOfActivatedModules=Total number of activated feature modules: <b>%s</b>
-YouMustEnableOneModule=You must at least enable 1 module
-ClassNotFoundIntoPathWarning=Class %s not found into PHP path
-YesInSummer=Yes in summer
-OnlyFollowingModulesAreOpenedToExternalUsers=Note, only following modules are open to external users (whatever are permission of such users):
-SuhosinSessionEncrypt=Session storage encrypted by Suhosin
-ConditionIsCurrently=Condition is currently %s
-YouUseBestDriver=You use driver %s that is best driver available currently.
-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 is loaded.
-XCacheInstalled=XCache is loaded.
-AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink. Third parties will appears with name "CC12345 - SC45678 - The big company coorp", instead of "The big company coorp".
-FieldEdition=Edition of field %s
-FixTZ=TimeZone fix
-FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced)
-GetBarCode=Get barcode
-EmptyNumRefModelDesc=The code is free. This code can be modified at any time.
-##### Module password generation
-PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase.
-PasswordGenerationNone=Do not suggest any generated password. Password must be type in manually.
-##### Users setup #####
-UserGroupSetup=Users and groups module setup
-GeneratePassword=Suggest a generated password
-RuleForGeneratedPasswords=Rule to generate suggested passwords or validate passwords
-DoNotSuggest=Do not suggest any password
-EncryptedPasswordInDatabase=To allow the encryption of the passwords in the database
-DisableForgetPasswordLinkOnLogonPage=Do not show the link "Forget password" on login page
-UsersSetup=Users module setup
-UserMailRequired=EMail required to create a new user
-##### Company setup #####
-CompanySetup=Companies module setup
-CompanyCodeChecker=Module for third parties code generation and checking (customer or supplier)
-AccountCodeManager=Module for accountancy code generation (customer or supplier)
-ModuleCompanyCodeAquarium=Return an accountancy code built by:<br>%s followed by third party supplier code for a supplier accountancy code,<br>%s followed by third party customer code for a customer accountancy code.
-ModuleCompanyCodePanicum=Return an empty accountancy code.
-ModuleCompanyCodeDigitaria=Accountancy code depends on third party code. The code is composed of the character "C" in the first position followed by the first 5 characters of the third party code.
-UseNotifications=Use notifications
-NotificationsDesc=EMails notifications feature allows you to silently send automatic mail, for some Dolibarr events. Targets of notifications can be defined:<br>* per third parties contacts (customers or suppliers), one contact at time.<br>* or by setting global target email addresses in module setup page.
-ModelModules=Documents templates
-DocumentModelOdt=Generate documents from OpenDocuments templates (.ODT or .ODS files for OpenOffice, KOffice, TextEdit,...)
-WatermarkOnDraft=Watermark on draft document
-JSOnPaimentBill=Activate feature to autofill payment lines on payment form
-CompanyIdProfChecker=Rules on Professional Ids
-MustBeUnique=Must be unique ?
-MustBeMandatory=Mandatory to create third parties ?
-MustBeInvoiceMandatory=Mandatory to validate invoices ?
-Miscellaneous=Miscellaneous
-##### Webcal setup #####
-WebCalSetup=Webcalendar link setup
-WebCalSyncro=Add Dolibarr events to WebCalendar
-WebCalAllways=Always, no asking
-WebCalYesByDefault=On demand (yes by default)
-WebCalNoByDefault=On demand (no by default)
-WebCalNever=Never
-WebCalURL=URL for calendar access
-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' 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.
-WebCalAddEventOnCreateActions=Add calendar event on actions create
-WebCalAddEventOnCreateCompany=Add calendar event on companies create
-WebCalAddEventOnStatusPropal=Add calendar event on commercial proposals status change
-WebCalAddEventOnStatusContract=Add calendar event on contracts status change
-WebCalAddEventOnStatusBill=Add calendar event on bills status change
-WebCalAddEventOnStatusMember=Add calendar event on members status change
-WebCalUrlForVCalExport=An export link to <b>%s</b> format is available at following link: %s
-WebCalCheckWebcalSetup=Maybe the Webcal module setup is not correct.
-##### Invoices #####
-BillsSetup=Invoices module setup
-BillsDate=Invoices date
-BillsNumberingModule=Invoices and credit notes numbering model
-BillsPDFModules=Invoice documents models
-CreditNoteSetup=Credit note module setup
-CreditNotePDFModules=Credit note document models
-CreditNote=Credit note
-CreditNotes=Credit notes
-ForceInvoiceDate=Force invoice date to validation date
-DisableRepeatable=Disable repeatable invoices
-SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined for invoice
-EnableEditDeleteValidInvoice=Enable the possibility to edit/delete valid invoice with no payment
-SuggestPaymentByRIBOnAccount=Suggest payment by withdraw on account
-SuggestPaymentByChequeToAddress=Suggest payment by cheque to
-FreeLegalTextOnInvoices=Free text on invoices
-WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty)
-##### Proposals #####
-PropalSetup=Commercial proposals module setup
-CreateForm=Create forms
-NumberOfProductLines=Number of product lines
-ProposalsNumberingModules=Commercial proposal numbering models
-ProposalsPDFModules=Commercial proposal documents models
-ClassifiedInvoiced=Classified invoiced
-HideTreadedPropal=Hide the treated commercial proposals in the list
-AddShippingDateAbility=Add shipping date ability
-AddDeliveryAddressAbility=Add delivery date ability
-UseOptionLineIfNoQuantity=A line of product/service with a zero amount is considered as an option
-FreeLegalTextOnProposal=Free text on commercial proposals
-WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty)
-BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal
-##### AskPriceSupplier #####
-AskPriceSupplierSetup=Price requests suppliers module setup
-AskPriceSupplierNumberingModules=Price requests suppliers numbering models
-AskPriceSupplierPDFModules=Price requests suppliers documents models
-FreeLegalTextOnAskPriceSupplier=Free text on price requests suppliers
-WatermarkOnDraftAskPriceSupplier=Watermark on draft price requests suppliers (none if empty)
-BANK_ASK_PAYMENT_BANK_DURING_ASKPRICESUPPLIER=Ask for bank account destination of price request
-##### Orders #####
-OrdersSetup=Order management setup
-OrdersNumberingModules=Orders numbering models
-OrdersModelModule=Order documents models
-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)
-ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable
-BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order
-##### Clicktodial #####
-ClickToDialSetup=Click To Dial module setup
-ClickToDialUrlDesc=Url called when a click on phone picto is done.  In URL, you can use tags<br><b>__PHONETO__</b> that will be replaced with the phone number of person to call<br><b>__PHONEFROM__</b> that will be replaced with phone number of calling person (yours)<br><b>__LOGIN__</b> that will be replaced with your clicktodial login (defined on your user card)<br><b>__PASS__</b> that will be replaced with your clicktodial password (defined on your user card).
-##### Bookmark4u #####
-Bookmark4uSetup=Bookmark4u module setup
-##### Interventions #####
-InterventionsSetup=Interventions module setup
-FreeLegalTextOnInterventions=Free text on intervention documents
-FicheinterNumberingModules=Intervention numbering models
-TemplatePDFInterventions=Intervention card documents models
-WatermarkOnDraftInterventionCards=Watermark on intervention card documents (none if empty)
-##### Contracts #####
-ContractsSetup=Contracts/Subscriptions module setup
-ContractsNumberingModules=Contracts numbering modules
-TemplatePDFContracts=Contracts documents models
-FreeLegalTextOnContracts=Free text on contracts
-WatermarkOnDraftContractCards=Watermark on draft contracts (none if empty)
-##### Members #####
-MembersSetup=Members module setup
-MemberMainOptions=Main options
-AddSubscriptionIntoAccount=Suggest by default to create a bank transaction, in bank module, when adding a new payed subscription
-AdherentLoginRequired= Manage a Login for each member
-AdherentMailRequired=EMail required to create a new member
-MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default
-##### LDAP setup #####
-LDAPSetup=LDAP Setup
-LDAPGlobalParameters=Global parameters
-LDAPUsersSynchro=Users
-LDAPGroupsSynchro=Groups
-LDAPContactsSynchro=Contacts
-LDAPMembersSynchro=Members
-LDAPSynchronization=LDAP synchronisation
-LDAPFunctionsNotAvailableOnPHP=LDAP functions are not available on your PHP
-LDAPToDolibarr=LDAP -> Dolibarr
-DolibarrToLDAP=Dolibarr -> LDAP
-LDAPNamingAttribute=Key in LDAP
-LDAPSynchronizeUsers=Organization of users in LDAP
-LDAPSynchronizeGroups=Organization of groups in LDAP
-LDAPSynchronizeContacts=Organization of contacts in LDAP
-LDAPSynchronizeMembers=Organization of foundation's members in LDAP
-LDAPTypeExample=OpenLdap, Egroupware or Active Directory
-LDAPPrimaryServer=Primary server
-LDAPSecondaryServer=Secondary server
-LDAPServerPort=Server port
-LDAPServerPortExample=Default port : 389
-LDAPServerProtocolVersion=Protocol version
-LDAPServerUseTLS=Use TLS
-LDAPServerUseTLSExample=Your LDAP server use TLS
-LDAPServerDn=Server DN
-LDAPAdminDn=Administrator DN
-LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com)
-LDAPPassword=Administrator password
-LDAPUserDn=Users' DN
-LDAPUserDnExample=Complete DN (ex: ou=users,dc=example,dc=com)
-LDAPGroupDn=Groups' DN
-LDAPGroupDnExample=Complete DN (ex: ou=groups,dc=example,dc=com)
-LDAPServerExample=Server address (ex: localhost, 192.168.0.2, ldaps://ldap.example.com/)
-LDAPServerDnExample=Complete DN (ex: dc=example,dc=com)
-LDAPPasswordExample=Admin password
-LDAPDnSynchroActive=Users and groups synchronization
-LDAPDnSynchroActiveExample=LDAP to Dolibarr or Dolibarr to LDAP synchronization
-LDAPDnContactActive=Contacts' synchronization
-LDAPDnContactActiveYes=Activated synchronization
-LDAPDnContactActiveExample=Activated/Unactivated synchronization
-LDAPDnMemberActive=Members' synchronization
-LDAPDnMemberActiveExample=Activated/Unactivated synchronization
-LDAPContactDn=Dolibarr contacts' DN
-LDAPContactDnExample=Complete DN (ex: ou=contacts,dc=example,dc=com)
-LDAPMemberDn=Dolibarr members DN
-LDAPMemberDnExample=Complete DN (ex: ou=members,dc=example,dc=com)
-LDAPMemberObjectClassList=List of objectClass
-LDAPMemberObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPUserObjectClassList=List of objectClass
-LDAPUserObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPGroupObjectClassList=List of objectClass
-LDAPGroupObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames)
-LDAPContactObjectClassList=List of objectClass
-LDAPContactObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPMemberTypeDn=Dolibarr members type DN
-LDAPMemberTypeDnExample=Complete DN (ex: ou=type_members,dc=example,dc=com)
-LDAPTestConnect=Test LDAP connection
-LDAPTestSynchroContact=Test contacts synchronization
-LDAPTestSynchroUser=Test user synchronization
-LDAPTestSynchroGroup=Test group synchronization
-LDAPTestSynchroMember=Test member synchronization
-LDAPTestSearch= Test a LDAP search
-LDAPSynchroOK=Synchronization test successful
-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 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 successful
-LDAPUnbindFailed=Disconnect failed
-LDAPConnectToDNSuccessfull=Connection to DN (%s) successful
-LDAPConnectToDNFailed=Connection to DN (%s) failed
-LDAPSetupForVersion3=LDAP server configured for version 3
-LDAPSetupForVersion2=LDAP server configured for version 2
-LDAPDolibarrMapping=Dolibarr Mapping
-LDAPLdapMapping=LDAP Mapping
-LDAPFieldLoginUnix=Login (unix)
-LDAPFieldLoginExample=Example : uid
-LDAPFilterConnection=Search filter
-LDAPFilterConnectionExample=Example : &(objectClass=inetOrgPerson)
-LDAPFieldLoginSamba=Login (samba, activedirectory)
-LDAPFieldLoginSambaExample=Example : samaccountname
-LDAPFieldFullname=Full name
-LDAPFieldFullnameExample=Example : cn
-LDAPFieldPassword=Password
-LDAPFieldPasswordNotCrypted=Password not crypted
-LDAPFieldPasswordCrypted=Password crypted
-LDAPFieldPasswordExample=Example : userPassword
-LDAPFieldCommonName=Common name
-LDAPFieldCommonNameExample=Example : cn
-LDAPFieldName=Name
-LDAPFieldNameExample=Example : sn
-LDAPFieldFirstName=First name
-LDAPFieldFirstNameExample=Example : givenName
-LDAPFieldMail=Email address
-LDAPFieldMailExample=Example : mail
-LDAPFieldPhone=Professional phone number
-LDAPFieldPhoneExample=Example : telephonenumber
-LDAPFieldHomePhone=Personal phone number
-LDAPFieldHomePhoneExample=Example : homephone
-LDAPFieldMobile=Cellular phone
-LDAPFieldMobileExample=Example : mobile
-LDAPFieldFax=Fax number
-LDAPFieldFaxExample=Example : facsimiletelephonenumber
-LDAPFieldAddress=Street
-LDAPFieldAddressExample=Example : street
-LDAPFieldZip=Zip
-LDAPFieldZipExample=Example : postalcode
-LDAPFieldTown=Town
-LDAPFieldTownExample=Example : l
-LDAPFieldCountry=Country
-LDAPFieldCountryExample=Example : c
-LDAPFieldDescription=Description
-LDAPFieldDescriptionExample=Example : description
-LDAPFieldNotePublic=Public Note
-LDAPFieldNotePublicExample=Example : publicnote
-LDAPFieldGroupMembers= Group members
-LDAPFieldGroupMembersExample= Example : uniqueMember
-LDAPFieldBirthdate=Birthdate
-LDAPFieldBirthdateExample=Example :
-LDAPFieldCompany=Company
-LDAPFieldCompanyExample=Example : o
-LDAPFieldSid=SID
-LDAPFieldSidExample=Example : objectsid
-LDAPFieldEndLastSubscription=Date of subscription end
-LDAPFieldTitle=Post/Function
-LDAPFieldTitleExample=Example: title
-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.
-LDAPDescUsers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr users.
-LDAPDescGroups=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr groups.
-LDAPDescMembers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members module.
-LDAPDescValues=Example values are designed for <b>OpenLDAP</b> with following loaded schemas: <b>core.schema, cosine.schema, inetorgperson.schema</b>). If you use thoose values and OpenLDAP, modify your LDAP config file <b>slapd.conf</b> to have all thoose schemas loaded.
-ForANonAnonymousAccess=For an authenticated access (for a write access for example)
-PerfDolibarr=Performance setup/optimizing report
-YouMayFindPerfAdviceHere=You will find on this page some checks or advices related to performance.
-NotInstalled=Not installed, so your server is not slow down by this.
-ApplicativeCache=Applicative 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.
-MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete.
-MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled.
-OPCodeCache=OPCode cache
-NoOPCodeCacheFound=No OPCode cache found. May be you use another OPCode cache than XCache or eAccelerator (good), may be you don't have OPCode cache (very bad).
-HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript)
-FilesOfTypeCached=Files of type %s are cached by HTTP server
-FilesOfTypeNotCached=Files of type %s are not cached by HTTP server
-FilesOfTypeCompressed=Files of type %s are compressed by HTTP server
-FilesOfTypeNotCompressed=Files of type %s are not compressed by HTTP server
-CacheByServer=Cache by server
-CacheByClient=Cache by browser
-CompressionOfResources=Compression of HTTP responses
-TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers
-##### Products #####
-ProductSetup=Products module setup
-ServiceSetup=Services module setup
-ProductServiceSetup=Products and Services modules setup
-NumberOfProductShowInSelect=Max number of products in combos select lists (0=no limit)
-ConfirmDeleteProductLineAbility=Confirmation when removing product lines in forms
-ModifyProductDescAbility=Personalization of product descriptions in forms
-ViewProductDescInFormAbility=Visualization of product descriptions in the forms (otherwise as popup tooltip)
-MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal
-ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the thirdparty language
-UseSearchToSelectProductTooltip=Also if you have a large number of product (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectProduct=Use a search form to choose a product (rather than a drop-down list).
-UseEcoTaxeAbility=Support Eco-Taxe (WEEE)
-SetDefaultBarcodeTypeProducts=Default barcode type to use for products
-SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties
-UseUnits=Support units
-ProductCodeChecker= Module for product code generation and checking (product or service)
-ProductOtherConf= Product / Service configuration
-##### Syslog #####
-SyslogSetup=Logs module setup
-SyslogOutput=Logs outputs
-SyslogSyslog=Syslog
-SyslogFacility=Facility
-SyslogLevel=Level
-SyslogSimpleFile=File
-SyslogFilename=File name and path
-YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file.
-ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant
-OnlyWindowsLOG_USER=Windows only supports LOG_USER
-##### Donations #####
-DonationsSetup=Donation module setup
-DonationsReceiptModel=Template of donation receipt
-##### Barcode #####
-BarcodeSetup=Barcode setup
-PaperFormatModule=Print format module
-BarcodeEncodeModule=Barcode encoding type
-UseBarcodeInProductModule=Use bar codes for products
-CodeBarGenerator=Barcode generator
-ChooseABarCode=No generator defined
-FormatNotSupportedByGenerator=Format not supported by this generator
-BarcodeDescEAN8=Barcode of type EAN8
-BarcodeDescEAN13=Barcode of type EAN13
-BarcodeDescUPC=Barcode of type UPC
-BarcodeDescISBN=Barcode of type ISBN
-BarcodeDescC39=Barcode of type C39
-BarcodeDescC128=Barcode of type C128
-BarcodeDescDATAMATRIX=Barcode of type Datamatrix
-BarcodeDescQRCODE=Barcode of type QR code
-GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".<br>For example: /usr/local/bin/genbarcode
-BarcodeInternalEngine=Internal engine
-BarCodeNumberManager=Manager to auto define barcode numbers
-##### Prelevements #####
-WithdrawalsSetup=Withdrawal module setup
-##### ExternalRSS #####
-ExternalRSSSetup=External RSS imports setup
-NewRSS=New RSS Feed
-RSSUrl=RSS URL
-RSSUrlExample=An interesting RSS feed
-##### Mailing #####
-MailingSetup=EMailing module setup
-MailingEMailFrom=Sender EMail (From) for emails sent by emailing module
-MailingEMailError=Return EMail (Errors-to) for emails with errors
-MailingDelay=Seconds to wait after sending next message
-##### Notification #####
-NotificationSetup=EMail notification module setup
-NotificationEMailFrom=Sender EMail (From) for emails sent for notifications
-ListOfAvailableNotifications=List of events you can set notification on, for each thirdparty (go into thirdparty card to setup) or by setting a fixed email (List depends on activated modules)
-FixedEmailTarget=Fixed email target
-##### Sendings #####
-SendingsSetup=Sending module setup
-SendingsReceiptModel=Sending receipt model
-SendingsNumberingModules=Sendings numbering modules
-SendingsAbility=Support shipment sheets for customer deliveries
-NoNeedForDeliveryReceipts=In most cases, sendings receipts are used both as sheets for customer deliveries (list of products to send) and sheets that is recevied and signed by customer. So product deliveries receipts is a duplicated feature and is rarely activated.
-FreeLegalTextOnShippings=Free text on shipments
-##### Deliveries #####
-DeliveryOrderNumberingModules=Products deliveries receipt numbering module
-DeliveryOrderModel=Products deliveries receipt model
-DeliveriesOrderAbility=Support products deliveries receipts
-FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts
-##### FCKeditor #####
-AdvancedEditor=Advanced editor
-ActivateFCKeditor=Activate advanced editor for:
-FCKeditorForCompany=WYSIWIG creation/edition of elements description and note (except products/services)
-FCKeditorForProduct=WYSIWIG creation/edition of products/services description and note
-FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). <font class="warning">Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formating when building PDF files.</font>
-FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing)
-FCKeditorForUserSignature=WYSIWIG creation/edition of user signature
-FCKeditorForMail=WYSIWIG creation/edition for all mail (except Outils->eMailing)
-##### OSCommerce 1 #####
-OSCommerceErrorConnectOkButWrongDatabase=Connection succeeded but database doesn't look to be an OSCommerce database (Key %s not found in table %s).
-OSCommerceTestOk=Connection to server '%s' on database '%s' with user '%s' successfull.
-OSCommerceTestKo1=Connection to server '%s' succeed but database '%s' could not be reached.
-OSCommerceTestKo2=Connection to server '%s' with user '%s' failed.
-##### Stock #####
-StockSetup=Warehouse module setup
-UserWarehouse=Use user personal warehouses
-IfYouUsePointOfSaleCheckModule=If you use a Point of Sale module (POS module provided by default or another external module), this setup may be ignored by your Point Of Sale module. Most point of sales modules are designed to create immediatly an invoice and decrease stock by default whatever are options here. So, if you need or not to have a stock decrease when registering a sell from your Point Of Sale, check also your POS module set up.
-##### Menu #####
-MenuDeleted=Menu deleted
-TreeMenu=Tree menus
-Menus=Menus
-TreeMenuPersonalized=Personalized menus
-NewMenu=New menu
-MenuConf=Menus setup
-Menu=Selection of menu
-MenuHandler=Menu handler
-MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
-DetailId=Id menu
-DetailMenuHandler=Menu handler where to show new menu
-DetailMenuModule=Module name if menu entry come from a module
-DetailType=Type of menu (top or left)
-DetailTitre=Menu label or label code for translation
-DetailMainmenu=Group for which it belongs (obsolete)
-DetailUrl=URL where menu send you (Absolute URL link or external link with http://)
-DetailLeftmenu=Display condition or not (obsolete)
-DetailEnabled=Condition to show or not entry
-DetailRight=Condition to display unauthorized grey menus
-DetailLangs=Lang file name for label code translation
-DetailUser=Intern / Extern / All
-Target=Target
-DetailTarget=Target for links (_blank top open a new window)
-DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu)
-ModifMenu=Menu change
-DeleteMenu=Delete menu entry
-ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
-DeleteLine=Delete line
-ConfirmDeleteLine=Are you sure you want to delete this line ?
-##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
-OptionVatMode=VAT due
-OptionVATDefault=Cash basis
-OptionVATDebitOption=Accrual basis
-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 chosen option:
-OnDelivery=On delivery
-OnPayment=On payment
-OnInvoice=On invoice
-SupposedToBePaymentDate=Payment date used
-SupposedToBeInvoiceDate=Invoice date used
-Buy=Buy
-Sell=Sell
-InvoiceDateUsed=Invoice date used
-YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Foundation), so there is no VAT options to setup.
-AccountancyCode=Accountancy Code
-AccountancyCodeSell=Sale account. code
-AccountancyCodeBuy=Purchase account. code
-##### Agenda #####
-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 -> Dictionary -> Type of agenda events)
-AGENDA_DEFAULT_FILTER_TYPE=Set automatically this type of event into search filter of agenda view
-AGENDA_DEFAULT_FILTER_STATUS=Set automatically this status for events into search filter of agenda view
-AGENDA_DEFAULT_VIEW=Which tab do you want to open by default when selecting menu Agenda
-##### 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) #####
-CashDesk=Point of sales
-CashDeskSetup=Point of sales module setup
-CashDeskThirdPartyForSell=Default generic third party to use for sells
-CashDeskBankAccountForSell=Default account to use to receive cash payments
-CashDeskBankAccountForCheque= Default account to use to receive payments by cheque
-CashDeskBankAccountForCB= Default account to use to receive payments by credit cards
-CashDeskDoNotDecreaseStock=Disable stock decrease when a sell is done from Point of Sale (if "no", stock decrease is done for each sell done from POS, whatever is option set into module Stock).
-CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease
-StockDecreaseForPointOfSaleDisabled=Stock decrease from Point Of Sale disabled
-StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with lot management
-CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sell from Point Of Sale. So a warehouse is required.
-##### Bookmark #####
-BookmarkSetup=Bookmark module setup
-BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or externale web sites on your left menu.
-NbOfBoomarkToShow=Maximum number of bookmarks to show in left menu
-##### WebServices #####
-WebServicesSetup=Webservices module setup
-WebServicesDesc=By enabling this module, Dolibarr become a web service server to provide miscellaneous web services.
-WSDLCanBeDownloadedHere=WSDL descriptor files of provided services can be download here
-EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at Url
-##### API ####
-ApiSetup=API module setup
-ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
-KeyForApiAccess=Key to use API (parameter "api_key")
-ApiEndPointIs=You can access to the API at url
-ApiExporerIs=You can explore the API at url
-OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
-##### Bank #####
-BankSetupModule=Bank module setup
-FreeLegalTextOnChequeReceipts=Free text on cheque receipts
-BankOrderShow=Display order of bank accounts for countries using "detailed bank number"
-BankOrderGlobal=General
-BankOrderGlobalDesc=General display order
-BankOrderES=Spanish
-BankOrderESDesc=Spanish display order
-##### Multicompany #####
-MultiCompanySetup=Multi-company module setup
-##### Suppliers #####
-SuppliersSetup=Supplier module setup
-SuppliersCommandModel=Complete template of supplier order (logo...)
-SuppliersInvoiceModel=Complete template of supplier invoice (logo...)
-SuppliersInvoiceNumberingModel=Supplier invoices numbering models
-IfSetToYesDontForgetPermission=If set to yes, don't forget to provide permissions to groups or users allowed for the second approval
-##### GeoIPMaxmind #####
-GeoIPMaxmindSetup=GeoIP Maxmind module setup
-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
-NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions).
-YouCanDownloadFreeDatFileTo=You can download a <b>free demo version</b> of the Maxmind GeoIP country file at %s.
-YouCanDownloadAdvancedDatFileTo=You can also download a more <b>complete version, with updates,</b> of the Maxmind GeoIP country file at %s.
-TestGeoIPResult=Test of a conversion IP -> country
-##### Projects #####
-ProjectsNumberingModules=Projects numbering module
-ProjectsSetup=Project module setup
-ProjectsModelModule=Project reports document model
-TasksNumberingModules=Tasks numbering module
-TaskModelModule=Tasks reports document model
-##### ECM (GED) #####
-ECMSetup = GED Setup
-ECMAutoTree = Automatic tree folder and document
-##### Fiscal Year #####
-FiscalYears=Fiscal years
-FiscalYear=Fiscal year
-FiscalYearCard=Fiscal year card
-NewFiscalYear=New fiscal year
-EditFiscalYear=Edit fiscal year
-OpenFiscalYear=Open fiscal year
-CloseFiscalYear=Close fiscal year
-DeleteFiscalYear=Delete fiscal year
-ConfirmDeleteFiscalYear=Are you sure to delete this fiscal year ?
-Opened=Open
-Closed=Closed
-AlwaysEditable=Can always be edited
-MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application)
-NbMajMin=Minimum number of uppercase characters
-NbNumMin=Minimum number of numeric characters
-NbSpeMin=Minimum number of special characters
-NbIteConsecutive=Maximum number of repeating same characters
-NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation
-SalariesSetup=Setup of module salaries
-SortOrder=Sort order
-Format=Format
-TypePaymentDesc=0:Customer payment type, 1:Supplier payment type, 2:Both customers and suppliers payment type
-IncludePath=Include path (defined into variable %s)
-ExpenseReportsSetup=Setup of module Expense Reports
-TemplatePDFExpenseReports=Document templates to generate expense report document
-NoModueToManageStockDecrease=No module able to manage automatic stock decrease has been activated. Stock decrease will be done on manual input only.
-NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only.
-YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for EMail notifications by enabling and configuring the module "Notification".
-ListOfNotificationsPerContact=List of notifications per contact*
-ListOfFixedNotifications=List of fixed notifications
-GoOntoContactCardToAddMore=Go on the tab "Notifications" of a thirdparty contact to add or remove notifications for contacts/addresses
-Threshold=Threshold
-BackupDumpWizard=Wizard to build database backup dump file
-SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason:
-SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is only manual steps a privileged user can do.
-InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file <strong>%s</strong> to allow this feature.
-ConfFileMuseContainCustom=Installing an external module from application save the module files into directory <strong>%s</strong>. To have this directory processed by Dolibarr, you must setup your <strong>conf/conf.php</strong> to have option<br>- <strong>$dolibarr_main_url_root_alt</strong> enabled to value <strong>$dolibarr_main_url_root_alt="/custom"</strong><br>- <strong>$dolibarr_main_document_root_alt</strong> enabled to value <strong>"%s/custom"</strong>
-HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
-PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
-NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
diff --git a/htdocs/langs/es_CO/banks.lang b/htdocs/langs/es_CO/banks.lang
deleted file mode 100644
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_CO/banks.lang
+++ /dev/null
@@ -1,167 +0,0 @@
-# Dolibarr language file - Source file is en_US - banks
-Bank=Bank
-Banks=Banks
-MenuBankCash=Bank/Cash
-MenuSetupBank=Bank/Cash setup
-BankName=Bank name
-FinancialAccount=Account
-FinancialAccounts=Accounts
-BankAccount=Bank account
-BankAccounts=Bank accounts
-ShowAccount=Show Account
-AccountRef=Financial account ref
-AccountLabel=Financial account label
-CashAccount=Cash account
-CashAccounts=Cash accounts
-MainAccount=Main account
-CurrentAccount=Current account
-CurrentAccounts=Current accounts
-SavingAccount=Savings account
-SavingAccounts=Savings accounts
-ErrorBankLabelAlreadyExists=Financial account label already exists
-BankBalance=Balance
-BankBalanceBefore=Balance before
-BankBalanceAfter=Balance after
-BalanceMinimalAllowed=Minimum allowed balance
-BalanceMinimalDesired=Minimum desired balance
-InitialBankBalance=Initial balance
-EndBankBalance=End balance
-CurrentBalance=Current balance
-FutureBalance=Future balance
-ShowAllTimeBalance=Show balance from start
-AllTime=From start
-Reconciliation=Reconciliation
-RIB=Bank Account Number
-IBAN=IBAN number
-IbanValid=IBAN is Valid
-IbanNotValid=IBAN is Not Valid
-BIC=BIC/SWIFT number
-SwiftValid=BIC/SWIFT is Valid
-SwiftNotValid=BIC/SWIFT is Not Valid
-StandingOrders=Standing orders
-StandingOrder=Standing order
-Withdrawals=Withdrawals
-Withdrawal=Withdrawal
-AccountStatement=Account statement
-AccountStatementShort=Statement
-AccountStatements=Account statements
-LastAccountStatements=Last account statements
-Rapprochement=Reconciliate
-IOMonthlyReporting=Monthly reporting
-BankAccountDomiciliation=Account address
-BankAccountCountry=Account country
-BankAccountOwner=Account owner name
-BankAccountOwnerAddress=Account owner address
-RIBControlError=Integrity check of values fails. This means information for this account number are not complete or wrong (check country, numbers and IBAN).
-CreateAccount=Create account
-NewAccount=New account
-NewBankAccount=New bank account
-NewFinancialAccount=New financial account
-MenuNewFinancialAccount=New financial account
-NewCurrentAccount=New current account
-NewSavingAccount=New savings account
-NewCashAccount=New cash account
-EditFinancialAccount=Edit account
-AccountSetup=Financial accounts setup
-SearchBankMovement=Search bank movement
-Debts=Debts
-LabelBankCashAccount=Bank or cash label
-AccountType=Account type
-BankType0=Savings account
-BankType1=Current or credit card account
-BankType2=Cash account
-IfBankAccount=If bank account
-AccountsArea=Accounts area
-AccountCard=Account card
-DeleteAccount=Delete account
-ConfirmDeleteAccount=Are you sure you want to delete this account ?
-Account=Account
-ByCategories=By categories
-ByRubriques=By categories
-BankTransactionByCategories=Bank transactions by categories
-BankTransactionForCategory=Bank transactions for category <b>%s</b>
-RemoveFromRubrique=Remove link with category
-RemoveFromRubriqueConfirm=Are you sure you want to remove link between the transaction and the category ?
-ListBankTransactions=List of bank transactions
-IdTransaction=Transaction ID
-BankTransactions=Bank transactions
-SearchTransaction=Search transaction
-ListTransactions=List transactions
-ListTransactionsByCategory=List transaction/category
-TransactionsToConciliate=Transactions to reconcile
-Conciliable=Can be reconciled
-Conciliate=Reconcile
-Conciliation=Reconciliation
-ConciliationForAccount=Reconcile this account
-IncludeClosedAccount=Include closed accounts
-OnlyOpenedAccount=Only open accounts
-AccountToCredit=Account to credit
-AccountToDebit=Account to debit
-DisableConciliation=Disable reconciliation feature for this account
-ConciliationDisabled=Reconciliation feature disabled
-StatusAccountOpened=Open
-StatusAccountClosed=Closed
-AccountIdShort=Number
-EditBankRecord=Edit record
-LineRecord=Transaction
-AddBankRecord=Add transaction
-AddBankRecordLong=Add transaction manually
-ConciliatedBy=Reconciled by
-DateConciliating=Reconcile date
-BankLineConciliated=Transaction reconciled
-CustomerInvoicePayment=Customer payment
-CustomerInvoicePaymentBack=Customer payment back
-SupplierInvoicePayment=Supplier payment
-WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
-FinancialAccountJournal=Financial account journal
-BankTransfer=Bank transfer
-BankTransfers=Bank transfers
-TransferDesc=Transfer from one account to another one, Dolibarr will write two records (a debit in source account and a credit in target account, of the same amount. The same label and date will be used for this transaction)
-TransferFrom=From
-TransferTo=To
-TransferFromToDone=A transfer from <b>%s</b> to <b>%s</b> of <b>%s</b> %s has been recorded.
-CheckTransmitter=Transmitter
-ValidateCheckReceipt=Validate this check receipt ?
-ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done ?
-DeleteCheckReceipt=Delete this check receipt ?
-ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt ?
-BankChecks=Bank checks
-BankChecksToReceipt=Checks waiting for deposit
-ShowCheckReceipt=Show check deposit receipt
-NumberOfCheques=Nb of check
-DeleteTransaction=Delete transaction
-ConfirmDeleteTransaction=Are you sure you want to delete this transaction ?
-ThisWillAlsoDeleteBankRecord=This will also delete generated bank transactions
-BankMovements=Movements
-CashBudget=Cash budget
-PlannedTransactions=Planned transactions
-Graph=Graphics
-ExportDataset_banque_1=Bank transactions and account statement
-ExportDataset_banque_2=Deposit slip
-TransactionOnTheOtherAccount=Transaction on the other account
-TransactionWithOtherAccount=Account transfer
-PaymentNumberUpdateSucceeded=Payment number updated succesfully
-PaymentNumberUpdateFailed=Payment number could not be updated
-PaymentDateUpdateSucceeded=Payment date update succesfully
-PaymentDateUpdateFailed=Payment date could not be updated
-Transactions=Transactions
-BankTransactionLine=Bank transaction
-AllAccounts=All bank/cash accounts
-BackToAccount=Back to account
-ShowAllAccounts=Show for all accounts
-FutureTransaction=Transaction in futur. No way to conciliate.
-SelectChequeTransactionAndGenerate=Select/filter checks to include into the check deposit receipt and click on "Create".
-InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD
-EventualyAddCategory=Eventually, specify a category in which to classify the records
-ToConciliate=To conciliate?
-ThenCheckLinesAndConciliate=Then, check the lines present in the bank statement and click
-BankDashboard=Bank accounts summary
-DefaultRIB=Default BAN
-AllRIB=All BAN
-LabelRIB=BAN Label
-NoBANRecord=No BAN record
-DeleteARib=Delete BAN record
-ConfirmDeleteRib=Are you sure you want to delete this BAN record ?
-StartDate=Start date
-EndDate=End date
diff --git a/htdocs/langs/es_CO/commercial.lang b/htdocs/langs/es_CO/commercial.lang
deleted file mode 100644
index 18d8db068019668b61d38d3d592361512787d725..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_CO/commercial.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - commercial
-ActionAffectedTo=Event assigned to
diff --git a/htdocs/langs/es_CO/companies.lang b/htdocs/langs/es_CO/companies.lang
index db3f185dec5ba594af086c8bec07938face1e5f5..991d9bdc7a9f8d23664a1fce557d07311f5cf782 100644
--- a/htdocs/langs/es_CO/companies.lang
+++ b/htdocs/langs/es_CO/companies.lang
@@ -1,419 +1,28 @@
 # Dolibarr language file - Source file is en_US - companies
-ErrorCompanyNameAlreadyExists=El nombre de la empresa %s ya existe. Indique otro.
-ErrorPrefixAlreadyExists=El prefijo %s ya existe. Indique otro.
-ErrorSetACountryFirst=Defina en primer lugar el país
-SelectThirdParty=Seleccionar un tercero
-DeleteThirdParty=Eliminar un tercero
 ConfirmDeleteCompany=¿Está seguro de querer eliminar esta empresa y toda la información contenida?
-DeleteContact=Eliminar un contacto
 ConfirmDeleteContact=¿Está seguro de querer eliminar este contacto y toda la información contenida?
-MenuNewThirdParty=Nuevo tercero
-MenuNewCompany=Nueva empresa
-MenuNewCustomer=Nuevo cliente
-MenuNewProspect=Nuevo cliente potencial
-MenuNewSupplier=Nuevo proveedor
-MenuNewPrivateIndividual=Nuevo particular
-MenuSocGroup=Grupos
-NewCompany=Nueva empresa (cliente potencial, cliente, proveedor)
-NewThirdParty=Nuevo tercero (cliente potencial, cliente, proveedor)
 NewSocGroup=Nueva alianza de empresas
-NewPrivateIndividual=Nuevo particular (cliente potencial, cliente, proveedor)
-CreateDolibarrThirdPartySupplier=Crear un tercero (proveedor)
-ProspectionArea=Área de prospección
 SocGroup=Alianza de empresas
-IdThirdParty=ID tercero
-IdCompany=Id empresa
-IdContact=Id contacto
-Contacts=Contactos
-ThirdPartyContacts=Contactos terceros
-ThirdPartyContact=Contacto tercero
-StatusContactValidated=Estado del contacto
-Company=Empresa
-CompanyName=Razón social
-Companies=Empresas
-CountryIsInEEC=País de la Comunidad Económica Europea
-ThirdPartyName=Nombre del tercero
-ThirdParty=Tercero
-ThirdParties=Terceros
-ThirdPartyAll=Terceros (todos)
-ThirdPartyProspects=Clientes potenciales
-ThirdPartyProspectsStats=Clientes potenciales
-ThirdPartyCustomers=Clientes
-ThirdPartyCustomersStats=Clientes
-ThirdPartyCustomersWithIdProf12=Clientes con %s ó %s
-ThirdPartySuppliers=Proveedores
-ThirdPartyType=Tipo de tercero
-Company/Fundation=Empresa/asociación
-Individual=Particular
-ToCreateContactWithSameName=Creará automáticamente un contacto físico con la misma información
 ParentCompany=Sede principal
 Subsidiary=Sucursal
 Subsidiaries=Sucursales
 NoSubsidiary=Ninguna sucursal
-ReportByCustomers=Informe por cliente
-ReportByQuarter=Informe por tasa
-CivilityCode=Código cortesía
 RegisteredOffice=Domicilio principal
-Name=Nombre
-Lastname=Apellidos
-Firstname=Nombre
 PostOrFunction=Cargo/función
-UserTitle=Título de cortesía
-Surname=Seudónimo
-Address=Dirección
 State=Departamento
-Region=Región
-Country=País
-CountryCode=Código país
-CountryId=Id país
-Phone=Teléfono
-Skype=Skype
-Call=Llamar
-Chat=Chat
-PhonePro=Teléf. trabajo
 PhonePerso=Teléf. personal
-PhoneMobile=Móvil
-No_Email=No enviar e-mails masivos
-Fax=Fax
-Zip=Código postal
-Town=Población
-Web=Web
-Poste= Puesto
-DefaultLang=Idioma por defecto
-VATIsUsed=Sujeto a IVA
-VATIsNotUsed=No sujeto a IVA
-CopyAddressFromSoc=Copiar dirección de la empresa
-NoEmailDefined=Sin e-mail definido
-##### Local Taxes #####
-LocalTax1IsUsedES= Sujeto a RE
-LocalTax1IsNotUsedES= No sujeto a RE
-LocalTax2IsUsedES= Sujeto a IRPF
-LocalTax2IsNotUsedES= No sujeto a IRPF
-LocalTax1ES=RE
-LocalTax2ES=IRPF
-TypeLocaltax1ES=Tasa RE
-TypeLocaltax2ES=Tasa IRPF
-TypeES=Tasa
-ThirdPartyEMail=%s
-WrongCustomerCode=Código cliente incorrecto
-WrongSupplierCode=Código proveedor incorrecto
-CustomerCodeModel=Modelo de código cliente
-SupplierCodeModel=Modelo de código proveedor
-Gencod=Código de barras
-##### Professional ID #####
-ProfId1Short=Prof. id 1
-ProfId2Short=Prof. id 2
-ProfId3Short=Prof. id 3
-ProfId4Short=Prof. id 4
-ProfId5Short=Prof. id 5
-ProfId6Short=Prof. id 6
-ProfId1=ID profesional 1
-ProfId2=ID profesional 2
-ProfId3=ID profesional 3
-ProfId4=ID profesional 4
-ProfId5=ID profesional 5
-ProfId6=ID profesional 6
-ProfId1AR=CUIT/CUIL
-ProfId2AR=Ingresos brutos
-ProfId3AR=-
-ProfId4AR=-
-ProfId5AR=-
-ProfId6AR=-
-ProfId1AU=ABN
-ProfId2AU=-
-ProfId3AU=-
-ProfId4AU=-
-ProfId5AU=-
-ProfId6AU=-
-ProfId1BE=N° colegiado
-ProfId2BE=-
-ProfId3BE=-
-ProfId4BE=-
-ProfId5BE=-
-ProfId6BE=-
-ProfId1BR=-
-ProfId2BR=IE (Inscricao Estadual)
-ProfId3BR=IM (Inscricao Municipal)
-ProfId4BR=CPF
-#ProfId5BR=CNAE
-#ProfId6BR=INSS
-ProfId1CH=-
-ProfId2CH=-
-ProfId3CH=Número federado
-ProfId4CH=Num registro de comercio
-ProfId5CH=-
-ProfId6CH=-
-ProfId1CL=R.U.T.
-ProfId2CL=-
-ProfId3CL=-
-ProfId4CL=-
-ProfId5CL=-
-ProfId6CL=-
-ProfId1CO=R.U.T.
 ProfId2CO=Identificación (CC, NIT, CE)
 ProfId3CO=CIIU
-ProfId4CO=-
-ProfId5CO=-
-ProfId6CO=-
-ProfId1DE=Id prof. 1 (USt.-IdNr)
-ProfId2DE=Id prof. 2 (USt.-Nr)
-ProfId3DE=Id prof. 3 (Handelsregister-Nr.)
-ProfId4DE=-
-ProfId5DE=-
-ProfId6DE=-
-ProfId1ES=CIF/NIF
-ProfId2ES=Núm. seguridad social
-ProfId3ES=CNAE
-ProfId4ES=Núm. colegiado
-ProfId5ES=-
-ProfId6ES=-
-ProfId1FR=SIREN
-ProfId2FR=SIRET
-ProfId3FR=NAF (Ex APE)
-ProfId4FR=RCS/RM
-ProfId5FR=-
-ProfId6FR=-
-ProfId1GB=Número registro
-ProfId2GB=-
-ProfId3GB=SIC
-ProfId4GB=-
-ProfId5GB=-
-ProfId6GB=-
-ProfId1HN=RTN
-ProfId2HN=-
-ProfId3HN=-
-ProfId4HN=-
-ProfId5HN=-
-ProfId6HN=-
-ProfId1IN=Id prof. 1 (TIN)
-ProfId2IN=Id prof. 2
-ProfId3IN=Id prof. 3
-ProfId4IN=Id prof. 4
-ProfId5IN=Id prof. 5
-ProfId6IN=-
-ProfId1MA=Id prof. 1 (R.C.)
-ProfId2MA=Id prof. 2 (Patente)
-ProfId3MA=Id prof. 3 (I.F.)
-ProfId4MA=Id prof. 4 (C.N.S.S.)
-ProfId5MA=-
-ProfId6MA=-
-ProfId1MX=R.F.C.
-ProfId2MX=Registro Patronal IMSS
-ProfId3MX=Cédula Profesional
-ProfId4MX=-
-ProfId5MX=-
-ProfId6MX=-
-ProfId1NL=Número KVK
-ProfId2NL=-
-ProfId3NL=-
-ProfId4NL=-
-ProfId5NL=-
-ProfId6NL=-
-ProfId1PT=NIPC
-ProfId2PT=Núm. seguridad social
-ProfId3PT=Num reg. comercial
-ProfId4PT=Conservatorio
-ProfId5PT=-
-ProfId6PT=-
-ProfId1SN=RC
-ProfId2SN=NINEA
-ProfId3SN=-
-ProfId4SN=-
-ProfId5SN=-
-ProfId6SN=-
-ProfId1TN=RC
-ProfId2TN=Matrícula fiscal
-ProfId3TN=Código en aduana
-ProfId4TN=CCC
-ProfId5TN=-
-ProfId6TN=-
-ProfId1RU=OGRN
-ProfId2RU=INN
-ProfId3RU=KPP
-ProfId4RU=OKPO
-ProfId5RU=-
-ProfId6RU=-
 VATIntra=NIT
 VATIntraShort=NIT
 VATIntraVeryShort=NIT
-VATIntraSyntaxIsValid=Sintaxis válida
-VATIntraValueIsValid=Valor válido
-ProspectCustomer=Cliente potencial/Cliente
-Prospect=Cliente potencial
-CustomerCard=Ficha cliente
-Customer=Cliente
-CustomerDiscount=Descuento cliente
-CustomerRelativeDiscount=Descuento cliente relativo
-CustomerAbsoluteDiscount=Descuento cliente fijo
-CustomerRelativeDiscountShort=Descuento relativo
-CustomerAbsoluteDiscountShort=Descuento fijo
-CompanyHasRelativeDiscount=Este cliente tiene un descuento por defecto de <b>%s%%</b>
-CompanyHasNoRelativeDiscount=Este cliente no tiene descuentos relativos por defecto
-CompanyHasAbsoluteDiscount=Este cliente tiene <b>%s %s</b> descuentos disponibles (descuentos, anticipos...)
-CompanyHasCreditNote=Este cliente tiene <b>%s %s</b> anticipos disponibles
-CompanyHasNoAbsoluteDiscount=Este cliente no tiene más descuentos fijos disponibles
-CustomerAbsoluteDiscountAllUsers=Descuentos fijos en curso (acordado por todos los usuarios)
-CustomerAbsoluteDiscountMy=Descuentos fijos en curso (acordados personalmente)
-DefaultDiscount=Descuento por defecto
-AvailableGlobalDiscounts=Descuentos fijos disponibles
-DiscountNone=Ninguna
-Supplier=Proveedor
-CompanyList=Listado de empresas
-AddContact=Crear contacto
-AddContactAddress=Crear contacto/dirección
-EditContact=Editar contacto
-EditContactAddress=Editar contacto/dirección
-Contact=Contacto
-ContactsAddresses=Contactos/Direcciones
-NoContactDefinedForThirdParty=Ningún contacto definido para este tercero
-NoContactDefined=Ningún contacto definido
-DefaultContact=Contacto por defecto
-AddCompany=Crear empresa
-AddThirdParty=Crear tercero
-DeleteACompany=Eliminar una empresa
-PersonalInformations=Información personal
-AccountancyCode=Código contable
-CustomerCode=Código cliente
-SupplierCode=Código proveedor
-CustomerAccount=Cuenta cliente
-SupplierAccount=Cuenta proveedor
-CustomerCodeDesc=Código único cliente para cada cliente
-SupplierCodeDesc=Código único proveedor para cada proveedor
-RequiredIfCustomer=Requerida si el tercero es un cliente o cliente potencial
-RequiredIfSupplier=Requerida si el tercero es un proveedor
-ValidityControledByModule=Validación controlada por el módulo
-ThisIsModuleRules=Esta es la regla para este módulo
-LastProspect=Ultimo cliente potencial
-ProspectToContact=Cliente potencial a contactar
-CompanyDeleted=La empresa "%s" ha sido eliminada
-ListOfContacts=Listado de contactos
-ListOfContactsAddresses=Listado de contactos/direcciones
-ListOfProspectsContacts=Listado de contactos clientes potenciales
-ListOfCustomersContacts=Listado de contactos clientes
-ListOfSuppliersContacts=Listado de contactos proveedores
-ListOfCompanies=Listado de empresas
-ListOfThirdParties=Listado de terceros
-ShowCompany=Mostar empresa
-ShowContact=Mostrar contacto
-ContactsAllShort=Todos (sin filtro)
-ContactType=Tipo de contacto
-ContactForOrders=Contacto de pedidos
-ContactForProposals=Contacto de presupuestos
-ContactForContracts=Contacto de contratos
-ContactForInvoices=Contacto de facturas
-NoContactForAnyOrder=Este contacto no es contacto de ningún pedido
 NoContactForAnyProposal=Este contacto no es contacto de ningúna cotización
-NoContactForAnyContract=Este contacto no es contacto de ningún contrato
-NoContactForAnyInvoice=Este contacto no es contacto de ninguna factura
-NewContact=Nuevo contacto
-NewContactAddress=Nuevo contacto/dirección
-LastContacts=Últimos contactos
-MyContacts=Mis contactos
-Phones=Teléfonos
-Capital=Capital
-CapitalOf=Capital de %s
-EditCompany=Modificar empresa
-EditDeliveryAddress=Modificar dirección de envío
-ThisUserIsNot=Este usuario no es ni un cliente potencial, ni un cliente, ni un proveedor
-VATIntraCheck=Verificar
 VATIntraCheckDesc=El link <b>%s</b> permite consultar al servicio RUES el NIT. Se requiere acceso a internet para que el servicio funcione
 VATIntraCheckURL=http://www.rues.org.co/RUES_Web/Consultas#tabs-3
 VATIntraCheckableOnEUSite=Verificar en la web
 VATIntraManualCheck=Puede también realizar una verificación manual en la web <a href="%s" target="_blank">%s</a>
-ErrorVATCheckMS_UNAVAILABLE=Comprobación imposible. El servicio de comprobación no es prestado por el país país miembro (%s).
-NorProspectNorCustomer=Ni cliente, ni cliente potencial
-JuridicalStatus=Forma jurídica
-Staff=Empleados
-ProspectLevelShort=Potencial
-ProspectLevel=Cliente potencial
-ContactPrivate=Privado
-ContactPublic=Compartido
-ContactVisibility=Visibilidad
-OthersNotLinkedToThirdParty=Otros, no enlazado a un tercero
-ProspectStatus=Estado cliente potencial
-PL_NONE=Ninguno
-PL_UNKNOWN=Desconocido
-PL_LOW=Bajo
-PL_MEDIUM=Medio
-PL_HIGH=Alto
-TE_UNKNOWN=-
-TE_STARTUP=Startup
-TE_GROUP=Gran empresa
-TE_MEDIUM=PYME
-TE_ADMIN=Administración
-TE_SMALL=TPE
-TE_RETAIL=Minorista
-TE_WHOLE=Mayorista
-TE_PRIVATE=Particular
-TE_OTHER=Otro
-StatusProspect-1=No contactar
-StatusProspect0=Nunca contactado
-StatusProspect1=A contactar
-StatusProspect2=Contacto en curso
-StatusProspect3=Contacto realizado
-ChangeDoNotContact=Cambiar el estado a 'No contactar'
-ChangeNeverContacted=Cambiar el estado a 'Nunca contactado'
-ChangeToContact=Cambiar el estado a 'A contactar'
-ChangeContactInProcess=Cambiar el estado a 'Contacto en curso'
-ChangeContactDone=Cambiar el estado a 'Contacto realizado'
-ProspectsByStatus=Clientes potenciales por estado
-BillingContact=Contacto facturación
-NbOfAttachedFiles=Nª de archivos adjuntos
-AttachANewFile=Adjuntar un nuevo archivo
-NoRIB=Ninguna cuenta definida
-NoParentCompany=Ninguna
-ExportImport=Importar-Exportar
-ExportCardToFormat=Exportar ficha a formato
-ContactNotLinkedToCompany=Contacto no vinculado a un tercero
-DolibarrLogin=Login usuario
-NoDolibarrAccess=Sin acceso de usuario
-ExportDataset_company_1=Terceros (Empresas/asociaciones/personas físicas) y propiedades
-ExportDataset_company_2=Contactos de terceros y atributos
-ImportDataset_company_1=Terceros (Empresas/asociaciones/personas físicas) y propiedades
-ImportDataset_company_2=Contactos/Direcciones (de terceros o no) y atributos
-ImportDataset_company_3=Cuentas bancarias
-PriceLevel=Nivel de precios
-DeliveriesAddress=Dirección(es) de envío
-DeliveryAddress=Dirección de envío
-DeliveryAddressLabel=Etiqueta de envío
-DeleteDeliveryAddress=Eliminar una dirección de envío
 ConfirmDeleteDeliveryAddress=¿Está seguro que quiere eliminar esta dirección de envío?
-NewDeliveryAddress=Nueva dirección de envío
 AddDeliveryAddress=Añadir la dirección
-AddAddress=Crear dirección
-NoOtherDeliveryAddress=No hay direcciones alternativas definidas
-SupplierCategory=Categoría de proveedor
-JuridicalStatus200=Independiente
-DeleteFile=Eliminación de un archivo
 ConfirmDeleteFile=¿Está seguro que quiere eliminar este archivo?
-AllocateCommercial=Asignar un comercial
-SelectCountry=Seleccionar un país
-SelectCompany=Selecionar un tercero
-Organization=Organismo
-AutomaticallyGenerated=Generado automáticamente
-FiscalYearInformation=Información del año fiscal
-FiscalMonthStart=Mes de inicio de ejercicio
-YouMustCreateContactFirst=Debe establecer contactos con e-mail en los terceros para poder configurarles notificaciones por e-mail.
-ListSuppliersShort=Listado de proveedores
-ListProspectsShort=Listado de clientes potenciales
-ListCustomersShort=Listado de clientes
 ThirdPartiesArea=Área Terceros
-LastModifiedThirdParties=Los %s últimos terceros modificados
-UniqueThirdParties=Total de terceros únicos
-InActivity=Activo
-ActivityCeased=Cerrado
-ActivityStateFilter=Estado de actividad
-ProductsIntoElements=Listado de productos en %s
-CurrentOutstandingBill=Riesgo alcanzado
-OutstandingBill=Importe máximo para facturas pendientes
-OutstandingBillReached=Importe máximo alcanzado
-MonkeyNumRefModelDesc=Devuelve un número bajo el formato %syymm-nnnn para los códigos de clientes y %syymm-nnnn para los códigos de los proveedores, donde yy es el año, mm el mes y nnnn un contador secuencial sin ruptura y sin volver a 0.
-LeopardNumRefModelDesc=Código de cliente/proveedor libre sin verificación. Puede ser modificado en cualquier momento.
 ManagingDirectors=Administrador(es) (CEO, gerente, director, presidente, etc.)
-SearchThirdparty=Search third party
-SearchContact=Buscar contacto
-MergeOriginThirdparty=Duplicate third party (third party you want to delete)
-MergeThirdparties=Merge third parties
-ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one ? All linked objects (invoices, orders, ...) will be moved to current third party so you will be able to delete the duplicate one.
-ThirdpartiesMergeSuccess=Thirdparties have been merged
-ErrorThirdpartiesMerge=There was an error when deleting the thirdparties. Please check the log. Changes have been reverted.
diff --git a/htdocs/langs/es_CO/interventions.lang b/htdocs/langs/es_CO/interventions.lang
deleted file mode 100644
index 84b26b1f95e09fc2fc1872c75da0c2922d92c3e8..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_CO/interventions.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - interventions
-PrintProductsOnFichinterDetails=interventions generated from orders
diff --git a/htdocs/langs/es_CO/mails.lang b/htdocs/langs/es_CO/mails.lang
deleted file mode 100644
index 001b237ca8c71c5d3e7f887ac925918c2945842e..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_CO/mails.lang
+++ /dev/null
@@ -1,143 +0,0 @@
-# Dolibarr language file - Source file is en_US - mails
-Mailing=EMailing
-EMailing=EMailing
-Mailings=EMailings
-EMailings=EMailings
-AllEMailings=All eMailings
-MailCard=EMailing card
-MailTargets=Targets
-MailRecipients=Recipients
-MailRecipient=Recipient
-MailTitle=Description
-MailFrom=Sender
-MailErrorsTo=Errors to
-MailReply=Reply to
-MailTo=Receiver(s)
-MailCC=Copy to
-MailCCC=Cached copy to
-MailTopic=EMail topic
-MailText=Message
-MailFile=Attached files
-MailMessage=EMail body
-ShowEMailing=Show emailing
-ListOfEMailings=List of emailings
-NewMailing=New emailing
-EditMailing=Edit emailing
-ResetMailing=Resend emailing
-DeleteMailing=Delete emailing
-DeleteAMailing=Delete an emailing
-PreviewMailing=Preview emailing
-PrepareMailing=Prepare emailing
-CreateMailing=Create emailing
-MailingDesc=This page allows you to send emailings to a group of people.
-MailingResult=Sending emails result
-TestMailing=Test email
-ValidMailing=Valid emailing
-ApproveMailing=Approve emailing
-MailingStatusDraft=Draft
-MailingStatusValidated=Validated
-MailingStatusApproved=Approved
-MailingStatusSent=Sent
-MailingStatusSentPartialy=Sent partialy
-MailingStatusSentCompletely=Sent completely
-MailingStatusError=Error
-MailingStatusNotSent=Not sent
-MailSuccessfulySent=Email successfully sent (from %s to %s)
-MailingSuccessfullyValidated=EMailing successfully validated
-MailUnsubcribe=Unsubscribe
-Unsuscribe=Unsubscribe
-MailingStatusNotContact=Don't contact anymore
-ErrorMailRecipientIsEmpty=Email recipient is empty
-WarningNoEMailsAdded=No new Email to add to recipient's list.
-ConfirmValidMailing=Are you sure you want to validate this emailing ?
-ConfirmResetMailing=Warning, by reinitializing emailing <b>%s</b>, you allow to make a mass sending of this email another time. Are you sure you this is what you want to do ?
-ConfirmDeleteMailing=Are you sure you want to delete this emailling ?
-NbOfRecipients=Number of recipients
-NbOfUniqueEMails=Nb of unique emails
-NbOfEMails=Nb of EMails
-TotalNbOfDistinctRecipients=Number of distinct recipients
-NoTargetYet=No recipients defined yet (Go on tab 'Recipients')
-AddRecipients=Add recipients
-RemoveRecipient=Remove recipient
-CommonSubstitutions=Common substitutions
-YouCanAddYourOwnPredefindedListHere=To create your email selector module, see htdocs/core/modules/mailings/README.
-EMailTestSubstitutionReplacedByGenericValues=When using test mode, substitutions variables are replaced by generic values
-MailingAddFile=Attach this file
-NoAttachedFiles=No attached files
-BadEMail=Bad value for EMail
-CloneEMailing=Clone Emailing
-ConfirmCloneEMailing=Are you sure you want to clone this emailing ?
-CloneContent=Clone message
-CloneReceivers=Cloner recipients
-DateLastSend=Date of last sending
-DateSending=Date sending
-SentTo=Sent to <b>%s</b>
-MailingStatusRead=Read
-CheckRead=Read Receipt
-YourMailUnsubcribeOK=The email <b>%s</b>  is correctly unsubcribe from mailing list
-MailtoEMail=Hyper link to email
-ActivateCheckRead=Allow to use the "Unsubcribe" link
-ActivateCheckReadKey=Key used to encrypt URL used 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
-RemindSent=%s reminder(s) sent
-AllRecipientSelectedForRemind=All thirdparties selected and if an email is set (note that one mail per invoice will be sent)
-NoRemindSent=No EMail reminder sent
-ResultOfMassSending=Result of mass EMail reminders sending
-
-# Libelle des modules de liste de destinataires mailing
-MailingModuleDescContactCompanies=Contacts/addresses of all third parties (customer, prospect, supplier, ...)
-MailingModuleDescDolibarrUsers=Dolibarr users
-MailingModuleDescFundationMembers=Foundation members with emails
-MailingModuleDescEmailsFromFile=EMails from a text file (email;lastname;firstname;other)
-MailingModuleDescEmailsFromUser=EMails from user input (email;lastname;firstname;other)
-MailingModuleDescContactsCategories=Third parties (by category)
-MailingModuleDescDolibarrContractsLinesExpired=Third parties with expired contract's lines
-MailingModuleDescContactsByCompanyCategory=Contacts/addresses of third parties (by third parties category)
-MailingModuleDescContactsByCategory=Contacts/addresses of third parties by category
-MailingModuleDescMembersCategories=Foundation members (by categories)
-MailingModuleDescContactsByFunction=Contacts/addresses of third parties (by position/function)
-LineInFile=Line %s in file
-RecipientSelectionModules=Defined requests for recipient's selection
-MailSelectedRecipients=Selected recipients
-MailingArea=EMailings area
-LastMailings=Last %s emailings
-TargetsStatistics=Targets statistics
-NbOfCompaniesContacts=Unique contacts/addresses
-MailNoChangePossible=Recipients for validated emailing can't be changed
-SearchAMailing=Search mailing
-SendMailing=Send emailing
-SendMail=Send email
-SentBy=Sent by
-MailingNeedCommand=For security reason, sending an emailing is better when performed from command line. If you have one, ask your server administrator to launch the following command to send the emailing to all recipients:
-MailingNeedCommand2=You can however send them online by adding parameter MAILING_LIMIT_SENDBYWEB with value of max number of emails you want to send by session. For this, go on Home - Setup - Other.
-ConfirmSendingEmailing=If you can't or prefer sending them with your www browser, please confirm you are sure you want to send emailing now from your browser ?
-LimitSendingEmailing=Note: Sending of emailings from web interface is done in several times for security and timeout reasons, <b>%s</b> recipients at a time for each sending session.
-TargetsReset=Clear list
-ToClearAllRecipientsClickHere=Click here to clear the recipient list for this emailing
-ToAddRecipientsChooseHere=Add recipients by choosing from the lists
-NbOfEMailingsReceived=Mass emailings received
-NbOfEMailingsSend=Mass emailings sent
-IdRecord=ID record
-DeliveryReceipt=Delivery Receipt
-YouCanUseCommaSeparatorForSeveralRecipients=You can use the <b>comma</b> separator to specify several recipients.
-TagCheckMail=Track mail opening
-TagUnsubscribe=Unsubscribe link
-TagSignature=Signature sending user
-TagMailtoEmail=Recipient EMail
-# Module Notifications
-Notifications=Notifications
-NoNotificationsWillBeSent=No email notifications are planned for this event and company
-ANotificationsWillBeSent=1 notification will be sent by email
-SomeNotificationsWillBeSent=%s notifications will be sent by email
-AddNewNotification=Activate a new email notification target
-ListOfActiveNotifications=List all active email notification targets
-ListOfNotificationsDone=List all email notifications sent
-MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing.
-MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter <strong>'%s'</strong> to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature.
-MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s.
-YouCanAlsoUseSupervisorKeyword=You can also add the keyword <strong>__SUPERVISOREMAIL__</strong> to have email being sent to the supervisor of user (works only if an email is defined for this supervisor)
-NbOfTargetedContacts=Current number of targeted contact emails
diff --git a/htdocs/langs/es_CO/main.lang b/htdocs/langs/es_CO/main.lang
index 0ad9199f5849ad8021984aebd1bde50661eef03e..c46dbeb8b3195c32473b757ba4c4517188d5acc2 100644
--- a/htdocs/langs/es_CO/main.lang
+++ b/htdocs/langs/es_CO/main.lang
@@ -1,9 +1,5 @@
 # Dolibarr language file - Source file is en_US - main
 DIRECTION=ltr
-# Note for Chinese:
-# msungstdlight or cid0ct are for traditional Chinese (traditional does not render with Ubuntu pdf reader)
-# stsongstdlight or cid0cs are for simplified Chinese
-# To read Chinese pdf with Linux: sudo apt-get install poppler-data
 FONTFORPDF=helvetica
 FONTSIZEFORPDF=10
 SeparatorDecimal=,
@@ -23,719 +19,24 @@ FormatDateHourShort=%d/%m/%Y %H:%M
 FormatDateHourSecShort=%d/%m/%Y %H:%M:%S
 FormatDateHourTextShort=%d %b %Y %H:%M
 FormatDateHourText=%d %B %Y %H:%M
-DatabaseConnection=Conexión a la base de datos
-NoTranslation=Sin traducción
 NoRecordFound=No se encontraron registros
-NoError=Ningún error
-Error=Error
-ErrorFieldRequired=El campo '%s' es obligatorio
-ErrorFieldFormat=El campo '%s' tiene un valor incorrecto
-ErrorFileDoesNotExists=El archivo %s no existe
-ErrorFailedToOpenFile=Imposible abrir el archivo %s
-ErrorCanNotCreateDir=Imposible crear el directorio %s
-ErrorCanNotReadDir=Imposible leer el directorio %s
-ErrorConstantNotDefined=Parámetro %s no definido
-ErrorUnknown=Error desconocido
-ErrorSQL=Error de SQL
-ErrorLogoFileNotFound=El archivo logo '%s' no se encuentra
-ErrorGoToGlobalSetup=Vaya a la Configuración ' Empresa/Institución ' para corregir
-ErrorGoToModuleSetup=Vaya a la configuración del módulo para corregir
-ErrorFailedToSendMail=Error en el envío del e-mail (emisor=%s, destinatario=%s)
-ErrorAttachedFilesDisabled=La gestión de los archivos asociados está desactivada en este servidor
 ErrorFileNotUploaded=El archivo no se transifirió. Compruebe que el tamaño no supere el máximo permitido, el espacio libre disponible en el disco y que no hay un archivo con el mismo nombre en el directorio destino.
-ErrorInternalErrorDetected=Error detectado
 ErrorNoRequestRan=No hay petición
-ErrorWrongHostParameter=Parámetro Servidor inválido
-ErrorYourCountryIsNotDefined=Su país no está definido. Corríjalo yendo a Inicio-Configuración-Empresa/Institución-Editar
-ErrorRecordIsUsedByChild=Imposible de suprimir este registro. Esta siendo utilizado como padre por al menos un registro hijo.
-ErrorWrongValue=Valor incorrecto
-ErrorWrongValueForParameterX=Valor incorrecto del parámetro %s
-ErrorNoRequestInError=Ninguna petición en error
-ErrorServiceUnavailableTryLater=Servicio no disponible actualmente. Vuélvalo a intentar más tarde.
-ErrorDuplicateField=Duplicado en un campo único
 ErrorSomeErrorWereFoundRollbackIsDone=Se encontraron algunos errores. Modificaciones sin aplicar.
-ErrorConfigParameterNotDefined=El parámetro <b>%s</b> no está definido en el archivo de configuración Dolibarr <b>conf.php</b>.
-ErrorCantLoadUserFromDolibarrDatabase=Imposible encontrar el usuario <b>%s</b> en la base de datos Dolibarr.
-ErrorNoVATRateDefinedForSellerCountry=Error, ningún tipo de IVA definido para el país '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no hay tipo de carga social definida para el país '%s'.
-ErrorFailedToSaveFile=Error, el registro del archivo falló.
-SetDate=Fijar fecha
-SelectDate=Seleccione una fecha
-SeeAlso=Ver también %s
 SeeHere=Ver aquí
-BackgroundColorByDefault=Color de fondo
 FileNotUploaded=El archivo no se subió
-FileUploaded=El archivo se ha subido correctamente
 FileWasNotUploaded=Un archivo ha sido seleccionado para adjuntarlo, pero aún no se ha subido. Haga clic en "Adjuntar este archivo".
-NbOfEntries=Nº de entradas
-GoToWikiHelpPage=Consultar la ayuda (puede requerir acceso a Internet)
-GoToHelpPage=Consultar la ayuda
-RecordSaved=Registro guardado
-RecordDeleted=Registro eliminado
-LevelOfFeature=Nivel de funciones
-NotDefined=No definida
-DefinedAndHasThisValue=Definido y con valor a
-IsNotDefined=no definido
-DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr está configurado en modo de autentificación <b>%s</b> en el archivo de configuración <b>conf.php</b>.<br> Eso significa que la base de datos de las contraseñas es externa a Dolibarr, por eso toda modificación de este campo puede resultar sin efecto alguno.
-Administrator=Administrador
-Undefined=No definido
-PasswordForgotten=¿Olvidó su contraseña?
 SeeAbove=Ver arriba
-HomeArea=Área inicio
-LastConnexion=Última conexión
-PreviousConnexion=Conexión anterior
-ConnectedOnMultiCompany=Conexión a la entidad
-ConnectedSince=Conectado desde
-AuthenticationMode=Modo de autentificación
-RequestedUrl=URL solicitada
-DatabaseTypeManager=Tipo de gestor de base de datos
-RequestLastAccess=Petición último acceso a la base de datos
-RequestLastAccessInError=Petición último acceso a la base de datos erróneo
-ReturnCodeLastAccessInError=Código devuelto último acceso a la base de datos erróneo
-InformationLastAccessInError=Información sobre el último acceso a la base de datos erróneo
-DolibarrHasDetectedError=Dolibarr ha detectado un error técnico
 InformationToHelpDiagnose=Esta es una información que puede ayudar de diagnóstico
-MoreInformation=Más información
-TechnicalInformation=Información técnica
-NotePublic=Nota (pública)
-NotePrivate=Nota (privada)
-PrecisionUnitIsLimitedToXDecimals=Dolibarr está configurado para limitar la precisión de los precios unitarios a <b>%s</b> decimales.
-DoTest=Probar
-ToFilter=Filtrar
-WarningYouHaveAtLeastOneTaskLate=Atención, tiene al menos un elemento que ha pasado la fecha de tolerancia.
-yes=sí
-Yes=Sí
-no=no
-No=No
-All=Todo
-Home=Inicio
-Help=Ayuda
-OnlineHelp=Ayuda en línea
-PageWiki=Página Wiki
-Always=Siempre
-Never=Nunca
-Under=Bajo
-Period=Periodo
-PeriodEndDate=Fecha fin periodo
-Activate=Activar
-Activated=Activado
-Closed=Cerrado
-Closed2=Cerrado
-Enabled=Activado
-Deprecated=Obsoleto
-Disable=Desactivar
-Disabled=Desactivado
-Add=Añadir
-AddLink=Enlazar
-Update=Modificar
-AddActionToDo=Añadir acción a realizar
-AddActionDone=Añadir acción realizada
-Close=Cerrar
-Close2=Cerrar
-Confirm=Confirmar
-ConfirmSendCardByMail=¿Quiere enviar el contenido de esta ficha por e-mail a la dirección <b>%s</b>?
-Delete=Eliminar
-Remove=Retirar
-Resiliate=Cancelar
-Cancel=Anular
-Modify=Modificar
-Edit=Editar
-Validate=Validar
 ValidateAndApprove=Validar y aprobar
-ToValidate=A validar
-Save=Grabar
-SaveAs=Grabar como
-TestConnection=Probar la conexión
-ToClone=Copiar
-ConfirmClone=Seleccione los datos que desea copiar:
-NoCloneOptionsSpecified=No hay datos definidos para copiar
-Of=de
-Go=Ir
-Run=Lanzar
-CopyOf=Copia de
-Show=Ver
-ShowCardHere=Ver la ficha aquí
-Search=Buscar
-SearchOf=Búsqueda de
-Valid=Validar
-Approve=Aprobar
-Disapprove=Desaprobar
-ReOpen=Reabrir
-Upload=Enviar archivo
-ToLink=Enlace
-Select=Seleccionar
-Choose=Elegir
-ChooseLangage=Elegir su idioma
-Resize=Redimensionar
-Recenter=Encuadrar
-Author=Autor
-User=Usuario
-Users=Usuarios
-Group=Grupo
-Groups=Grupos
 NoUserGroupDefined=No hay grupo de usuario definido
-Password=Contraseña
-PasswordRetype=Repetir contraseña
-NoteSomeFeaturesAreDisabled=Atención, sólo unos pocos módulos/funcionalidades han sido activados en esta demo.
-Name=Nombre
-Person=Persona
-Parameter=Parámetro
-Parameters=Parámetros
-Value=Valor
-GlobalValue=Valor global
-PersonalValue=Valor personalizado
-NewValue=Nuevo valor
-CurrentValue=Valor actual
-Code=Código
-Type=Tipo
-Language=Idioma
-MultiLanguage=Multiidioma
-Note=Nota
-CurrentNote=Nota actual
-Title=Título
-Label=Etiqueta
-RefOrLabel=Ref. o etiqueta
-Info=Log
-Family=Familia
-Description=Descripción
-Designation=Descripción
-Model=Modelo
-DefaultModel=Modelo por defecto
-Action=Acción
-About=Acerca de
-Number=Número
-NumberByMonth=Número por mes
-AmountByMonth=Importe por mes
-Numero=Número
-Limit=Límite
-Limits=Límites
-DevelopmentTeam=Equipo de desarrollo
-Logout=Desconexión
-NoLogoutProcessWithAuthMode=Sin funcionalidades de desconexión con el modo de autenticación <b>%s</b>
-Connection=Conexión
-Setup=Configuración
-Alert=Alerta
-Previous=Anterior
-Next=Siguiente
-Cards=Fichas
-Card=Ficha
-Now=Ahora
-HourStart=Start hour
-Date=Fecha
-DateAndHour=Fecha y hora
-DateStart=Fecha inicio
-DateEnd=Fecha fin
-DateCreation=Fecha de creación
-DateModification=Fecha de modificación
 DateModificationShort=Fecha modificación
-DateLastModification=Fecha última modificación
-DateValidation=Fecha de validación
-DateClosing=Fecha de cierre
-DateDue=Fecha de vencimiento
-DateValue=Fecha valor
-DateValueShort=Fecha valor
-DateOperation=Fecha operación
-DateOperationShort=Fecha op.
-DateLimit=Fecha límite
-DateRequest=Fecha consulta
-DateProcess=Fecha proceso
-DatePlanShort=Fecha planif.
-DateRealShort=Fecha real
-DateBuild=Fecha generación del informe
-DatePayment=Fecha pago
-DateApprove=Approving date
-DateApprove2=Approving date (second approval)
-DurationYear=año
-DurationMonth=mes
-DurationWeek=semana
-DurationDay=día
-DurationYears=años
-DurationMonths=meses
-DurationWeeks=semanas
-DurationDays=días
-Year=Año
-Month=Mes
-Week=Semana
-Day=Día
-Hour=Hora
-Minute=Minuto
-Second=Segundo
-Years=Años
-Months=Meses
-Days=Días
-days=días
-Hours=Horas
-Minutes=Minutos
-Seconds=Segundos
-Weeks=Semanas
-Today=Hoy
-Yesterday=Ayer
-Tomorrow=Mañana
-Morning=Mañana
-Afternoon=Tarde
-Quadri=Trimestre
-MonthOfDay=Mes del día
-HourShort=H
-MinuteShort=mn
-Rate=Tipo
 UseLocalTax=Incluir impuestos
-Bytes=Bytes
-KiloBytes=Kilobytes
-MegaBytes=Megabytes
-GigaBytes=Gigabytes
-TeraBytes=Terabytes
-b=b.
-Kb=Kb
-Mb=Mb
-Gb=Gb
-Tb=Tb
-Cut=Cortar
-Copy=Copiar
-Paste=Pegar
-Default=Predeterminado
-DefaultValue=Valor por defecto
-DefaultGlobalValue=Valor global
-Price=Precio
-UnitPrice=Precio unitario
-UnitPriceHT=Precio base
-UnitPriceTTC=Precio unitario total
-PriceU=P.U.
-PriceUHT=P.U.
-AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=P.U. Total
-Amount=Importe
-AmountInvoice=Importe factura
-AmountPayment=Importe pago
-AmountHTShort=Base imp.
-AmountTTCShort=Importe
-AmountHT=Base imponible
-AmountTTC=Importe total
-AmountVAT=Importe IVA
-AmountLT1=Importe Impuesto 2
-AmountLT2=Importe Impuesto 3
-AmountLT1ES=Importe RE
-AmountLT2ES=Importe IRPF
-AmountTotal=Importe total
-AmountAverage=Importe medio
-PriceQtyHT=Precio para la cantidad total
-PriceQtyMinHT=Precio cantidad min. total
-PriceQtyTTC=Precio total para la cantidad
-PriceQtyMinTTC=Precio cantidad min. total
-Percentage=Porcentaje
-Total=Total
-SubTotal=Subtotal
-TotalHTShort=Importe
-TotalTTCShort=Total
-TotalHT=Base imponible
-TotalHTforthispage=Total (base imponible) de esta página
-TotalTTC=Total
-TotalTTCToYourCredit=Total a crédito
-TotalVAT=Total IVA
-TotalLT1=Total Impuesto 2
-TotalLT2=Total Impuesto 3
-TotalLT1ES=Total RE
-TotalLT2ES=Total IRPF
-IncludedVAT=IVA incluido
-HT=Sin IVA
-TTC=IVA incluido
-VAT=IVA
-LT1ES=RE
-LT2ES=IRPF
-VATRate=Tasa IVA
-Average=Media
-Sum=Suma
-Delta=Diferencia
-Module=Módulo
-Option=Opción
-List=Listado
-FullList=Listado completo
-Statistics=Estadísticas
-OtherStatistics=Otras estadísticas
-Status=Estado
-Favorite=Favorito
-ShortInfo=Info.
-Ref=Ref.
-ExternalRef=Ref. extern
-RefSupplier=Ref. proveedor
-RefPayment=Ref. pago
 CommercialProposalsShort=Cotizaciones
-Comment=Comentario
-Comments=Comentarios
-ActionsToDo=Eventos a realizar
-ActionsDone=Eventos realizados
-ActionsToDoShort=A realizar
-ActionsRunningshort=Pago parcial
-ActionsDoneShort=Realizadas
-ActionNotApplicable=No aplicable
-ActionRunningNotStarted=No empezado
-ActionRunningShort=Empezado
-ActionDoneShort=Terminado
-ActionUncomplete=Incompleto
-CompanyFoundation=Empresa o institución
-ContactsForCompany=Contactos de este tercero
-ContactsAddressesForCompany=Contactos/direcciones de este tercero
-AddressesForCompany=Direcciones de este tercero
-ActionsOnCompany=Eventos respecto a este tercero
-ActionsOnMember=Eventos respecto a este miembro
-NActions=%s eventos
-NActionsLate=%s en retraso
 RequestAlreadyDone=La solicitud ya ha sido procesada
-Filter=Filtro
-RemoveFilter=Eliminar filtro
-ChartGenerated=Gráficos generados
-ChartNotGenerated=Gráfico no generado
-GeneratedOn=Generado el %s
-Generate=Generar
-Duration=Duración
-TotalDuration=Duración total
-Summary=Resumen
-MyBookmarks=Mis marcadores
-OtherInformationsBoxes=Otros paneles de información
-DolibarrBoard=Indicadores
-DolibarrStateBoard=Estadísticas
-DolibarrWorkBoard=Indicadores de trabajo
-Available=Disponible
-NotYetAvailable=Aún no disponible
-NotAvailable=No disponible
-Popularity=Popularidad
-Categories=Tags/categories
-Category=Tag/category
-By=Por
-From=De
-to=a
-and=y
-or=o
-Other=Otro
-Others=Otros
-OtherInformations=Otras informaciones
-Quantity=Cantidad
-Qty=Cant.
-ChangedBy=Modificado por
-ApprovedBy=Approved by
-ApprovedBy2=Approved by (second approval)
-Approved=Approved
-Refused=Refused
-ReCalculate=Recalcular
-ResultOk=Éxito
-ResultKo=Error
-Reporting=Informe
-Reportings=Informes
-Draft=Borrador
-Drafts=Borradores
-Validated=Validado
-Opened=Open
-New=Nuevo
-Discount=Descuento
-Unknown=Desconocido
-General=General
-Size=Tamaño
-Received=Recibido
-Paid=Pagado
-Topic=Asunto
-ByCompanies=Por empresa
-ByUsers=Por usuario
-Links=Enlaces
-Link=Enlace
-Receipts=Recibos
-Rejects=Devoluciones
-Preview=Vista previa
-NextStep=Siguiente paso
-PreviousStep=Paso anterior
-Datas=Datos
-None=Nada
-NoneF=Ninguna
-Late=Retraso
-Photo=Foto
-Photos=Fotos
-AddPhoto=Añadir foto
-Login=Login
-CurrentLogin=Login actual
-January=enero
-February=febrero
-March=marzo
-April=abril
-May=mayo
-June=junio
-July=julio
-August=agosto
-September=septiembre
-October=octubre
-November=noviembre
 December=diciembre
-JanuaryMin=Ene
-FebruaryMin=Feb
-MarchMin=Mar
-AprilMin=Abr
-MayMin=May
-JuneMin=Jun
-JulyMin=Jul
-AugustMin=Ago
-SeptemberMin=Sep
-OctoberMin=Oct
-NovemberMin=Nov
-DecemberMin=Dec
-Month01=enero
-Month02=febrero
-Month03=marzo
-Month04=abril
-Month05=mayo
-Month06=junio
-Month07=julio
-Month08=agosto
-Month09=septiembre
-Month10=octubre
-Month11=noviembre
-Month12=diciembre
-MonthShort01=ene.
-MonthShort02=feb.
-MonthShort03=mar.
-MonthShort04=abr.
-MonthShort05=may.
-MonthShort06=jun.
-MonthShort07=jul.
-MonthShort08=ago.
-MonthShort09=sep.
-MonthShort10=oct.
-MonthShort11=nov.
-MonthShort12=dic.
-AttachedFiles=Archivos y documentos adjuntos
-FileTransferComplete=Se transfirió correctamente el archivo
-DateFormatYYYYMM=YYYY-MM
-DateFormatYYYYMMDD=YYYY-MM-DD
-DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS
-ReportName=Nombre del informe
-ReportPeriod=Periodo de análisis
-ReportDescription=Descripción
-Report=Informe
-Keyword=Clave
-Legend=Leyenda
-FillTownFromZip=Indicar población
-Fill=Rellenar
-Reset=Vaciar
-ShowLog=Ver histórico
-File=Archivo
-Files=Archivos
-NotAllowed=No autorizado
-ReadPermissionNotAllowed=Lectura no autorizada
-AmountInCurrency=Importes visualizados en %s
-Example=Ejemplo
-Examples=Ejemplos
-NoExample=Sin ejemplo
-FindBug=Señalar un bug
-NbOfThirdParties=Número de terceros
-NbOfCustomers=Numero de clientes
-NbOfLines=Números de líneas
-NbOfObjects=Número de objetos
 NbOfReferers=Número de remitentes
-Referers=Objetos vinculados
-TotalQuantity=Cantidad total
-DateFromTo=De %s a %s
-DateFrom=A partir de %s
-DateUntil=Hasta %s
-Check=Verificar
-Uncheck=Uncheck
-Internal=Interno
-External=Externo
-Internals=Internos
-Externals=Externos
-Warning=Alerta
-Warnings=Alertas
-BuildPDF=Generar el PDF
-RebuildPDF=Regenerar el PDF
-BuildDoc=Generar el documento
-RebuildDoc=Regenerar el documento
-Entity=Entidad
-Entities=Entidades
-EventLogs=Log
-CustomerPreview=Historial cliente
-SupplierPreview=Historial proveedor
-AccountancyPreview=Historial contable
-ShowCustomerPreview=Ver historial cliente
-ShowSupplierPreview=Ver historial proveedor
-ShowAccountancyPreview=Ver historial contable
-ShowProspectPreview=Ver historial cliente potencial
-RefCustomer=Ref. cliente
 Currency=Moneda
-InfoAdmin=Información para los administradores
-Undo=Anular
-Redo=Rehacer
-ExpandAll=Expandir todo
-UndoExpandAll=Contraer todo
-Reason=Razón
-FeatureNotYetSupported=Funcionalidad aún no soportada
-CloseWindow=Cerrar ventana
-Question=Pregunta
-Response=Respuesta
-Priority=Prioridad
-SendByMail=Enviar por e-mail
-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.
-Refresh=Refrescar
-BackToList=Volver al listado
-GoBack=Volver atrás
-CanBeModifiedIfOk=Puede modificarse si es valido
-CanBeModifiedIfKo=Puede modificarse si no es valido
-RecordModifiedSuccessfully=Registro modificado con éxito
-RecordsModified=%s registros modificados
-AutomaticCode=Creación automática de código
-NotManaged=No generado
-FeatureDisabled=Función desactivada
-MoveBox=Desplazar el panel %s
-Offered=Oferta
-NotEnoughPermissions=No tiene permisos para esta acción
-SessionName=Nombre sesión
-Method=Método
-Receive=Recepción
-PartialWoman=Parcial
-PartialMan=Parcial
-TotalWoman=Total
-TotalMan=Total
-NeverReceived=Nunca recibido
-Canceled=Cancelado
-YouCanChangeValuesForThisListFromDictionarySetup=Puede cambiar estos valores en el menú configuración->diccionarios
-Color=Color
-Documents=Documentos
-DocumentsNb=archivos adjuntos (%s)
-Documents2=Documentos
-BuildDocuments=Documentos generados
-UploadDisabled=Subida desactivada
-MenuECM=Documentos
-MenuAWStats=AWStats
-MenuMembers=Miembros
-MenuAgendaGoogle=Agenda Google
-ThisLimitIsDefinedInSetup=Límite Dolibarr (Menú inicio-configuración-seguridad): %s Kb, PHP limit: %s Kb
-NoFileFound=No hay documentos guardados en este directorio
-CurrentUserLanguage=Idioma actual
-CurrentTheme=Tema actual
-CurrentMenuManager=Gestor menú actual
-DisabledModules=Módulos desactivados
-For=Para
-ForCustomer=Para cliente
-Signature=Firma
-HidePassword=Mostrar comando con contraseña oculta
-UnHidePassword=Mostrar comando con contraseña a la vista
-Root=Raíz
-Informations=Información
-Page=Página
-Notes=Notas
-AddNewLine=Añadir nueva línea
-AddFile=Añadir archivo
-ListOfFiles=Listado de archivos disponibles
-FreeZone=Entrada libre
-FreeLineOfType=Entrada libre del tipo
-CloneMainAttributes=Clonar el objeto con estos atributos principales
-PDFMerge=Fusión PDF
-Merge=Fusión
-PrintContentArea=Mostrar página de impresión de la zona central
-MenuManager=Gestor de menú
-NoMenu=Ningún submenú
-WarningYouAreInMaintenanceMode=Atención, está en modo mantenimiento, así que solamente el login <b>%s</b> está autorizado para utilizar la aplicación en este momento.
-CoreErrorTitle=Error del sistema
-CoreErrorMessage=Lo sentimos, se ha producido un error. Verifique los logs o contacte con el administrador del sistema.
-CreditCard=Tarjeta de crédito
-FieldsWithAreMandatory=Los campos marcados por un <b>%s</b> son obligatorios
-FieldsWithIsForPublic=Los campos marcados por <b>%s</b> se mostrarán en la lista pública de miembros. Si no desea verlos, desactive la casilla "público".
-AccordingToGeoIPDatabase=(Obtenido por conversión GeoIP)
-Line=Línea
-NotSupported=No soportado
-RequiredField=Campo obligatorio
-Result=Resultado
-ToTest=Probar
-ValidateBefore=Para poder usar esta función debe validarse la ficha
-Visibility=Visibilidad
-Private=Privado
-Hidden=Caché
-Resources=Recursos
-Source=Origen
-Prefix=Prefijo
-Before=Antes
-After=Después
-IPAddress=Dirección IP
-Frequency=Frecuencia
-IM=Mensajería instantánea
-NewAttribute=Nuevo atributo
-AttributeCode=Código atributo
-OptionalFieldsSetup=Configuración de los atributos opcionales
-URLPhoto=Url de la foto/logo
-SetLinkToThirdParty=Vincular a otro tercero
-CreateDraft=Crear borrador
-SetToDraft=Volver a borrador
-ClickToEdit=Clic para editar
-ObjectDeleted=Objeto %s eliminado
-ByCountry=Par país
-ByTown=Por población
-ByDate=Por fecha
-ByMonthYear=Por mes/año
-ByYear=Por año
-ByMonth=Por mes
-ByDay=Por día
-BySalesRepresentative=Por comercial
-LinkedToSpecificUsers=Enlazado a un contacto de usuario particular
-DeleteAFile=Eliminación de archivo
-ConfirmDeleteAFile=Confirme la eliminación del archivo
-NoResults=Ningún resultado
-SystemTools=System tools
-ModulesSystemTools=Utilidades módulos
-Test=Prueba
-Element=Elemento
-NoPhotoYet=No hay fotografía disponible
-HomeDashboard=Resumen
-Deductible=Deducible
-from=de
-toward=hacia
-Access=Acceso
-HelpCopyToClipboard=Use Ctrl+C para copiar al portapapeles
-SaveUploadedFileWithMask=Guardar el archivo con el nombre "<strong>%s</strong>" (sino "%s")
-OriginFileName=Nombre del archivo origen
-SetDemandReason=Definir origen
-SetBankAccount=Definir cuenta bancaria
-AccountCurrency=Divisa de la cuenta
-ViewPrivateNote=Ver notas
-XMoreLines=%s línea(s) ocultas
-PublicUrl=URL pública
-AddBox=Añadir caja
 SelectElementAndClickRefresh=Seleccione un elemento y haga clic en Actualizar
 PrintFile=Imprimir archivo %s
 ShowTransaction=Mostrar transacción
-GoIntoSetupToChangeLogo=Go into Home - Setup - Company to change logo or go into Home - Setup - Display to hide.
-Deny=Deny
-Denied=Denied
-ListOfTemplates=List of templates
-Genderman=Man
-Genderwoman=Woman
-# Week day
-Monday=Lunes
-Tuesday=Martes
-Wednesday=Miércoles
-Thursday=Jueves
-Friday=Viernes
-Saturday=Sábado
-Sunday=Domingo
-MondayMin=Lu
-TuesdayMin=Ma
-WednesdayMin=Mi
-ThursdayMin=Ju
-FridayMin=Vi
-SaturdayMin=Sa
-SundayMin=Do
-Day1=Lunes
-Day2=Martes
-Day3=Miércoles
-Day4=Jueves
-Day5=Viernes
-Day6=Sábado
-Day0=Domingo
-ShortMonday=L
-ShortTuesday=M
-ShortWednesday=Mi
-ShortThursday=J
-ShortFriday=V
-ShortSaturday=S
-ShortSunday=D
-SelectMailModel=Select email template
diff --git a/htdocs/langs/es_CO/orders.lang b/htdocs/langs/es_CO/orders.lang
deleted file mode 100644
index 55802b4bb48c4486460ffacc3e045ff3dd64ad4f..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_CO/orders.lang
+++ /dev/null
@@ -1,173 +0,0 @@
-# Dolibarr language file - Source file is en_US - orders
-OrdersArea=Customers orders area
-SuppliersOrdersArea=Suppliers orders area
-OrderCard=Order card
-OrderId=Order Id
-Order=Order
-Orders=Orders
-OrderLine=Order line
-OrderFollow=Follow up
-OrderDate=Order date
-OrderToProcess=Order to process
-NewOrder=New order
-ToOrder=Make order
-MakeOrder=Make order
-SupplierOrder=Supplier order
-SuppliersOrders=Suppliers orders
-SuppliersOrdersRunning=Current suppliers orders
-CustomerOrder=Customer order
-CustomersOrders=Customer orders
-CustomersOrdersRunning=Current customer orders
-CustomersOrdersAndOrdersLines=Customer orders and order lines
-OrdersToValid=Customer orders to validate
-OrdersToBill=Customer orders delivered
-OrdersInProcess=Customer orders in process
-OrdersToProcess=Customer orders to process
-SuppliersOrdersToProcess=Supplier orders to process
-StatusOrderCanceledShort=Canceled
-StatusOrderDraftShort=Draft
-StatusOrderValidatedShort=Validated
-StatusOrderSentShort=In process
-StatusOrderSent=Shipment in process
-StatusOrderOnProcessShort=Ordered
-StatusOrderProcessedShort=Processed
-StatusOrderToBillShort=Delivered
-StatusOrderToBill2Short=To bill
-StatusOrderApprovedShort=Approved
-StatusOrderRefusedShort=Refused
-StatusOrderToProcessShort=To process
-StatusOrderReceivedPartiallyShort=Partially received
-StatusOrderReceivedAllShort=Everything received
-StatusOrderCanceled=Canceled
-StatusOrderDraft=Draft (needs to be validated)
-StatusOrderValidated=Validated
-StatusOrderOnProcess=Ordered - Standby reception
-StatusOrderOnProcessWithValidation=Ordered - Standby reception or validation
-StatusOrderProcessed=Processed
-StatusOrderToBill=Delivered
-StatusOrderToBill2=To bill
-StatusOrderApproved=Approved
-StatusOrderRefused=Refused
-StatusOrderReceivedPartially=Partially received
-StatusOrderReceivedAll=Everything received
-ShippingExist=A shipment exists
-ProductQtyInDraft=Product quantity into draft orders
-ProductQtyInDraftOrWaitingApproved=Product quantity into draft or approved orders, not yet ordered
-DraftOrWaitingApproved=Draft or approved not yet ordered
-DraftOrWaitingShipped=Draft or validated not yet shipped
-MenuOrdersToBill=Orders delivered
-MenuOrdersToBill2=Billable orders
-SearchOrder=Search order
-SearchACustomerOrder=Search a customer order
-SearchASupplierOrder=Search a supplier order
-ShipProduct=Ship product
-Discount=Discount
-CreateOrder=Create Order
-RefuseOrder=Refuse order
-ApproveOrder=Approve order
-Approve2Order=Approve order (second level)
-ValidateOrder=Validate order
-UnvalidateOrder=Unvalidate order
-DeleteOrder=Delete order
-CancelOrder=Cancel order
-AddOrder=Create order
-AddToMyOrders=Add to my orders
-AddToOtherOrders=Add to other orders
-AddToDraftOrders=Add to draft order
-ShowOrder=Show order
-OrdersOpened=Orders to process
-NoOpenedOrders=No open orders
-NoOtherOpenedOrders=No other open orders
-NoDraftOrders=No draft orders
-OtherOrders=Other orders
-LastOrders=Last %s customer orders
-LastCustomerOrders=Last %s customer orders
-LastSupplierOrders=Last %s supplier orders
-LastModifiedOrders=Last %s modified orders
-LastClosedOrders=Last %s closed orders
-AllOrders=All orders
-NbOfOrders=Number of orders
-OrdersStatistics=Order's statistics
-OrdersStatisticsSuppliers=Supplier order's statistics
-NumberOfOrdersByMonth=Number of orders by month
-AmountOfOrdersByMonthHT=Amount of orders by month (net of tax)
-ListOfOrders=List of orders
-CloseOrder=Close order
-ConfirmCloseOrder=Are you sure you want to set this order to deliverd ? Once an order is delivered, it can be set to billed.
-ConfirmCloseOrderIfSending=Are you sure you want to close this order ? You must close an order only when all shipping are done.
-ConfirmDeleteOrder=Are you sure you want to delete this order ?
-ConfirmValidateOrder=Are you sure you want to validate this order under name <b>%s</b> ?
-ConfirmUnvalidateOrder=Are you sure you want to restore order <b>%s</b> to draft status ?
-ConfirmCancelOrder=Are you sure you want to cancel this order ?
-ConfirmMakeOrder=Are you sure you want to confirm you made this order on <b>%s</b> ?
-GenerateBill=Generate invoice
-ClassifyShipped=Classify delivered
-ClassifyBilled=Classify billed
-ComptaCard=Accountancy card
-DraftOrders=Draft orders
-RelatedOrders=Related orders
-RelatedCustomerOrders=Related customer orders
-RelatedSupplierOrders=Related supplier orders
-OnProcessOrders=In process orders
-RefOrder=Ref. order
-RefCustomerOrder=Ref. customer order
-RefCustomerOrderShort=Ref. cust. order
-SendOrderByMail=Send order by mail
-ActionsOnOrder=Events on order
-NoArticleOfTypeProduct=No article of type 'product' so no shippable article for this order
-OrderMode=Order method
-AuthorRequest=Request author
-UseCustomerContactAsOrderRecipientIfExist=Use customer contact address if defined instead of third party address as order recipient address
-RunningOrders=Orders on process
-UserWithApproveOrderGrant=Users granted with "approve orders" permission.
-PaymentOrderRef=Payment of order %s
-CloneOrder=Clone order
-ConfirmCloneOrder=Are you sure you want to clone this order <b>%s</b> ?
-DispatchSupplierOrder=Receiving supplier order %s
-FirstApprovalAlreadyDone=First approval already done
-##### Types de contacts #####
-TypeContact_commande_internal_SALESREPFOLL=Representative following-up customer order
-TypeContact_commande_internal_SHIPPING=Representative following-up shipping
-TypeContact_commande_external_BILLING=Customer invoice contact
-TypeContact_commande_external_SHIPPING=Customer shipping contact
-TypeContact_commande_external_CUSTOMER=Customer contact following-up order
-TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up supplier order
-TypeContact_order_supplier_internal_SHIPPING=Representative following-up shipping
-TypeContact_order_supplier_external_BILLING=Supplier invoice contact
-TypeContact_order_supplier_external_SHIPPING=Supplier shipping contact
-TypeContact_order_supplier_external_CUSTOMER=Supplier contact following-up order
-
-Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Constant COMMANDE_SUPPLIER_ADDON not defined
-Error_COMMANDE_ADDON_NotDefined=Constant COMMANDE_ADDON not defined
-Error_FailedToLoad_COMMANDE_SUPPLIER_ADDON_File=Failed to load module file '%s'
-Error_FailedToLoad_COMMANDE_ADDON_File=Failed to load module file '%s'
-Error_OrderNotChecked=No orders to invoice selected
-# Sources
-OrderSource0=Commercial proposal
-OrderSource1=Internet
-OrderSource2=Mail campaign
-OrderSource3=Phone compaign
-OrderSource4=Fax campaign
-OrderSource5=Commercial
-OrderSource6=Store
-QtyOrdered=Qty ordered
-AddDeliveryCostLine=Add a delivery cost line indicating the weight of the order
-# Documents models
-PDFEinsteinDescription=A complete order model (logo...)
-PDFEdisonDescription=A simple order model
-PDFProformaDescription=A complete proforma invoice (logo…)
-# Orders modes
-OrderByMail=Mail
-OrderByFax=Fax
-OrderByEMail=EMail
-OrderByWWW=Online
-OrderByPhone=Phone
-CreateInvoiceForThisCustomer=Bill orders
-NoOrdersToInvoice=No orders billable
-CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders.
-OrderCreation=Order creation
-Ordered=Ordered
-OrderCreated=Your orders have been created
-OrderFail=An error happened during your orders creation
-CreateOrders=Create orders
-ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s".
diff --git a/htdocs/langs/es_CO/other.lang b/htdocs/langs/es_CO/other.lang
deleted file mode 100644
index c49606b8f7504a06d7daba530169d75d21dc7607..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_CO/other.lang
+++ /dev/null
@@ -1,242 +0,0 @@
-# Dolibarr language file - Source file is en_US - other
-SecurityCode=Security code
-Calendar=Calendar
-Tools=Tools
-ToolsDesc=This area is dedicated to group miscellaneous tools not available into other menu entries.<br><br>Those tools can be reached from menu on the side.
-Birthday=Birthday
-BirthdayDate=Birthday
-DateToBirth=Date of birth
-BirthdayAlertOn= birthday alert active
-BirthdayAlertOff= birthday alert inactive
-Notify_FICHINTER_VALIDATE=Intervention validated
-Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
-Notify_BILL_VALIDATE=Customer invoice validated
-Notify_BILL_UNVALIDATE=Customer invoice unvalidated
-Notify_ORDER_SUPPLIER_VALIDATE=Supplier order recorded
-Notify_ORDER_SUPPLIER_APPROVE=Supplier order approved
-Notify_ORDER_SUPPLIER_REFUSE=Supplier order refused
-Notify_ORDER_VALIDATE=Customer order validated
-Notify_PROPAL_VALIDATE=Customer proposal validated
-Notify_PROPAL_CLOSE_SIGNED=Customer propal closed signed
-Notify_PROPAL_CLOSE_REFUSED=Customer propal closed refused
-Notify_WITHDRAW_TRANSMIT=Transmission withdrawal
-Notify_WITHDRAW_CREDIT=Credit withdrawal
-Notify_WITHDRAW_EMIT=Perform withdrawal
-Notify_ORDER_SENTBYMAIL=Customer order sent by mail
-Notify_COMPANY_CREATE=Third party created
-Notify_COMPANY_SENTBYMAIL=Mails sent from third party card
-Notify_PROPAL_SENTBYMAIL=Commercial proposal sent by mail
-Notify_BILL_PAYED=Customer invoice payed
-Notify_BILL_CANCEL=Customer invoice canceled
-Notify_BILL_SENTBYMAIL=Customer invoice sent by mail
-Notify_ORDER_SUPPLIER_VALIDATE=Supplier order recorded
-Notify_ORDER_SUPPLIER_SENTBYMAIL=Supplier order sent by mail
-Notify_BILL_SUPPLIER_VALIDATE=Supplier invoice validated
-Notify_BILL_SUPPLIER_PAYED=Supplier invoice payed
-Notify_BILL_SUPPLIER_SENTBYMAIL=Supplier invoice sent by mail
-Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled
-Notify_CONTRACT_VALIDATE=Contract validated
-Notify_FICHEINTER_VALIDATE=Intervention validated
-Notify_SHIPPING_VALIDATE=Shipping validated
-Notify_SHIPPING_SENTBYMAIL=Shipping sent by mail
-Notify_MEMBER_VALIDATE=Member validated
-Notify_MEMBER_MODIFY=Member modified
-Notify_MEMBER_SUBSCRIPTION=Member subscribed
-Notify_MEMBER_RESILIATE=Member resiliated
-Notify_MEMBER_DELETE=Member deleted
-Notify_PROJECT_CREATE=Project creation
-Notify_TASK_CREATE=Task created
-Notify_TASK_MODIFY=Task modified
-Notify_TASK_DELETE=Task deleted
-SeeModuleSetup=See setup of module %s
-NbOfAttachedFiles=Number of attached files/documents
-TotalSizeOfAttachedFiles=Total size of attached files/documents
-MaxSize=Maximum size
-AttachANewFile=Attach a new file/document
-LinkedObject=Linked object
-Miscellaneous=Miscellaneous
-NbOfActiveNotifications=Number of notifications (nb of recipient emails)
-PredefinedMailTest=This is a test mail.\nThe two lines are separated by a carriage return.\n\n__SIGNATURE__
-PredefinedMailTestHtml=This is a <b>test</b> mail (the word test must be in bold).<br>The two lines are separated by a carriage return.<br><br>__SIGNATURE__
-PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendInvoiceReminder=__CONTACTCIVNAME__\n\nWe would like to warn you that the invoice  __FACREF__ seems to not being payed. So this is the invoice in attachment again, as a reminder.\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendProposal=__CONTACTCIVNAME__\n\nYou will find here the commercial proposal __PROPREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendAskPriceSupplier=__CONTACTCIVNAME__\n\nYou will find here the price request __ASKREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendOrder=__CONTACTCIVNAME__\n\nYou will find here the order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__\n\nYou will find here our order __ORDERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendShipping=__CONTACTCIVNAME__\n\nYou will find here the shipping __SHIPPINGREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentSendFichInter=__CONTACTCIVNAME__\n\nYou will find here the intervention __FICHINTERREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
-PredefinedMailContentThirdparty=__CONTACTCIVNAME__\n\n__PERSONALIZED__\n\n__SIGNATURE__
-DemoDesc=Dolibarr is a compact ERP/CRM composed by several functional modules. A demo that includes all modules does not mean anything as this never occurs. So, several demo profiles are available.
-ChooseYourDemoProfil=Choose the demo profile that match your activity...
-DemoFundation=Manage members of a foundation
-DemoFundation2=Manage members and bank account of a foundation
-DemoCompanyServiceOnly=Manage a freelance activity selling service only
-DemoCompanyShopWithCashDesk=Manage a shop with a cash desk
-DemoCompanyProductAndStocks=Manage a small or medium company selling products
-DemoCompanyAll=Manage a small or medium company with multiple activities (all main modules)
-GoToDemo=Go to demo
-CreatedBy=Created by %s
-ModifiedBy=Modified by %s
-ValidatedBy=Validated by %s
-CanceledBy=Canceled by %s
-ClosedBy=Closed by %s
-CreatedById=User id who created
-ModifiedById=User id who made last change
-ValidatedById=User id who validated
-CanceledById=User id who canceled
-ClosedById=User id who closed
-CreatedByLogin=User login who created
-ModifiedByLogin=User login who made last change
-ValidatedByLogin=User login who validated
-CanceledByLogin=User login who canceled
-ClosedByLogin=User login who closed
-FileWasRemoved=File %s was removed
-DirWasRemoved=Directory %s was removed
-FeatureNotYetAvailableShort=Available in a next version
-FeatureNotYetAvailable=Feature not yet available in this version
-FeatureExperimental=Experimental feature. Not stable in this version
-FeatureDevelopment=Development feature. Not stable in this version
-FeaturesSupported=Features supported
-Width=Width
-Height=Height
-Depth=Depth
-Top=Top
-Bottom=Bottom
-Left=Left
-Right=Right
-CalculatedWeight=Calculated weight
-CalculatedVolume=Calculated volume
-Weight=Weight
-TotalWeight=Total weight
-WeightUnitton=tonnes
-WeightUnitkg=kg
-WeightUnitg=g
-WeightUnitmg=mg
-WeightUnitpound=pound
-Length=Length
-LengthUnitm=m
-LengthUnitdm=dm
-LengthUnitcm=cm
-LengthUnitmm=mm
-Surface=Area
-SurfaceUnitm2=m2
-SurfaceUnitdm2=dm2
-SurfaceUnitcm2=cm2
-SurfaceUnitmm2=mm2
-SurfaceUnitfoot2=ft2
-SurfaceUnitinch2=in2
-Volume=Volume
-TotalVolume=Total volume
-VolumeUnitm3=m3
-VolumeUnitdm3=dm3
-VolumeUnitcm3=cm3
-VolumeUnitmm3=mm3
-VolumeUnitfoot3=ft3
-VolumeUnitinch3=in3
-VolumeUnitounce=ounce
-VolumeUnitlitre=litre
-VolumeUnitgallon=gallon
-Size=size
-SizeUnitm=m
-SizeUnitdm=dm
-SizeUnitcm=cm
-SizeUnitmm=mm
-SizeUnitinch=inch
-SizeUnitfoot=foot
-SizeUnitpoint=point
-BugTracker=Bug tracker
-SendNewPasswordDesc=This form allows you to request a new password. It will be send to your email address.<br>Change will be effective only after clicking on confirmation link inside this email.<br>Check your email reader software.
-BackToLoginPage=Back to login page
-AuthenticationDoesNotAllowSendNewPassword=Authentication mode is <b>%s</b>.<br>In this mode, Dolibarr can't know nor change your password.<br>Contact your system administrator if you want to change your password.
-EnableGDLibraryDesc=Install or enable GD library with your PHP for use this option.
-EnablePhpAVModuleDesc=You need to install a module compatible with your anti-virus. (Clamav : php4-clamavlib ou php5-clamavlib)
-ProfIdShortDesc=<b>Prof Id %s</b> is an information depending on third party country.<br>For example, for country <b>%s</b>, it's code <b>%s</b>.
-DolibarrDemo=Dolibarr ERP/CRM demo
-StatsByNumberOfUnits=Statistics in number of products/services units
-StatsByNumberOfEntities=Statistics in number of referring entities
-NumberOfProposals=Number of proposals on last 12 month
-NumberOfCustomerOrders=Number of customer orders on last 12 month
-NumberOfCustomerInvoices=Number of customer invoices on last 12 month
-NumberOfSupplierOrders=Number of supplier orders on last 12 month
-NumberOfSupplierInvoices=Number of supplier invoices on last 12 month
-NumberOfUnitsProposals=Number of units on proposals on last 12 month
-NumberOfUnitsCustomerOrders=Number of units on customer orders on last 12 month
-NumberOfUnitsCustomerInvoices=Number of units on customer invoices on last 12 month
-NumberOfUnitsSupplierOrders=Number of units on supplier orders on last 12 month
-NumberOfUnitsSupplierInvoices=Number of units on supplier invoices on last 12 month
-EMailTextInterventionValidated=The intervention %s has been validated.
-EMailTextInvoiceValidated=The invoice %s has been validated.
-EMailTextProposalValidated=The proposal %s has been validated.
-EMailTextOrderValidated=The order %s has been validated.
-EMailTextOrderApproved=The order %s has been approved.
-EMailTextOrderValidatedBy=The order %s has been recorded by %s.
-EMailTextOrderApprovedBy=The order %s has been approved by %s.
-EMailTextOrderRefused=The order %s has been refused.
-EMailTextOrderRefusedBy=The order %s has been refused by %s.
-EMailTextExpeditionValidated=The shipping %s has been validated.
-ImportedWithSet=Importation data set
-DolibarrNotification=Automatic notification
-ResizeDesc=Enter new width <b>OR</b> new height. Ratio will be kept during resizing...
-NewLength=New width
-NewHeight=New height
-NewSizeAfterCropping=New size after cropping
-DefineNewAreaToPick=Define new area on image to pick (left click on image then drag until you reach the opposite corner)
-CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is informations on current edited image
-ImageEditor=Image editor
-YouReceiveMailBecauseOfNotification=You receive this message because your email has been added to list of targets to be informed of particular events into %s software of %s.
-YouReceiveMailBecauseOfNotification2=This event is the following:
-ThisIsListOfModules=This is a list of modules preselected by this demo profile (only most common modules are visible in this demo). Edit this to have a more personalized demo and click on "Start".
-ClickHere=Click here
-UseAdvancedPerms=Use the advanced permissions of some modules
-FileFormat=File format
-SelectAColor=Choose a color
-AddFiles=Add Files
-StartUpload=Start upload
-CancelUpload=Cancel upload
-FileIsTooBig=Files is too big
-PleaseBePatient=Please be patient...
-RequestToResetPasswordReceived=A request to change your Dolibarr password has been received
-NewKeyIs=This is your new keys to login
-NewKeyWillBe=Your new key to login to software will be
-ClickHereToGoTo=Click here to go to %s
-YouMustClickToChange=You must however first click on the following link to validate this password change
-ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe.
-IfAmountHigherThan=If amount higher than <strong>%s</strong>
-SourcesRepository=Repository for sources
-
-##### Calendar common #####
-AddCalendarEntry=Add entry in calendar %s
-NewCompanyToDolibarr=Company %s added
-ContractValidatedInDolibarr=Contract %s validated
-ContractCanceledInDolibarr=Contract %s canceled
-ContractClosedInDolibarr=Contract %s closed
-PropalClosedSignedInDolibarr=Proposal %s signed
-PropalClosedRefusedInDolibarr=Proposal %s refused
-PropalValidatedInDolibarr=Proposal %s validated
-PropalClassifiedBilledInDolibarr=Proposal %s classified billed
-InvoiceValidatedInDolibarr=Invoice %s validated
-InvoicePaidInDolibarr=Invoice %s changed to paid
-InvoiceCanceledInDolibarr=Invoice %s canceled
-PaymentDoneInDolibarr=Payment %s done
-CustomerPaymentDoneInDolibarr=Customer payment %s done
-SupplierPaymentDoneInDolibarr=Supplier payment %s done
-MemberValidatedInDolibarr=Member %s validated
-MemberResiliatedInDolibarr=Member %s resiliated
-MemberDeletedInDolibarr=Member %s deleted
-MemberSubscriptionAddedInDolibarr=Subscription for member %s added
-ShipmentValidatedInDolibarr=Shipment %s validated
-ShipmentDeletedInDolibarr=Shipment %s deleted
-##### Export #####
-Export=Export
-ExportsArea=Exports area
-AvailableFormats=Available formats
-LibraryUsed=Librairy used
-LibraryVersion=Version
-ExportableDatas=Exportable data
-NoExportableData=No exportable data (no modules with exportable data loaded, or missing permissions)
-ToExport=Export
-NewExport=New export
-##### External sites #####
-ExternalSites=External sites
diff --git a/htdocs/langs/es_CO/productbatch.lang b/htdocs/langs/es_CO/productbatch.lang
deleted file mode 100644
index 37ceaa49b382be34c3ec4577cc01d40d91c61efe..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_CO/productbatch.lang
+++ /dev/null
@@ -1,22 +0,0 @@
-# ProductBATCH language file - en_US - ProductBATCH
-ManageLotSerial=Use lot/serial number
-ProductStatusOnBatch=Yes (lot/serial required)
-ProductStatusNotOnBatch=No (lot/serial not used)
-ProductStatusOnBatchShort=Yes
-ProductStatusNotOnBatchShort=No
-Batch=Lot/Serial
-atleast1batchfield=Eat-by date or Sell-by date or Lot/Serial number
-batch_number=Lot/Serial number
-BatchNumberShort=Lot/Serial
-l_eatby=Eat-by date
-l_sellby=Sell-by date
-DetailBatchNumber=Lot/Serial details
-DetailBatchFormat=Lot/Serial: %s - Eat by: %s - Sell by: %s (Qty : %d)
-printBatch=Lot/Serial: %s
-printEatby=Eat-by: %s
-printSellby=Sell-by: %s
-printQty=Qty: %d
-AddDispatchBatchLine=Add a line for Shelf Life dispatching
-BatchDefaultNumber=Undefined
-WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, increase/decrease stock mode is forced to last choice and can't be edited. Other options can be defined as you want.
-ProductDoesNotUseBatchSerial=This product does not use lot/serial number
diff --git a/htdocs/langs/es_CO/salaries.lang b/htdocs/langs/es_CO/salaries.lang
index d68fb423024b4910e8c0cc426669735440b67120..a9438eb4f6633e7ff339fb221ec9e112eea15c5d 100644
--- a/htdocs/langs/es_CO/salaries.lang
+++ b/htdocs/langs/es_CO/salaries.lang
@@ -1,15 +1,5 @@
-# Dolibarr language file - Source file is en_US - users
+# Dolibarr language file - Source file is en_US - salaries
 SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Código contable para pagos de salarios
 SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Código contable para cargo financiero
-Salary=Salario
-Salaries=Salarios
-Employee=Empleado
-NewSalaryPayment=Nuevo pago
-SalaryPayment=Pago de salario
-SalariesPayments=Pagos de salarios
-ShowSalaryPayment=Ver pago
 THM=Valor de hora promedio
 TJM=Valor día promedio
-CurrentSalary=Salario actual
-THMDescription=This value may be used to calculate cost of time consumed on a project entered by users if module project is used
-TJMDescription=This value is currently as information only and is not used for any calculation
diff --git a/htdocs/langs/es_CO/stocks.lang b/htdocs/langs/es_CO/stocks.lang
deleted file mode 100644
index 7aeef1c96414b7c022420907803398303d9af080..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_CO/stocks.lang
+++ /dev/null
@@ -1,140 +0,0 @@
-# Dolibarr language file - Source file is en_US - stocks
-WarehouseCard=Warehouse card
-Warehouse=Warehouse
-Warehouses=Warehouses
-NewWarehouse=New warehouse / Stock area
-WarehouseEdit=Modify warehouse
-MenuNewWarehouse=New warehouse
-WarehouseOpened=Warehouse open
-WarehouseClosed=Warehouse closed
-WarehouseSource=Source warehouse
-WarehouseSourceNotDefined=No warehouse defined,
-AddOne=Add one
-WarehouseTarget=Target warehouse
-ValidateSending=Delete sending
-CancelSending=Cancel sending
-DeleteSending=Delete sending
-Stock=Stock
-Stocks=Stocks
-StocksByLotSerial=Stock by lot/serial
-Movement=Movement
-Movements=Movements
-ErrorWarehouseRefRequired=Warehouse reference name is required
-ErrorWarehouseLabelRequired=Warehouse label is required
-CorrectStock=Correct stock
-ListOfWarehouses=List of warehouses
-ListOfStockMovements=List of stock movements
-StocksArea=Warehouses area
-Location=Location
-LocationSummary=Short name location
-NumberOfDifferentProducts=Number of different products
-NumberOfProducts=Total number of products
-LastMovement=Last movement
-LastMovements=Last movements
-Units=Units
-Unit=Unit
-StockCorrection=Correct stock
-StockTransfer=Stock transfer
-StockMovement=Transfer
-StockMovements=Stock transfers
-LabelMovement=Movement label
-NumberOfUnit=Number of units
-UnitPurchaseValue=Unit purchase price
-TotalStock=Total in stock
-StockTooLow=Stock too low
-StockLowerThanLimit=Stock lower than alert limit
-EnhancedValue=Value
-PMPValue=Weighted average price
-PMPValueShort=WAP
-EnhancedValueOfWarehouses=Warehouses value
-UserWarehouseAutoCreate=Create a warehouse automatically when creating a user
-IndependantSubProductStock=Product stock and subproduct stock are independant
-QtyDispatched=Quantity dispatched
-QtyDispatchedShort=Qty dispatched
-QtyToDispatchShort=Qty to dispatch
-OrderDispatch=Stock dispatching
-RuleForStockManagementDecrease=Rule for stock management decrease
-RuleForStockManagementIncrease=Rule for stock management increase
-DeStockOnBill=Decrease real stocks on customers invoices/credit notes validation
-DeStockOnValidateOrder=Decrease real stocks on customers orders validation
-DeStockOnShipment=Decrease real stocks on shipment validation
-ReStockOnBill=Increase real stocks on suppliers invoices/credit notes validation
-ReStockOnValidateOrder=Increase real stocks on suppliers orders approbation
-ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouses, after supplier order receiving
-ReStockOnDeleteInvoice=Increase real stocks on invoice deletion
-OrderStatusNotReadyToDispatch=Order has not yet or no more a status that allows dispatching of products in stock warehouses.
-StockDiffPhysicTeoric=Explanation for difference between physical and theoretical stock
-NoPredefinedProductToDispatch=No predefined products for this object. So no dispatching in stock is required.
-DispatchVerb=Dispatch
-StockLimitShort=Limit for alert
-StockLimit=Stock limit for alert
-PhysicalStock=Physical stock
-RealStock=Real Stock
-VirtualStock=Virtual stock
-MininumStock=Minimum stock
-StockUp=Stock up
-MininumStockShort=Stock min
-StockUpShort=Stock up
-IdWarehouse=Id warehouse
-DescWareHouse=Description warehouse
-LieuWareHouse=Localisation warehouse
-WarehousesAndProducts=Warehouses and products
-WarehousesAndProductsBatchDetail=Warehouses and products (with detail per lot/serial)
-AverageUnitPricePMPShort=Weighted average input price
-AverageUnitPricePMP=Weighted average input price
-SellPriceMin=Selling Unit Price
-EstimatedStockValueSellShort=Value to sell
-EstimatedStockValueSell=Value to Sell
-EstimatedStockValueShort=Input stock value
-EstimatedStockValue=Input stock value
-DeleteAWarehouse=Delete a warehouse
-ConfirmDeleteWarehouse=Are you sure you want to delete the warehouse <b>%s</b> ?
-PersonalStock=Personal stock %s
-ThisWarehouseIsPersonalStock=This warehouse represents personal stock of %s %s
-SelectWarehouseForStockDecrease=Choose warehouse to use for stock decrease
-SelectWarehouseForStockIncrease=Choose warehouse to use for stock increase
-NoStockAction=No stock action
-LastWaitingSupplierOrders=Orders waiting for receptions
-DesiredStock=Desired minimum stock
-DesiredMaxStock=Desired maximum stock
-StockToBuy=To order
-Replenishment=Replenishment
-ReplenishmentOrders=Replenishment orders
-VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical + current orders) may differ
-UseVirtualStockByDefault=Use virtual stock by default, instead of physical stock, for replenishment feature
-UseVirtualStock=Use virtual stock
-UsePhysicalStock=Use physical stock
-CurentSelectionMode=Current selection mode
-CurentlyUsingVirtualStock=Virtual stock
-CurentlyUsingPhysicalStock=Physical stock
-RuleForStockReplenishment=Rule for stocks replenishment
-SelectProductWithNotNullQty=Select at least one product with a qty not null and a supplier
-AlertOnly= Alerts only
-WarehouseForStockDecrease=The warehouse <b>%s</b> will be used for stock decrease
-WarehouseForStockIncrease=The warehouse <b>%s</b> will be used for stock increase
-ForThisWarehouse=For this warehouse
-ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked), and suggest you to create supplier orders to fill the difference.
-ReplenishmentOrdersDesc=This is a list of all opened supplier orders including predefined products. Only opened orders with predefined products, so orders that may affect stocks, are visible here.
-Replenishments=Replenishments
-NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s)
-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
-ReceivingForSameOrder=Receipts for this order
-StockMovementRecorded=Stock movements recorded
-RuleForStockAvailability=Rules on stock requirements
-StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice
-StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order
-StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment
-MovementLabel=Label of movement
-InventoryCode=Movement or inventory code
-IsInPackage=Contained into package
-ShowWarehouse=Show warehouse
-MovementCorrectStock=Stock correction for product %s
-MovementTransferStock=Stock transfer of product %s into another warehouse
-WarehouseMustBeSelectedAtFirstStepWhenProductBatchModuleOn=Source warehouse must be defined here when "Product lot" module is on. It will be used to list wich lot/serial is available for product that required lot/serial data for movement. If you want to send products from different warehouses, just make the shipment into several steps.
-InventoryCodeShort=Inv./Mov. code
-NoPendingReceptionOnSupplierOrder=No pending reception due to open supplier order
-ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (<strong>%s</strong>) already exists but with different eatby or sellby date (found <strong>%s</strong> but you enter <strong>%s</strong>).
diff --git a/htdocs/langs/es_CO/suppliers.lang b/htdocs/langs/es_CO/suppliers.lang
deleted file mode 100644
index 5388a4867c7dade443f807dd5be89740281b85f4..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_CO/suppliers.lang
+++ /dev/null
@@ -1,46 +0,0 @@
-# Dolibarr language file - Source file is en_US - suppliers
-Suppliers=Suppliers
-AddSupplier=Create a supplier
-SupplierRemoved=Supplier removed
-SuppliersInvoice=Suppliers invoice
-NewSupplier=New supplier
-History=History
-ListOfSuppliers=List of suppliers
-ShowSupplier=Show supplier
-OrderDate=Order date
-BuyingPrice=Buying price
-BuyingPriceMin=Minimum buying price
-BuyingPriceMinShort=Min buying price
-TotalBuyingPriceMin=Total of subproducts buying prices
-SomeSubProductHaveNoPrices=Some sub-products have no price defined
-AddSupplierPrice=Add supplier price
-ChangeSupplierPrice=Change supplier price
-ErrorQtyTooLowForThisSupplier=Quantity too low for this supplier or no price defined on this product for this supplier
-ErrorSupplierCountryIsNotDefined=Country for this supplier is not defined. Correct this first.
-ProductHasAlreadyReferenceInThisSupplier=This product has already a reference in this supplier
-ReferenceSupplierIsAlreadyAssociatedWithAProduct=This reference supplier is already associated with a reference: %s
-NoRecordedSuppliers=No suppliers recorded
-SupplierPayment=Supplier payment
-SuppliersArea=Suppliers area
-RefSupplierShort=Ref. supplier
-Availability=Availability
-ExportDataset_fournisseur_1=Supplier invoices list and invoice lines
-ExportDataset_fournisseur_2=Supplier invoices and payments
-ExportDataset_fournisseur_3=Supplier orders and order lines
-ApproveThisOrder=Approve this order
-ConfirmApproveThisOrder=Are you sure you want to approve order <b>%s</b> ?
-DenyingThisOrder=Deny this order
-ConfirmDenyingThisOrder=Are you sure you want to deny this order <b>%s</b> ?
-ConfirmCancelThisOrder=Are you sure you want to cancel this order <b>%s</b> ?
-AddCustomerOrder=Create customer order
-AddCustomerInvoice=Create customer invoice
-AddSupplierOrder=Create supplier order
-AddSupplierInvoice=Create supplier invoice
-ListOfSupplierProductForSupplier=List of products and prices for supplier <b>%s</b>
-NoneOrBatchFileNeverRan=None or batch <b>%s</b> not ran recently
-SentToSuppliers=Sent to suppliers
-ListOfSupplierOrders=List of supplier orders
-MenuOrdersSupplierToBill=Supplier orders to invoice
-NbDaysToDelivery=Delivery delay in days
-DescNbDaysToDelivery=The biggest deliver delay of the products from this order
-UseDoubleApproval=Use double approval (the second approval can be done by any user with the dedicated permission)
diff --git a/htdocs/langs/es_CO/trips.lang b/htdocs/langs/es_CO/trips.lang
deleted file mode 100644
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_CO/trips.lang
+++ /dev/null
@@ -1,101 +0,0 @@
-# Dolibarr language file - Source file is en_US - trips
-ExpenseReport=Expense report
-ExpenseReports=Expense reports
-Trip=Expense report
-Trips=Expense reports
-TripsAndExpenses=Expenses reports
-TripsAndExpensesStatistics=Expense reports statistics
-TripCard=Expense report card
-AddTrip=Create expense report
-ListOfTrips=List of expense reports
-ListOfFees=List of fees
-NewTrip=New expense report
-CompanyVisited=Company/foundation visited
-Kilometers=Kilometers
-FeesKilometersOrAmout=Amount or kilometers
-DeleteTrip=Delete expense report
-ConfirmDeleteTrip=Are you sure you want to delete this expense report ?
-ListTripsAndExpenses=List of expense reports
-ListToApprove=Waiting for approval
-ExpensesArea=Expense reports area
-SearchATripAndExpense=Search an expense report
-ClassifyRefunded=Classify 'Refunded'
-ExpenseReportWaitingForApproval=A new expense report has been submitted for approval
-ExpenseReportWaitingForApprovalMessage=A new expense report has been submitted and is waiting for approval.\n- User: %s\n- Period: %s\nClick here to validate: %s
-TripId=Id expense report
-AnyOtherInThisListCanValidate=Person to inform for validation.
-TripSociete=Information company
-TripSalarie=Informations user
-TripNDF=Informations expense report
-DeleteLine=Delete a line of the expense report
-ConfirmDeleteLine=Are you sure you want to delete this line ?
-PDFStandardExpenseReports=Standard template to generate a PDF document for expense report
-ExpenseReportLine=Expense report line
-TF_OTHER=Other
-TF_TRANSPORTATION=Transportation
-TF_LUNCH=Lunch
-TF_METRO=Metro
-TF_TRAIN=Train
-TF_BUS=Bus
-TF_CAR=Car
-TF_PEAGE=Toll
-TF_ESSENCE=Fuel
-TF_HOTEL=Hotel
-TF_TAXI=Taxi
-
-ErrorDoubleDeclaration=You have declared another expense report into a similar date range.
-AucuneNDF=No expense reports found for this criteria
-AucuneLigne=There is no expense report declared yet
-AddLine=Add a line
-AddLineMini=Add
-
-Date_DEBUT=Period date start
-Date_FIN=Period date end
-ModePaiement=Payment mode
-Note=Note
-Project=Project
-
-VALIDATOR=User responsible for approval
-VALIDOR=Approved by
-AUTHOR=Recorded by
-AUTHORPAIEMENT=Paid by
-REFUSEUR=Denied by
-CANCEL_USER=Deleted by
-
-MOTIF_REFUS=Reason
-MOTIF_CANCEL=Reason
-
-DATE_REFUS=Deny date
-DATE_SAVE=Validation date
-DATE_VALIDE=Validation date
-DATE_CANCEL=Cancelation date
-DATE_PAIEMENT=Payment date
-
-TO_PAID=Pay
-BROUILLONNER=Reopen
-SendToValid=Sent on approval
-ModifyInfoGen=Edit
-ValidateAndSubmit=Validate and submit for approval
-
-NOT_VALIDATOR=You are not allowed to approve this expense report
-NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
-
-RefuseTrip=Deny an expense report
-ConfirmRefuseTrip=Are you sure you want to deny this expense report ?
-
-ValideTrip=Approve expense report
-ConfirmValideTrip=Are you sure you want to approve this expense report ?
-
-PaidTrip=Pay an expense report
-ConfirmPaidTrip=Are you sure you want to change status of this expense report to "Paid" ?
-
-CancelTrip=Cancel an expense report
-ConfirmCancelTrip=Are you sure you want to cancel this expense report ?
-
-BrouillonnerTrip=Move back expense report to status "Draft"
-ConfirmBrouillonnerTrip=Are you sure you want to move this expense report to status "Draft" ?
-
-SaveTrip=Validate expense report
-ConfirmSaveTrip=Are you sure you want to validate this expense report ?
-
-NoTripsToExportCSV=No expense report to export for this period.
diff --git a/htdocs/langs/es_DO/compta.lang b/htdocs/langs/es_DO/compta.lang
index 9713057f7e2aa399ea1e41ceaed5c98cc49b5878..e25fa00d2ef292b5bc869e3dc5d3c674fc5b25e0 100644
--- a/htdocs/langs/es_DO/compta.lang
+++ b/htdocs/langs/es_DO/compta.lang
@@ -24,5 +24,4 @@ RulesVATInServices=- Para los servicios, el informe incluye el ITBIS de los pago
 RulesVATInProducts=- Para los bienes materiales, incluye el ITBIS de las facturas basándose en la fecha de la factura.
 RulesVATDueServices=- Para los servicios, el informe incluye el ITBIS de las facturas debidas, pagadas o no basándose en la fecha de estas facturas.
 RulesVATDueProducts=- Para los bienes materiales, incluye el ITBIS de las facturas basándose en la fecha de la factura.
-ACCOUNTING_VAT_ACCOUNT=Código contable por defecto para el ITBIS repercutido
 ACCOUNTING_VAT_BUY_ACCOUNT=Código contable por defecto para el ITBIS soportado
diff --git a/htdocs/langs/es_ES/admin.lang b/htdocs/langs/es_ES/admin.lang
index b27ba7206ea26728f832b20ac871b127152c9912..dc96b774c1bf8bfab401679b93d567f9b8af351c 100644
--- a/htdocs/langs/es_ES/admin.lang
+++ b/htdocs/langs/es_ES/admin.lang
@@ -149,7 +149,6 @@ MenuForUsers=Menú para los usuarios
 LangFile=archivo .lang
 System=Sistema
 SystemInfo=Info. sistema
-SystemTools=Utilidades sistema
 SystemToolsArea=Área utilidades del sistema
 SystemToolsAreaDesc=Esta área ofrece distintas funciones de administración. Utilice la menú para elegir la funcionalidad buscada.
 Purge=Purga
@@ -232,8 +231,8 @@ Security=Seguridad
 Passwords=Contraseñas
 DoNotStoreClearPassword=No almacenar la contraseña sin cifrar en la base
 MainDbPasswordFileConfEncrypted=Encriptar la contraseña de la base en el archivo conf.php
-InstrucToEncodePass=Para tener la contraseña de la base de datos codificada en el archivo de configuración <b>conf.php</b>, reemplazar en ese fichero la línea <br><b>$dolibarr_main_db_pass="..."</b><br> por <br><b>$dolibarr_main_db_pass="crypted:%s"</b>
-InstrucToClearPass=Para tener la contraseña de la base de datos descodificada en el archivo de configuración b>conf.php</b>, reemplazar en ese fichero la línea <br><b>$dolibarr_main_db_pass="crypted:..."</b><br> por <br><b>$dolibarr_main_db_pass="%s"</b>
+InstrucToEncodePass=Para tener la contraseña codificada en el archivo <b>conf.php</b>, reemplace la línea <br><b>$dolibarr_main_db_pass = "...";</b><br>por<br> <b>$dolibarr_main_db_pass = "crypted:%s";</b>
+InstrucToClearPass=Para tener la contraseña decodificada (visible) en el archivo <b>conf.php</b>, reemplace la línea <br><b>$dolibarr_main_db_pass = "crypted:...";</b><br>por<br><b>$dolibarr_main_db_pass = "%s";</b>
 ProtectAndEncryptPdfFiles=Protección y encriptación de los pdf generados
 ProtectAndEncryptPdfFilesDesc=La protección de un documento pdf deja el documento libre a la lectura y a la impresión a cualquier lector de PDF. Por el contrario, la modificación y la copia resultan imposibles.
 Feature=Función
@@ -300,13 +299,13 @@ ThisIsProcessToFollow=He aquí el procedimiento a seguir:
 ThisIsAlternativeProcessToFollow=Este es una configuración alternativa para procesar:
 StepNb=Paso %s
 FindPackageFromWebSite=Buscar el paquete que responde a su necesidad (por ejemplo en el sitio web %s)
-DownloadPackageFromWebSite=Descargar paquete %s.
-UnpackPackageInDolibarrRoot=Descomprimir el paquete en el directorio dedicado a los módulos externos: <b>%s</b>
+DownloadPackageFromWebSite=Descargue el paquete (por ejemplo desde el sitio web oficial %s).
+UnpackPackageInDolibarrRoot=Descomprima el archivo del paquete en el directorio del servidor de Dolibarr dedicado a los módulos externos: <b>%s</b>
 SetupIsReadyForUse=La instalación ha finalizado y Dolibarr está disponible con el nuevo componente.
 NotExistsDirect=No existe el directorio alternativo.<br>
 InfDirAlt=Desde la versión 3 es posible definir un directorio root alternativo, esto le permite almacenar en el mismo lugar módulos y temas personalizados.<br>Basta con crear un directorio en el raíz de Dolibarr (por ejemplo: custom).<br>
 InfDirExample=<br>Seguidamente se declara en el archivo conf.php:<br> $dolibarr_main_url_root_alt='http://miservidor/custom'<br>$dolibarr_main_document_root_alt='/directorio/de/dolibarr/htdocs/custom'<br>*Estas lineas vienen comentadas con un "#", para descomentarlas solo hay que retirar el caracter.
-YouCanSubmitFile=Seleccione paquete:
+YouCanSubmitFile=Para este paso, puede enviar el paquete usando esta herramienta: Seleccionar el archivo del módulo
 CurrentVersion=Versión actual de Dolibarr
 CallUpdatePage=Llamar a la página de actualización de la estructura y datos de la base de datos %s.
 LastStableVersion=Última versión estable disponible
@@ -430,8 +429,8 @@ Module20Name=Presupuestos
 Module20Desc=Gestión de presupuestos/propuestas comerciales
 Module22Name=E-Mailings
 Module22Desc=Administración y envío de E-Mails masivos
-Module23Name= Energía
-Module23Desc= Realiza el seguimiento del consumo de energías
+Module23Name=Energía
+Module23Desc=Realiza el seguimiento del consumo de energías
 Module25Name=Pedidos de clientes
 Module25Desc=Gestión de pedidos de clientes
 Module30Name=Facturas y abonos
@@ -492,8 +491,8 @@ Module400Name=Proyectos/Oportunidades/Leads
 Module400Desc=Gestión de proyectos, oportunidades o leads, Puede asignar cualquier elemento (factura, pedido, presupuesto, intervención, etc.) a un proyecto y obtener una vista transversal del proyecto
 Module410Name=Webcalendar
 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
+Module500Name=Pagos especiales
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salarios
 Module510Desc=Gestión de salarios y pagos
 Module520Name=Crédito
@@ -502,7 +501,7 @@ Module600Name=Notificaciones
 Module600Desc=Envío de notificaciones por e-mail en algunos eventos de negocio de Dolibarr a contactos de terceros (configurado en cada tercero)
 Module700Name=Donaciones
 Module700Desc=Gestión de donaciones
-Module770Name=Informe de gastos
+Module770Name=Expense reports
 Module770Desc=Gestión de informes de gastos (transporte, dietas, etc.)
 Module1120Name=Presupuesto de proveedor
 Module1120Desc=Solicitud presupuesto y precios a proveedor
@@ -524,8 +523,10 @@ 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
+Module2600Name=Servicios API (Servicios web SOAP)
+Module2600Desc=Habilitar los servicios Dolibarr SOAP proporcionando servicios API
+Module2610Name=Servicios API (Servicios web REST)
+Module2610Desc=Habilitar los servicios Dolibarr REST proporcionando servicios API
 Module2650Name=WebServices (cliente)
 Module2650Desc=Habilitar los servicios web cliente de Dolibarr (puede ser utilizado para grabar datos/solicitudes de servidores externos. De momento solo se soporta pedidos a proveedor)
 Module2700Name=Gravatar
@@ -578,7 +579,7 @@ Permission32=Crear/modificar productos
 Permission34=Eliminar productos
 Permission36=Ver/gestionar los productos ocultos
 Permission38=Exportar productos
-Permission41=Consultar proyectos y tareas (compartidos o soy contacto)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Crear/modificar proyectos y tareas (compartidos o soy contacto)
 Permission44=Eliminar proyectos y tareas (compartidos o soy contacto)
 Permission61=Consultar intervenciones
@@ -599,10 +600,10 @@ Permission86=Enviar pedidos de clientes
 Permission87=Cerrar pedidos de clientes
 Permission88=Anular pedidos de clientes
 Permission89=Eliminar pedidos de clientes
-Permission91=Consultar impuestos e IVA
-Permission92=Crear/modificar impuestos e IVA
-Permission93=Eliminar impuestos e IVA
-Permission94=Exportar impuestos
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Consultar balances y resultados
 Permission101=Consultar expediciones
 Permission102=Crear/modificar expediciones
@@ -620,9 +621,9 @@ Permission121=Consultar empresas
 Permission122=Crear/modificar empresas
 Permission125=Eliminar empresas
 Permission126=Exportar las empresas
-Permission141=Consultar todos los proyectos y tareas (incluyendo los privados de los que no sea contacto)
-Permission142=Crear/modificar todos los proyectos y tareas (incluyendo los privados de los que no sea contacto)
-Permission144=Eliminar todos los proyectos y tareas (incluyendo los privados de los que no sea contacto)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Consultar proveedores
 Permission147=Consultar estadísticas
 Permission151=Consultar domiciliaciones
@@ -800,7 +801,7 @@ DictionaryCountry=Países
 DictionaryCurrency=Monedas
 DictionaryCivility=Títulos de cortesía
 DictionaryActions=Tipos de eventos de la agenda
-DictionarySocialContributions=Tipos de cargas sociales
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=Tasa de IVA (Impuesto sobre ventas en EEUU)
 DictionaryRevenueStamp=Importes de sellos fiscales
 DictionaryPaymentConditions=Condiciones de pago
@@ -817,6 +818,9 @@ DictionarySource=Orígenes de presupuestos/pedidos
 DictionaryAccountancyplan=Plan contable
 DictionaryAccountancysystem=Modelos de planes contables
 DictionaryEMailTemplates=Plantillas E-Mails
+DictionaryUnits=Unidades
+DictionaryProspectStatus=Estado cliente potencial
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Configuración guardada
 BackToModuleList=Volver a la lista de módulos
 BackToDictionaryList=Volver a la lista de diccionarios
@@ -936,13 +940,14 @@ CompanyZip=Código postal
 CompanyTown=Población
 CompanyCountry=País
 CompanyCurrency=Divisa principal
+CompanyObject=Objeto de la empresa
 Logo=Logo
 DoNotShow=No mostrar
 DoNotSuggestPaymentMode=No sugerir
 NoActiveBankAccountDefined=Ninguna cuenta bancaria activa definida
 OwnerOfBankAccount=Titular de la cuenta %s
 BankModuleNotActive=Módulo cuentas bancarias no activado
-ShowBugTrackLink=Mostrar vínculo "Señalar un bug"
+ShowBugTrackLink=Mostrar enlace "<strong>%s</strong>"
 ShowWorkBoard=Mostrar panel de información en la página principal
 Alerts=Alertas
 Delays=Plazos
@@ -1009,7 +1014,7 @@ MAIN_MAX_DECIMALS_UNIT=Decimales máximos para los precios unitarios
 MAIN_MAX_DECIMALS_TOT=Decimales máximos para los precios totales
 MAIN_MAX_DECIMALS_SHOWN=Decimales máximos para los importes mostrados en pantalla (Poner <b>...</b> después del máximo si quiere ver <b>...</b> cuando el número se trunque al mostrarlo en pantalla)
 MAIN_DISABLE_PDF_COMPRESSION=Utilizar la compresión PDF para los archivos PDF generados
-MAIN_ROUNDING_RULE_TOT= Tamaño rango para el redondeo (para algunos países que redondean sobre otra base que no sea base 10)
+MAIN_ROUNDING_RULE_TOT=Salto de rango de redondeo (para países donde el redondeo se realiza diferente a base 10. Por ejemplo, ponga 0.05 si el redondeo se hace en saltos de 0.05)
 UnitPriceOfProduct=Precio unitario sin IVA de un producto
 TotalPriceAfterRounding=Precio total después del redondeo
 ParameterActiveForNextInputOnly=Parámetro efectivo solamente a partir de las próximas sesiones
@@ -1077,7 +1082,7 @@ TotalNumberOfActivatedModules=Número total de módulos activados: <b>%s</b>
 YouMustEnableOneModule=Debe activar al menos un módulo.
 ClassNotFoundIntoPathWarning=No se ha encontrado la clase %s en su path PHP
 YesInSummer=Sí en verano
-OnlyFollowingModulesAreOpenedToExternalUsers=Tenga en cuenta que sólo los módulos siguientes están abiertos a usuarios externos (sean cuales sean los permisos de los usuarios):
+OnlyFollowingModulesAreOpenedToExternalUsers=Atención: únicamente los módulos siguientes están disponibles a usuarios externos (sea cual sea el permiso de dichos usuarios):
 SuhosinSessionEncrypt=Almacenamiento de sesiones cifradas por Suhosin
 ConditionIsCurrently=Actualmente la condición es %s
 YouUseBestDriver=Está usando el driver %s, actualmente es el mejor driver disponible.
@@ -1384,12 +1389,14 @@ NumberOfProductShowInSelect=Nº de productos máx. en las listas (0=sin límite)
 ConfirmDeleteProductLineAbility=Confirmación de eliminación de una línea de producido en los formularios
 ModifyProductDescAbility=Personalización de las descripciones de los productos en los formularios
 ViewProductDescInFormAbility=Visualización de las descripciones de los productos en los formularios
+MergePropalProductCard=Activar en el producto/servicio la pestaña Documentos una opción para fusionar documentos PDF de productos al presupuesto PDF azur si el producto/servicio se encuentra en el presupuesto
 ViewProductDescInThirdpartyLanguageAbility=Visualización de las descripciones de productos en el idioma del tercero
 UseSearchToSelectProductTooltip=También si usted tiene una gran cantidad de producto (> 100 000), puede aumentar la velocidad mediante el establecimiento PRODUCT_DONOTSEARCH_ANYWHERE constante a 1 en Configuración-> Otros. La búsqueda será limitada a la creación de cadena.
 UseSearchToSelectProduct=Utilice un formulario de búsqueda para elegir un producto (en lugar de una lista desplegable).
 UseEcoTaxeAbility=Asumir ecotasa (DEEE)
 SetDefaultBarcodeTypeProducts=Tipo de código de barras utilizado por defecto para los productos
 SetDefaultBarcodeTypeThirdParties=Tipo de código de barras utilizado por defecto para los terceros
+UseUnits=Unidades disponibles
 ProductCodeChecker= Módulo para la generación y comprobación del código de un producto o servicio
 ProductOtherConf= Configuración de productos/servicios
 ##### Syslog #####
@@ -1420,6 +1427,8 @@ BarcodeDescUPC=Códigos de barras tipo UPC
 BarcodeDescISBN=Códigos de barras tipo ISBN
 BarcodeDescC39=Códigos de barras tipo C39
 BarcodeDescC128=Códigos de barras tipo C128
+BarcodeDescDATAMATRIX=Códigos de barras tipo Datamatrix
+BarcodeDescQRCODE=Códigos de barras tipo código QR
 GenbarcodeLocation=Herramienta de generación de códigos de barras en consola (usad por el motor interno para determinados tipos de códigos de barras). Debe de ser compatible con "genbarcode".<br>Por ejemplo: /usr/local/bin/genbarcode
 BarcodeInternalEngine=Motor interno
 BarCodeNumberManager=Gestor para auto definir números de código de barras 
@@ -1502,7 +1511,7 @@ ConfirmDeleteMenu=Está seguro de querer eliminar la entrada de menú <b>%s</b>
 DeleteLine=Eliminación de línea
 ConfirmDeleteLine=¿Está seguro de querer eliminar esta línea?
 ##### Tax #####
-TaxSetup=Configuración del módulo Impuestos, cargas sociales y dividendos
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Opción de carga de IVA
 OptionVATDefault=Criterio de caja
 OptionVATDebitOption=Criterio de devengo
@@ -1552,6 +1561,15 @@ WebServicesSetup=Configuración del módulo Web services
 WebServicesDesc=Mediante la activación de este módulo, Dolibarr se convierte en servidor de servicios web ofreciendo diversos servicios web.
 WSDLCanBeDownloadedHere=La descripción WSDL de los servicios prestados se pueden recuperar aquí
 EndPointIs=Los clientes SOAP deberán enviar sus solicitudes al punto final en la URL Dolibarr
+##### API ####
+ApiSetup=Configuración del módulo API
+ApiDesc=Mediante la activación de este módulo, Dolibarr se convierte en un servidor REST ofreciendo diversos servicios web.
+KeyForApiAccess=Clave para usar la API (parámetro "api_key")
+ApiProductionMode=Enable production mode
+ApiEndPointIs=Puede acceder a la API en la url
+ApiExporerIs=Puede explorar la API en la url
+OnlyActiveElementsAreExposed=Sólo son expuestos los elementos de los módulos activos
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Configuración del módulo Banco
 FreeLegalTextOnChequeReceipts=Mención complementaria en las remesas de cheques
@@ -1581,6 +1599,7 @@ ProjectsSetup=Configuración del módulo Proyectos
 ProjectsModelModule=Modelo de documento para informes de proyectos
 TasksNumberingModules=Módulo numeración de tareas
 TaskModelModule=Módulo de documentos informes de tareas
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = Configuración del módulo GED
 ECMAutoTree = El árbol automático está disponible
@@ -1594,7 +1613,7 @@ OpenFiscalYear=Abrir año fiscal
 CloseFiscalYear=Cerrar año fiscal
 DeleteFiscalYear=Eliminar año fiscal
 ConfirmDeleteFiscalYear=¿Está seguro de querer eliminar este año fiscal?
-Opened=Abierto
+Opened=Activo
 Closed=Cerrado
 AlwaysEditable=Puede editarse siempre
 MAIN_APPLICATION_TITLE=Forzar visibilidad del nombre de aplicación (advertencia: indicar su propio nombre aquí puede romper la característica de relleno automático de inicio de sesión al utilizar la aplicación móvil DoliDroid)
@@ -1622,3 +1641,12 @@ SomethingMakeInstallFromWebNotPossible=No es posible la instalación de módulos
 SomethingMakeInstallFromWebNotPossible2=Por esta razón, explicaremos aquí los pasos del proceso de actualización manual que puede realizar un usuario con privilegios. 
 InstallModuleFromWebHasBeenDisabledByFile=La instalación de módulos externos desde la aplicación se encuentra desactivada por el administrador. Debe requerirle que elimine el archivo <strong>%s</strong> para habilitar esta funcionalidad.
 ConfFileMuseContainCustom=La instalación de módulos externos desde la aplicación guarda los archivos de los módulos en el directorio <strong>%s</strong>. Para disponer de este directorio en Dolibarr, debe configurar el archivo <strong>conf/conf.php</strong> para tener la opción <br>- <strong>$dolibarr_main_url_root_alt</strong> activada al valor <strong>$dolibarr_main_url_root_alt="/custom"</strong><br>- <strong>$dolibarr_main_document_root_alt</strong> activa al valor <strong>"%s/custom"</strong>
+HighlightLinesOnMouseHover=Resaltar líneas de los listados cuando el ratón pasa por encima de ellas
+PressF5AfterChangingThis=Una vez cambiado este valor, pulse F5 en el teclado para hacerlo efectivo
+NotSupportedByAllThemes=Funciona con el tema eldy, pero no es soportado por todos los temas
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/es_ES/agenda.lang b/htdocs/langs/es_ES/agenda.lang
index 3c21ca04654ac960f7be35f8493aba52672f49db..192a3f854633b6d896234eb77f79cf5f190945e3 100644
--- a/htdocs/langs/es_ES/agenda.lang
+++ b/htdocs/langs/es_ES/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Pedido %s clasificado como facturado
 OrderApprovedInDolibarr=Pedido %s aprobado
 OrderRefusedInDolibarr=Pedido %s rechazado
 OrderBackToDraftInDolibarr=Pedido %s devuelto a borrador
-OrderCanceledInDolibarr=Pedido %s anulado
 ProposalSentByEMail=Presupuesto %s enviado por e-mail
 OrderSentByEMail=Pedido de cliente %s enviado por e-mail
 InvoiceSentByEMail=Factura a cliente %s enviada por e-mail
@@ -96,3 +95,5 @@ AddEvent=Crear evento
 MyAvailability=Mi disponibilidad
 ActionType=Tipo de evento
 DateActionBegin=Fecha de inicio del evento
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/es_ES/banks.lang b/htdocs/langs/es_ES/banks.lang
index 03cdf7b835fdbefdb310f726686b7f9be2d6abf1..a35b5dedc3a7738a199a4cda99e7ad57ae030fec 100644
--- a/htdocs/langs/es_ES/banks.lang
+++ b/htdocs/langs/es_ES/banks.lang
@@ -94,7 +94,7 @@ Conciliate=Conciliar
 Conciliation=Conciliación
 ConciliationForAccount=Conciliaciones en esta cuenta
 IncludeClosedAccount=Incluir cuentas cerradas
-OnlyOpenedAccount=Solamente cuentas abiertas
+OnlyOpenedAccount=Sólo cuentas abiertas
 AccountToCredit=Cuenta de crédito
 AccountToDebit=Cuenta de débito
 DisableConciliation=Desactivar la función de conciliación para esta cuenta
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Cobro a cliente
 CustomerInvoicePaymentBack=Reembolso a cliente
 SupplierInvoicePayment=Pago a proveedor
 WithdrawalPayment=Cobro de domiciliación
-SocialContributionPayment=Pago carga social
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Diario de tesorería de la cuenta
 BankTransfer=Transferencia bancaria
 BankTransfers=Transferencias bancarias
diff --git a/htdocs/langs/es_ES/bills.lang b/htdocs/langs/es_ES/bills.lang
index ae658582b6338b7d9dabb3d14a5df7c1852b5c44..6cbaa8ebf6e6bdb592f46c5342d303fa403014e4 100644
--- a/htdocs/langs/es_ES/bills.lang
+++ b/htdocs/langs/es_ES/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nº de facturas
 NumberOfBillsByMonth=Nº de facturas por mes
 AmountOfBills=Importe de las facturas
 AmountOfBillsByMonthHT=Importe de las facturas por mes (Sin IVA)
-ShowSocialContribution=Ver contribución social
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Ver factura
 ShowInvoice=Ver factura
 ShowInvoiceReplace=Ver factura rectificativa
@@ -270,7 +270,7 @@ BillAddress=Dirección de facturación
 HelpEscompte=Un <b>descuento</b> es un descuento acordado sobre una factura dada, a un cliente que realizó su pago mucho antes del vencimiento.
 HelpAbandonBadCustomer=Este importe se abandonó (cliente juzgado como moroso) y se considera como una pérdida excepcional.
 HelpAbandonOther=Este importe se abandonó este importe ya que se trataba de un error de facturación (mala introducción de datos, factura sustituida por otra).
-IdSocialContribution=ID carga social
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=ID pago
 InvoiceId=Id factura
 InvoiceRef=Ref. factura
diff --git a/htdocs/langs/es_ES/companies.lang b/htdocs/langs/es_ES/companies.lang
index f86ea312ac31cf4607284d83f2e9ec4f79d9afcd..5b007667ae81ae455991f0528098ea67cd17d8cf 100644
--- a/htdocs/langs/es_ES/companies.lang
+++ b/htdocs/langs/es_ES/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Contacto tercero
 StatusContactValidated=Estado del contacto
 Company=Empresa
 CompanyName=Razón social
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Empresas
 CountryIsInEEC=País de la Comunidad Económica Europea
 ThirdPartyName=Nombre del tercero
@@ -412,3 +413,8 @@ LeopardNumRefModelDesc=Código de cliente/proveedor libre sin verificación. Pue
 ManagingDirectors=Administrador(es) (CEO, director, presidente, etc.)
 SearchThirdparty=Buscar tercero
 SearchContact=Buscar contacto
+MergeOriginThirdparty=Tercero duplicado (tercero que debe eliminar)
+MergeThirdparties=Fusionar terceros
+ConfirmMergeThirdparties=¿Está seguro de que quiere fusionar este tercero con el actual? Todos los objetos relacionados (facturas, pedidos, etc.) se moverán al tercero actual, por lo que será capaz de eliminar el duplicado.
+ThirdpartiesMergeSuccess=Los terceros han sido fusionados
+ErrorThirdpartiesMerge=Se produjo un error al eliminar los terceros. Por favor, compruebe el log. Los cambios han sido anulados.
diff --git a/htdocs/langs/es_ES/compta.lang b/htdocs/langs/es_ES/compta.lang
index 45438f3537520583177be7ad7a099b6715506ddf..fb3746267784f99ea891b2b337523cd1db3cdb15 100644
--- a/htdocs/langs/es_ES/compta.lang
+++ b/htdocs/langs/es_ES/compta.lang
@@ -56,23 +56,23 @@ VATCollected=IVA recuperado
 ToPay=A pagar
 ToGet=A devolver
 SpecialExpensesArea=Area para todos los pagos especiales
-TaxAndDividendsArea=Área impuestos, cargas sociales y dividendos
-SocialContribution=Carga social
-SocialContributions=Cargas sociales
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Pagos especiales
 MenuTaxAndDividends=Impuestos y cargas
 MenuSalaries=Salarios
-MenuSocialContributions=Cargas sociales
-MenuNewSocialContribution=Nueva carga
-NewSocialContribution=Nueva carga social
-ContributionsToPay=Cargas a pagar
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Área contabilidad/tesorería
 AccountancySetup=Configuración contabilidad
 NewPayment=Nuevo pago
 Payments=Pagos
 PaymentCustomerInvoice=Cobro factura a cliente
 PaymentSupplierInvoice=Pago factura de proveedor
-PaymentSocialContribution=Pago carga social
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Pago IVA
 PaymentSalary=Pago salario
 ListPayment=Listado de pagos
@@ -91,7 +91,7 @@ LT1PaymentES=Pago de RE
 LT1PaymentsES=Pagos de RE
 VATPayment=Pago IVA
 VATPayments=Pagos IVA
-SocialContributionsPayments=Pagos cargas sociales
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Ver pagos IVA
 TotalToPay=Total a pagar
 TotalVATReceived=Total IVA percibido
@@ -116,11 +116,11 @@ NewCheckDepositOn=Crear nueva remesa en la cuenta: %s
 NoWaitingChecks=No hay cheques en espera de ingresar.
 DateChequeReceived=Fecha recepción del cheque
 NbOfCheques=Nº de cheques
-PaySocialContribution=Pagar una carga social
-ConfirmPaySocialContribution=¿Está seguro de querer clasificar esta carga social como pagada?
-DeleteSocialContribution=Eliminar carga social
-ConfirmDeleteSocialContribution=¿Está seguro de querer eliminar esta carga social?
-ExportDataset_tax_1=Cargas sociales y pagos
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Modo <b>%sIVA sobre facturas emitidas%s</b>.
 CalcModeVATEngagement=Modo <b>%sIVA sobre facturas cobradas%s</b>.
 CalcModeDebt=Modo <b>%sCréditos-Deudas%s</b> llamada <b>contabilidad de compromiso</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=de acuerdo con el proveedor, seleccione el método a
 TurnoverPerProductInCommitmentAccountingNotRelevant=El informe de ventas por producto, cuando se utiliza en modo <b>contabilidad de caja</b> no es relevante. Este informe sólo está disponible cuando se utiliza en modo <b>contabilidad de compromiso</b> (consulte la configuración del módulo de contabilidad).
 CalculationMode=Modo de cálculo
 AccountancyJournal=Código contable diario
-ACCOUNTING_VAT_ACCOUNT=Código contable por defecto para el IVA repercutido
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Código contable por defecto para el IVA soportado
 ACCOUNTING_ACCOUNT_CUSTOMER=Cuenta contable por defecto para clientes
 ACCOUNTING_ACCOUNT_SUPPLIER=Cuenta contable por defecto para proveedores
-CloneTax=Clonar una carga social
-ConfirmCloneTax=Confirme la clonación de la carga social
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clonarla para el próximo mes
diff --git a/htdocs/langs/es_ES/cron.lang b/htdocs/langs/es_ES/cron.lang
index 57f77f36616a5dce1c0fae7f24d7fe149311c6d1..786c3d1252a72074c90c3ab16d8eca3ad86b61cb 100644
--- a/htdocs/langs/es_ES/cron.lang
+++ b/htdocs/langs/es_ES/cron.lang
@@ -4,10 +4,10 @@ About = Acerca de
 CronAbout = Acerca de Cron
 CronAboutPage = Acerca de Cron
 # Right
-Permission23101 = Leer tareas programadas
-Permission23102 = Crear/actualizar tareas programadas
-Permission23103 = Borrar tarea programada
-Permission23104 = Ejecutar tarea programada
+Permission23101 = Consultar Tarea programada
+Permission23102 = Crear/actualizar Tarea programada
+Permission23103 = Borrar Tarea Programada
+Permission23104 = Ejecutar Taraea programada
 # Admin
 CronSetup= Configuración del módulo Programador
 URLToLaunchCronJobs=URL para ejecutar tareas Cron
@@ -26,11 +26,11 @@ CronLastOutput=Res. ult. ejec.
 CronLastResult=Últ. cód. res.
 CronListOfCronJobs=Lista de tareas programadas
 CronCommand=Comando
-CronList=Tarea programada
+CronList=Tareas programadas
 CronDelete=Borrar tareas programadas
 CronConfirmDelete=¿Está seguro de querer eliminar esta tarea programada?
 CronExecute=Lanzar tareas programadas
-CronConfirmExecute=¿Está seguro de querer ejecutar esta tarea ahora?
+CronConfirmExecute=¿Está seguro de querer ejecutar esta tarea programada ahora?
 CronInfo=Tareas programadas le permite ejecutar tareas que han sido programadas
 CronWaitingJobs=Trabajos en espera
 CronTask=Tarea
@@ -40,7 +40,7 @@ CronDtEnd=Fecha fin
 CronDtNextLaunch=Sig. ejec.
 CronDtLastLaunch=Últ. ejec.
 CronFrequency=Frecuencia
-CronClass=Class
+CronClass=Clase
 CronMethod=Metodo
 CronModule=Modulo
 CronAction=Accion
@@ -55,9 +55,9 @@ CronEach=Toda(s)
 JobFinished=Tareas lanzadas y finalizadas
 #Page card
 CronAdd= Tarea Nueva
-CronHourStart= Fecha y hora de inicio de la tarea
-CronEvery= Y ejecutar la tarea cada
-CronObject= Instancia/Objeto a crear
+CronHourStart= Fecha y hora inicial de la tarea
+CronEvery=Ejecutar la tarea cada
+CronObject=Instancia/Objeto a crear
 CronArgs=Parametros
 CronSaveSucess=Guardado con exito
 CronNote=Comentario
@@ -76,6 +76,7 @@ CronMethodHelp=El métpdp a lanzar. <BR> Por ejemplo para realizar un fetch del
 CronArgsHelp=Los argumentos del método. <BR> Por ejemplo para realizar un fetch del objeto Product /htdocs/product/class/product.class.php, los valores pueden ser <i>0, ProductRef</i>
 CronCommandHelp=El comando en línea del sistema a ejecutar.
 CronCreateJob=Crear nueva tarea programada
+CronFrom=From
 # Info
 CronInfoPage=Información
 # Common
@@ -85,4 +86,4 @@ CronType_command=Comando Shell
 CronMenu=Programador
 CronCannotLoadClass=No se puede cargar la clase %s u objeto %s
 UseMenuModuleToolsToAddCronJobs=Ir a "Inicio - Utilidades módulos - Lista de tareas Cron" para ver y editar tareas programadas.
-TaskDisabled=Tarea deshabilitada
+TaskDisabled=Tarea desactivada
diff --git a/htdocs/langs/es_ES/ecm.lang b/htdocs/langs/es_ES/ecm.lang
index ea37f35c3efdf0688076f476c70cef7294c74fba..55107fc490eca9637e747167f8b889fc916a2c62 100644
--- a/htdocs/langs/es_ES/ecm.lang
+++ b/htdocs/langs/es_ES/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Buscar por objeto
 ECMSectionOfDocuments=Directorios de documentos
 ECMTypeManual=Manual
 ECMTypeAuto=Automático
-ECMDocsBySocialContributions=Documentos asociados a cargas sociales
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documentos asociados a terceros
 ECMDocsByProposals=Documentos asociados a presupuestos
 ECMDocsByOrders=Documentos asociados a pedidos
diff --git a/htdocs/langs/es_ES/errors.lang b/htdocs/langs/es_ES/errors.lang
index 08a4bf1c7f417c73dd3988d4c3d9d0469f0532ef..3fa2c1ba7fca70e070ca9fc3eeb064653772e7b6 100644
--- a/htdocs/langs/es_ES/errors.lang
+++ b/htdocs/langs/es_ES/errors.lang
@@ -170,6 +170,7 @@ ErrorGlobalVariableUpdater4=El cliente SOAP ha fallado con el error '%s'
 ErrorGlobalVariableUpdater5=Sin variable global seleccionada
 ErrorFieldMustBeANumeric=El campo <b>%s</b> debe contener un valor numérico
 ErrorFieldMustBeAnInteger=El campo <b>%s</b> debe de ser un entero
+ErrorMandatoryParametersNotProvided=Los parámetro(s) obligatorio(s) no están todavía definidos
 
 # Warnings
 WarningMandatorySetupNotComplete=Los parámetros obligatorios de configuración no están todavía definidos
@@ -190,3 +191,4 @@ WarningNotRelevant=Operación irrelevante para este conjunto de datos
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Funcionalidad desactivada cuando la configuración de visualización es optimizada para personas ciegas o navegadores de texto.
 WarningPaymentDateLowerThanInvoiceDate=La fecha de pago (%s) es anterior a la fecha (%s) de la factura %s.
 WarningTooManyDataPleaseUseMoreFilters=Demasiados datos. Utilice más filtros
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/es_ES/holiday.lang b/htdocs/langs/es_ES/holiday.lang
index c0fc36fcadaf5b518ee14bcea0fcd8438afcfd62..65bcede327485e9da1f50a954fb7b90e69835496 100644
--- a/htdocs/langs/es_ES/holiday.lang
+++ b/htdocs/langs/es_ES/holiday.lang
@@ -3,7 +3,7 @@ HRM=RRHH
 Holidays=Días libres
 CPTitreMenu=Días libres
 MenuReportMonth=Estado mensual
-MenuAddCP=Realizar una petición de días libres
+MenuAddCP=New leave request
 NotActiveModCP=Debe activar el módulo Días libres retribuidos para ver esta página
 NotConfigModCP=Debe configurar el módulo Días libres retribuidos 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 días libres.
@@ -71,7 +71,7 @@ MotifCP=Motivo
 UserCP=Usuario
 ErrorAddEventToUserCP=Se ha producido un error en la asignación del permiso excepcional.
 AddEventToUserOkCP=Se ha añadido el permiso excepcional.
-MenuLogCP=Ver el historial de días libres
+MenuLogCP=View change logs
 LogCP=Historial de actualizaciones de días libres
 ActionByCP=Realizado por
 UserUpdateCP=Para el usuario
@@ -93,6 +93,7 @@ ValueOptionCP=Valor
 GroupToValidateCP=Grupo con posibilidad de aprobar los días libres
 ConfirmConfigCP=Validar la configuración
 LastUpdateCP=Última actualización automática de días libres
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Actualización efectuada correctamente.
 ErrorUpdateConfCP=Se ha producido un error durante la actualización, vuélvalo a intentar.
 AddCPforUsers=Añada los saldos de días libres de los usuarios <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">haciendo clic aquí</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Se ha producido un error en el envío del e-mail :
 NoCPforMonth=Sin días libres este mes.
 nbJours=Número de días
 TitleAdminCP=Configuración de los días libres retribuidos
+NoticePeriod=Notice period
 #Messages
 Hello=Hola
 HolidaysToValidate=Días libres retribuidos a validar
@@ -139,10 +141,11 @@ HolidaysRefused=Días libres retribuidos denegados
 HolidaysRefusedBody=Su solicitud de días libres retribuidos desde el %s al %s ha sido denegada por el siguiente motivo :
 HolidaysCanceled=Días libres retribuidos cancelados
 HolidaysCanceledBody=Su solicitud de días libres retribuidos desde el %s al %s ha sido cancelada.
-Permission20000=Leer sus propios días libres retribuidos
-Permission20001=Crear/modificar sus días libres retribuidos
-Permission20002=Crear/modificar días libres retribuidos para todos
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Eliminar peticiones de días libres retribuidos
-Permission20004=Configurar días libres retribuidos de usuarios
-Permission20005=Consultar el historial de modificaciones de días libres retribuídos
-Permission20006=Leer informe mensual de días libres retribuidos
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/es_ES/loan.lang b/htdocs/langs/es_ES/loan.lang
new file mode 100644
index 0000000000000000000000000000000000000000..d7e67bde4aabd47f76903bee6e32c0326887f799
--- /dev/null
+++ b/htdocs/langs/es_ES/loan.lang
@@ -0,0 +1,53 @@
+# Dolibarr language file - Source file is en_US - loan
+Loan=Préstamo
+Loans=Préstamos
+NewLoan=Nuevo Préstamo
+ShowLoan=Ver Préstamo
+PaymentLoan=Pago de préstamo
+ShowLoanPayment=Ver Pago de Préstamo
+Capital=Capital
+Insurance=Seguro
+Interest=Interés
+Nbterms=Plazos
+LoanAccountancyCapitalCode=Código contable del Capital
+LoanAccountancyInsuranceCode=Código contable del seguro
+LoanAccountancyInterestCode=Código contable del interés
+LoanPayment=Pago del préstamo
+ConfirmDeleteLoan=¿Está seguro de querer eliminar este préstamo?
+LoanDeleted=Préstamo eliminado correctamente
+ConfirmPayLoan=¿Esa seguro de querer clasificar como pagado este préstamo?
+LoanPaid=Préstamo pagado
+ErrorLoanCapital=El importe del préstamo debe ser numérico y mayor que cero.
+ErrorLoanLength=El plazo de amortización del préstamo tiene que ser numérico y mayor que cero.
+ErrorLoanInterest=El interés anual debe de ser numérico y mayor que cero.
+# Calc
+LoanCalc=Calculadora de préstamos bancarios
+PurchaseFinanceInfo=Información de Compras y Financiamiento
+SalePriceOfAsset=Precio de venta del Capital
+PercentageDown=Porcentaje
+LengthOfMortgage=Plazo de amortización
+AnnualInterestRate=Interés anual
+ExplainCalculations=Explicación de los cálculos
+ShowMeCalculationsAndAmortization=Mostrar los cálculos y amortización
+MortgagePaymentInformation=Información sobre hipoteca
+DownPayment=Depósito
+DownPaymentDesc=El <b>pago inicial</b> = Precio inicial multiplicado por el porcentaje inicial dividido por 100 (para un inicial de 5% se convierte en 5/100 o 0.05)
+InterestRateDesc=La <b>tasa de interés</b> = El porcentaje de interés anual dividido por 100
+MonthlyFactorDesc=El <b>factor mensual</b> = El resultado de la siguiente fórmula
+MonthlyInterestRateDesc=La <b>tasa de interés mensual</b> = La tasa de interés anual dividido por 12 (para los 12 meses en un año)
+MonthTermDesc=El <b>plazo en meses</b> del préstamo = El número de años del préstamo multiplicado por 12
+MonthlyPaymentDesc=El pago mensual se calcula utilizando la siguiente fórmula
+AmortizationPaymentDesc=La <a href="#amortization">amortización</a> desglosa la cantidad de su pago mensual, tanto del interés como del capital.
+AmountFinanced=Importe financiado
+AmortizationMonthlyPaymentOverYears=Amortización para pago mensual <b>%s</b> sobre %s años
+Totalsforyear=Totales por año
+MonthlyPayment=Pago mensual
+LoanCalcDesc=Esta <b>calculadora financiera</b> puede ser usada para calcular el pago mensual de un préstamo hipotecario, basado en el precio de venta de la casa, el plazo del préstamo deseado, el porcentaje del pago inicial y la tasa de interés del préstamo. <br> La calculadora incluye un SPP (seguro de protección de pagos) para los préstamos en los que menos del 20% se pone como pago inicial. También toma en cuenta los impuestos inmobiliarios y su efecto sobre el total del pago mensual de la hipoteca.<br>
+GoToInterest=%s se destinará al INTERÉS
+GoToPrincipal=%s se destinará al PRINCIPAL
+YouWillSpend=Gastará %s en su casa en el año %s
+# Admin
+ConfigLoan=Configuración del módulo préstamos
+LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Código contable del capital por defecto
+LOAN_ACCOUNTING_ACCOUNT_INTEREST=Código contable por defecto para el interés
+LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Código contable por defecto para el seguro
diff --git a/htdocs/langs/es_ES/mails.lang b/htdocs/langs/es_ES/mails.lang
index 7d8d6f9fa16b24a7854734ddd1595c247d66ca89..5f42505842d789fc0db97a9f799d8974740881c0 100644
--- a/htdocs/langs/es_ES/mails.lang
+++ b/htdocs/langs/es_ES/mails.lang
@@ -77,7 +77,7 @@ CheckRead=Confirmación de lectura
 YourMailUnsubcribeOK=El correo electrónico <b>%s</b> es correcta desuscribe.
 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
+ActivateCheckReadKey=Clave usada para cifrar la URL utilizada para la función de "Darse de baja"
 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.
@@ -128,6 +128,7 @@ TagCheckMail=Seguimiento de la apertura del email
 TagUnsubscribe=Link de desuscripción
 TagSignature=Firma del usuario remitente
 TagMailtoEmail=Email del destinatario
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notificaciones
 NoNotificationsWillBeSent=Ninguna notificación por e-mail está prevista para este evento y empresa
diff --git a/htdocs/langs/es_ES/main.lang b/htdocs/langs/es_ES/main.lang
index ebdc89f8d8535bee941e09d22369b99cfcc7fabc..66622fc27aac007c3853b7c13f95ae4d0542f5da 100644
--- a/htdocs/langs/es_ES/main.lang
+++ b/htdocs/langs/es_ES/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Se encontraron algunos errores. Modificaci
 ErrorConfigParameterNotDefined=El parámetro <b>%s</b> no está definido en el archivo de configuración Dolibarr <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Imposible encontrar el usuario <b>%s</b> en la base de datos Dolibarr.
 ErrorNoVATRateDefinedForSellerCountry=Error, ningún tipo de IVA definido para el país '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, ningún tipo de carga social definida para el país '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, el registro del archivo falló.
 SetDate=Fijar fecha
 SelectDate=Seleccione una fecha
@@ -301,8 +301,8 @@ UnitPriceHT=Precio base
 UnitPriceTTC=Precio unitario total
 PriceU=P.U.
 PriceUHT=P.U.
-AskPriceSupplierUHT=P.U. solicitado
-PriceUTTC=P.U. Total
+AskPriceSupplierUHT=P.U. neto solicitado
+PriceUTTC=U.P. (inc. tax)
 Amount=Importe
 AmountInvoice=Importe factura
 AmountPayment=Importe pago
@@ -339,6 +339,7 @@ IncludedVAT=IVA incluido
 HT=Sin IVA
 TTC=IVA incluido
 VAT=IVA
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tasa IVA
@@ -413,6 +414,8 @@ Qty=Cant.
 ChangedBy=Modificado por
 ApprovedBy=Aprobado por
 ApprovedBy2=Aprobado por (segunda aprobación)
+Approved=Aprobado
+Refused=Rechazado
 ReCalculate=Recalcular
 ResultOk=Éxito
 ResultKo=Error
@@ -421,7 +424,7 @@ Reportings=Informes
 Draft=Borrador
 Drafts=Borradores
 Validated=Validado
-Opened=Abierto
+Opened=Activo
 New=Nuevo
 Discount=Descuento
 Unknown=Desconocido
@@ -678,6 +681,7 @@ LinkedToSpecificUsers=Enlazado a un contacto de usuario particular
 DeleteAFile=Eliminación de archivo
 ConfirmDeleteAFile=Confirme la eliminación del archivo
 NoResults=Ningún resultado
+SystemTools=Utilidades sistema
 ModulesSystemTools=Utilidades módulos
 Test=Prueba
 Element=Elemento
@@ -703,6 +707,9 @@ ShowTransaction=Ver transacción
 GoIntoSetupToChangeLogo=Vaya a Inicio->Configuración->Empresa/Institución para cambiar el logo o vaya a Inicio->Configuración->Entorno para ocultarlo
 Deny=Denegar
 Denied=Denegada
+ListOfTemplates=Listado de plantillas
+Genderman=Hombre
+Genderwoman=Mujer
 # Week day
 Monday=Lunes
 Tuesday=Martes
@@ -732,3 +739,4 @@ ShortThursday=J
 ShortFriday=V
 ShortSaturday=S
 ShortSunday=D
+SelectMailModel=Seleccione una plantilla de e-mail
diff --git a/htdocs/langs/es_ES/members.lang b/htdocs/langs/es_ES/members.lang
index afff6708e0db8a10277e513f4d9543f01eca0667..96655f7093f0440af4538c0e93b89495b72f594c 100644
--- a/htdocs/langs/es_ES/members.lang
+++ b/htdocs/langs/es_ES/members.lang
@@ -199,7 +199,8 @@ Entreprises=Empresas
 DOLIBARRFOUNDATION_PAYMENT_FORM=Para realizar el pago de su cotización por transferencia bancaria, visite la página <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribirse#Para_una_adhesi.C3.B3n_por_transferencia">http://wiki.dolibarr.org/index.php/Subscribirse</a>.<br>Para pagar con tarjeta de crédito o PayPal, haga clic en el botón en la parte inferior de esta página.<br><br>
 ByProperties=Por características
 MembersStatisticsByProperties=Estadísticas de los miembros por características
-MembersByNature=Miembros por naturaleza
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Tasa de IVA para las afiliaciones
 NoVatOnSubscription=Sin IVA para en las afiliaciones
 MEMBER_PAYONLINE_SENDEMAIL=E-Mail para advertir en caso de recepción de confirmación de un pago validado de una afiliación
diff --git a/htdocs/langs/es_ES/products.lang b/htdocs/langs/es_ES/products.lang
index c46ff18e246b3e0aba0f02f7e31280b7656c5bbc..a006b7f7b50db2598ae9bdbf0c711fd92d022ab4 100644
--- a/htdocs/langs/es_ES/products.lang
+++ b/htdocs/langs/es_ES/products.lang
@@ -23,14 +23,14 @@ ProductOrService=Producto o servicio
 ProductsAndServices=Productos y servicios
 ProductsOrServices=Productos o servicios
 ProductsAndServicesOnSell=Productos y Servicios a la venta o en compra
-ProductsAndServicesNotOnSell=Productos y Servicios fuera de venta
+ProductsAndServicesNotOnSell=Producto y servicios no a la venta
 ProductsAndServicesStatistics=Estadísticas productos y servicios
 ProductsStatistics=Estadísticas productos
-ProductsOnSell=Producto en venta o en compra
-ProductsNotOnSell=Producto fuera de venta y fuera de compra
+ProductsOnSell=Producto a la venta o a la compra
+ProductsNotOnSell=Producto ni a la venta ni a la compra
 ProductsOnSellAndOnBuy=Productos en venta o en compra
 ServicesOnSell=Servicios a la venta o en compra
-ServicesNotOnSell=Servicios fuera de venta
+ServicesNotOnSell=Servicios no a la venta
 ServicesOnSellAndOnBuy=Servicios a la venta o en compra
 InternalRef=Referencia interna
 LastRecorded=Ultimos productos/servicios en venta registrados
@@ -71,21 +71,21 @@ SellingPriceTTC=PVP con IVA
 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.)
+MinPrice=Precio de venta mín.
+MinPriceHT=Precio de venta mín. (base imponible)
+MinPriceTTC=Precio de venta mín. (base imponible)
 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
-ContractStatusRunning=En servicio
+ContractStatusRunning=En marcha
 ContractStatusExpired=Expirado
-ContractStatusOnHold=Fuera de servicio
-ContractStatusToRun=A iniciar
-ContractNotRunning=Este contrato no está en servicio
+ContractStatusOnHold=En espera
+ContractStatusToRun=Poner en marcha
+ContractNotRunning=Este contrato no se encuentra en marcha
 ErrorProductAlreadyExists=Un producto con la referencia %s ya existe.
 ErrorProductBadRefOrLabel=El valor de la referencia o etiqueta es incorrecto
 ErrorProductClone=Ha ocurrido un error al intentar clonar el producto o servicio.
-ErrorPriceCantBeLowerThanMinPrice=Error el Precio no puede ser menor que el precio mínimo.
+ErrorPriceCantBeLowerThanMinPrice=Error, el precio no puede ser menor que el precio mínimo.
 Suppliers=Proveedores
 SupplierRef=Ref. producto proveedor
 ShowProduct=Mostrar producto
@@ -117,12 +117,12 @@ ServiceLimitedDuration=Si el servicio es de duración limitada :
 MultiPricesAbility=Varios niveles de precio por producto/servicio
 MultiPricesNumPrices=Nº de precios
 MultiPriceLevelsName=Categoría de precios
-AssociatedProductsAbility=Activar la funcionalidad de productos compuestos
+AssociatedProductsAbility=Activar productos compuestos
 AssociatedProducts=Producto compuesto
-AssociatedProductsNumber=Nº de productos que componen este producto
+AssociatedProductsNumber=Nº de productos que componen a este producto
 ParentProductsNumber=Nº de productos que este producto compone
 IfZeroItIsNotAVirtualProduct=Si 0, este producto no es un producto compuesto
-IfZeroItIsNotUsedByVirtualProduct=Si 0, este producto no puede ser usado por ningún producto compuesto
+IfZeroItIsNotUsedByVirtualProduct=Si 0, este producto no está siendo usado por algún producto compuesto
 EditAssociate=Componer
 Translation=Traducción
 KeywordFilter=Filtro por clave
@@ -131,7 +131,7 @@ ProductToAddSearch=Buscar productos a adjuntar
 AddDel=Adjuntar/Retirar
 Quantity=Cantidad
 NoMatchFound=No se han encontrado resultados
-ProductAssociationList=Listado de productos/servicios componentes de este producto : el número entre paréntesis es la cantidad afectada en esta composición
+ProductAssociationList=Listado de productos/servicios que componen este producto compuesto
 ProductParentList=Listado de productos/servicios con este producto como componente
 ErrorAssociationIsFatherOfThis=Uno de los productos seleccionados es padre del producto en curso
 DeleteProduct=Eliminar un producto/servicio
@@ -179,16 +179,41 @@ CloneProduct=Clonar producto/servicio
 ConfirmCloneProduct=¿Está seguro de querer clonar el producto o servicio <b>%s</b>?
 CloneContentProduct=Clonar solamente la información general del producto/servicio
 ClonePricesProduct=Clonar la información general y los precios
-CloneCompositionProduct=Clonar productos/servicios compuestos
+CloneCompositionProduct=Clonar producto/servicio compuesto
 ProductIsUsed=Este producto es utilizado
 NewRefForClone=Ref. del nuevo producto/servicio
-CustomerPrices=Precios clientes
-SuppliersPrices=Precios proveedores
-SuppliersPricesOfProductsOrServices=Precios proveedores (productos o servicios)
+CustomerPrices=Precios a clientes
+SuppliersPrices=Precios de proveedores
+SuppliersPricesOfProductsOrServices=Precios de proveedores (productos o servicios)
 CustomCode=Código aduanero
 CountryOrigin=País de origen
 HiddenIntoCombo=Oculto en las listas
 Nature=Naturaleza
+ShortLabel=Etiqueta corta
+Unit=Unidad
+p=u.
+set=conjunto
+se=conjunto
+second=segundo
+s=s
+hour=hora
+h=h
+day=día
+d=d
+kilogram=kilogramo
+kg=Kg
+gram=gramo
+g=g
+meter=metro
+m=m
+linear metro=metro lineal
+lm=ml
+square metro= metro cuadrado
+m2=m²
+cubic metro=metro cúbico
+m3=m³
+liter=litro
+l=L
 ProductCodeModel=Modelo de ref. de producto
 ServiceCodeModel=Modelo de ref. de servicio
 AddThisProductCard=Crear ficha producto
@@ -237,10 +262,10 @@ ResetBarcodeForAllRecords=Definir códigos de barras para todos los registros (m
 PriceByCustomer=Precio diferente para cada cliente
 PriceCatalogue=Precio único por producto/servicio
 PricingRule=Reglas para precios a clientes
-AddCustomerPrice=Añadir precio por clientes
+AddCustomerPrice=Añadir precio a cliente
 ForceUpdateChildPriceSoc=Establecer el mismo precio en las filiales de los clientes
 PriceByCustomerLog=Log de precios por clientes
-MinimumPriceLimit=El precio mínimo no puede ser menor de %s
+MinimumPriceLimit=El precio mínimo no puede ser menor que %s
 MinimumRecommendedPrice=El precio mínimo recomendado es: %s
 PriceExpressionEditor=Editor de expresión de precios
 PriceExpressionSelected=Expresión de precios seleccionada
@@ -267,3 +292,7 @@ GlobalVariableUpdaterHelpFormat1=el formato es  {"URL": "http://example.com/urlo
 UpdateInterval=Intervalo de actualización (minutos)
 LastUpdated=Última actualización
 CorrectlyUpdated=Actualizado correctamente
+PropalMergePdfProductActualFile=Archivos que se usan para añadir en el PDF Azur son
+PropalMergePdfProductChooseFile=Seleccione los archivos PDF
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/es_ES/projects.lang b/htdocs/langs/es_ES/projects.lang
index 0f9ad15ba40b84eb5ad6663f88d9c3228d9d65b7..ddaa1b05977b0204a24a9a802d844c9e28837e5d 100644
--- a/htdocs/langs/es_ES/projects.lang
+++ b/htdocs/langs/es_ES/projects.lang
@@ -11,10 +11,11 @@ ProjectsPublicDesc=Esta vista muestra todos los proyectos a los que usted tiene
 ProjectsPublicTaskDesc=Esta vista muestra todos los proyectos a los que tiene derecho a visualizar.
 ProjectsDesc=Esta vista muestra todos los proyectos (sus permisos de usuario le permiten tener una visión completa).
 MyTasksDesc=Esta vista se limita a los proyectos y tareas en los que usted es un contacto afectado en al menos una tarea (cualquier tipo).
-OnlyOpenedProject=Solamente son visibles los proyectos abiertos (los proyectos con estado borrador o cerrado no son visibles)
+OnlyOpenedProject=Sólo los proyectos abiertos son visibles (los proyectos en estado borrador cerrado no son visibles).
 TasksPublicDesc=Esta vista muestra todos los proyectos y tareas en los que usted tiene derecho a tener visibilidad.
 TasksDesc=Esta vista muestra todos los proyectos y tareas (sus permisos de usuario le permiten tener una visión completa).
-AllTaskVisibleButEditIfYouAreAssigned=Todas las tareas para dichos proyectos son visibles, pero introducir tiempos sólo para la tarea que tenga asignada.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Área proyectos
 NewProject=Nuevo proyecto
 AddProject=Crear proyecto
@@ -29,7 +30,7 @@ ProjectsList=Listado de proyectos
 ShowProject=Ver proyecto
 SetProject=Definir proyecto
 NoProject=Ningún proyecto definido
-NbOpenTasks=Nº tareas abiertas
+NbOpenTasks=Nº de tareas abiertas
 NbOfProjects=Nº de proyectos
 TimeSpent=Tiempo dedicado
 TimeSpentByYou=Tiempo dedicado por usted
@@ -75,6 +76,8 @@ ListFichinterAssociatedProject=Listado de intervenciones asociadas al proyecto
 ListExpenseReportsAssociatedProject=Listado de informes de gastos asociados al proyecto
 ListDonationsAssociatedProject=Listado de donaciones asociadas al proyecto
 ListActionsAssociatedProject=Lista de eventos asociados al proyecto
+ListTaskTimeUserProject=Listado de tiempos en tareas del proyecto
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Actividad en el proyecto esta semana
 ActivityOnProjectThisMonth=Actividad en el proyecto este mes
 ActivityOnProjectThisYear=Actividad en el proyecto este año
@@ -95,7 +98,7 @@ DeleteATimeSpent=Eliminación de tiempo dedicado
 ConfirmDeleteATimeSpent=¿Está seguro de querer eliminar este tiempo dedicado?
 DoNotShowMyTasksOnly=Ver también tareas no asignadas a mí
 ShowMyTasksOnly=Ver solamente tareas asignadas a mí
-TaskRessourceLinks=Recursos afectados
+TaskRessourceLinks=Recursos
 ProjectsDedicatedToThisThirdParty=Proyectos dedicados a este tercero
 NoTasks=Ninguna tarea para este proyecto
 LinkedToAnotherCompany=Enlazado a otra empresa
@@ -139,8 +142,15 @@ ProjectReferers=Objetos vinculados
 SearchAProject=Buscar un proyecto
 ProjectMustBeValidatedFirst=El proyecto debe validarse primero
 ProjectDraft=Proyectos borrador
-FirstAddRessourceToAllocateTime=Asociar un recurso para asignar tiempo consumido
+FirstAddRessourceToAllocateTime=Asociar un recurso para asignar tiempos
 InputPerDay=Entrada por día
 InputPerWeek=Entrada por semana
 InputPerAction=Entrada por acción
 TimeAlreadyRecorded=Tiempo dedicado ya registrado para esta tarea/día y usuario %s
+ProjectsWithThisUserAsContact=Proyectos con este usuario como contacto
+TasksWithThisUserAsContact=Tareas asignadas a este usuario
+ResourceNotAssignedToProject=No asignado al proyecto
+ResourceNotAssignedToTask=No asignado a la tarea
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/es_ES/trips.lang b/htdocs/langs/es_ES/trips.lang
index ab3c7a4740220b1ecc1472421164f1f17d3c12a3..7083f393204d2e7e6c75980d500d338bff3bd2cf 100644
--- a/htdocs/langs/es_ES/trips.lang
+++ b/htdocs/langs/es_ES/trips.lang
@@ -44,7 +44,6 @@ TF_HOTEL=Hotel
 TF_TAXI=Taxi
 
 ErrorDoubleDeclaration=Ha declarado otro gasto en un rango similar de fechas.
-ListTripsAndExpenses=Listado de gastos
 AucuneNDF=No se han encontrado gastos con este criterio
 AucuneLigne=No hay gastos declarados
 AddLine=Añadir una línea
@@ -56,12 +55,12 @@ ModePaiement=Modo de pago
 Note=Nota
 Project=Proyecto
 
-VALIDATOR=Usuario a informar para la aprobación
+VALIDATOR=Usuario responsable para aprobación
 VALIDOR=Aprobado por
 AUTHOR=Registrado por
 AUTHORPAIEMENT=Pagado por
 REFUSEUR=Denegado por
-CANCEL_USER=Cancelado por
+CANCEL_USER=Eliminado por
 
 MOTIF_REFUS=Razón
 MOTIF_CANCEL=Razón
@@ -74,9 +73,10 @@ DATE_PAIEMENT=Fecha de pago
 
 TO_PAID=Pagar
 BROUILLONNER=Reabrir
-SendToValid=Enviar para aprobar
+SendToValid=Enviado para aprobar
 ModifyInfoGen=Modificar
 ValidateAndSubmit=Validar y enviar para aprobar
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=No está autorizado para aprobar este gasto
 NOT_AUTHOR=No es el autor de este gasto. Operación cancelada.
@@ -93,7 +93,7 @@ ConfirmPaidTrip=¿Está seguro de querer cambiar el estado de este gasto a "Paga
 CancelTrip=Cancelar gasto
 ConfirmCancelTrip=¿Está seguro de querer cancelar este gasto?
 
-BrouillonnerTrip=Devolver gasto al estado "Borrador"
+BrouillonnerTrip=Devolver el gasto al estado "Borrador"
 ConfirmBrouillonnerTrip=¿Está seguro de querer devolver este gasto al estado "Borrador"?
 
 SaveTrip=Validar gasto
diff --git a/htdocs/langs/es_ES/withdrawals.lang b/htdocs/langs/es_ES/withdrawals.lang
index b5e6bd3cdeef75c60ea478d22b2ccd0de564464f..a25cf5d7d883ff37e3574855dccf60b7a844b49f 100644
--- a/htdocs/langs/es_ES/withdrawals.lang
+++ b/htdocs/langs/es_ES/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Archivo de la domiciliación
 SetToStatusSent=Clasificar como "Archivo enviado"
 ThisWillAlsoAddPaymentOnInvoice=Se crearán los pagos de las facturas y las clasificará como pagadas
 StatisticsByLineStatus=Estadísticas por estados de líneas
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Abono de domiciliación %s por el banco
diff --git a/htdocs/langs/es_ES/workflow.lang b/htdocs/langs/es_ES/workflow.lang
index 8f97c5681781a04b49a1f504fa2e9e480cf58c90..6f0b361d1696a4cf527eb940358fcbc14c2352dc 100644
--- a/htdocs/langs/es_ES/workflow.lang
+++ b/htdocs/langs/es_ES/workflow.lang
@@ -1,11 +1,11 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Configuración del módulo Flujo de trabajo
-WorkflowDesc=Este módulo le permite cambiar el comportamiento de las acciones automáticas en la aplicación. De forma predeterminada, el workflow está abierto (configure según sus necesidades). Active las acciones automáticas que le interesen.
-ThereIsNoWorkflowToModify=No hay workflow modificable para los módulos que tiene activados.
+WorkflowDesc=Este módulo está diseñado para modificar el comportamiento de acciones automáticas en la aplicación. Por defecto, el flujo de trabajo está abierto (se pueden hacer cosas en el orden que se desee). Puede activar las acciones automáticas que le interesen.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crear un pedido de cliente automáticamente a la firma de un presupuesto
-descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Crear una factura a cliente automáticamente a la firma de un presupuesto
-descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crear una factura a cliente automáticamente a la validación de un contrato
-descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Crear una factura a cliente automáticamente al cierre de un pedido de cliente
+descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically Crear una factura a cliente automáticamente a la firma de un presupuesto
+descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically Crear una factura a cliente automáticamente a la validación de un contrato
+descWORKFLOW_ORDER_AUTOCREATE_INVOICEAutomatically Crear una factura a cliente automáticamente al cierre de un pedido de cliente
 descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasificar como facturado el presupuesto cuando el pedido de cliente relacionado se clasifique como pagado
 descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasificar como facturados los pedidos cuando la factura relacionada se clasifique como pagada
 descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasificar como facturados los pedidos de cliente relacionados cuando la factura sea validada
diff --git a/htdocs/langs/es_HN/compta.lang b/htdocs/langs/es_HN/compta.lang
index 9fede56fc29c48ffd99b96c53e18a637d814e2fc..f4cc556f604d88c6c5a4fe657eb256a1af22c89f 100644
--- a/htdocs/langs/es_HN/compta.lang
+++ b/htdocs/langs/es_HN/compta.lang
@@ -19,4 +19,3 @@ VATReportByQuartersInInputOutputMode=Informe por tasa del ISV repercutido y paga
 VATReportByQuartersInDueDebtMode=Informe por tasa del ISV repercutido y pagado (ISV debido)
 SeeVATReportInInputOutputMode=Ver el informe <b>%sISV pagado%s</b> para un modo de cálculo estandard
 SeeVATReportInDueDebtMode=Ver el informe <b>%sISV debido%s</b> para un modo de cálculo con la opción sobre lo debido
-ACCOUNTING_VAT_ACCOUNT=Código contable por defecto para el ISV (si no está definido en el diccionario "Tasas de ISV")
diff --git a/htdocs/langs/es_MX/admin.lang b/htdocs/langs/es_MX/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..1c53b65c99c6fee95d719213ae8ef0909a718a3f 100644
--- a/htdocs/langs/es_MX/admin.lang
+++ b/htdocs/langs/es_MX/admin.lang
@@ -1,1642 +1,4 @@
 # Dolibarr language file - Source file is en_US - admin
-Foundation=Foundation
-Version=Version
-VersionProgram=Version program
-VersionLastInstall=Version initial install
-VersionLastUpgrade=Version last upgrade
-VersionExperimental=Experimental
-VersionDevelopment=Development
-VersionUnknown=Unknown
-VersionRecommanded=Recommended
-FileCheck=Files Integrity
-FilesMissing=Missing Files
-FilesUpdated=Updated Files
-FileCheckDolibarr=Check Dolibarr Files Integrity
-XmlNotFound=Xml File of Dolibarr Integrity Not Found
-SessionId=Session ID
-SessionSaveHandler=Handler to save sessions
-SessionSavePath=Storage session localization
-PurgeSessions=Purge of sessions
-ConfirmPurgeSessions=Do you really want to purge all sessions ? This will disconnect every user (except yourself).
-NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow to list all running sessions.
-LockNewSessions=Lock new connections
-ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself. Only user <b>%s</b> will be able to connect after that.
-UnlockNewSessions=Remove connection lock
-YourSession=Your session
-Sessions=Users session
-WebUserGroup=Web server user/group
-NoSessionFound=Your PHP seems to not allow to list active sessions. Directory used to save sessions (<b>%s</b>) might be protected (For example, by OS permissions or by PHP directive open_basedir).
-HTMLCharset=Charset for generated HTML pages
-DBStoringCharset=Database charset to store data
-DBSortingCharset=Database charset to sort data
-WarningModuleNotActive=Module <b>%s</b> must be enabled
-WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page.
-DolibarrSetup=Dolibarr install or upgrade
-DolibarrUser=Dolibarr user
-InternalUser=Internal user
-ExternalUser=External user
-InternalUsers=Internal users
-ExternalUsers=External users
-GlobalSetup=Global setup
-GUISetup=Display
-SetupArea=Setup area
-FormToTestFileUploadForm=Form to test file upload (according to setup)
-IfModuleEnabled=Note: yes is effective only if module <b>%s</b> is enabled
-RemoveLock=Remove file <b>%s</b> if it exists to allow usage of the update tool.
-RestoreLock=Restore file <b>%s</b>, with read permission only, to disable any usage of update tool.
-SecuritySetup=Security setup
-ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher
-ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher
-ErrorDecimalLargerThanAreForbidden=Error, a precision higher than <b>%s</b> is not supported.
-DictionarySetup=Dictionary setup
-Dictionary=Dictionaries
-Chartofaccounts=Chart of accounts
-Fiscalyear=Fiscal years
-ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record
-ErrorCodeCantContainZero=Code can't contain value 0
-DisableJavascript=Disable JavaScript and Ajax functions (Recommended for blind person or text browsers)
-ConfirmAjax=Use Ajax confirmation popups
-UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectCompany=Use autocompletion fields to choose third parties instead of using a list box.
-ActivityStateToSelectCompany= Add a filter option to show/hide thirdparties which are currently in activity or has ceased it
-UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectContact=Use autocompletion fields to choose contact (instead of using a list box).
-DelaiedFullListToSelectCompany=Wait you press a key before loading content of thirdparties combo list (This may increase performance if you have a large number of thirdparties)
-DelaiedFullListToSelectContact=Wait you press a key before loading content of contact combo list (This may increase performance if you have a large number of contact)
-SearchFilter=Search filters options
-NumberOfKeyToSearch=Nbr of characters to trigger search: %s
-ViewFullDateActions=Show full dates events in the third sheet
-NotAvailableWhenAjaxDisabled=Not available when Ajax disabled
-JavascriptDisabled=JavaScript disabled
-UsePopupCalendar=Use popup for dates input
-UsePreviewTabs=Use preview tabs
-ShowPreview=Show preview
-PreviewNotAvailable=Preview not available
-ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
-MySQLTimeZone=TimeZone MySql (database)
-TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submited string. The timezone has effect only when using UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
-Space=Space
-Table=Table
-Fields=Fields
-Index=Index
-Mask=Mask
-NextValue=Next value
-NextValueForInvoices=Next value (invoices)
-NextValueForCreditNotes=Next value (credit notes)
-NextValueForDeposit=Next value (deposit)
-NextValueForReplacements=Next value (replacements)
-MustBeLowerThanPHPLimit=Note: your PHP limits each file upload's size to <b>%s</b> %s, whatever this parameter's value is
-NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration
-MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload)
-UseCaptchaCode=Use graphical code (CAPTCHA) on login page
-UseAvToScanUploadedFiles=Use anti-virus to scan uploaded files
-AntiVirusCommand= Full path to antivirus command
-AntiVirusCommandExample= Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe<br>Example for ClamAv: /usr/bin/clamscan
-AntiVirusParam= More parameters on command line
-AntiVirusParamExample= Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
-ComptaSetup=Accounting module setup
-UserSetup=User management setup
-MenuSetup=Menu management setup
-MenuLimits=Limits and accuracy
-MenuIdParent=Parent menu ID
-DetailMenuIdParent=ID of parent menu (empty for a top menu)
-DetailPosition=Sort number to define menu position
-PersonalizedMenusNotSupported=Personalized menus not supported
-AllMenus=All
-NotConfigured=Module not configured
-Setup=Setup
-Activation=Activation
-Active=Active
-SetupShort=Setup
-OtherOptions=Other options
-OtherSetup=Other setup
-CurrentValueSeparatorDecimal=Decimal separator
-CurrentValueSeparatorThousand=Thousand separator
-Destination=Destination
-IdModule=Module ID
-IdPermissions=Permissions ID
-Modules=Modules
-ModulesCommon=Main modules
-ModulesOther=Other modules
-ModulesInterfaces=Interfaces modules
-ModulesSpecial=Modules very specific
-ParameterInDolibarr=Parameter %s
-LanguageParameter=Language parameter %s
-LanguageBrowserParameter=Parameter %s
-LocalisationDolibarrParameters=Localisation parameters
-ClientTZ=Client Time Zone (user)
-ClientHour=Client time (user)
-OSTZ=Server OS Time Zone
-PHPTZ=PHP server Time Zone
-PHPServerOffsetWithGreenwich=PHP server offset width Greenwich (seconds)
-ClientOffsetWithGreenwich=Client/Browser offset width Greenwich (seconds)
-DaylingSavingTime=Daylight saving time
-CurrentHour=PHP Time (server)
-CompanyTZ=Company Time Zone (main company)
-CompanyHour=Company Time (main company)
-CurrentSessionTimeOut=Current session timeout
-YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a file .htacces with a line like this "SetEnv TZ Europe/Paris"
-OSEnv=OS Environment
-Box=Box
-Boxes=Boxes
-MaxNbOfLinesForBoxes=Max number of lines for boxes
-PositionByDefault=Default order
-Position=Position
-MenusDesc=Menus managers define content of the 2 menu bars (horizontal bar and vertical bar).
-MenusEditorDesc=The menu editor allow you to define personalized entries in menus. Use it carefully to avoid making dolibarr unstable and menu entries permanently unreachable.<br>Some modules add entries in the menus (in menu <b>All</b> in most cases). If you removed some of these entries by mistake, you can restore them by disabling and reenabling the module.
-MenuForUsers=Menu for users
-LangFile=.lang file
-System=System
-SystemInfo=System information
-SystemToolsArea=System tools area
-SystemToolsAreaDesc=This area provides administration features. Use the menu to choose the feature you're looking for.
-Purge=Purge
-PurgeAreaDesc=This page allows you to delete all files built or stored by Dolibarr (temporary files or all files in <b>%s</b> directory). Using this feature is not necessary. It is provided for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files built by the web server.
-PurgeDeleteLogFile=Delete log file <b>%s</b> defined for Syslog module (no risk to loose data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk to loose data)
-PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory <b>%s</b>. Temporary files but also database backup dumps, files attached to elements (third parties, invoices, ...) and uploaded into the ECM module will be deleted.
-PurgeRunNow=Purge now
-PurgeNothingToDelete=No directory or file to delete.
-PurgeNDirectoriesDeleted=<b>%s</b> files or directories deleted.
-PurgeAuditEvents=Purge all security events
-ConfirmPurgeAuditEvents=Are you sure you want to purge all security events ? All security logs will be deleted, no other data will be removed.
-NewBackup=New backup
-GenerateBackup=Generate backup
-Backup=Backup
-Restore=Restore
-RunCommandSummary=Backup has been launched with the following command
-RunCommandSummaryToLaunch=Backup can be launched with the following command
-WebServerMustHavePermissionForCommand=Your web server must have the permission to run such commands
-BackupResult=Backup result
-BackupFileSuccessfullyCreated=Backup file successfully generated
-YouCanDownloadBackupFile=Generated files can now be downloaded
-NoBackupFileAvailable=No backup files available.
-ExportMethod=Export method
-ImportMethod=Import method
-ToBuildBackupFileClickHere=To build a backup file, click <a href="%s">here</a>.
-ImportMySqlDesc=To import a backup file, you must use mysql command from command line:
-ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line:
-ImportMySqlCommand=%s %s < mybackupfile.sql
-ImportPostgreSqlCommand=%s %s mybackupfile.sql
-FileNameToGenerate=File name to generate
-Compression=Compression
-CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import
-CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later
-ExportCompatibility=Compatibility of generated export file
-MySqlExportParameters=MySQL export parameters
-PostgreSqlExportParameters= PostgreSQL export parameters
-UseTransactionnalMode=Use transactional mode
-FullPathToMysqldumpCommand=Full path to mysqldump command
-FullPathToPostgreSQLdumpCommand=Full path to pg_dump command
-ExportOptions=Export Options
-AddDropDatabase=Add DROP DATABASE command
-AddDropTable=Add DROP TABLE command
-ExportStructure=Structure
-Datas=Data
-NameColumn=Name columns
-ExtendedInsert=Extended INSERT
-NoLockBeforeInsert=No lock commands around INSERT
-DelayedInsert=Delayed insert
-EncodeBinariesInHexa=Encode binary data in hexadecimal
-IgnoreDuplicateRecords=Ignore errors of duplicate records (INSERT IGNORE)
-Yes=Yes
-No=No
-AutoDetectLang=Autodetect (browser language)
-FeatureDisabledInDemo=Feature disabled in demo
-Rights=Permissions
-BoxesDesc=Boxes are screen area that show a piece of information on some pages. You can choose between showing the box or not by selecting target page and clicking 'Activate', or by clicking the dustbin to disable it.
-OnlyActiveElementsAreShown=Only elements from <a href="%s">enabled modules</a> are shown.
-ModulesDesc=Dolibarr modules define which functionality is enabled in software. Some modules require permissions you must grant to users, after enabling module. Click on button on/off in column "Status" to enable a module/feature.
-ModulesInterfaceDesc=The Dolibarr modules interface allows you to add features depending on external software, systems or services.
-ModulesSpecialDesc=Special modules are very specific or seldom used modules.
-ModulesJobDesc=Business modules provide simple predefined setup of Dolibarr for a particular business.
-ModulesMarketPlaceDesc=You can find more modules to download on external web sites on the Internet...
-ModulesMarketPlaces=More modules...
-DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules
-DoliPartnersDesc=List with some companies that can provide/develop on-demand modules or features (Note: any Open Source company knowning PHP language can provide you specific development)
-WebSiteDesc=Web site providers you can search to find more modules...
-URL=Link
-BoxesAvailable=Boxes available
-BoxesActivated=Boxes activated
-ActivateOn=Activate on
-ActiveOn=Activated on
-SourceFile=Source file
-AutomaticIfJavascriptDisabled=Automatic if Javascript is disabled
-AvailableOnlyIfJavascriptNotDisabled=Available only if JavaScript is not disabled
-AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled
-Required=Required
-UsedOnlyWithTypeOption=Used by some agenda option only
-Security=Security
-Passwords=Passwords
-DoNotStoreClearPassword=Do no store clear passwords in database but store only encrypted value (Activated recommended)
-MainDbPasswordFileConfEncrypted=Database password encrypted in conf.php (Activated recommended)
-InstrucToEncodePass=To have password encoded into the <b>conf.php</b> file, replace the line <br><b>$dolibarr_main_db_pass="...";</b><br>by<br><b>$dolibarr_main_db_pass="crypted:%s";</b>
-InstrucToClearPass=To have password decoded (clear) into the <b>conf.php</b> file, replace the line <br><b>$dolibarr_main_db_pass="crypted:...";</b><br>by<br><b>$dolibarr_main_db_pass="%s";</b>
-ProtectAndEncryptPdfFiles=Protection of generated pdf files (Activated NOT recommended, breaks mass pdf generation)
-ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature make building of a global cumulated pdf not working (like unpaid invoices).
-Feature=Feature
-DolibarrLicense=License
-DolibarrProjectLeader=Project leader
-Developpers=Developers/contributors
-OtherDeveloppers=Other developers/contributors
-OfficialWebSite=Dolibarr international official web site
-OfficialWebSiteFr=French official web site
-OfficialWiki=Dolibarr documentation on Wiki
-OfficialDemo=Dolibarr online demo
-OfficialMarketPlace=Official market place for external modules/addons
-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.
-HelpCenterDesc2=Some part of this service are available in <b>english only</b>.
-CurrentTopMenuHandler=Current top menu handler
-CurrentLeftMenuHandler=Current left menu handler
-CurrentMenuHandler=Current menu handler
-CurrentSmartphoneMenuHandler=Current smartphone menu handler
-MeasuringUnit=Measuring unit
-Emails=E-mails
-EMailsSetup=E-mails setup
-EMailsDesc=This page allows you to overwrite your PHP parameters for e-mails sending. In most cases on Unix/Linux OS, your PHP setup is correct and these parameters are useless.
-MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix like systems)
-MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix like systems)
-MAIN_MAIL_EMAIL_FROM=Sender e-mail for automatic emails (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_ERRORS_TO=Sender e-mail used for error returns emails sent
-MAIN_MAIL_AUTOCOPY_TO= Send systematically a hidden carbon-copy of all sent emails to
-MAIN_MAIL_AUTOCOPY_PROPOSAL_TO= Send systematically a hidden carbon-copy of proposals sent by email to
-MAIN_MAIL_AUTOCOPY_ORDER_TO= Send systematically a hidden carbon-copy of orders sent by email to
-MAIN_MAIL_AUTOCOPY_INVOICE_TO= Send systematically a hidden carbon-copy of invoice sent by emails to
-MAIN_DISABLE_ALL_MAILS=Disable all e-mails sendings (for test purposes or demos)
-MAIN_MAIL_SENDMODE=Method to use to send EMails
-MAIN_MAIL_SMTPS_ID=SMTP ID if authentication required
-MAIN_MAIL_SMTPS_PW=SMTP Password if authentication required
-MAIN_MAIL_EMAIL_TLS= Use TLS (SSL) encrypt
-MAIN_DISABLE_ALL_SMS=Disable all SMS sendings (for test purposes or demos)
-MAIN_SMS_SENDMODE=Method to use to send SMS
-MAIN_MAIL_SMS_FROM=Default sender phone number for Sms sending
-FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally.
-SubmitTranslation=If translation for this language is not complete or you find errors, you can correct this by editing files into directory <b>langs/%s</b> and submit modified files on www.dolibarr.org forum.
-ModuleSetup=Module setup
-ModulesSetup=Modules setup
-ModuleFamilyBase=System
-ModuleFamilyCrm=Customer Relation Management (CRM)
-ModuleFamilyProducts=Products Management
-ModuleFamilyHr=Human Resource Management
-ModuleFamilyProjects=Projects/Collaborative work
-ModuleFamilyOther=Other
-ModuleFamilyTechnic=Multi-modules tools
-ModuleFamilyExperimental=Experimental modules
-ModuleFamilyFinancial=Financial Modules (Accounting/Treasury)
-ModuleFamilyECM=Electronic Content Management (ECM)
-MenuHandlers=Menu handlers
-MenuAdmin=Menu editor
-DoNotUseInProduction=Do not use in production
-ThisIsProcessToFollow=This is setup to process:
-ThisIsAlternativeProcessToFollow=This is an alternative setup to process:
-StepNb=Step %s
-FindPackageFromWebSite=Find a package that provides feature you want (for example on official web site %s).
-DownloadPackageFromWebSite=Download package (for example from official web site %s).
-UnpackPackageInDolibarrRoot=Unpack package file into Dolibarr server directory dedicated to external modules: <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>
-InfDirExample=<br>Then declare it in the file conf.php<br> $dolibarr_main_url_root_alt='http://myserver/custom'<br>$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'<br>*These lines are commented with "#", to uncomment only remove the character.
-YouCanSubmitFile=For this step, you can send package using this tool: Select module file
-CurrentVersion=Dolibarr current version
-CallUpdatePage=Go to the page that updates the database structure and datas: %s.
-LastStableVersion=Last stable version
-UpdateServerOffline=Update server offline
-GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags could be used:<br><b>{000000}</b> corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask. <br><b>{000000+000}</b> same as previous but an offset corresponding to the number to the right of the + sign is applied starting on first %s. <br><b>{000000@x}</b> same as previous but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then sequence {yy}{mm} or {yyyy}{mm} is also required. <br><b>{dd}</b> day (01 to 31).<br><b>{mm}</b> month (01 to 12).<br><b>{yy}</b>, <b>{yyyy}</b> or <b>{y}</b> year over 2, 4 or 1 numbers. <br>
-GenericMaskCodes2=<b>{cccc}</b> the client code on n characters<br><b>{cccc000}</b> the client code on n characters is followed by a counter dedicated for customer. This counter dedicated to customer is reset at same time than global counter.<br><b>{tttt}</b> The code of thirdparty type on n characters (see dictionary-thirdparty types).<br>
-GenericMaskCodes3=All other characters in the mask will remain intact.<br>Spaces are not allowed.<br>
-GenericMaskCodes4a=<u>Example on the 99th %s of the third party TheCompany done 2007-01-31:</u><br>
-GenericMaskCodes4b=<u>Example on third party created on 2007-03-01:</u><br>
-GenericMaskCodes4c=<u>Example on product created on 2007-03-01:</u><br>
-GenericMaskCodes5=<b>ABC{yy}{mm}-{000000}</b> will give <b>ABC0701-000099</b><br><b>{0000+100@1}-ZZZ/{dd}/XXX</b> will give <b>0199-ZZZ/31/XXX</b>
-GenericNumRefModelDesc=Returns a customizable number according to a defined mask.
-ServerAvailableOnIPOrPort=Server is available at address <b>%s</b> on port <b>%s</b>
-ServerNotAvailableOnIPOrPort=Server is not available at address <b>%s</b> on port <b>%s</b>
-DoTestServerAvailability=Test server connectivity
-DoTestSend=Test sending
-DoTestSendHTML=Test sending HTML
-ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask.
-ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask.
-UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system.
-UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).<br>It must be the octal value (for example, 0666 means read and write for everyone).<br>This parameter is useless on a Windows server.
-SeeWikiForAllTeam=Take a look at the wiki page for full list of all actors and their organisation
-UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache)
-DisableLinkToHelpCenter=Hide link "<b>Need help or support</b>" on login page
-DisableLinkToHelp=Hide link "<b>%s Online help</b>" on left menu
-AddCRIfTooLong=There is no automatic wrapping, so if line is out of page on documents because too long, you must add yourself carriage returns in the textarea.
-ModuleDisabled=Module disabled
-ModuleDisabledSoNoEvent=Module disabled so event never created
-ConfirmPurge=Are you sure you want to execute this purge ?<br>This will delete definitely all your data files with no way to restore them (ECM files, attached files...).
-MinLength=Minimum length
-LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory
-ExamplesWithCurrentSetup=Examples with current running setup
-ListOfDirectories=List of OpenDocument templates directories
-ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.<br><br>Put here full path of directories.<br>Add a carriage return between eah directory.<br>To add a directory of the GED module, add here <b>DOL_DATA_ROOT/ecm/yourdirectoryname</b>.<br><br>Files in those directories must end with <b>.odt</b>.
-NumberOfModelFilesFound=Number of ODT/ODS templates files found in those directories
+AntiVirusCommandExample=Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe<br>Example for ClamAv: /usr/bin/clamscan
+AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
 ExampleOfDirectoriesForModelGen=Examples of syntax:<br>c:\\mydir<br>/home/mydir<br>DOL_DATA_ROOT/ecm/ecmdir
-FollowingSubstitutionKeysCanBeUsed=<br>To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
-FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
-FirstnameNamePosition=Position of Name/Lastname
-DescWeather=The following pictures will be shown on dashboard when number of late actions reach the following values:
-KeyForWebServicesAccess=Key to use Web Services (parameter "dolibarrkey" in webservices)
-TestSubmitForm=Input test form
-ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever is user choice. Also this menu manager specialized for smartphones does not works on all smartphone. Use another menu manager if you experience problems on yours.
-ThemeDir=Skins directory
-ConnectionTimeout=Connexion timeout
-ResponseTimeout=Response timeout
-SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__
-ModuleMustBeEnabledFirst=Module <b>%s</b> must be enabled first before using this feature.
-SecurityToken=Key to secure URLs
-NoSmsEngine=No SMS sender manager available. SMS sender manager are not installed with default distribution (because they depends on an external supplier) but you can find some on %s
-PDF=PDF
-PDFDesc=You can set each global options related to the PDF generation
-PDFAddressForging=Rules to forge address boxes
-HideAnyVATInformationOnPDF=Hide all information related to VAT on generated PDF
-HideDescOnPDF=Hide products description on generated PDF
-HideRefOnPDF=Hide products ref. on generated PDF
-HideDetailsOnPDF=Hide products lines details on generated PDF
-Library=Library
-UrlGenerationParameters=Parameters to secure URLs
-SecurityTokenIsUnique=Use a unique securekey parameter for each URL
-EnterRefToBuildUrl=Enter reference for object %s
-GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for unauthorized actions instead of showing disabled buttons
-OldVATRates=Old VAT rate
-NewVATRates=New VAT rate
-PriceBaseTypeToChange=Modify on prices with base reference value defined on
-MassConvert=Launch mass convert
-String=String
-TextLong=Long text
-Int=Integer
-Float=Float
-DateAndTime=Date and hour
-Unique=Unique
-Boolean=Boolean (Checkbox)
-ExtrafieldPhone = Phone
-ExtrafieldPrice = Price
-ExtrafieldMail = Email
-ExtrafieldSelect = Select list
-ExtrafieldSelectList = Select from table
-ExtrafieldSeparator=Separator
-ExtrafieldCheckBox=Checkbox
-ExtrafieldRadio=Radio button
-ExtrafieldCheckBoxFromList= Checkbox from table
-ExtrafieldLink=Link to an object
-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
-ExtrafieldParamHelpchkbxlst=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>
-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 (localtax is calculated on amount without tax)<br>2 : local tax apply on products and services including vat (localtax is calculated on amount + main tax)<br>3 : local tax apply on products without vat (localtax is calculated on amount without tax)<br>4 : local tax apply on products including vat (localtax is calculated on amount + main vat)<br>5 : local tax apply on services without vat (localtax is calculated on amount without tax)<br>6 : local tax apply on services including vat (localtax is calculated on amount + tax)
-SMS=SMS
-LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user <strong>%s</strong>
-RefreshPhoneLink=Refresh link
-LinkToTest=Clickable link generated for user <strong>%s</strong> (click phone number to test)
-KeepEmptyToUseDefault=Keep empty to use default value
-DefaultLink=Default link
-ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url)
-ExternalModule=External module - Installed into directory %s
-BarcodeInitForThirdparties=Mass barcode init for thirdparties
-BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services
-CurrentlyNWithoutBarCode=Currently, you have <strong>%s</strong> records on <strong>%s</strong> %s without barcode defined.
-InitEmptyBarCode=Init value for next %s empty records
-EraseAllCurrentBarCode=Erase all current barcode values
-ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values ?
-AllBarcodeReset=All barcode values have been removed
-NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
-NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
-
-# Modules
-Module0Name=Users & groups
-Module0Desc=Users and groups management
-Module1Name=Third parties
-Module1Desc=Companies and contact management (customers, prospects...)
-Module2Name=Commercial
-Module2Desc=Commercial management
-Module10Name=Accounting
-Module10Desc=Simple accounting reports (journals, turnover) based onto database content. No dispatching.
-Module20Name=Proposals
-Module20Desc=Commercial proposal management
-Module22Name=Mass E-mailings
-Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
-Module25Name=Customer Orders
-Module25Desc=Customer order management
-Module30Name=Invoices
-Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers
-Module40Name=Suppliers
-Module40Desc=Supplier management and buying (orders and invoices)
-Module42Name=Logs
-Module42Desc=Logging facilities (file, syslog, ...)
-Module49Name=Editors
-Module49Desc=Editor management
-Module50Name=Products
-Module50Desc=Product management
-Module51Name=Mass mailings
-Module51Desc=Mass paper mailing management
-Module52Name=Stocks
-Module52Desc=Stock management (products)
-Module53Name=Services
-Module53Desc=Service management
-Module54Name=Contracts/Subscriptions
-Module54Desc=Management of contracts (services or reccuring subscriptions)
-Module55Name=Barcodes
-Module55Desc=Barcode management
-Module56Name=Telephony
-Module56Desc=Telephony integration
-Module57Name=Standing orders
-Module57Desc=Standing orders and withdrawal management. Also includes generation of SEPA file for european countries.
-Module58Name=ClickToDial
-Module58Desc=Integration of a ClickToDial system (Asterisk, ...)
-Module59Name=Bookmark4u
-Module59Desc=Add function to generate Bookmark4u account from a Dolibarr account
-Module70Name=Interventions
-Module70Desc=Intervention management
-Module75Name=Expense and trip notes
-Module75Desc=Expense and trip notes management
-Module80Name=Shipments
-Module80Desc=Shipments and delivery order management
-Module85Name=Banks and cash
-Module85Desc=Management of bank or cash accounts
-Module100Name=External site
-Module100Desc=This module include an external web site or page into Dolibarr menus and view it into a Dolibarr frame
-Module105Name=Mailman and SPIP
-Module105Desc=Mailman or SPIP interface for member module
-Module200Name=LDAP
-Module200Desc=LDAP directory synchronisation
-Module210Name=PostNuke
-Module210Desc=PostNuke integration
-Module240Name=Data exports
-Module240Desc=Tool to export Dolibarr datas (with assistants)
-Module250Name=Data imports
-Module250Desc=Tool to import datas in Dolibarr  (with assistants)
-Module310Name=Members
-Module310Desc=Foundation members management
-Module320Name=RSS Feed
-Module320Desc=Add RSS feed inside Dolibarr screen pages
-Module330Name=Bookmarks
-Module330Desc=Bookmark management
-Module400Name=Projects/Opportunities/Leads
-Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view.
-Module410Name=Webcalendar
-Module410Desc=Webcalendar integration
-Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
-Module510Name=Salaries
-Module510Desc=Management of employees salaries and payments
-Module520Name=Loan
-Module520Desc=Management of loans
-Module600Name=Notifications
-Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
-Module700Name=Donations
-Module700Desc=Donation management
-Module770Name=Expense Report
-Module770Desc=Management and claim expense reports (transportation, meal, ...)
-Module1120Name=Supplier commercial proposal
-Module1120Desc=Request supplier commercial proposal and prices
-Module1200Name=Mantis
-Module1200Desc=Mantis integration
-Module1400Name=Accounting
-Module1400Desc=Accounting management (double parties)
-Module1520Name=Document Generation
-Module1520Desc=Mass mail document generation
-Module1780Name=Tags/Categories
-Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members)
-Module2000Name=WYSIWYG editor
-Module2000Desc=Allow to edit some text area using an advanced editor
-Module2200Name=Dynamic Prices
-Module2200Desc=Enable the usage of math expressions for prices
-Module2300Name=Cron
-Module2300Desc=Scheduled job management
-Module2400Name=Agenda
-Module2400Desc=Events/tasks and agenda management
-Module2500Name=Electronic Content Management
-Module2500Desc=Save and share documents
-Module2600Name=API services (Web services SOAP)
-Module2600Desc=Enable the Dolibarr SOAP server providing API services
-Module2610Name=API services (Web services REST)
-Module2610Desc=Enable the Dolibarr REST server providing API services
-Module2650Name=WebServices (client)
-Module2650Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Supplier orders supported only for the moment)
-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
-Module5000Name=Multi-company
-Module5000Desc=Allows you to manage multiple companies
-Module6000Name=Workflow
-Module6000Desc=Workflow management
-Module20000Name=Leave Requests management
-Module20000Desc=Declare and follow employees leaves requests
-Module39000Name=Product lot
-Module39000Desc=Lot or serial number, eat-by and sell-by date management on products
-Module50000Name=PayBox
-Module50000Desc=Module to offer an online payment page by credit card with PayBox
-Module50100Name=Point of sales
-Module50100Desc=Point of sales module
-Module50200Name=Paypal
-Module50200Desc=Module to offer an online payment page by credit card with Paypal
-Module50400Name=Accounting (advanced)
-Module50400Desc=Accounting management (double parties)
-Module54000Name=PrintIPP
-Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installe on server).
-Module55000Name=Open Poll
-Module55000Desc=Module to make online polls (like Doodle, Studs, Rdvz, ...)
-Module59000Name=Margins
-Module59000Desc=Module to manage margins
-Module60000Name=Commissions
-Module60000Desc=Module to manage commissions
-Permission11=Read customer invoices
-Permission12=Create/modify customer invoices
-Permission13=Unvalidate customer invoices
-Permission14=Validate customer invoices
-Permission15=Send customer invoices by email
-Permission16=Create payments for customer invoices
-Permission19=Delete customer invoices
-Permission21=Read commercial proposals
-Permission22=Create/modify commercial proposals
-Permission24=Validate commercial proposals
-Permission25=Send commercial proposals
-Permission26=Close commercial proposals
-Permission27=Delete commercial proposals
-Permission28=Export commercial proposals
-Permission31=Read products
-Permission32=Create/modify products
-Permission34=Delete products
-Permission36=See/manage hidden products
-Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
-Permission42=Create/modify projects (shared project and projects i'm contact for)
-Permission44=Delete projects (shared project and projects i'm contact for)
-Permission61=Read interventions
-Permission62=Create/modify interventions
-Permission64=Delete interventions
-Permission67=Export interventions
-Permission71=Read members
-Permission72=Create/modify members
-Permission74=Delete members
-Permission75=Setup types of membership
-Permission76=Export datas
-Permission78=Read subscriptions
-Permission79=Create/modify subscriptions
-Permission81=Read customers orders
-Permission82=Create/modify customers orders
-Permission84=Validate customers orders
-Permission86=Send customers orders
-Permission87=Close customers orders
-Permission88=Cancel customers orders
-Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
-Permission95=Read reports
-Permission101=Read sendings
-Permission102=Create/modify sendings
-Permission104=Validate sendings
-Permission106=Export sendings
-Permission109=Delete sendings
-Permission111=Read financial accounts
-Permission112=Create/modify/delete and compare transactions
-Permission113=Setup financial accounts (create, manage categories)
-Permission114=Reconciliate transactions
-Permission115=Export transactions and account statements
-Permission116=Transfers between accounts
-Permission117=Manage cheques dispatching
-Permission121=Read third parties linked to user
-Permission122=Create/modify third parties linked to user
-Permission125=Delete third parties linked to user
-Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
-Permission146=Read providers
-Permission147=Read stats
-Permission151=Read standing orders
-Permission152=Create/modify a standing orders request
-Permission153=Transmission standing orders receipts
-Permission154=Credit/refuse standing orders receipts
-Permission161=Read contracts/subscriptions
-Permission162=Create/modify contracts/subscriptions
-Permission163=Activate a service/subscription of a contract
-Permission164=Disable a service/subscription of a contract
-Permission165=Delete contracts/subscriptions
-Permission171=Read trips and expenses (own and his subordinates)
-Permission172=Create/modify trips and expenses
-Permission173=Delete trips and expenses
-Permission174=Read all trips and expenses
-Permission178=Export trips and expenses
-Permission180=Read suppliers
-Permission181=Read supplier orders
-Permission182=Create/modify supplier orders
-Permission183=Validate supplier orders
-Permission184=Approve supplier orders
-Permission185=Order or cancel supplier orders
-Permission186=Receive supplier orders
-Permission187=Close supplier orders
-Permission188=Cancel supplier orders
-Permission192=Create lines
-Permission193=Cancel lines
-Permission194=Read the bandwith lines
-Permission202=Create ADSL connections
-Permission203=Order connections orders
-Permission204=Order connections
-Permission205=Manage connections
-Permission206=Read connections
-Permission211=Read Telephony
-Permission212=Order lines
-Permission213=Activate line
-Permission214=Setup Telephony
-Permission215=Setup providers
-Permission221=Read emailings
-Permission222=Create/modify emailings (topic, recipients...)
-Permission223=Validate emailings (allows sending)
-Permission229=Delete emailings
-Permission237=View recipients and info
-Permission238=Manually send mailings
-Permission239=Delete mailings after validation or sent
-Permission241=Read categories
-Permission242=Create/modify categories
-Permission243=Delete categories
-Permission244=See the contents of the hidden categories
-Permission251=Read other users and groups
-PermissionAdvanced251=Read other users
-Permission252=Read permissions of other users
-Permission253=Create/modify other users, groups and permisssions
-PermissionAdvanced253=Create/modify internal/external users and permissions
-Permission254=Create/modify external users only
-Permission255=Modify other users password
-Permission256=Delete or disable other users
-Permission262=Extend access to all third parties (not only those linked to user). Not effective for external users (always limited to themselves).
-Permission271=Read CA
-Permission272=Read invoices
-Permission273=Issue invoices
-Permission281=Read contacts
-Permission282=Create/modify contacts
-Permission283=Delete contacts
-Permission286=Export contacts
-Permission291=Read tariffs
-Permission292=Set permissions on the tariffs
-Permission293=Modify costumers tariffs
-Permission300=Read bar codes
-Permission301=Create/modify bar codes
-Permission302=Delete bar codes
-Permission311=Read services
-Permission312=Assign service/subscription to contract
-Permission331=Read bookmarks
-Permission332=Create/modify bookmarks
-Permission333=Delete bookmarks
-Permission341=Read its own permissions
-Permission342=Create/modify his own user information
-Permission343=Modify his own password
-Permission344=Modify its own permissions
-Permission351=Read groups
-Permission352=Read groups permissions
-Permission353=Create/modify groups
-Permission354=Delete or disable groups
-Permission358=Export users
-Permission401=Read discounts
-Permission402=Create/modify discounts
-Permission403=Validate discounts
-Permission404=Delete discounts
-Permission510=Read Salaries
-Permission512=Create/modify salaries
-Permission514=Delete salaries
-Permission517=Export salaries
-Permission520=Read Loans
-Permission522=Create/modify loans
-Permission524=Delete loans
-Permission525=Access loan calculator
-Permission527=Export loans
-Permission531=Read services
-Permission532=Create/modify services
-Permission534=Delete services
-Permission536=See/manage hidden services
-Permission538=Export services
-Permission701=Read donations
-Permission702=Create/modify donations
-Permission703=Delete donations
-Permission771=Read expense reports (own and his subordinates)
-Permission772=Create/modify expense reports
-Permission773=Delete expense reports
-Permission774=Read all expense reports (even for user not subordinates)
-Permission775=Approve expense reports
-Permission776=Pay expense reports
-Permission779=Export expense reports
-Permission1001=Read stocks
-Permission1002=Create/modify warehouses
-Permission1003=Delete warehouses
-Permission1004=Read stock movements
-Permission1005=Create/modify stock movements
-Permission1101=Read delivery orders
-Permission1102=Create/modify delivery orders
-Permission1104=Validate delivery orders
-Permission1109=Delete delivery orders
-Permission1181=Read suppliers
-Permission1182=Read supplier orders
-Permission1183=Create/modify supplier orders
-Permission1184=Validate supplier orders
-Permission1185=Approve supplier orders
-Permission1186=Order supplier orders
-Permission1187=Acknowledge receipt of supplier orders
-Permission1188=Delete supplier orders
-Permission1190=Approve (second approval) supplier orders
-Permission1201=Get result of an export
-Permission1202=Create/Modify an export
-Permission1231=Read supplier invoices
-Permission1232=Create/modify supplier invoices
-Permission1233=Validate supplier invoices
-Permission1234=Delete supplier invoices
-Permission1235=Send supplier invoices by email
-Permission1236=Export supplier invoices, attributes and payments
-Permission1237=Export supplier orders and their details
-Permission1251=Run mass imports of external data into database (data load)
-Permission1321=Export customer invoices, attributes and payments
-Permission1421=Export customer orders and attributes
-Permission23001=Read Scheduled job
-Permission23002=Create/update Scheduled job
-Permission23003=Delete Scheduled job
-Permission23004=Execute Scheduled job
-Permission2401=Read actions (events or tasks) linked to his account
-Permission2402=Create/modify actions (events or tasks) linked to his account
-Permission2403=Delete actions (events or tasks) linked to his account
-Permission2411=Read actions (events or tasks) of others
-Permission2412=Create/modify actions (events or tasks) of others
-Permission2413=Delete actions (events or tasks) of others
-Permission2501=Read/Download documents
-Permission2502=Download documents
-Permission2503=Submit or delete documents
-Permission2515=Setup documents directories
-Permission2801=Use FTP client in read mode (browse and download only)
-Permission2802=Use FTP client in write mode (delete or upload files)
-Permission50101=Use Point of sales
-Permission50201=Read transactions
-Permission50202=Import transactions
-Permission54001=Print
-Permission55001=Read polls
-Permission55002=Create/modify polls
-Permission59001=Read commercial margins
-Permission59002=Define commercial margins
-Permission59003=Read every user margin
-DictionaryCompanyType=Thirdparties type
-DictionaryCompanyJuridicalType=Juridical kinds of thirdparties
-DictionaryProspectLevel=Prospect potential level
-DictionaryCanton=State/Cantons
-DictionaryRegion=Regions
-DictionaryCountry=Countries
-DictionaryCurrency=Currencies
-DictionaryCivility=Civility title
-DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
-DictionaryVAT=VAT Rates or Sales Tax Rates
-DictionaryRevenueStamp=Amount of revenue stamps
-DictionaryPaymentConditions=Payment terms
-DictionaryPaymentModes=Payment modes
-DictionaryTypeContact=Contact/Address types
-DictionaryEcotaxe=Ecotax (WEEE)
-DictionaryPaperFormat=Paper formats
-DictionaryFees=Type of fees
-DictionarySendingMethods=Shipping methods
-DictionaryStaff=Staff
-DictionaryAvailability=Delivery delay
-DictionaryOrderMethods=Ordering methods
-DictionarySource=Origin of proposals/orders
-DictionaryAccountancyplan=Chart of accounts
-DictionaryAccountancysystem=Models for chart of accounts
-DictionaryEMailTemplates=Emails templates
-DictionaryUnits=Units
-DictionaryProspectStatus=Prospection status
-SetupSaved=Setup saved
-BackToModuleList=Back to modules list
-BackToDictionaryList=Back to dictionaries list
-VATReceivedOnly=Special rate not charged
-VATManagement=VAT Management
-VATIsUsedDesc=The VAT rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If the seller is not subjected to VAT, then VAT by default=0. End of rule.<br>If the (selling country= buying country), then the VAT by default=VAT of the product in the selling country. End of rule. <br>If seller and buyer in the European Community and goods are transport products (car, ship, plane), the default VAT=0 ( The VAT should be paid by the buyer at the customoffice of his country and not at the seller). End of rule.<br>If seller and buyer in the European Community and buyer is not a company, then the VAT by default=VAT of product sold.  End of rule.<br>If seller and buyer in the European Community and buyer is a company, then the VAT by default=0. End of rule.<br>Else the proposed default VAT=0. End of rule.
-VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies.
-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 #####
-LTRate=Rate
-LocalTax1IsUsed=Use second tax
-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)
-LocalTax1Management=Second type of tax
-LocalTax1IsUsedExample=
-LocalTax1IsNotUsedExample=
-LocalTax2IsUsed=Use third tax
-LocalTax2IsNotUsed=Do not use third tax
-LocalTax2IsUsedDesc=Use a third type of tax (other than VAT)
-LocalTax2IsNotUsedDesc=Do not use other type of tax (other than VAT)
-LocalTax2Management=Third type of tax
-LocalTax2IsUsedExample=
-LocalTax2IsNotUsedExample=
-LocalTax1ManagementES= RE Management
-LocalTax1IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If te buyer is not subjected to RE, RE by default=0. End of rule.<br>If the buyer is subjected to RE then the RE by default. End of rule.<br>
-LocalTax1IsNotUsedDescES= By default the proposed RE is 0. End of rule.
-LocalTax1IsUsedExampleES= In Spain they are professionals subject to some specific sections of the Spanish IAE.
-LocalTax1IsNotUsedExampleES= In Spain they are professional and societies and subject to certain sections of the Spanish IAE.
-LocalTax2ManagementES= IRPF Management
-LocalTax2IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.<br>If the seller is subjected to IRPF then the IRPF by default. End of rule.<br>
-LocalTax2IsNotUsedDescES= By default the proposed IRPF is 0. End of rule.
-LocalTax2IsUsedExampleES= In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules.
-LocalTax2IsNotUsedExampleES= In Spain they are bussines not subject to tax system of modules.
-CalcLocaltax=Reports on local taxes
-CalcLocaltax1=Sales - Purchases
-CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases
-CalcLocaltax2=Purchases
-CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases
-CalcLocaltax3=Sales
-CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales
-LabelUsedByDefault=Label used by default if no translation can be found for code
-LabelOnDocuments=Label on documents
-NbOfDays=Nb of days
-AtEndOfMonth=At end of month
-Offset=Offset
-AlwaysActive=Always active
-UpdateRequired=Your system needs to be updated. To do this, click on <a href="%s">Update now</a>.
-Upgrade=Upgrade
-MenuUpgrade=Upgrade / Extend
-AddExtensionThemeModuleOrOther=Add extension (theme, module, ...)
-WebServer=Web server
-DocumentRootServer=Web server's root directory
-DataRootServer=Data files directory
-IP=IP
-Port=Port
-VirtualServerName=Virtual server name
-AllParameters=All parameters
-OS=OS
-PhpEnv=Env
-PhpModules=Modules
-PhpConf=Conf
-PhpWebLink=Web-Php link
-Pear=Pear
-PearPackages=Pear Packages
-Browser=Browser
-Server=Server
-Database=Database
-DatabaseServer=Database host
-DatabaseName=Database name
-DatabasePort=Database port
-DatabaseUser=Database user
-DatabasePassword=Database password
-DatabaseConfiguration=Database setup
-Tables=Tables
-TableName=Table name
-TableLineFormat=Line format
-NbOfRecord=Nb of records
-Constraints=Constraints
-ConstraintsType=Constraints type
-ConstraintsToShowOrNotEntry=Constraint to show or not the menu entry
-AllMustBeOk=All of these must be checked
-Host=Server
-DriverType=Driver type
-SummarySystem=System information summary
-SummaryConst=List of all Dolibarr setup parameters
-SystemUpdate=System update
-SystemSuccessfulyUpdate=Your system has been updated successfuly
-MenuCompanySetup=Company/Foundation
-MenuNewUser=New user
-MenuTopManager=Top menu manager
-MenuLeftManager=Left menu manager
-MenuManager=Menu manager
-MenuSmartphoneManager=Smartphone menu manager
-DefaultMenuTopManager=Top menu manager
-DefaultMenuLeftManager=Left menu manager
-DefaultMenuManager= Standard menu manager
-DefaultMenuSmartphoneManager=Smartphone menu manager
-Skin=Skin theme
-DefaultSkin=Default skin theme
-MaxSizeList=Max length for list
-DefaultMaxSizeList=Default max length for list
-MessageOfDay=Message of the day
-MessageLogin=Login page message
-PermanentLeftSearchForm=Permanent search form on left menu
-DefaultLanguage=Default language to use (language code)
-EnableMultilangInterface=Enable multilingual interface
-EnableShowLogo=Show logo on left menu
-EnableHtml5=Enable Html5 (Developement - Only available on Eldy template)
-SystemSuccessfulyUpdated=Your system has been updated successfully
-CompanyInfo=Company/foundation information
-CompanyIds=Company/foundation identities
-CompanyName=Name
-CompanyAddress=Address
-CompanyZip=Zip
-CompanyTown=Town
-CompanyCountry=Country
-CompanyCurrency=Main currency
-CompanyObject=Object of the company
-Logo=Logo
-DoNotShow=Do not show
-DoNotSuggestPaymentMode=Do not suggest
-NoActiveBankAccountDefined=No active bank account defined
-OwnerOfBankAccount=Owner of bank account %s
-BankModuleNotActive=Bank accounts module not enabled
-ShowBugTrackLink=Show link "<strong>%s</strong>"
-ShowWorkBoard=Show "workbench" on homepage
-Alerts=Alerts
-Delays=Delays
-DelayBeforeWarning=Delay before warning
-DelaysBeforeWarning=Delays before warning
-DelaysOfToleranceBeforeWarning=Tolerance delays before warning
-DelaysOfToleranceDesc=This screen allows you to define the tolerated delays before an alert is reported on screen with picto %s for each late element.
-Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned events not yet realised
-Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not yet processed
-Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not yet processed
-Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close
-Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed
-Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate
-Delays_MAIN_DELAY_RUNNING_SERVICES=Tolerance delay (in days) before alert on expired services
-Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Tolerance delay (in days) before alert on unpaid supplier invoices
-Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Tolerence delay (in days) before alert on unpaid client invoices
-Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Tolerance delay (in days) before alert on pending bank reconciliation
-Delays_MAIN_DELAY_MEMBERS=Tolerance delay (in days) before alert on delayed membership fee
-Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tolerance delay (in days) before alert for cheques deposit to do
-SetupDescription1=All parameters available in the setup area allow you to setup Dolibarr before starting using it.
-SetupDescription2=The 2 most important setup steps are the 2 first ones in the left setup menu, this means Company/foundation setup page and Modules setup page:
-SetupDescription3=Parameters in menu <a href="%s">Setup -> Company/foundation</a> are required because input information is used on Dolibarr displays and to modify Dolibarr behaviour (for example for features related to your country).
-SetupDescription4=Parameters in menu <a href="%s">Setup -> Modules</a> are required because Dolibarr is not a fixed ERP/CRM but a sum of several modules, all more or less independant. It's only after activating modules you're interesting in that you will see features appeared in menus.
-SetupDescription5=Other menu entries manage optional parameters.
-EventsSetup=Setup for events logs
-LogEvents=Security audit events
-Audit=Audit
-InfoDolibarr=Infos Dolibarr
-InfoBrowser=Infos Browser
-InfoOS=Infos OS
-InfoWebServer=Infos web server
-InfoDatabase=Infos database
-InfoPHP=Infos PHP
-InfoPerf=Infos performances
-BrowserName=Browser name
-BrowserOS=Browser OS
-ListEvents=Audit events
-ListOfSecurityEvents=List of Dolibarr security events
-SecurityEventsPurged=Security events purged
-LogEventDesc=You can enable here the logging for Dolibarr security events. Administrators can then see its content via menu <b>System tools - Audit</b>. Warning, this feature can consume a large amount of data in database.
-AreaForAdminOnly=Those features can be used by <b>administrator users</b> only.
-SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only.
-SystemAreaForAdminOnly=This area is available for administrator users only. None of the Dolibarr permissions can reduce this limit.
-CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "Modify" button at bottom of page)
-DisplayDesc=You can choose each parameter related to the Dolibarr look and feel here
-AvailableModules=Available modules
-ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules).
-SessionTimeOut=Time out for session
-SessionExplanation=This number guarantee that session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guaranty that session will expire just after this delay. It will expire, after this delay, and when the session cleaner is ran, so every <b>%s/%s</b> access, but only during access made by other sessions.<br>Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by the default <strong>session.gc_maxlifetime</strong>, no matter what the value entered here.
-TriggersAvailable=Available triggers
-TriggersDesc=Triggers are files that will modify the behaviour of Dolibarr workflow once copied into the directory <b>htdocs/core/triggers</b>. They realised new actions, activated on Dolibarr events (new company creation, invoice validation, ...).
-TriggerDisabledByName=Triggers in this file are disabled by the <b>-NORUN</b> suffix in their name.
-TriggerDisabledAsModuleDisabled=Triggers in this file are disabled as module <b>%s</b> is disabled.
-TriggerAlwaysActive=Triggers in this file are always active, whatever are the activated Dolibarr modules.
-TriggerActiveAsModuleActive=Triggers in this file are active as module <b>%s</b> is enabled.
-GeneratedPasswordDesc=Define here which rule you want to use to generate new password if you ask to have auto generated password
-DictionaryDesc=Define here all reference datas. You can complete predefined value with yours.
-ConstDesc=This page allows you to edit all other parameters not available in previous pages. They are reserved parameters for advanced developers or for troubleshouting.
-OnceSetupFinishedCreateUsers=Warning, you are a Dolibarr administrator user. Administrator users are used to setup Dolibarr. For a usual usage of Dolibarr, it is recommended to use a non administrator user created from Users & Groups menu.
-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_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=Step of rounding range (for countries where rounding is done on something else than base 10. For example, put 0.05 if rounding is done by 0.05 steps)
-UnitPriceOfProduct=Net unit price of a product
-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.
-NoEventFoundWithCriteria=No security event has been found for such search criterias.
-SeeLocalSendMailSetup=See your local sendmail setup
-BackupDesc=To make a complete backup of Dolibarr, you must:
-BackupDesc2=Save content of documents directory (<b>%s</b>) that contains all uploaded and generated files (you can make a zip for example).
-BackupDesc3=Save content of your database (<b>%s</b>) into a dump file. For this, you can use following assistant.
-BackupDescX=Archived directory should be stored in a secure place.
-BackupDescY=The generated dump file should be stored in a secure place.
-BackupPHPWarning=Backup can't be guaranted with this method. Prefer previous one
-RestoreDesc=To restore a Dolibarr backup, you must:
-RestoreDesc2=Restore archive file (zip file for example) of documents directory to extract tree of files in documents directory of a new Dolibarr installation or into this current documents directoy (<b>%s</b>).
-RestoreDesc3=Restore the data, from a backup dump file, into the database of the new Dolibarr installation or into the database of this current installation (<b>%s</b>). Warning, once restore is finished, you must use a login/password, that existed when backup was made, to connect again. To restore a backup database into this current installation, you can follow this assistant.
-RestoreMySQL=MySQL import
-ForcedToByAModule= This rule is forced to <b>%s</b> by an activated module
-PreviousDumpFiles=Available database backup dump files
-WeekStartOnDay=First day of week
-RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Programs version %s differs from database version %s)
-YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user <b>%s</b> or you must add -W option at end of command line to provide <b>%s</b> password.
-YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP
-DownloadMoreSkins=More skins to download
-SimpleNumRefModelDesc=Returns the reference number with format %syymm-nnnn where yy is year, mm is month and nnnn is a sequence without hole and with no reset
-ShowProfIdInAddress=Show professionnal id with addresses on documents
-ShowVATIntaInAddress=Hide VAT Intra num with addresses on documents
-TranslationUncomplete=Partial translation
-SomeTranslationAreUncomplete=Some languages may be partially translated or may contains errors. If you detect some, you can fix language files registering to <a href="http://transifex.com/projects/p/dolibarr/" target="_blank">http://transifex.com/projects/p/dolibarr/</a>.
-MenuUseLayout=Make vertical menu hidable (option javascript must not be disabled)
-MAIN_DISABLE_METEO=Disable meteo view
-TestLoginToAPI=Test login to API
-ProxyDesc=Some features of Dolibarr need to have an Internet access to work. Define here parameters for this. If the Dolibarr server is behind a Proxy server, those parameters tells Dolibarr how to access Internet through it.
-ExternalAccess=External access
-MAIN_PROXY_USE=Use a proxy server (otherwise direct access to internet)
-MAIN_PROXY_HOST=Name/Address of proxy server
-MAIN_PROXY_PORT=Port of proxy server
-MAIN_PROXY_USER=Login to use the proxy server
-MAIN_PROXY_PASS=Password to use the proxy server
-DefineHereComplementaryAttributes=Define here all attributes, not already available by default, and that you want to be supported for %s.
-ExtraFields=Complementary attributes
-ExtraFieldsLines=Complementary attributes (lines)
-ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines)
-ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines)
-ExtraFieldsThirdParties=Complementary attributes (thirdparty)
-ExtraFieldsContacts=Complementary attributes (contact/address)
-ExtraFieldsMember=Complementary attributes (member)
-ExtraFieldsMemberType=Complementary attributes (member type)
-ExtraFieldsCustomerOrders=Complementary attributes (orders)
-ExtraFieldsCustomerInvoices=Complementary attributes (invoices)
-ExtraFieldsSupplierOrders=Complementary attributes (orders)
-ExtraFieldsSupplierInvoices=Complementary attributes (invoices)
-ExtraFieldsProject=Complementary attributes (projects)
-ExtraFieldsProjectTask=Complementary attributes (tasks)
-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
-SendmailOptionNotComplete=Warning, on some Linux systems, to send email from your email, sendmail execution setup must contains option -ba (parameter mail.force_extra_parameters into your php.ini file). If some recipients never receive emails, try to edit this PHP parameter with mail.force_extra_parameters = -ba).
-PathToDocuments=Path to documents
-PathDirectory=Directory
-SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might be not correctly parsed by some receiving mail servers. Result is that some mails can't be read by people hosted by those bugged platforms. It's case for some Internet providers (Ex: Orange in France). This is not a problem into Dolibarr nor into PHP but onto receiving mail server. You can however add option MAIN_FIX_FOR_BUGGED_MTA to 1 into setup - other to modify Dolibarr to avoid this. However, you may experience problem with other servers that respect strictly the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" that has no disadvantages.
-TranslationSetup=Configuration de la traduction
-TranslationDesc=Choice of language visible on screen can be modified:<br>* Globally from menu <strong>Home - Setup - Display</strong><br>* For user only from tab <strong>User display</strong> of user card (click on login on top of screen).
-TotalNumberOfActivatedModules=Total number of activated feature modules: <b>%s</b>
-YouMustEnableOneModule=You must at least enable 1 module
-ClassNotFoundIntoPathWarning=Class %s not found into PHP path
-YesInSummer=Yes in summer
-OnlyFollowingModulesAreOpenedToExternalUsers=Note, only following modules are open to external users (whatever are permission of such users):
-SuhosinSessionEncrypt=Session storage encrypted by Suhosin
-ConditionIsCurrently=Condition is currently %s
-YouUseBestDriver=You use driver %s that is best driver available currently.
-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 is loaded.
-XCacheInstalled=XCache is loaded.
-AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink. Third parties will appears with name "CC12345 - SC45678 - The big company coorp", instead of "The big company coorp".
-FieldEdition=Edition of field %s
-FixTZ=TimeZone fix
-FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced)
-GetBarCode=Get barcode
-EmptyNumRefModelDesc=The code is free. This code can be modified at any time.
-##### Module password generation
-PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase.
-PasswordGenerationNone=Do not suggest any generated password. Password must be type in manually.
-##### Users setup #####
-UserGroupSetup=Users and groups module setup
-GeneratePassword=Suggest a generated password
-RuleForGeneratedPasswords=Rule to generate suggested passwords or validate passwords
-DoNotSuggest=Do not suggest any password
-EncryptedPasswordInDatabase=To allow the encryption of the passwords in the database
-DisableForgetPasswordLinkOnLogonPage=Do not show the link "Forget password" on login page
-UsersSetup=Users module setup
-UserMailRequired=EMail required to create a new user
-##### Company setup #####
-CompanySetup=Companies module setup
-CompanyCodeChecker=Module for third parties code generation and checking (customer or supplier)
-AccountCodeManager=Module for accountancy code generation (customer or supplier)
-ModuleCompanyCodeAquarium=Return an accountancy code built by:<br>%s followed by third party supplier code for a supplier accountancy code,<br>%s followed by third party customer code for a customer accountancy code.
-ModuleCompanyCodePanicum=Return an empty accountancy code.
-ModuleCompanyCodeDigitaria=Accountancy code depends on third party code. The code is composed of the character "C" in the first position followed by the first 5 characters of the third party code.
-UseNotifications=Use notifications
-NotificationsDesc=EMails notifications feature allows you to silently send automatic mail, for some Dolibarr events. Targets of notifications can be defined:<br>* per third parties contacts (customers or suppliers), one contact at time.<br>* or by setting global target email addresses in module setup page.
-ModelModules=Documents templates
-DocumentModelOdt=Generate documents from OpenDocuments templates (.ODT or .ODS files for OpenOffice, KOffice, TextEdit,...)
-WatermarkOnDraft=Watermark on draft document
-JSOnPaimentBill=Activate feature to autofill payment lines on payment form
-CompanyIdProfChecker=Rules on Professional Ids
-MustBeUnique=Must be unique ?
-MustBeMandatory=Mandatory to create third parties ?
-MustBeInvoiceMandatory=Mandatory to validate invoices ?
-Miscellaneous=Miscellaneous
-##### Webcal setup #####
-WebCalSetup=Webcalendar link setup
-WebCalSyncro=Add Dolibarr events to WebCalendar
-WebCalAllways=Always, no asking
-WebCalYesByDefault=On demand (yes by default)
-WebCalNoByDefault=On demand (no by default)
-WebCalNever=Never
-WebCalURL=URL for calendar access
-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' 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.
-WebCalAddEventOnCreateActions=Add calendar event on actions create
-WebCalAddEventOnCreateCompany=Add calendar event on companies create
-WebCalAddEventOnStatusPropal=Add calendar event on commercial proposals status change
-WebCalAddEventOnStatusContract=Add calendar event on contracts status change
-WebCalAddEventOnStatusBill=Add calendar event on bills status change
-WebCalAddEventOnStatusMember=Add calendar event on members status change
-WebCalUrlForVCalExport=An export link to <b>%s</b> format is available at following link: %s
-WebCalCheckWebcalSetup=Maybe the Webcal module setup is not correct.
-##### Invoices #####
-BillsSetup=Invoices module setup
-BillsDate=Invoices date
-BillsNumberingModule=Invoices and credit notes numbering model
-BillsPDFModules=Invoice documents models
-CreditNoteSetup=Credit note module setup
-CreditNotePDFModules=Credit note document models
-CreditNote=Credit note
-CreditNotes=Credit notes
-ForceInvoiceDate=Force invoice date to validation date
-DisableRepeatable=Disable repeatable invoices
-SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined for invoice
-EnableEditDeleteValidInvoice=Enable the possibility to edit/delete valid invoice with no payment
-SuggestPaymentByRIBOnAccount=Suggest payment by withdraw on account
-SuggestPaymentByChequeToAddress=Suggest payment by cheque to
-FreeLegalTextOnInvoices=Free text on invoices
-WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty)
-##### Proposals #####
-PropalSetup=Commercial proposals module setup
-CreateForm=Create forms
-NumberOfProductLines=Number of product lines
-ProposalsNumberingModules=Commercial proposal numbering models
-ProposalsPDFModules=Commercial proposal documents models
-ClassifiedInvoiced=Classified invoiced
-HideTreadedPropal=Hide the treated commercial proposals in the list
-AddShippingDateAbility=Add shipping date ability
-AddDeliveryAddressAbility=Add delivery date ability
-UseOptionLineIfNoQuantity=A line of product/service with a zero amount is considered as an option
-FreeLegalTextOnProposal=Free text on commercial proposals
-WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty)
-BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal
-##### AskPriceSupplier #####
-AskPriceSupplierSetup=Price requests suppliers module setup
-AskPriceSupplierNumberingModules=Price requests suppliers numbering models
-AskPriceSupplierPDFModules=Price requests suppliers documents models
-FreeLegalTextOnAskPriceSupplier=Free text on price requests suppliers
-WatermarkOnDraftAskPriceSupplier=Watermark on draft price requests suppliers (none if empty)
-BANK_ASK_PAYMENT_BANK_DURING_ASKPRICESUPPLIER=Ask for bank account destination of price request
-##### Orders #####
-OrdersSetup=Order management setup
-OrdersNumberingModules=Orders numbering models
-OrdersModelModule=Order documents models
-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)
-ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable
-BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order
-##### Clicktodial #####
-ClickToDialSetup=Click To Dial module setup
-ClickToDialUrlDesc=Url called when a click on phone picto is done.  In URL, you can use tags<br><b>__PHONETO__</b> that will be replaced with the phone number of person to call<br><b>__PHONEFROM__</b> that will be replaced with phone number of calling person (yours)<br><b>__LOGIN__</b> that will be replaced with your clicktodial login (defined on your user card)<br><b>__PASS__</b> that will be replaced with your clicktodial password (defined on your user card).
-##### Bookmark4u #####
-Bookmark4uSetup=Bookmark4u module setup
-##### Interventions #####
-InterventionsSetup=Interventions module setup
-FreeLegalTextOnInterventions=Free text on intervention documents
-FicheinterNumberingModules=Intervention numbering models
-TemplatePDFInterventions=Intervention card documents models
-WatermarkOnDraftInterventionCards=Watermark on intervention card documents (none if empty)
-##### Contracts #####
-ContractsSetup=Contracts/Subscriptions module setup
-ContractsNumberingModules=Contracts numbering modules
-TemplatePDFContracts=Contracts documents models
-FreeLegalTextOnContracts=Free text on contracts
-WatermarkOnDraftContractCards=Watermark on draft contracts (none if empty)
-##### Members #####
-MembersSetup=Members module setup
-MemberMainOptions=Main options
-AddSubscriptionIntoAccount=Suggest by default to create a bank transaction, in bank module, when adding a new payed subscription
-AdherentLoginRequired= Manage a Login for each member
-AdherentMailRequired=EMail required to create a new member
-MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default
-##### LDAP setup #####
-LDAPSetup=LDAP Setup
-LDAPGlobalParameters=Global parameters
-LDAPUsersSynchro=Users
-LDAPGroupsSynchro=Groups
-LDAPContactsSynchro=Contacts
-LDAPMembersSynchro=Members
-LDAPSynchronization=LDAP synchronisation
-LDAPFunctionsNotAvailableOnPHP=LDAP functions are not available on your PHP
-LDAPToDolibarr=LDAP -> Dolibarr
-DolibarrToLDAP=Dolibarr -> LDAP
-LDAPNamingAttribute=Key in LDAP
-LDAPSynchronizeUsers=Organization of users in LDAP
-LDAPSynchronizeGroups=Organization of groups in LDAP
-LDAPSynchronizeContacts=Organization of contacts in LDAP
-LDAPSynchronizeMembers=Organization of foundation's members in LDAP
-LDAPTypeExample=OpenLdap, Egroupware or Active Directory
-LDAPPrimaryServer=Primary server
-LDAPSecondaryServer=Secondary server
-LDAPServerPort=Server port
-LDAPServerPortExample=Default port : 389
-LDAPServerProtocolVersion=Protocol version
-LDAPServerUseTLS=Use TLS
-LDAPServerUseTLSExample=Your LDAP server use TLS
-LDAPServerDn=Server DN
-LDAPAdminDn=Administrator DN
-LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com)
-LDAPPassword=Administrator password
-LDAPUserDn=Users' DN
-LDAPUserDnExample=Complete DN (ex: ou=users,dc=example,dc=com)
-LDAPGroupDn=Groups' DN
-LDAPGroupDnExample=Complete DN (ex: ou=groups,dc=example,dc=com)
-LDAPServerExample=Server address (ex: localhost, 192.168.0.2, ldaps://ldap.example.com/)
-LDAPServerDnExample=Complete DN (ex: dc=example,dc=com)
-LDAPPasswordExample=Admin password
-LDAPDnSynchroActive=Users and groups synchronization
-LDAPDnSynchroActiveExample=LDAP to Dolibarr or Dolibarr to LDAP synchronization
-LDAPDnContactActive=Contacts' synchronization
-LDAPDnContactActiveYes=Activated synchronization
-LDAPDnContactActiveExample=Activated/Unactivated synchronization
-LDAPDnMemberActive=Members' synchronization
-LDAPDnMemberActiveExample=Activated/Unactivated synchronization
-LDAPContactDn=Dolibarr contacts' DN
-LDAPContactDnExample=Complete DN (ex: ou=contacts,dc=example,dc=com)
-LDAPMemberDn=Dolibarr members DN
-LDAPMemberDnExample=Complete DN (ex: ou=members,dc=example,dc=com)
-LDAPMemberObjectClassList=List of objectClass
-LDAPMemberObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPUserObjectClassList=List of objectClass
-LDAPUserObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPGroupObjectClassList=List of objectClass
-LDAPGroupObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames)
-LDAPContactObjectClassList=List of objectClass
-LDAPContactObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPMemberTypeDn=Dolibarr members type DN
-LDAPMemberTypeDnExample=Complete DN (ex: ou=type_members,dc=example,dc=com)
-LDAPTestConnect=Test LDAP connection
-LDAPTestSynchroContact=Test contacts synchronization
-LDAPTestSynchroUser=Test user synchronization
-LDAPTestSynchroGroup=Test group synchronization
-LDAPTestSynchroMember=Test member synchronization
-LDAPTestSearch= Test a LDAP search
-LDAPSynchroOK=Synchronization test successful
-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 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 successful
-LDAPUnbindFailed=Disconnect failed
-LDAPConnectToDNSuccessfull=Connection to DN (%s) successful
-LDAPConnectToDNFailed=Connection to DN (%s) failed
-LDAPSetupForVersion3=LDAP server configured for version 3
-LDAPSetupForVersion2=LDAP server configured for version 2
-LDAPDolibarrMapping=Dolibarr Mapping
-LDAPLdapMapping=LDAP Mapping
-LDAPFieldLoginUnix=Login (unix)
-LDAPFieldLoginExample=Example : uid
-LDAPFilterConnection=Search filter
-LDAPFilterConnectionExample=Example : &(objectClass=inetOrgPerson)
-LDAPFieldLoginSamba=Login (samba, activedirectory)
-LDAPFieldLoginSambaExample=Example : samaccountname
-LDAPFieldFullname=Full name
-LDAPFieldFullnameExample=Example : cn
-LDAPFieldPassword=Password
-LDAPFieldPasswordNotCrypted=Password not crypted
-LDAPFieldPasswordCrypted=Password crypted
-LDAPFieldPasswordExample=Example : userPassword
-LDAPFieldCommonName=Common name
-LDAPFieldCommonNameExample=Example : cn
-LDAPFieldName=Name
-LDAPFieldNameExample=Example : sn
-LDAPFieldFirstName=First name
-LDAPFieldFirstNameExample=Example : givenName
-LDAPFieldMail=Email address
-LDAPFieldMailExample=Example : mail
-LDAPFieldPhone=Professional phone number
-LDAPFieldPhoneExample=Example : telephonenumber
-LDAPFieldHomePhone=Personal phone number
-LDAPFieldHomePhoneExample=Example : homephone
-LDAPFieldMobile=Cellular phone
-LDAPFieldMobileExample=Example : mobile
-LDAPFieldFax=Fax number
-LDAPFieldFaxExample=Example : facsimiletelephonenumber
-LDAPFieldAddress=Street
-LDAPFieldAddressExample=Example : street
-LDAPFieldZip=Zip
-LDAPFieldZipExample=Example : postalcode
-LDAPFieldTown=Town
-LDAPFieldTownExample=Example : l
-LDAPFieldCountry=Country
-LDAPFieldCountryExample=Example : c
-LDAPFieldDescription=Description
-LDAPFieldDescriptionExample=Example : description
-LDAPFieldNotePublic=Public Note
-LDAPFieldNotePublicExample=Example : publicnote
-LDAPFieldGroupMembers= Group members
-LDAPFieldGroupMembersExample= Example : uniqueMember
-LDAPFieldBirthdate=Birthdate
-LDAPFieldBirthdateExample=Example :
-LDAPFieldCompany=Company
-LDAPFieldCompanyExample=Example : o
-LDAPFieldSid=SID
-LDAPFieldSidExample=Example : objectsid
-LDAPFieldEndLastSubscription=Date of subscription end
-LDAPFieldTitle=Post/Function
-LDAPFieldTitleExample=Example: title
-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.
-LDAPDescUsers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr users.
-LDAPDescGroups=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr groups.
-LDAPDescMembers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members module.
-LDAPDescValues=Example values are designed for <b>OpenLDAP</b> with following loaded schemas: <b>core.schema, cosine.schema, inetorgperson.schema</b>). If you use thoose values and OpenLDAP, modify your LDAP config file <b>slapd.conf</b> to have all thoose schemas loaded.
-ForANonAnonymousAccess=For an authenticated access (for a write access for example)
-PerfDolibarr=Performance setup/optimizing report
-YouMayFindPerfAdviceHere=You will find on this page some checks or advices related to performance.
-NotInstalled=Not installed, so your server is not slow down by this.
-ApplicativeCache=Applicative 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.
-MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete.
-MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled.
-OPCodeCache=OPCode cache
-NoOPCodeCacheFound=No OPCode cache found. May be you use another OPCode cache than XCache or eAccelerator (good), may be you don't have OPCode cache (very bad).
-HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript)
-FilesOfTypeCached=Files of type %s are cached by HTTP server
-FilesOfTypeNotCached=Files of type %s are not cached by HTTP server
-FilesOfTypeCompressed=Files of type %s are compressed by HTTP server
-FilesOfTypeNotCompressed=Files of type %s are not compressed by HTTP server
-CacheByServer=Cache by server
-CacheByClient=Cache by browser
-CompressionOfResources=Compression of HTTP responses
-TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers
-##### Products #####
-ProductSetup=Products module setup
-ServiceSetup=Services module setup
-ProductServiceSetup=Products and Services modules setup
-NumberOfProductShowInSelect=Max number of products in combos select lists (0=no limit)
-ConfirmDeleteProductLineAbility=Confirmation when removing product lines in forms
-ModifyProductDescAbility=Personalization of product descriptions in forms
-ViewProductDescInFormAbility=Visualization of product descriptions in the forms (otherwise as popup tooltip)
-MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal
-ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the thirdparty language
-UseSearchToSelectProductTooltip=Also if you have a large number of product (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectProduct=Use a search form to choose a product (rather than a drop-down list).
-UseEcoTaxeAbility=Support Eco-Taxe (WEEE)
-SetDefaultBarcodeTypeProducts=Default barcode type to use for products
-SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties
-UseUnits=Support units
-ProductCodeChecker= Module for product code generation and checking (product or service)
-ProductOtherConf= Product / Service configuration
-##### Syslog #####
-SyslogSetup=Logs module setup
-SyslogOutput=Logs outputs
-SyslogSyslog=Syslog
-SyslogFacility=Facility
-SyslogLevel=Level
-SyslogSimpleFile=File
-SyslogFilename=File name and path
-YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file.
-ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant
-OnlyWindowsLOG_USER=Windows only supports LOG_USER
-##### Donations #####
-DonationsSetup=Donation module setup
-DonationsReceiptModel=Template of donation receipt
-##### Barcode #####
-BarcodeSetup=Barcode setup
-PaperFormatModule=Print format module
-BarcodeEncodeModule=Barcode encoding type
-UseBarcodeInProductModule=Use bar codes for products
-CodeBarGenerator=Barcode generator
-ChooseABarCode=No generator defined
-FormatNotSupportedByGenerator=Format not supported by this generator
-BarcodeDescEAN8=Barcode of type EAN8
-BarcodeDescEAN13=Barcode of type EAN13
-BarcodeDescUPC=Barcode of type UPC
-BarcodeDescISBN=Barcode of type ISBN
-BarcodeDescC39=Barcode of type C39
-BarcodeDescC128=Barcode of type C128
-BarcodeDescDATAMATRIX=Barcode of type Datamatrix
-BarcodeDescQRCODE=Barcode of type QR code
-GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".<br>For example: /usr/local/bin/genbarcode
-BarcodeInternalEngine=Internal engine
-BarCodeNumberManager=Manager to auto define barcode numbers
-##### Prelevements #####
-WithdrawalsSetup=Withdrawal module setup
-##### ExternalRSS #####
-ExternalRSSSetup=External RSS imports setup
-NewRSS=New RSS Feed
-RSSUrl=RSS URL
-RSSUrlExample=An interesting RSS feed
-##### Mailing #####
-MailingSetup=EMailing module setup
-MailingEMailFrom=Sender EMail (From) for emails sent by emailing module
-MailingEMailError=Return EMail (Errors-to) for emails with errors
-MailingDelay=Seconds to wait after sending next message
-##### Notification #####
-NotificationSetup=EMail notification module setup
-NotificationEMailFrom=Sender EMail (From) for emails sent for notifications
-ListOfAvailableNotifications=List of events you can set notification on, for each thirdparty (go into thirdparty card to setup) or by setting a fixed email (List depends on activated modules)
-FixedEmailTarget=Fixed email target
-##### Sendings #####
-SendingsSetup=Sending module setup
-SendingsReceiptModel=Sending receipt model
-SendingsNumberingModules=Sendings numbering modules
-SendingsAbility=Support shipment sheets for customer deliveries
-NoNeedForDeliveryReceipts=In most cases, sendings receipts are used both as sheets for customer deliveries (list of products to send) and sheets that is recevied and signed by customer. So product deliveries receipts is a duplicated feature and is rarely activated.
-FreeLegalTextOnShippings=Free text on shipments
-##### Deliveries #####
-DeliveryOrderNumberingModules=Products deliveries receipt numbering module
-DeliveryOrderModel=Products deliveries receipt model
-DeliveriesOrderAbility=Support products deliveries receipts
-FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts
-##### FCKeditor #####
-AdvancedEditor=Advanced editor
-ActivateFCKeditor=Activate advanced editor for:
-FCKeditorForCompany=WYSIWIG creation/edition of elements description and note (except products/services)
-FCKeditorForProduct=WYSIWIG creation/edition of products/services description and note
-FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). <font class="warning">Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formating when building PDF files.</font>
-FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing)
-FCKeditorForUserSignature=WYSIWIG creation/edition of user signature
-FCKeditorForMail=WYSIWIG creation/edition for all mail (except Outils->eMailing)
-##### OSCommerce 1 #####
-OSCommerceErrorConnectOkButWrongDatabase=Connection succeeded but database doesn't look to be an OSCommerce database (Key %s not found in table %s).
-OSCommerceTestOk=Connection to server '%s' on database '%s' with user '%s' successfull.
-OSCommerceTestKo1=Connection to server '%s' succeed but database '%s' could not be reached.
-OSCommerceTestKo2=Connection to server '%s' with user '%s' failed.
-##### Stock #####
-StockSetup=Warehouse module setup
-UserWarehouse=Use user personal warehouses
-IfYouUsePointOfSaleCheckModule=If you use a Point of Sale module (POS module provided by default or another external module), this setup may be ignored by your Point Of Sale module. Most point of sales modules are designed to create immediatly an invoice and decrease stock by default whatever are options here. So, if you need or not to have a stock decrease when registering a sell from your Point Of Sale, check also your POS module set up.
-##### Menu #####
-MenuDeleted=Menu deleted
-TreeMenu=Tree menus
-Menus=Menus
-TreeMenuPersonalized=Personalized menus
-NewMenu=New menu
-MenuConf=Menus setup
-Menu=Selection of menu
-MenuHandler=Menu handler
-MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
-DetailId=Id menu
-DetailMenuHandler=Menu handler where to show new menu
-DetailMenuModule=Module name if menu entry come from a module
-DetailType=Type of menu (top or left)
-DetailTitre=Menu label or label code for translation
-DetailMainmenu=Group for which it belongs (obsolete)
-DetailUrl=URL where menu send you (Absolute URL link or external link with http://)
-DetailLeftmenu=Display condition or not (obsolete)
-DetailEnabled=Condition to show or not entry
-DetailRight=Condition to display unauthorized grey menus
-DetailLangs=Lang file name for label code translation
-DetailUser=Intern / Extern / All
-Target=Target
-DetailTarget=Target for links (_blank top open a new window)
-DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu)
-ModifMenu=Menu change
-DeleteMenu=Delete menu entry
-ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
-DeleteLine=Delete line
-ConfirmDeleteLine=Are you sure you want to delete this line ?
-##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
-OptionVatMode=VAT due
-OptionVATDefault=Cash basis
-OptionVATDebitOption=Accrual basis
-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 chosen option:
-OnDelivery=On delivery
-OnPayment=On payment
-OnInvoice=On invoice
-SupposedToBePaymentDate=Payment date used
-SupposedToBeInvoiceDate=Invoice date used
-Buy=Buy
-Sell=Sell
-InvoiceDateUsed=Invoice date used
-YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Foundation), so there is no VAT options to setup.
-AccountancyCode=Accountancy Code
-AccountancyCodeSell=Sale account. code
-AccountancyCodeBuy=Purchase account. code
-##### Agenda #####
-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 -> Dictionary -> Type of agenda events)
-AGENDA_DEFAULT_FILTER_TYPE=Set automatically this type of event into search filter of agenda view
-AGENDA_DEFAULT_FILTER_STATUS=Set automatically this status for events into search filter of agenda view
-AGENDA_DEFAULT_VIEW=Which tab do you want to open by default when selecting menu Agenda
-##### 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) #####
-CashDesk=Point of sales
-CashDeskSetup=Point of sales module setup
-CashDeskThirdPartyForSell=Default generic third party to use for sells
-CashDeskBankAccountForSell=Default account to use to receive cash payments
-CashDeskBankAccountForCheque= Default account to use to receive payments by cheque
-CashDeskBankAccountForCB= Default account to use to receive payments by credit cards
-CashDeskDoNotDecreaseStock=Disable stock decrease when a sell is done from Point of Sale (if "no", stock decrease is done for each sell done from POS, whatever is option set into module Stock).
-CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease
-StockDecreaseForPointOfSaleDisabled=Stock decrease from Point Of Sale disabled
-StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with lot management
-CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sell from Point Of Sale. So a warehouse is required.
-##### Bookmark #####
-BookmarkSetup=Bookmark module setup
-BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or externale web sites on your left menu.
-NbOfBoomarkToShow=Maximum number of bookmarks to show in left menu
-##### WebServices #####
-WebServicesSetup=Webservices module setup
-WebServicesDesc=By enabling this module, Dolibarr become a web service server to provide miscellaneous web services.
-WSDLCanBeDownloadedHere=WSDL descriptor files of provided services can be download here
-EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at Url
-##### API ####
-ApiSetup=API module setup
-ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
-KeyForApiAccess=Key to use API (parameter "api_key")
-ApiEndPointIs=You can access to the API at url
-ApiExporerIs=You can explore the API at url
-OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
-##### Bank #####
-BankSetupModule=Bank module setup
-FreeLegalTextOnChequeReceipts=Free text on cheque receipts
-BankOrderShow=Display order of bank accounts for countries using "detailed bank number"
-BankOrderGlobal=General
-BankOrderGlobalDesc=General display order
-BankOrderES=Spanish
-BankOrderESDesc=Spanish display order
-##### Multicompany #####
-MultiCompanySetup=Multi-company module setup
-##### Suppliers #####
-SuppliersSetup=Supplier module setup
-SuppliersCommandModel=Complete template of supplier order (logo...)
-SuppliersInvoiceModel=Complete template of supplier invoice (logo...)
-SuppliersInvoiceNumberingModel=Supplier invoices numbering models
-IfSetToYesDontForgetPermission=If set to yes, don't forget to provide permissions to groups or users allowed for the second approval
-##### GeoIPMaxmind #####
-GeoIPMaxmindSetup=GeoIP Maxmind module setup
-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
-NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions).
-YouCanDownloadFreeDatFileTo=You can download a <b>free demo version</b> of the Maxmind GeoIP country file at %s.
-YouCanDownloadAdvancedDatFileTo=You can also download a more <b>complete version, with updates,</b> of the Maxmind GeoIP country file at %s.
-TestGeoIPResult=Test of a conversion IP -> country
-##### Projects #####
-ProjectsNumberingModules=Projects numbering module
-ProjectsSetup=Project module setup
-ProjectsModelModule=Project reports document model
-TasksNumberingModules=Tasks numbering module
-TaskModelModule=Tasks reports document model
-##### ECM (GED) #####
-ECMSetup = GED Setup
-ECMAutoTree = Automatic tree folder and document
-##### Fiscal Year #####
-FiscalYears=Fiscal years
-FiscalYear=Fiscal year
-FiscalYearCard=Fiscal year card
-NewFiscalYear=New fiscal year
-EditFiscalYear=Edit fiscal year
-OpenFiscalYear=Open fiscal year
-CloseFiscalYear=Close fiscal year
-DeleteFiscalYear=Delete fiscal year
-ConfirmDeleteFiscalYear=Are you sure to delete this fiscal year ?
-Opened=Open
-Closed=Closed
-AlwaysEditable=Can always be edited
-MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application)
-NbMajMin=Minimum number of uppercase characters
-NbNumMin=Minimum number of numeric characters
-NbSpeMin=Minimum number of special characters
-NbIteConsecutive=Maximum number of repeating same characters
-NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation
-SalariesSetup=Setup of module salaries
-SortOrder=Sort order
-Format=Format
-TypePaymentDesc=0:Customer payment type, 1:Supplier payment type, 2:Both customers and suppliers payment type
-IncludePath=Include path (defined into variable %s)
-ExpenseReportsSetup=Setup of module Expense Reports
-TemplatePDFExpenseReports=Document templates to generate expense report document
-NoModueToManageStockDecrease=No module able to manage automatic stock decrease has been activated. Stock decrease will be done on manual input only.
-NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only.
-YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for EMail notifications by enabling and configuring the module "Notification".
-ListOfNotificationsPerContact=List of notifications per contact*
-ListOfFixedNotifications=List of fixed notifications
-GoOntoContactCardToAddMore=Go on the tab "Notifications" of a thirdparty contact to add or remove notifications for contacts/addresses
-Threshold=Threshold
-BackupDumpWizard=Wizard to build database backup dump file
-SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason:
-SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is only manual steps a privileged user can do.
-InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file <strong>%s</strong> to allow this feature.
-ConfFileMuseContainCustom=Installing an external module from application save the module files into directory <strong>%s</strong>. To have this directory processed by Dolibarr, you must setup your <strong>conf/conf.php</strong> to have option<br>- <strong>$dolibarr_main_url_root_alt</strong> enabled to value <strong>$dolibarr_main_url_root_alt="/custom"</strong><br>- <strong>$dolibarr_main_document_root_alt</strong> enabled to value <strong>"%s/custom"</strong>
-HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
-PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
-NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
diff --git a/htdocs/langs/es_MX/banks.lang b/htdocs/langs/es_MX/banks.lang
deleted file mode 100644
index e58cf5e72b5b543b3b197112ab0728bd9d5e9edf..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_MX/banks.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - banks
-InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD
diff --git a/htdocs/langs/es_MX/bills.lang b/htdocs/langs/es_MX/bills.lang
deleted file mode 100644
index f1e67a676c3b8f859eeb97a19b2077c9f770bd27..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_MX/bills.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - bills
-ClosePaidInvoicesAutomatically=Classify "Paid" all standard, situation or replacement invoices entirely paid.
diff --git a/htdocs/langs/es_MX/commercial.lang b/htdocs/langs/es_MX/commercial.lang
deleted file mode 100644
index 18d8db068019668b61d38d3d592361512787d725..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_MX/commercial.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - commercial
-ActionAffectedTo=Event assigned to
diff --git a/htdocs/langs/es_MX/cron.lang b/htdocs/langs/es_MX/cron.lang
deleted file mode 100644
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_MX/cron.lang
+++ /dev/null
@@ -1,88 +0,0 @@
-# Dolibarr language file - Source file is en_US - cron
-# About page
-About = About
-CronAbout = About Cron
-CronAboutPage = Cron about page
-# Right
-Permission23101 = Read Scheduled job
-Permission23102 = Create/update Scheduled job
-Permission23103 = Delete Scheduled job
-Permission23104 = Execute Scheduled job
-# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch cron jobs if required
-OrToLaunchASpecificJob=Or to check and launch a specific job
-KeyForCronAccess=Security key for URL to launch cron jobs
-FileToLaunchCronJobs=Command line to launch cron jobs
-CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
-# Menu
-CronJobs=Scheduled jobs
-CronListActive=List of active/scheduled jobs
-CronListInactive=List of disabled jobs
-# Page list
-CronDateLastRun=Last run
-CronLastOutput=Last run output
-CronLastResult=Last result code
-CronListOfCronJobs=List of scheduled jobs
-CronCommand=Command
-CronList=Scheduled jobs
-CronDelete=Delete scheduled jobs
-CronConfirmDelete=Are you sure you want to delete these scheduled jobs ?
-CronExecute=Launch scheduled jobs
-CronConfirmExecute=Are you sure you want to execute these scheduled jobs now ?
-CronInfo=Scheduled job module allow to execute job that have been planned
-CronWaitingJobs=Waiting jobs
-CronTask=Job
-CronNone=None
-CronDtStart=Start date
-CronDtEnd=End date
-CronDtNextLaunch=Next execution
-CronDtLastLaunch=Last execution
-CronFrequency=Frequency
-CronClass=Class
-CronMethod=Method
-CronModule=Module
-CronAction=Action
-CronStatus=Status
-CronStatusActive=Enabled
-CronStatusInactive=Disabled
-CronNoJobs=No jobs registered
-CronPriority=Priority
-CronLabel=Description
-CronNbRun=Nb. launch
-CronEach=Every
-JobFinished=Job launched and finished
-#Page card
-CronAdd= Add jobs
-CronHourStart= Start hour and date of job
-CronEvery=Execute job each
-CronObject=Instance/Object to create
-CronArgs=Parameters
-CronSaveSucess=Save succesfully
-CronNote=Comment
-CronFieldMandatory=Fields %s is mandatory
-CronErrEndDateStartDt=End date cannot be before start date
-CronStatusActiveBtn=Enable
-CronStatusInactiveBtn=Disable
-CronTaskInactive=This job is disabled
-CronDtLastResult=Last result date
-CronId=Id
-CronClassFile=Classes (filename.class.php)
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). <BR> For exemple to fetch method of Dolibarr Product object /htdocs/<u>product</u>/class/product.class.php, the value of module is <i>product</i>
-CronClassFileHelp=The file name to load. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/<u>product.class.php</u>, the value of class file name is <i>product.class.php</i>
-CronObjectHelp=The object name to load. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of class file name is <i>Product</i>
-CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of method is  is <i>fecth</i>
-CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
-CronCommandHelp=The system command line to execute.
-CronCreateJob=Create new Scheduled Job
-# Info
-CronInfoPage=Information
-# Common
-CronType=Job type
-CronType_method=Call method of a Dolibarr Class
-CronType_command=Shell command
-CronMenu=Cron
-CronCannotLoadClass=Cannot load class %s or object %s
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Modules tools - Job list" to see and edit scheduled jobs.
-TaskDisabled=Job disabled
diff --git a/htdocs/langs/es_MX/interventions.lang b/htdocs/langs/es_MX/interventions.lang
deleted file mode 100644
index 84b26b1f95e09fc2fc1872c75da0c2922d92c3e8..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_MX/interventions.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - interventions
-PrintProductsOnFichinterDetails=interventions generated from orders
diff --git a/htdocs/langs/es_MX/mails.lang b/htdocs/langs/es_MX/mails.lang
deleted file mode 100644
index 4b5c7e95999646832e8f362031bea410cff97fe0..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_MX/mails.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - mails
-ActivateCheckReadKey=Key use to encrypt URL use for "Read Receipt" and "Unsubcribe" feature
diff --git a/htdocs/langs/es_MX/main.lang b/htdocs/langs/es_MX/main.lang
index b8eb245ac6f9db066cf1e787653db490228fb3b3..2e691473326d372b5db42468423519b3171a0d8a 100644
--- a/htdocs/langs/es_MX/main.lang
+++ b/htdocs/langs/es_MX/main.lang
@@ -1,9 +1,5 @@
 # Dolibarr language file - Source file is en_US - main
 DIRECTION=ltr
-# Note for Chinese:
-# msungstdlight or cid0ct are for traditional Chinese (traditional does not render with Ubuntu pdf reader)
-# stsongstdlight or cid0cs are for simplified Chinese
-# To read Chinese pdf with Linux: sudo apt-get install poppler-data
 FONTFORPDF=helvetica
 FONTSIZEFORPDF=10
 SeparatorDecimal=.
@@ -23,719 +19,3 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p
 FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p
 FormatDateHourTextShort=%b %d, %Y, %I:%M %p
 FormatDateHourText=%B %d, %Y, %I:%M %p
-DatabaseConnection=Database connection
-NoTranslation=No translation
-NoRecordFound=No record found
-NoError=No error
-Error=Error
-ErrorFieldRequired=Field '%s' is required
-ErrorFieldFormat=Field '%s' has a bad value
-ErrorFileDoesNotExists=File %s does not exist
-ErrorFailedToOpenFile=Failed to open file %s
-ErrorCanNotCreateDir=Can not create dir %s
-ErrorCanNotReadDir=Can not read dir %s
-ErrorConstantNotDefined=Parameter %s not defined
-ErrorUnknown=Unknown error
-ErrorSQL=SQL Error
-ErrorLogoFileNotFound=Logo file '%s' was not found
-ErrorGoToGlobalSetup=Go to 'Company/Foundation' setup to fix this
-ErrorGoToModuleSetup=Go to Module setup to fix this
-ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=%s)
-ErrorAttachedFilesDisabled=File attaching is disabled on this server
-ErrorFileNotUploaded=File was not uploaded. Check that size does not exceed maximum allowed, that free space is available on disk and that there is not already a file with same name in this directory.
-ErrorInternalErrorDetected=Error detected
-ErrorNoRequestRan=No request ran
-ErrorWrongHostParameter=Wrong host parameter
-ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post again the form.
-ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child records.
-ErrorWrongValue=Wrong value
-ErrorWrongValueForParameterX=Wrong value for parameter %s
-ErrorNoRequestInError=No request in error
-ErrorServiceUnavailableTryLater=Service not available for the moment. Try again later.
-ErrorDuplicateField=Duplicate value in a unique field
-ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback changes.
-ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
-ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
-ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
-ErrorFailedToSaveFile=Error, failed to save file.
-SetDate=Set date
-SelectDate=Select a date
-SeeAlso=See also %s
-SeeHere=See here
-BackgroundColorByDefault=Default background color
-FileNotUploaded=The file was not uploaded
-FileUploaded=The file was successfully uploaded
-FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. Click on "Attach file" for this.
-NbOfEntries=Nb of entries
-GoToWikiHelpPage=Read online help (need Internet access)
-GoToHelpPage=Read help
-RecordSaved=Record saved
-RecordDeleted=Record deleted
-LevelOfFeature=Level of features
-NotDefined=Not defined
-DefinedAndHasThisValue=Defined and value to
-IsNotDefined=undefined
-DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is setup to <b>%s</b> in configuration file <b>conf.php</b>.<br>This means that password database is extern to Dolibarr, so changing this field may have no effects.
-Administrator=Administrator
-Undefined=Undefined
-PasswordForgotten=Password forgotten ?
-SeeAbove=See above
-HomeArea=Home area
-LastConnexion=Last connection
-PreviousConnexion=Previous connection
-ConnectedOnMultiCompany=Connected on environment
-ConnectedSince=Connected since
-AuthenticationMode=Authentification mode
-RequestedUrl=Requested Url
-DatabaseTypeManager=Database type manager
-RequestLastAccess=Request for last database access
-RequestLastAccessInError=Request for last database access in error
-ReturnCodeLastAccessInError=Return code for last database access in error
-InformationLastAccessInError=Information for last database access in error
-DolibarrHasDetectedError=Dolibarr has detected a technical error
-InformationToHelpDiagnose=This is information that can help diagnostic
-MoreInformation=More information
-TechnicalInformation=Technical information
-NotePublic=Note (public)
-NotePrivate=Note (private)
-PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to <b>%s</b> decimals.
-DoTest=Test
-ToFilter=Filter
-WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance delay.
-yes=yes
-Yes=Yes
-no=no
-No=No
-All=All
-Home=Home
-Help=Help
-OnlineHelp=Online help
-PageWiki=Wiki page
-Always=Always
-Never=Never
-Under=under
-Period=Period
-PeriodEndDate=End date for period
-Activate=Activate
-Activated=Activated
-Closed=Closed
-Closed2=Closed
-Enabled=Enabled
-Deprecated=Deprecated
-Disable=Disable
-Disabled=Disabled
-Add=Add
-AddLink=Add link
-Update=Update
-AddActionToDo=Add event to do
-AddActionDone=Add event done
-Close=Close
-Close2=Close
-Confirm=Confirm
-ConfirmSendCardByMail=Do you really want to send content of this card by mail to <b>%s</b> ?
-Delete=Delete
-Remove=Remove
-Resiliate=Resiliate
-Cancel=Cancel
-Modify=Modify
-Edit=Edit
-Validate=Validate
-ValidateAndApprove=Validate and Approve
-ToValidate=To validate
-Save=Save
-SaveAs=Save As
-TestConnection=Test connection
-ToClone=Clone
-ConfirmClone=Choose data you want to clone :
-NoCloneOptionsSpecified=No data to clone defined.
-Of=of
-Go=Go
-Run=Run
-CopyOf=Copy of
-Show=Show
-ShowCardHere=Show card
-Search=Search
-SearchOf=Search
-Valid=Valid
-Approve=Approve
-Disapprove=Disapprove
-ReOpen=Re-Open
-Upload=Send file
-ToLink=Link
-Select=Select
-Choose=Choose
-ChooseLangage=Please choose your language
-Resize=Resize
-Recenter=Recenter
-Author=Author
-User=User
-Users=Users
-Group=Group
-Groups=Groups
-NoUserGroupDefined=No user group defined
-Password=Password
-PasswordRetype=Retype your password
-NoteSomeFeaturesAreDisabled=Note that a lot of features/modules are disabled in this demonstration.
-Name=Name
-Person=Person
-Parameter=Parameter
-Parameters=Parameters
-Value=Value
-GlobalValue=Global value
-PersonalValue=Personal value
-NewValue=New value
-CurrentValue=Current value
-Code=Code
-Type=Type
-Language=Language
-MultiLanguage=Multi-language
-Note=Note
-CurrentNote=Current note
-Title=Title
-Label=Label
-RefOrLabel=Ref. or label
-Info=Log
-Family=Family
-Description=Description
-Designation=Description
-Model=Model
-DefaultModel=Default model
-Action=Event
-About=About
-Number=Number
-NumberByMonth=Number by month
-AmountByMonth=Amount by month
-Numero=Number
-Limit=Limit
-Limits=Limits
-DevelopmentTeam=Development Team
-Logout=Logout
-NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode <b>%s</b>
-Connection=Connection
-Setup=Setup
-Alert=Alert
-Previous=Previous
-Next=Next
-Cards=Cards
-Card=Card
-Now=Now
-HourStart=Start hour
-Date=Date
-DateAndHour=Date and hour
-DateStart=Date start
-DateEnd=Date end
-DateCreation=Creation date
-DateModification=Modification date
-DateModificationShort=Modif. date
-DateLastModification=Last modification date
-DateValidation=Validation date
-DateClosing=Closing date
-DateDue=Due date
-DateValue=Value date
-DateValueShort=Value date
-DateOperation=Operation date
-DateOperationShort=Oper. Date
-DateLimit=Limit date
-DateRequest=Request date
-DateProcess=Process date
-DatePlanShort=Date planed
-DateRealShort=Date real.
-DateBuild=Report build date
-DatePayment=Date of payment
-DateApprove=Approving date
-DateApprove2=Approving date (second approval)
-DurationYear=year
-DurationMonth=month
-DurationWeek=week
-DurationDay=day
-DurationYears=years
-DurationMonths=months
-DurationWeeks=weeks
-DurationDays=days
-Year=Year
-Month=Month
-Week=Week
-Day=Day
-Hour=Hour
-Minute=Minute
-Second=Second
-Years=Years
-Months=Months
-Days=Days
-days=days
-Hours=Hours
-Minutes=Minutes
-Seconds=Seconds
-Weeks=Weeks
-Today=Today
-Yesterday=Yesterday
-Tomorrow=Tomorrow
-Morning=Morning
-Afternoon=Afternoon
-Quadri=Quadri
-MonthOfDay=Month of the day
-HourShort=H
-MinuteShort=mn
-Rate=Rate
-UseLocalTax=Include tax
-Bytes=Bytes
-KiloBytes=Kilobytes
-MegaBytes=Megabytes
-GigaBytes=Gigabytes
-TeraBytes=Terabytes
-b=b.
-Kb=Kb
-Mb=Mb
-Gb=Gb
-Tb=Tb
-Cut=Cut
-Copy=Copy
-Paste=Paste
-Default=Default
-DefaultValue=Default value
-DefaultGlobalValue=Global value
-Price=Price
-UnitPrice=Unit price
-UnitPriceHT=Unit price (net)
-UnitPriceTTC=Unit price
-PriceU=U.P.
-PriceUHT=U.P. (net)
-AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
-Amount=Amount
-AmountInvoice=Invoice amount
-AmountPayment=Payment amount
-AmountHTShort=Amount (net)
-AmountTTCShort=Amount (inc. tax)
-AmountHT=Amount (net of tax)
-AmountTTC=Amount (inc. tax)
-AmountVAT=Amount tax
-AmountLT1=Amount tax 2
-AmountLT2=Amount tax 3
-AmountLT1ES=Amount RE
-AmountLT2ES=Amount IRPF
-AmountTotal=Total amount
-AmountAverage=Average amount
-PriceQtyHT=Price for this quantity (net of tax)
-PriceQtyMinHT=Price quantity min. (net of tax)
-PriceQtyTTC=Price for this quantity (inc. tax)
-PriceQtyMinTTC=Price quantity min. (inc. of tax)
-Percentage=Percentage
-Total=Total
-SubTotal=Subtotal
-TotalHTShort=Total (net)
-TotalTTCShort=Total (inc. tax)
-TotalHT=Total (net of tax)
-TotalHTforthispage=Total (net of tax) for this page
-TotalTTC=Total (inc. tax)
-TotalTTCToYourCredit=Total (inc. tax) to your credit
-TotalVAT=Total tax
-TotalLT1=Total tax 2
-TotalLT2=Total tax 3
-TotalLT1ES=Total RE
-TotalLT2ES=Total IRPF
-IncludedVAT=Included tax
-HT=Net of tax
-TTC=Inc. tax
-VAT=Sales tax
-LT1ES=RE
-LT2ES=IRPF
-VATRate=Tax Rate
-Average=Average
-Sum=Sum
-Delta=Delta
-Module=Module
-Option=Option
-List=List
-FullList=Full list
-Statistics=Statistics
-OtherStatistics=Other statistics
-Status=Status
-Favorite=Favorite
-ShortInfo=Info.
-Ref=Ref.
-ExternalRef=Ref. extern
-RefSupplier=Ref. supplier
-RefPayment=Ref. payment
-CommercialProposalsShort=Commercial proposals
-Comment=Comment
-Comments=Comments
-ActionsToDo=Events to do
-ActionsDone=Events done
-ActionsToDoShort=To do
-ActionsRunningshort=Started
-ActionsDoneShort=Done
-ActionNotApplicable=Not applicable
-ActionRunningNotStarted=To start
-ActionRunningShort=Started
-ActionDoneShort=Finished
-ActionUncomplete=Uncomplete
-CompanyFoundation=Company/Foundation
-ContactsForCompany=Contacts for this third party
-ContactsAddressesForCompany=Contacts/addresses for this third party
-AddressesForCompany=Addresses for this third party
-ActionsOnCompany=Events about this third party
-ActionsOnMember=Events about this member
-NActions=%s events
-NActionsLate=%s late
-RequestAlreadyDone=Request already recorded
-Filter=Filter
-RemoveFilter=Remove filter
-ChartGenerated=Chart generated
-ChartNotGenerated=Chart not generated
-GeneratedOn=Build on %s
-Generate=Generate
-Duration=Duration
-TotalDuration=Total duration
-Summary=Summary
-MyBookmarks=My bookmarks
-OtherInformationsBoxes=Other information boxes
-DolibarrBoard=Dolibarr board
-DolibarrStateBoard=Statistics
-DolibarrWorkBoard=Work tasks board
-Available=Available
-NotYetAvailable=Not yet available
-NotAvailable=Not available
-Popularity=Popularity
-Categories=Tags/categories
-Category=Tag/category
-By=By
-From=From
-to=to
-and=and
-or=or
-Other=Other
-Others=Others
-OtherInformations=Other informations
-Quantity=Quantity
-Qty=Qty
-ChangedBy=Changed by
-ApprovedBy=Approved by
-ApprovedBy2=Approved by (second approval)
-Approved=Approved
-Refused=Refused
-ReCalculate=Recalculate
-ResultOk=Success
-ResultKo=Failure
-Reporting=Reporting
-Reportings=Reporting
-Draft=Draft
-Drafts=Drafts
-Validated=Validated
-Opened=Open
-New=New
-Discount=Discount
-Unknown=Unknown
-General=General
-Size=Size
-Received=Received
-Paid=Paid
-Topic=Sujet
-ByCompanies=By third parties
-ByUsers=By users
-Links=Links
-Link=Link
-Receipts=Receipts
-Rejects=Rejects
-Preview=Preview
-NextStep=Next step
-PreviousStep=Previous step
-Datas=Data
-None=None
-NoneF=None
-Late=Late
-Photo=Picture
-Photos=Pictures
-AddPhoto=Add picture
-Login=Login
-CurrentLogin=Current login
-January=January
-February=February
-March=March
-April=April
-May=May
-June=June
-July=July
-August=August
-September=September
-October=October
-November=November
-December=December
-JanuaryMin=Jan
-FebruaryMin=Feb
-MarchMin=Mar
-AprilMin=Apr
-MayMin=May
-JuneMin=Jun
-JulyMin=Jul
-AugustMin=Aug
-SeptemberMin=Sep
-OctoberMin=Oct
-NovemberMin=Nov
-DecemberMin=Dec
-Month01=January
-Month02=February
-Month03=March
-Month04=April
-Month05=May
-Month06=June
-Month07=July
-Month08=August
-Month09=September
-Month10=October
-Month11=November
-Month12=December
-MonthShort01=Jan
-MonthShort02=Feb
-MonthShort03=Mar
-MonthShort04=Apr
-MonthShort05=May
-MonthShort06=Jun
-MonthShort07=Jul
-MonthShort08=Aug
-MonthShort09=Sep
-MonthShort10=Oct
-MonthShort11=Nov
-MonthShort12=Dec
-AttachedFiles=Attached files and documents
-FileTransferComplete=File was uploaded successfuly
-DateFormatYYYYMM=YYYY-MM
-DateFormatYYYYMMDD=YYYY-MM-DD
-DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS
-ReportName=Report name
-ReportPeriod=Report period
-ReportDescription=Description
-Report=Report
-Keyword=Mot clé
-Legend=Legend
-FillTownFromZip=Fill city from zip
-Fill=Fill
-Reset=Reset
-ShowLog=Show log
-File=File
-Files=Files
-NotAllowed=Not allowed
-ReadPermissionNotAllowed=Read permission not allowed
-AmountInCurrency=Amount in %s currency
-Example=Example
-Examples=Examples
-NoExample=No example
-FindBug=Report a bug
-NbOfThirdParties=Number of third parties
-NbOfCustomers=Number of customers
-NbOfLines=Number of lines
-NbOfObjects=Number of objects
-NbOfReferers=Number of referrers
-Referers=Refering objects
-TotalQuantity=Total quantity
-DateFromTo=From %s to %s
-DateFrom=From %s
-DateUntil=Until %s
-Check=Check
-Uncheck=Uncheck
-Internal=Internal
-External=External
-Internals=Internal
-Externals=External
-Warning=Warning
-Warnings=Warnings
-BuildPDF=Build PDF
-RebuildPDF=Rebuild PDF
-BuildDoc=Build Doc
-RebuildDoc=Rebuild Doc
-Entity=Environment
-Entities=Entities
-EventLogs=Logs
-CustomerPreview=Customer preview
-SupplierPreview=Supplier preview
-AccountancyPreview=Accountancy preview
-ShowCustomerPreview=Show customer preview
-ShowSupplierPreview=Show supplier preview
-ShowAccountancyPreview=Show accountancy preview
-ShowProspectPreview=Show prospect preview
-RefCustomer=Ref. customer
-Currency=Currency
-InfoAdmin=Information for administrators
-Undo=Undo
-Redo=Redo
-ExpandAll=Expand all
-UndoExpandAll=Undo expand
-Reason=Reason
-FeatureNotYetSupported=Feature not yet supported
-CloseWindow=Close window
-Question=Question
-Response=Response
-Priority=Priority
-SendByMail=Send by EMail
-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.
-Refresh=Refresh
-BackToList=Back to list
-GoBack=Go back
-CanBeModifiedIfOk=Can be modified if valid
-CanBeModifiedIfKo=Can be modified if not valid
-RecordModifiedSuccessfully=Record modified successfully
-RecordsModified=%s records modified
-AutomaticCode=Automatic code
-NotManaged=Not managed
-FeatureDisabled=Feature disabled
-MoveBox=Move box %s
-Offered=Offered
-NotEnoughPermissions=You don't have permission for this action
-SessionName=Session name
-Method=Method
-Receive=Receive
-PartialWoman=Partial
-PartialMan=Partial
-TotalWoman=Total
-TotalMan=Total
-NeverReceived=Never received
-Canceled=Canceled
-YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
-Color=Color
-Documents=Linked files
-DocumentsNb=Linked files (%s)
-Documents2=Documents
-BuildDocuments=Generated documents
-UploadDisabled=Upload disabled
-MenuECM=Documents
-MenuAWStats=AWStats
-MenuMembers=Members
-MenuAgendaGoogle=Google agenda
-ThisLimitIsDefinedInSetup=Dolibarr limit (Menu home-setup-security): %s Kb, PHP limit: %s Kb
-NoFileFound=No documents saved in this directory
-CurrentUserLanguage=Current language
-CurrentTheme=Current theme
-CurrentMenuManager=Current menu manager
-DisabledModules=Disabled modules
-For=For
-ForCustomer=For customer
-Signature=Signature
-HidePassword=Show command with password hidden
-UnHidePassword=Show real command with clear password
-Root=Root
-Informations=Informations
-Page=Page
-Notes=Notes
-AddNewLine=Add new line
-AddFile=Add file
-ListOfFiles=List of available files
-FreeZone=Free entry
-FreeLineOfType=Free entry of type
-CloneMainAttributes=Clone object with its main attributes
-PDFMerge=PDF Merge
-Merge=Merge
-PrintContentArea=Show page to print main content area
-MenuManager=Menu manager
-NoMenu=No sub-menu
-WarningYouAreInMaintenanceMode=Warning, you are in a maintenance mode, so only login <b>%s</b> is allowed to use application at the moment.
-CoreErrorTitle=System error
-CoreErrorMessage=Sorry, an error occurred. Check the logs or contact your system administrator.
-CreditCard=Credit card
-FieldsWithAreMandatory=Fields with <b>%s</b> are mandatory
-FieldsWithIsForPublic=Fields with <b>%s</b> are shown on public list of members. If you don't want this, check off the "public" box.
-AccordingToGeoIPDatabase=(according to GeoIP convertion)
-Line=Line
-NotSupported=Not supported
-RequiredField=Required field
-Result=Result
-ToTest=Test
-ValidateBefore=Card must be validated before using this feature
-Visibility=Visibility
-Private=Private
-Hidden=Hidden
-Resources=Resources
-Source=Source
-Prefix=Prefix
-Before=Before
-After=After
-IPAddress=IP address
-Frequency=Frequency
-IM=Instant messaging
-NewAttribute=New attribute
-AttributeCode=Attribute code
-OptionalFieldsSetup=Extra attributes setup
-URLPhoto=URL of photo/logo
-SetLinkToThirdParty=Link to another third party
-CreateDraft=Create draft
-SetToDraft=Back to draft
-ClickToEdit=Click to edit
-ObjectDeleted=Object %s deleted
-ByCountry=By country
-ByTown=By town
-ByDate=By date
-ByMonthYear=By month/year
-ByYear=By year
-ByMonth=By month
-ByDay=By day
-BySalesRepresentative=By sales representative
-LinkedToSpecificUsers=Linked to a particular user contact
-DeleteAFile=Delete a file
-ConfirmDeleteAFile=Are you sure you want to delete file
-NoResults=No results
-SystemTools=System tools
-ModulesSystemTools=Modules tools
-Test=Test
-Element=Element
-NoPhotoYet=No pictures available yet
-HomeDashboard=Home summary
-Deductible=Deductible
-from=from
-toward=toward
-Access=Access
-HelpCopyToClipboard=Use Ctrl+C to copy to clipboard
-SaveUploadedFileWithMask=Save file on server with name "<strong>%s</strong>" (otherwise "%s")
-OriginFileName=Original filename
-SetDemandReason=Set source
-SetBankAccount=Define Bank Account
-AccountCurrency=Account Currency
-ViewPrivateNote=View notes
-XMoreLines=%s line(s) hidden
-PublicUrl=Public URL
-AddBox=Add box
-SelectElementAndClickRefresh=Select an element and click Refresh
-PrintFile=Print File %s
-ShowTransaction=Show transaction
-GoIntoSetupToChangeLogo=Go into Home - Setup - Company to change logo or go into Home - Setup - Display to hide.
-Deny=Deny
-Denied=Denied
-ListOfTemplates=List of templates
-Genderman=Man
-Genderwoman=Woman
-# Week day
-Monday=Monday
-Tuesday=Tuesday
-Wednesday=Wednesday
-Thursday=Thursday
-Friday=Friday
-Saturday=Saturday
-Sunday=Sunday
-MondayMin=Mo
-TuesdayMin=Tu
-WednesdayMin=We
-ThursdayMin=Th
-FridayMin=Fr
-SaturdayMin=Sa
-SundayMin=Su
-Day1=Monday
-Day2=Tuesday
-Day3=Wednesday
-Day4=Thursday
-Day5=Friday
-Day6=Saturday
-Day0=Sunday
-ShortMonday=M
-ShortTuesday=T
-ShortWednesday=W
-ShortThursday=T
-ShortFriday=F
-ShortSaturday=S
-ShortSunday=S
-SelectMailModel=Select email template
diff --git a/htdocs/langs/es_MX/orders.lang b/htdocs/langs/es_MX/orders.lang
deleted file mode 100644
index 6d902132a46c48d6f743f1f168bee74da6e2aee7..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_MX/orders.lang
+++ /dev/null
@@ -1,5 +0,0 @@
-# Dolibarr language file - Source file is en_US - orders
-StatusOrderOnProcessShort=Ordered
-StatusOrderOnProcess=Ordered - Standby reception
-ApproveOrder=Approve order
-LastOrders=Last %s customer orders
diff --git a/htdocs/langs/es_MX/other.lang b/htdocs/langs/es_MX/other.lang
deleted file mode 100644
index c50a095e492a0a57ef32d24cc9891598517ad128..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_MX/other.lang
+++ /dev/null
@@ -1,3 +0,0 @@
-# Dolibarr language file - Source file is en_US - other
-Notify_ORDER_SUPPLIER_VALIDATE=Supplier order recorded
-SeeModuleSetup=See setup of module %s
diff --git a/htdocs/langs/es_MX/productbatch.lang b/htdocs/langs/es_MX/productbatch.lang
deleted file mode 100644
index 53edc04d8c4739de1ae060d5f7aa8f6ea9aeba85..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_MX/productbatch.lang
+++ /dev/null
@@ -1,11 +0,0 @@
-# Dolibarr language file - Source file is en_US - productbatch
-ManageLotSerial=Use lot/serial number
-ProductStatusOnBatch=Yes (lot/serial required)
-ProductStatusNotOnBatch=No (lot/serial not used)
-Batch=Lot/Serial
-atleast1batchfield=Eat-by date or Sell-by date or Lot/Serial number
-batch_number=Lot/Serial number
-DetailBatchNumber=Lot/Serial details
-DetailBatchFormat=Lot/Serial: %s - Eat by: %s - Sell by: %s (Qty : %d)
-printBatch=Lot/Serial: %s
-WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, increase/decrease stock mode is forced to last choice and can't be edited. Other options can be defined as you want.
diff --git a/htdocs/langs/es_MX/suppliers.lang b/htdocs/langs/es_MX/suppliers.lang
deleted file mode 100644
index 5213cec4e07ca18ac9ed641ce598c046ac788a1e..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_MX/suppliers.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - suppliers
-DenyingThisOrder=Deny this order
diff --git a/htdocs/langs/es_MX/trips.lang b/htdocs/langs/es_MX/trips.lang
deleted file mode 100644
index f5e6f1a92ebf2effd4c01d542d91c3f665207a85..0000000000000000000000000000000000000000
--- a/htdocs/langs/es_MX/trips.lang
+++ /dev/null
@@ -1,14 +0,0 @@
-# Dolibarr language file - Source file is en_US - trips
-Trip=Expense report
-Trips=Expense reports
-TripsAndExpenses=Expenses reports
-TripsAndExpensesStatistics=Expense reports statistics
-TripCard=Expense report card
-AddTrip=Create expense report
-ListOfTrips=List of expense report
-NewTrip=New expense report
-DeleteTrip=Delete expense report
-ConfirmDeleteTrip=Are you sure you want to delete this expense report ?
-ListTripsAndExpenses=List of expense reports
-ExpensesArea=Expense reports area
-SearchATripAndExpense=Search an expense report
diff --git a/htdocs/langs/es_PE/compta.lang b/htdocs/langs/es_PE/compta.lang
index 00857e477f662e507431bb1ee4c54a4b9c01cca2..bd421eb4772985991ac2dcc998f6290883456d0d 100644
--- a/htdocs/langs/es_PE/compta.lang
+++ b/htdocs/langs/es_PE/compta.lang
@@ -19,4 +19,3 @@ VATReportByQuartersInInputOutputMode=Informe por tasa del IGV repercutido y paga
 VATReportByQuartersInDueDebtMode=Informe por tasa del IGV repercutido y pagado (IGV debido)
 SeeVATReportInInputOutputMode=Ver el informe <b>%sIGV pagado%s</b> para un modo de cálculo estandard
 SeeVATReportInDueDebtMode=Ver el informe <b>%sIGV debido%s</b> para un modo de cálculo con la opción sobre lo debido
-ACCOUNTING_VAT_ACCOUNT=Código contable por defecto para el IGV (si no está definido en el diccionario "Tasas de IGV")
diff --git a/htdocs/langs/es_PR/compta.lang b/htdocs/langs/es_PR/compta.lang
index f5e1dc17fcebd8276742e437b344b01ac000b546..363917cb46993d63d2eafe5dab1e2427e45a6eb0 100644
--- a/htdocs/langs/es_PR/compta.lang
+++ b/htdocs/langs/es_PR/compta.lang
@@ -19,4 +19,3 @@ VATReportByQuartersInInputOutputMode=Informe por tasa del IVU repercutido y paga
 VATReportByQuartersInDueDebtMode=Informe por tasa del IVU repercutido y pagado (IVU debido)
 SeeVATReportInInputOutputMode=Ver el informe <b>%sIVU pagado%s</b> para un modo de cálculo estandard
 SeeVATReportInDueDebtMode=Ver el informe <b>%sIVU debido%s</b> para un modo de cálculo con la opción sobre lo debido
-ACCOUNTING_VAT_ACCOUNT=Código contable por defecto para el IVU (si no está definido en el diccionario "Tasas de IVU")
diff --git a/htdocs/langs/et_EE/admin.lang b/htdocs/langs/et_EE/admin.lang
index c2eedabc461adc33da3be3a9daa06f04f57c5e32..fbc76a0aa02befa4b65972b65f23e79d73af6d3d 100644
--- a/htdocs/langs/et_EE/admin.lang
+++ b/htdocs/langs/et_EE/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Pakkumised
 Module20Desc=Pakkumiste haldamine
 Module22Name=Masspostitus
 Module22Desc=Masspostituse haldamine
-Module23Name= Energia
-Module23Desc= Energiatarbimise järelevalve
+Module23Name=Energia
+Module23Desc=Energiatarbimise järelevalve
 Module25Name=Klientide tellimused
 Module25Desc=Klientide tellimuste haldamine
 Module30Name=Arved
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=WebCalendari integratsioon
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Palgad
 Module510Desc=Töötajate palkade ja palkade maksmise haldamine
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Teated
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Annetused
 Module700Desc=Annetuste haldamine
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Toodete loomine/muutmine
 Permission34=Toodete kustutamine
 Permission36=Peidetud toodete vaatamine/haldamine
 Permission38=Toodete eksport
-Permission41=Projektide vaatamine (jagatud projektid ja projekt, mille kontaktiks on kasutaja)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Projektide loomine/muutmine (jagatud projektid ja projektid, mille kontaktiks on kasutaja)
 Permission44=Projektide kustutamine (jagatud projekt ja projektid, mille kontaktiks on kasutaja)
 Permission61=Sekkumiste vaatamine
@@ -600,10 +600,10 @@ Permission86=Müügitellimuste saatmine
 Permission87=Müügitellimuste sulgemine
 Permission88=Müügitellimuste tühistamine
 Permission89=Müügitellimuste kustutamine
-Permission91=Sotsiaal- ja käibemaksu vaatamine
-Permission92=Sotsiaal- ja käibemaksu loomine/muutmine
-Permission93=Sotsiaal- ja käibemaksu kustutamine
-Permission94=Sotsiaalmaksu eksport
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Aruannete vaatamine
 Permission101=Saatmiste vaatamine
 Permission102=Saatmiste loomine/muutmine
@@ -621,9 +621,9 @@ Permission121=Kasutajaga seotud kolmandate isikute vaatamine
 Permission122=Kasutajaga seotud kolmandate isikute loomine/muutmine
 Permission125=Kasutajaga seotud kolmandate isikute kustutamine
 Permission126=Kolmandate isikute eksport
-Permission141=Projektide vaatamine (ka privaatsed, mille kontakt kasutaja ei ole)
-Permission142=Projektide loomine/muutmine (ka privaatsed, mille kasutaja kontakt ei ole)
-Permission144=Projektide kustutamine (ka privaatsed, mille kontakt kasutaja ei ole)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Pakkujate vaatamine
 Permission147=Statistika vaatamine
 Permission151=Püsikorralduste vaatamine
@@ -801,7 +801,7 @@ DictionaryCountry=Riigid
 DictionaryCurrency=Valuutad
 DictionaryCivility=Tiitel
 DictionaryActions=Päevakava sündmuste tüüp
-DictionarySocialContributions=Sotsiaalmaksude liigid
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=Käibe- või müügimaksumäärad
 DictionaryRevenueStamp=Maksumärkide kogus
 DictionaryPaymentConditions=Maksetingimused
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Kontoplaani mudelid
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Seadistused salvestatud
 BackToModuleList=Tagasi moodulite nimekirja
 BackToDictionaryList=Tagasi sõnastike nimekirja
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Kas oled täiesti kindel, et soovid kustutada menüükande <b>
 DeleteLine=Kustuta rida
 ConfirmDeleteLine=Kas oled täiesti kindel, et soovid selle rea kustutada?
 ##### Tax #####
-TaxSetup=Maksude, sotsiaalkindlustusmaksete ja dividendide mooduli seadistamine
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=KM kuupäev
 OptionVATDefault=Kassapõhine
 OptionVATDebitOption=Tekkepõhine
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP kliendid peavad oma päringud saatma Dolibarri peavad saatma oma
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Pangamooduli seadistamine
 FreeLegalTextOnChequeReceipts=Vaba tekst tšekikviitungitel
@@ -1596,6 +1599,7 @@ ProjectsSetup=Projektide mooduli seadistamine
 ProjectsModelModule=Projektiaruannete dokumendi mudel
 TasksNumberingModules=Ülesannete numeratsiooni moodu
 TaskModelModule=Ülesannete aruande dokumendi mudel
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED seadistamine
 ECMAutoTree = Automaatmne kaustapuu ja dokument
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/et_EE/agenda.lang b/htdocs/langs/et_EE/agenda.lang
index 1d95135c3c3093fed6758bdf6ac88c142029bb7e..693dcdb7ef0e61a5bcef81becae79a988949dc30 100644
--- a/htdocs/langs/et_EE/agenda.lang
+++ b/htdocs/langs/et_EE/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Tellimus %s on heaks kiidetud
 OrderRefusedInDolibarr=Tellimus %s on tagasi lükatud
 OrderBackToDraftInDolibarr=Tellimus %s on muudetud mustandiks
-OrderCanceledInDolibarr=Tellimus %s on tühistatud
 ProposalSentByEMail=Pakkumine %s on saadetud e-postiga
 OrderSentByEMail=Tellimus %s on saadetud e-postiga
 InvoiceSentByEMail=Arve %s on saadetud e-postiga
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/et_EE/banks.lang b/htdocs/langs/et_EE/banks.lang
index eb2d26f22f2db754bc898a2fe18b9f59332da8c9..f826da356b0ce92ccebc3868f4d86ce8fc0c0df5 100644
--- a/htdocs/langs/et_EE/banks.lang
+++ b/htdocs/langs/et_EE/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Kliendi laekumi
 CustomerInvoicePaymentBack=Tagasimakse kliendile
 SupplierInvoicePayment=Hankija makse
 WithdrawalPayment=Väljamakse
-SocialContributionPayment=Sotsiaalmaksu makse
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Finantskontode päevaraamat
 BankTransfer=Pangaülekanne
 BankTransfers=Pangaülekanded
diff --git a/htdocs/langs/et_EE/bills.lang b/htdocs/langs/et_EE/bills.lang
index c4a4c0ed6af4e264e84afbadfb35d7358e01c6f3..a242ed0da9f5cdb16f4af1ab373b4be253f899be 100644
--- a/htdocs/langs/et_EE/bills.lang
+++ b/htdocs/langs/et_EE/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Arveid
 NumberOfBillsByMonth=Arveid kuus
 AmountOfBills=Arvete summa
 AmountOfBillsByMonthHT=Arvete summa kuus (maksudeta)
-ShowSocialContribution=Näita sotsiaalmaksu
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Näita arvet
 ShowInvoice=Näita arvet
 ShowInvoiceReplace=Näita asendusarvet
@@ -270,7 +270,7 @@ BillAddress=Arve aadress
 HelpEscompte=Kliendile anti see soodustus, kuna ta maksis enne tähtaega.
 HelpAbandonBadCustomer=Sellest summast on loobutud (kuna tegu olevat halva kliendiga) ning on loetud erandlikuks kaotuseks.
 HelpAbandonOther=Sellest summast on loobutud, kuna tegu oli veaga (näiteks: vale klient või arve on asendatud teisega).
-IdSocialContribution=Sotsiaalmaksu ID
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Makse ID
 InvoiceId=Arve ID
 InvoiceRef=Arve viide
diff --git a/htdocs/langs/et_EE/companies.lang b/htdocs/langs/et_EE/companies.lang
index 4945015ee29df6c69c6e1858ae6dd203056de754..e1d1860cfade4fad17dc67a00cfc76ab214f2a52 100644
--- a/htdocs/langs/et_EE/companies.lang
+++ b/htdocs/langs/et_EE/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Kolmanda isiku kontakt/aadress
 StatusContactValidated=Kontakti/aadressi staatus
 Company=Ettevõte
 CompanyName=Ettevõtte nimi
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Ettevõtted
 CountryIsInEEC=Riik on Euroopa Majandusühenduse liige
 ThirdPartyName=Kolmanda isiku nimi
diff --git a/htdocs/langs/et_EE/compta.lang b/htdocs/langs/et_EE/compta.lang
index 8eef9586af415368fc0975862700026788887f64..766da55424d403db17258c1e13231edf9f6c48ed 100644
--- a/htdocs/langs/et_EE/compta.lang
+++ b/htdocs/langs/et_EE/compta.lang
@@ -56,23 +56,23 @@ VATCollected=KM kogutud
 ToPay=Maksta
 ToGet=Tagasi saada
 SpecialExpensesArea=Kõigi erimaksete ala
-TaxAndDividendsArea=Maksude, sotsiaalmaksu ja dividendide ala
-SocialContribution=Sotsiaalmaks
-SocialContributions=Sotsiaalmaksud
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Erikulud
 MenuTaxAndDividends=Maksud ja dividendid
 MenuSalaries=Palgad
-MenuSocialContributions=Sotsiaalmaksud
-MenuNewSocialContribution=Uus sotsiaalmaks
-NewSocialContribution=Uus sotsiaalmaks
-ContributionsToPay=Sotsiaalmaksu maksta
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Raamatupidamise/vara ala
 AccountancySetup=Raamatupidamise seadistamine
 NewPayment=Uus makse
 Payments=Maksed
 PaymentCustomerInvoice=Müügiarve makse
 PaymentSupplierInvoice=Ostuarve makse
-PaymentSocialContribution=Sotsiaalmaksu makse
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=KM makse
 PaymentSalary=Palga makse
 ListPayment=Maksete nimekiri
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=Käibemaksu makse
 VATPayments=Käibemaksu maksed
-SocialContributionsPayments=Sotsiaalmaksu maksed
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Näita käibemaksu makset
 TotalToPay=Kokku maksta
 TotalVATReceived=Kokku KM saadud
@@ -116,11 +116,11 @@ NewCheckDepositOn=Loo kviitung kontole deponeerimise eest: %s
 NoWaitingChecks=Pole ühtki tšekki deponeerida.
 DateChequeReceived=Tšeki vastuvõtmise kuupäev
 NbOfCheques=Tšekke
-PaySocialContribution=Maksa sotsiaalmaksu
-ConfirmPaySocialContribution=Kas oled täiesti kindel, et tahad selle sotsiaalmaksu liigitada makstuks?
-DeleteSocialContribution=Kustuta sotsiaalmaks
-ConfirmDeleteSocialContribution=Kas oled täiesti kindel, et soovid kustutada selle sotsiaalmaksu?
-ExportDataset_tax_1=Sotsiaalmaksud ja maksed
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Režiim <b>%stekkepõhise raamatupidamise KM%s</b>.
 CalcModeVATEngagement=Režiim <b>%stulude-kulude KM%s</b>.
 CalcModeDebt=Režiim <b>%sNõuded-Võlad%s</b> nõuab <b>tekkepõhist raamatupidamist</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=vastavalt hankijale, vali sobiv meetod sama reegli r
 TurnoverPerProductInCommitmentAccountingNotRelevant=Käibearuanne toote kaupa, <b>kassapõhist raamatupidamist</b> kasutades pole režiim oluline. See aruanne on saadaval vaid <b>tekkepõhist raamatupidamist</b> kasutades (vaata raamatupidamise mooduli seadistust).
 CalculationMode=Arvutusrežiim
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/et_EE/cron.lang b/htdocs/langs/et_EE/cron.lang
index dab2eaf4b85cf2a7d4c65d40328dc15572866a97..96909ea5459898ff1bd045a27d6d9eb857c846b7 100644
--- a/htdocs/langs/et_EE/cron.lang
+++ b/htdocs/langs/et_EE/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=Kasutatava objekti korral käivitatav meetod. <BR> Näiteks Dolib
 CronArgsHelp=Meetodile antavad argumendid. <BR> Näiteks Dolibarri Product objekti /htdocs/product/class/product.class.php meetodi fetch kasutamisel võivad parameetrite väärtusteks olla <i>0, ProductRef</i>.
 CronCommandHelp=Käivitatav süsteemi käsk.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Informatsioon
 # Common
diff --git a/htdocs/langs/et_EE/ecm.lang b/htdocs/langs/et_EE/ecm.lang
index 54aed27c6123b50fd95e2b5f2f9ba39e4cf275c8..be53ded2701ee6a1f568f4aff027b02bff1a6542 100644
--- a/htdocs/langs/et_EE/ecm.lang
+++ b/htdocs/langs/et_EE/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Otsi objekti järgi
 ECMSectionOfDocuments=Dokumentide kaustad
 ECMTypeManual=Käsitsi
 ECMTypeAuto=Automaatne
-ECMDocsBySocialContributions=Sotsiaalmaksudega seotud dokumendid
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Kolmandate isikutega seotud dokumendid
 ECMDocsByProposals=Pakkumistega seotud dokumendid
 ECMDocsByOrders=Müügitellimustega seotud dokumendid
diff --git a/htdocs/langs/et_EE/errors.lang b/htdocs/langs/et_EE/errors.lang
index 0b311c650180684579475141dd7c7d3ee1777e52..ac11e5d896240c225c4ee98d2520716b9f5c060c 100644
--- a/htdocs/langs/et_EE/errors.lang
+++ b/htdocs/langs/et_EE/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Selle andmehulga juures ei ole see tegevus otstarbekas
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/et_EE/holiday.lang b/htdocs/langs/et_EE/holiday.lang
index c1b981dc57d8491c2b2b91ec73529040a6afeae5..15bbb0a81b4939cfa2814644bad1caa91eef7cfa 100644
--- a/htdocs/langs/et_EE/holiday.lang
+++ b/htdocs/langs/et_EE/holiday.lang
@@ -3,7 +3,7 @@ HRM=Personalihaldus
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Kuu aruanne
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Põhjus
 UserCP=Kasutaja
 ErrorAddEventToUserCP=Erakorralise puhkuse lisamisel tekkis viga
 AddEventToUserOkCP=Erakorralise puhkuse lisamine edukalt lõpetatud.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Sooritas
 UserUpdateCP=Kasutajale
@@ -93,6 +93,7 @@ ValueOptionCP=Väärtus
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Valideeri seadistus
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Edukalt uuendatud.
 ErrorUpdateConfCP=Uuendamise ajal tekkis viga, palun proovi uuesti.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=E-kirja saatmisel tekkis viga:
 NoCPforMonth=Sellel kuul pole puhkusi.
 nbJours=Päevade arv
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Tere
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/et_EE/loan.lang b/htdocs/langs/et_EE/loan.lang
new file mode 100644
index 0000000000000000000000000000000000000000..cc7f19037aa878bec1fd11f490d81e736fa18715
--- /dev/null
+++ b/htdocs/langs/et_EE/loan.lang
@@ -0,0 +1,53 @@
+# Dolibarr language file - Source file is en_US - loan
+Loan=Loan
+Loans=Loans
+NewLoan=New Loan
+ShowLoan=Show Loan
+PaymentLoan=Loan payment
+ShowLoanPayment=Show Loan Payment
+Capital=Capital
+Insurance=Insurance
+Interest=Interest
+Nbterms=Number of terms
+LoanAccountancyCapitalCode=Accountancy code capital
+LoanAccountancyInsuranceCode=Accountancy code insurance
+LoanAccountancyInterestCode=Accountancy code interest
+LoanPayment=Loan payment
+ConfirmDeleteLoan=Confirm deleting this loan
+LoanDeleted=Loan Deleted Successfully
+ConfirmPayLoan=Confirm classify paid this loan
+LoanPaid=Loan Paid
+ErrorLoanCapital=Loan amount has to be numeric and greater than zero.
+ErrorLoanLength=Loan length has to be numeric and greater than zero.
+ErrorLoanInterest=Annual interest has to be numeric and greater than zero.
+# Calc
+LoanCalc=Bank Loans Calculator
+PurchaseFinanceInfo=Purchase & Financing Information
+SalePriceOfAsset=Sale Price of Asset
+PercentageDown=Percentage Down
+LengthOfMortgage=Length of Mortgage
+AnnualInterestRate=Annual Interest Rate
+ExplainCalculations=Explain Calculations
+ShowMeCalculationsAndAmortization=Show me the calculations and amortization
+MortgagePaymentInformation=Mortgage Payment Information
+DownPayment=Down Payment
+DownPaymentDesc=The <b>down payment</b> = The price of the home multiplied by the percentage down divided by 100 (for 5% down becomes 5/100 or 0.05)
+InterestRateDesc=The <b>interest rate</b> = The annual interest percentage divided by 100
+MonthlyFactorDesc=The <b>monthly factor</b> = The result of the following formula
+MonthlyInterestRateDesc=The <b>monthly interest rate</b> = The annual interest rate divided by 12 (for the 12 months in a year)
+MonthTermDesc=The <b>month term</b> of the loan in months = The number of years you've taken the loan out for times 12
+MonthlyPaymentDesc=The montly payment is figured out using the following formula
+AmortizationPaymentDesc=The <a href="#amortization">amortization</a> breaks down how much of your monthly payment goes towards the bank's interest, and how much goes into paying off the principal of your loan.
+AmountFinanced=Amount Financed
+AmortizationMonthlyPaymentOverYears=Amortization For Monthly Payment: <b>%s</b> over %s years
+Totalsforyear=Totals for year
+MonthlyPayment=Monthly Payment
+LoanCalcDesc=This <b>mortgage calculator</b> can be used to figure out monthly payments of a home mortgage loan, based on the home's sale price, the term of the loan desired, buyer's down payment percentage, and the loan's interest rate.<br> This calculator factors in PMI (Private Mortgage Insurance) for loans where less than 20% is put as a down payment. Also taken into consideration are the town property taxes, and their effect on the total monthly mortgage payment.<br>
+GoToInterest=%s will go towards INTEREST
+GoToPrincipal=%s will go towards PRINCIPAL
+YouWillSpend=You will spend %s on your house in year %s
+# Admin
+ConfigLoan=Configuration of the module loan
+LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accountancy code capital by default
+LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accountancy code interest by default
+LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accountancy code insurance by default
diff --git a/htdocs/langs/et_EE/mails.lang b/htdocs/langs/et_EE/mails.lang
index a1dd612479df708bc618a39c5129dbb0c27ae179..ea6f33becbc2cb4c0b9f865c7fc8836b0b1908a7 100644
--- a/htdocs/langs/et_EE/mails.lang
+++ b/htdocs/langs/et_EE/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Jälgi kirjade avamist
 TagUnsubscribe=Tellimuse tühistamise link
 TagSignature=Saatnud kasutaja allkiri
 TagMailtoEmail=Saaja e-posti aadress
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Teated
 NoNotificationsWillBeSent=Selle tegevuse ja ettevõttega ei ole plaanis saata ühtki e-kirja teadet
diff --git a/htdocs/langs/et_EE/main.lang b/htdocs/langs/et_EE/main.lang
index bfa6a5ff0b189cddc9cdf826b33d1642f8bc153e..a9b927e361390ff634b4861c4c1b2ab7d5477a67 100644
--- a/htdocs/langs/et_EE/main.lang
+++ b/htdocs/langs/et_EE/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Töö käigus tekkisid mõned vead. Tehtud
 ErrorConfigParameterNotDefined=Parameeter <b>%s</b> ei ole Dolibarri seadistusfailis <b>conf.php</b> määratletud.
 ErrorCantLoadUserFromDolibarrDatabase=Kasutajat <b>%s</b> ei leitud Dolibarri andmebaasist.
 ErrorNoVATRateDefinedForSellerCountry=Viga: riigi '%s' jaoks ei ole käibemaksumäärasid määratletud.
-ErrorNoSocialContributionForSellerCountry=Viga: riigi '%s' jaoks ei ole määratletud sotsiaalmaksu määrasid.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Viga: faili salvestamine ebaõnnestus.
 SetDate=Sea kuupäev
 SelectDate=Vali kuupäev
@@ -302,7 +302,7 @@ UnitPriceTTC=Ühiku hind
 PriceU=ÜH
 PriceUHT=ÜH (neto)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=ÜH
+PriceUTTC=U.P. (inc. tax)
 Amount=Summa
 AmountInvoice=Arve summa
 AmountPayment=Makse summa
@@ -339,6 +339,7 @@ IncludedVAT=Sisse arvestatud maksud
 HT=Ilma maksudeta
 TTC=Koos maksudega
 VAT=KM
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Maksumäär
diff --git a/htdocs/langs/et_EE/members.lang b/htdocs/langs/et_EE/members.lang
index 7eeb8340553437ae7ee1bfe565b41cb46439ba74..eb1f129127cc41acc11f6f2f33e1606d318a4678 100644
--- a/htdocs/langs/et_EE/members.lang
+++ b/htdocs/langs/et_EE/members.lang
@@ -199,7 +199,8 @@ Entreprises=Ettevõtted
 DOLIBARRFOUNDATION_PAYMENT_FORM=Liikmemaksu tasumiseks pangaülekande abil vaata lehte <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>Krediitkaardi või Paypali makse tegemiseks klõpsa lehe allosas asuval nupul.<br>
 ByProperties=Karakteristikute alusel
 MembersStatisticsByProperties=Liikmete statistika karakteristikute alusel
-MembersByNature=Liikmed loomuse alusel
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Liikmemaksude jaoks kasutatav KM määr
 NoVatOnSubscription=Liikmemaksudel ei ole KM
 MEMBER_PAYONLINE_SENDEMAIL=E-posti aadress, kuhu saadetakse hoiatus, kui Dolibarr on saanud liikmemaksu tasumise kinnituse
diff --git a/htdocs/langs/et_EE/products.lang b/htdocs/langs/et_EE/products.lang
index f04f73b02f5b949fc2acf3de0f039e45e3be9485..be6678f39d982b622d441ac778df9de2da45141e 100644
--- a/htdocs/langs/et_EE/products.lang
+++ b/htdocs/langs/et_EE/products.lang
@@ -23,14 +23,14 @@ ProductOrService=Toode või teenus
 ProductsAndServices=Tooted ja teenused
 ProductsOrServices=Tooted või teenused
 ProductsAndServicesOnSell=Products and Services for sale or for purchase
-ProductsAndServicesNotOnSell=Products and Services out of sale
+ProductsAndServicesNotOnSell=Products and Services not for sale
 ProductsAndServicesStatistics=Toodete ja teenuste statistika
 ProductsStatistics=Toodete statistika
-ProductsOnSell=Product for sale or for pruchase
-ProductsNotOnSell=Product out of sale and out of purchase
+ProductsOnSell=Product for sale or for purchase
+ProductsNotOnSell=Product not for sale and not for purchase
 ProductsOnSellAndOnBuy=Products for sale and for purchase
 ServicesOnSell=Services for sale or for purchase
-ServicesNotOnSell=Services out of sale
+ServicesNotOnSell=Services not for sale
 ServicesOnSellAndOnBuy=Services for sale and for purchase
 InternalRef=Sisemine viide
 LastRecorded=Viimased salvestatud müügil olevad tooted/teenused
@@ -44,7 +44,7 @@ CardProduct1=Teenuse kaart
 CardContract=Lepingu kaart
 Warehouse=Ladu
 Warehouses=Laod
-WarehouseOpened=Ladu avatud
+WarehouseOpened=Warehouse open
 WarehouseClosed=Ladu suletud
 Stock=Laojääk
 Stocks=Laojäägid
@@ -71,21 +71,21 @@ SellingPriceTTC=Müügihinna (km-ga)
 PublicPrice=Avalik hind
 CurrentPrice=Praegune hind
 NewPrice=Uus hind
-MinPrice=Min müügihind
-MinPriceHT=Minim. müügihind (ilma maksuta)
-MinPriceTTC=Minim. müügihind (maksuga)
+MinPrice=Min. selling price
+MinPriceHT=Min. selling price (net of tax)
+MinPriceTTC=Min. 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
-ContractStatusRunning=Aktiivne
+ContractStatusRunning=Ongoing
 ContractStatusExpired=aegunud
-ContractStatusOnHold=Mitteaktiivne
-ContractStatusToRun=To get running
-ContractNotRunning=Käesolev leping ei ole aktiivne
+ContractStatusOnHold=On hold
+ContractStatusToRun=Make ongoing
+ContractNotRunning=This contract is not ongoing
 ErrorProductAlreadyExists=Toode viitega %s on juba olemas.
 ErrorProductBadRefOrLabel=Vale viite või nime väärtus.
 ErrorProductClone=Toote või teenuse kloonimisel tekkis probleem.
-ErrorPriceCantBeLowerThanMinPrice=Error Price Can't Be Lower Than Minimum Price.
+ErrorPriceCantBeLowerThanMinPrice=Error, price can't be lower than minimum price.
 Suppliers=Hankijad
 SupplierRef=Hankija toote viide
 ShowProduct=Näita toodet
@@ -117,12 +117,12 @@ ServiceLimitedDuration=Kui toode on piiratud kestusega teenus:
 MultiPricesAbility=Several level of prices per product/service
 MultiPricesNumPrices=Hindasid
 MultiPriceLevelsName=Kategooriate hinnad
-AssociatedProductsAbility=Activate the virtual package feature
+AssociatedProductsAbility=Activate the package feature
 AssociatedProducts=Package product
-AssociatedProductsNumber=Number of products composing this virtual package product
+AssociatedProductsNumber=Number of products composing this package product
 ParentProductsNumber=Number of parent packaging product
-IfZeroItIsNotAVirtualProduct=If 0, this product is not a virtual package product
-IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any virtual package product
+IfZeroItIsNotAVirtualProduct=If 0, this product is not a package product
+IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any package product
 EditAssociate=Seosta
 Translation=Tõlge
 KeywordFilter=Märksõnade filter
@@ -131,7 +131,7 @@ ProductToAddSearch=Otsi lisamiseks toodet
 AddDel=Lisa/kustuta
 Quantity=Kogus
 NoMatchFound=Ühtki vastet ei leitud
-ProductAssociationList=Seotud toodete/teenuste nimekiri: toote/teenuse nimi (mõjutatud kogusest)
+ProductAssociationList=List of products/services that are component of this virtual product/package
 ProductParentList=List of package products/services with this product as a component
 ErrorAssociationIsFatherOfThis=Üks valitud toodetest kasutab antud toodet
 DeleteProduct=Kustuta toode/teenus
@@ -179,16 +179,41 @@ CloneProduct=Klooni toode või teenus
 ConfirmCloneProduct=Kas oled täiesti kindel, et soovid kloonida toote või teenuse <b>%s</b>?
 CloneContentProduct=Klooni toote/teenuse kogu põhiline info
 ClonePricesProduct=Klooni põhiline info ja hinnad
-CloneCompositionProduct=Clone packaged product/services
+CloneCompositionProduct=Clone packaged product/service
 ProductIsUsed=Seda toodet kasutatakse
 NewRefForClone=Uue toote/teenuse viide
-CustomerPrices=Klientide hinnad
-SuppliersPrices=Hankijate hinnad
-SuppliersPricesOfProductsOrServices=Suppliers prices (of products or services)
+CustomerPrices=Customer prices
+SuppliersPrices=Supplier prices
+SuppliersPricesOfProductsOrServices=Supplier prices (of products or services)
 CustomCode=Tolli kood
 CountryOrigin=Päritolumaa
 HiddenIntoCombo=Peida valitud nimekirjades
 Nature=Olemus
+ShortLabel=Short label
+Unit=Unit
+p=u.
+set=set
+se=set
+second=second
+s=s
+hour=hour
+h=h
+day=day
+d=d
+kilogram=kilogram
+kg=Kg
+gram=gram
+g=g
+meter=meter
+m=m
+linear meter=linear meter
+lm=lm
+square meter=square meter
+m2=m²
+cubic meter=cubic meter
+m3=m³
+liter=liter
+l=L
 ProductCodeModel=Product ref template
 ServiceCodeModel=Service ref template
 AddThisProductCard=Loo toote kaart
@@ -214,7 +239,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)
+ProductsOrServiceMultiPrice=Customer prices (of products or services, multi-prices)
 ProductSellByQuarterHT=Toodete müügikäive kvartalis VWAP
 ServiceSellByQuarterHT=Teenuste müügikäive kvartalis VWAP
 Quarter1=1. kvartal
@@ -237,10 +262,10 @@ ResetBarcodeForAllRecords=Define barcode value for all records (this will also r
 PriceByCustomer=Different price for each customer
 PriceCatalogue=Unique price per product/service
 PricingRule=Rules for customer prices
-AddCustomerPrice=Add price by customers
+AddCustomerPrice=Add price by customer
 ForceUpdateChildPriceSoc=Set same price on customer subsidiaries
 PriceByCustomerLog=Price by customer log
-MinimumPriceLimit=Minimum price can't be lower that %s
+MinimumPriceLimit=Minimum price can't be lower then %s
 MinimumRecommendedPrice=Minimum recommended price is : %s
 PriceExpressionEditor=Price expression editor
 PriceExpressionSelected=Selected price expression
@@ -267,3 +292,7 @@ GlobalVariableUpdaterHelpFormat1=format is {"URL": "http://example.com/urlofws",
 UpdateInterval=Uuendamise intervall (minutities)
 LastUpdated=Viimati uuendatud
 CorrectlyUpdated=Õigesti uuendatud
+PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
+PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/et_EE/projects.lang b/htdocs/langs/et_EE/projects.lang
index c77f228937cc7ad7e5103b6974257e9eaf39fba2..749a99d339a96c894c0df5a73e6cf8c11af10960 100644
--- a/htdocs/langs/et_EE/projects.lang
+++ b/htdocs/langs/et_EE/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Selles vaates näidatakse vaid neid projekte või ülesandeid, mille
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=See vaade esitab kõik projektid ja ülesanded, mida sul on lubatud vaadata.
 TasksDesc=See vaade näitab kõiki projekte ja ülesandeid (sinu kasutajaõigused annavad ligipääsu kõigele)
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projektide ala
 NewProject=Uus projekt
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=Antud projektiga seotud tegevuste nimekiri
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Projekti aktiivsus sellel nädalal
 ActivityOnProjectThisMonth=Projekti aktiivsus sellel kuul
 ActivityOnProjectThisYear=Projekti aktiivsus sellel aastal
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/et_EE/trips.lang b/htdocs/langs/et_EE/trips.lang
index 657c146dc1a17b6776927050742d9338a2879547..8c25e60795222094567db40b414efca03ad9bd49 100644
--- a/htdocs/langs/et_EE/trips.lang
+++ b/htdocs/langs/et_EE/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/et_EE/withdrawals.lang b/htdocs/langs/et_EE/withdrawals.lang
index 5500f69422bf59f1819ccb653186ed3a2bf2a4cc..28f623a679451e5783726c984c0a29afc54b7b9e 100644
--- a/htdocs/langs/et_EE/withdrawals.lang
+++ b/htdocs/langs/et_EE/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Väljamaksete fail
 SetToStatusSent=Märgi staatuseks 'Fail saadetud'
 ThisWillAlsoAddPaymentOnInvoice=See rakendub ka arvetega seotud maksetele ja liigitab nad "Makstud"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Otsekorralduse makse %s panga poolt
diff --git a/htdocs/langs/et_EE/workflow.lang b/htdocs/langs/et_EE/workflow.lang
index 01df6f3f840c58742e66b0e7b9f4d7208ca6b2c7..9a6eb3cf9cf9097c3b4b96518ab6cdc8c92b9fa6 100644
--- a/htdocs/langs/et_EE/workflow.lang
+++ b/htdocs/langs/et_EE/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Töövoo mooduli seaded
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/eu_ES/admin.lang b/htdocs/langs/eu_ES/admin.lang
index d7d545b1e2925382951a3e8c693adbd09684dd34..f130ff8dc47f5a675ab95265e581e6b986020413 100644
--- a/htdocs/langs/eu_ES/admin.lang
+++ b/htdocs/langs/eu_ES/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposamenak
 Module20Desc=Proposamen komertzialak kudeatzea
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energia
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energia
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Bezeroen Eskaerak
 Module25Desc=Bezeroen eskaerak kudeatzea
 Module30Name=Fakturak
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Web-egutegia
 Module410Desc=Web-egutegiaren integrazioa
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Jakinarazpenak
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Diru-emateak
 Module700Desc=Diru-emateak kudeatzea
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Produktuak ezabatu
 Permission36=See/manage hidden products
 Permission38=Produktuak esportatu
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/eu_ES/agenda.lang b/htdocs/langs/eu_ES/agenda.lang
index a0a43605c448d3ae31b66b65d1545b5955f530bf..588cf90ed3827093efbbab10538bccaf84d76dac 100644
--- a/htdocs/langs/eu_ES/agenda.lang
+++ b/htdocs/langs/eu_ES/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/eu_ES/banks.lang b/htdocs/langs/eu_ES/banks.lang
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..d12f45387d6b4649f2face75d8646935a7c16c33 100644
--- a/htdocs/langs/eu_ES/banks.lang
+++ b/htdocs/langs/eu_ES/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/eu_ES/bills.lang b/htdocs/langs/eu_ES/bills.lang
index bd39f12f2e65751fceeae1c1bb868283dfdde516..d0501c37c1906d537f2a8a4b4fc293220907f99c 100644
--- a/htdocs/langs/eu_ES/bills.lang
+++ b/htdocs/langs/eu_ES/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb of invoices
 NumberOfBillsByMonth=Nb of invoices by month
 AmountOfBills=Faktura kopurua
 AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Faktura erakutsi
 ShowInvoice=Faktura erakutsi
 ShowInvoiceReplace=Show replacing invoice
@@ -270,7 +270,7 @@ BillAddress=Bill address
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Payment id
 InvoiceId=Invoice id
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/eu_ES/companies.lang b/htdocs/langs/eu_ES/companies.lang
index b56d6f965016578c6b34a387f8fe99f06ebe5333..e670d6e25cae4c59ebd6b3d14f5b3364a836acd2 100644
--- a/htdocs/langs/eu_ES/companies.lang
+++ b/htdocs/langs/eu_ES/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Third party contact/address
 StatusContactValidated=Status of contact/address
 Company=Company
 CompanyName=Company name
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Companies
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Third party name
diff --git a/htdocs/langs/eu_ES/compta.lang b/htdocs/langs/eu_ES/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/eu_ES/compta.lang
+++ b/htdocs/langs/eu_ES/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/eu_ES/cron.lang b/htdocs/langs/eu_ES/cron.lang
index c6045d6b202cbb17122d5dd2e06525ad18ee19e6..992addfe944891ad86e8b4fe13a7f23c5ee64a16 100644
--- a/htdocs/langs/eu_ES/cron.lang
+++ b/htdocs/langs/eu_ES/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Informazioa
 # Common
diff --git a/htdocs/langs/eu_ES/ecm.lang b/htdocs/langs/eu_ES/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/eu_ES/ecm.lang
+++ b/htdocs/langs/eu_ES/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/eu_ES/errors.lang b/htdocs/langs/eu_ES/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/eu_ES/errors.lang
+++ b/htdocs/langs/eu_ES/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/eu_ES/holiday.lang b/htdocs/langs/eu_ES/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/eu_ES/holiday.lang
+++ b/htdocs/langs/eu_ES/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/eu_ES/loan.lang b/htdocs/langs/eu_ES/loan.lang
new file mode 100644
index 0000000000000000000000000000000000000000..cc7f19037aa878bec1fd11f490d81e736fa18715
--- /dev/null
+++ b/htdocs/langs/eu_ES/loan.lang
@@ -0,0 +1,53 @@
+# Dolibarr language file - Source file is en_US - loan
+Loan=Loan
+Loans=Loans
+NewLoan=New Loan
+ShowLoan=Show Loan
+PaymentLoan=Loan payment
+ShowLoanPayment=Show Loan Payment
+Capital=Capital
+Insurance=Insurance
+Interest=Interest
+Nbterms=Number of terms
+LoanAccountancyCapitalCode=Accountancy code capital
+LoanAccountancyInsuranceCode=Accountancy code insurance
+LoanAccountancyInterestCode=Accountancy code interest
+LoanPayment=Loan payment
+ConfirmDeleteLoan=Confirm deleting this loan
+LoanDeleted=Loan Deleted Successfully
+ConfirmPayLoan=Confirm classify paid this loan
+LoanPaid=Loan Paid
+ErrorLoanCapital=Loan amount has to be numeric and greater than zero.
+ErrorLoanLength=Loan length has to be numeric and greater than zero.
+ErrorLoanInterest=Annual interest has to be numeric and greater than zero.
+# Calc
+LoanCalc=Bank Loans Calculator
+PurchaseFinanceInfo=Purchase & Financing Information
+SalePriceOfAsset=Sale Price of Asset
+PercentageDown=Percentage Down
+LengthOfMortgage=Length of Mortgage
+AnnualInterestRate=Annual Interest Rate
+ExplainCalculations=Explain Calculations
+ShowMeCalculationsAndAmortization=Show me the calculations and amortization
+MortgagePaymentInformation=Mortgage Payment Information
+DownPayment=Down Payment
+DownPaymentDesc=The <b>down payment</b> = The price of the home multiplied by the percentage down divided by 100 (for 5% down becomes 5/100 or 0.05)
+InterestRateDesc=The <b>interest rate</b> = The annual interest percentage divided by 100
+MonthlyFactorDesc=The <b>monthly factor</b> = The result of the following formula
+MonthlyInterestRateDesc=The <b>monthly interest rate</b> = The annual interest rate divided by 12 (for the 12 months in a year)
+MonthTermDesc=The <b>month term</b> of the loan in months = The number of years you've taken the loan out for times 12
+MonthlyPaymentDesc=The montly payment is figured out using the following formula
+AmortizationPaymentDesc=The <a href="#amortization">amortization</a> breaks down how much of your monthly payment goes towards the bank's interest, and how much goes into paying off the principal of your loan.
+AmountFinanced=Amount Financed
+AmortizationMonthlyPaymentOverYears=Amortization For Monthly Payment: <b>%s</b> over %s years
+Totalsforyear=Totals for year
+MonthlyPayment=Monthly Payment
+LoanCalcDesc=This <b>mortgage calculator</b> can be used to figure out monthly payments of a home mortgage loan, based on the home's sale price, the term of the loan desired, buyer's down payment percentage, and the loan's interest rate.<br> This calculator factors in PMI (Private Mortgage Insurance) for loans where less than 20% is put as a down payment. Also taken into consideration are the town property taxes, and their effect on the total monthly mortgage payment.<br>
+GoToInterest=%s will go towards INTEREST
+GoToPrincipal=%s will go towards PRINCIPAL
+YouWillSpend=You will spend %s on your house in year %s
+# Admin
+ConfigLoan=Configuration of the module loan
+LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accountancy code capital by default
+LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accountancy code interest by default
+LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accountancy code insurance by default
diff --git a/htdocs/langs/eu_ES/mails.lang b/htdocs/langs/eu_ES/mails.lang
index 99182ed8b9aded4f517c36159c2ca362c2429648..553a9a0f20a2b5cf6c8132f03518568a890f75a9 100644
--- a/htdocs/langs/eu_ES/mails.lang
+++ b/htdocs/langs/eu_ES/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/eu_ES/main.lang b/htdocs/langs/eu_ES/main.lang
index 307f767933d30ff2d74f71139a72ee13d516f2f1..f952789d6ac8d5283f483b62ef1daeeed6fbf7b2 100644
--- a/htdocs/langs/eu_ES/main.lang
+++ b/htdocs/langs/eu_ES/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/eu_ES/members.lang b/htdocs/langs/eu_ES/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/eu_ES/members.lang
+++ b/htdocs/langs/eu_ES/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/eu_ES/products.lang b/htdocs/langs/eu_ES/products.lang
index f0d56c4904962a8bef1b4844a3fddb86b322d8fb..55b1d016827f1eda96e4f8861becf006341e5974 100644
--- a/htdocs/langs/eu_ES/products.lang
+++ b/htdocs/langs/eu_ES/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/eu_ES/projects.lang b/htdocs/langs/eu_ES/projects.lang
index 4f8c3d6eb2a49e2723ebefc954c2d59700d8b7da..7a2688a44612f8e647ea4feda51e4f47fcb9b3ec 100644
--- a/htdocs/langs/eu_ES/projects.lang
+++ b/htdocs/langs/eu_ES/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/eu_ES/trips.lang b/htdocs/langs/eu_ES/trips.lang
index e2be11fc6ba968e3a3a371aab33a98836d75ddef..dc4bbe5a7783e8fcb094ccce8ba80300ba9cdefe 100644
--- a/htdocs/langs/eu_ES/trips.lang
+++ b/htdocs/langs/eu_ES/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/eu_ES/withdrawals.lang b/htdocs/langs/eu_ES/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/eu_ES/withdrawals.lang
+++ b/htdocs/langs/eu_ES/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/eu_ES/workflow.lang b/htdocs/langs/eu_ES/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/eu_ES/workflow.lang
+++ b/htdocs/langs/eu_ES/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/fa_IR/admin.lang b/htdocs/langs/fa_IR/admin.lang
index 1f3df5c33e66bbd2370931ace4d2d994e185397b..fc7924a99b9b495affdfd8a7c5b979c2415c40f1 100644
--- a/htdocs/langs/fa_IR/admin.lang
+++ b/htdocs/langs/fa_IR/admin.lang
@@ -429,8 +429,8 @@ Module20Name=پیشنهادات
 Module20Desc=مدیریت طرح های تجاری
 Module22Name=توده E-نامههای پستی
 Module22Desc=توده E-پستی مدیریت
-Module23Name= انرژی
-Module23Desc= نظارت بر مصرف انرژی
+Module23Name=انرژی
+Module23Desc=نظارت بر مصرف انرژی
 Module25Name=سفارشات مشتری
 Module25Desc=مدیریت سفارش مشتری
 Module30Name=صورت حساب
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=ادغام Webcalendar
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=حقوق
 Module510Desc=مدیریت کارکنان حقوق و پرداخت
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=اطلاعیه ها
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=کمک های مالی
 Module700Desc=مدیریت کمک مالی
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=ایجاد / تغییر محصول
 Permission34=حذف محصول
 Permission36=مشاهده / مدیریت محصولات مخفی
 Permission38=محصولات صادراتی
-Permission41=خوانده شده پروژه (پروژه مشترک و پروژه های I تماس با هستم)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=ایجاد / تغییر پروژه (پروژه مشترک و پروژه های I تماس با هستم)
 Permission44=حذف پروژه (پروژه مشترک و پروژه های I تماس با هستم)
 Permission61=خوانده شده مداخله
@@ -600,10 +600,10 @@ Permission86=ارسال سفارشات مشتریان
 Permission87=سفارشات نزدیک مشتریان
 Permission88=لغو سفارشات مشتریان
 Permission89=حذف مشتریان سفارشات
-Permission91=خوانده شده مشارکتهای اجتماعی و مالیات بر ارزش افزوده
-Permission92=ایجاد / تغییر مشارکتهای اجتماعی و مالیات بر ارزش افزوده
-Permission93=حذف کمک های اجتماعی و مالیات بر ارزش افزوده
-Permission94=کمک های اجتماعی صادرات
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=دفعات بازدید: گزارش
 Permission101=خوانده شده sendings
 Permission102=ایجاد / تغییر sendings
@@ -621,9 +621,9 @@ Permission121=خوانده شده اشخاص ثالث مرتبط به کاربر
 Permission122=ایجاد / تغییر اشخاص ثالث مرتبط به کاربر
 Permission125=حذف اشخاص ثالث مرتبط به کاربر
 Permission126=صادرات اشخاص ثالث
-Permission141=خوانده شده پروژه (همچنین به خصوصی من به تماس نیست)
-Permission142=ایجاد / تغییر پروژه های (همچنین به خصوصی من به تماس نیست)
-Permission144=حذف پروژه (همچنین به خصوصی من به تماس نیست)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=خوانده شده ارائه دهندگان
 Permission147=دفعات بازدید: آمار
 Permission151=خوانده شده سفارشات ایستاده
@@ -801,7 +801,7 @@ DictionaryCountry=کشورها
 DictionaryCurrency=واحد پول
 DictionaryCivility=عنوان تمدن
 DictionaryActions=نوع حوادث در دستور کار
-DictionarySocialContributions=انواع کمک های اجتماعی
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=نرخ مالیات بر ارزش افزوده و یا فروش نرخ مالیات
 DictionaryRevenueStamp=مقدار تمبر درآمد
 DictionaryPaymentConditions=شرایط پرداخت
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=مدل برای نمودار حساب
 DictionaryEMailTemplates=الگوهای ایمیل
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=راه اندازی نجات داد
 BackToModuleList=بازگشت به لیست ماژول ها
 BackToDictionaryList=برگشت به فهرست واژه نامه ها
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=آیا مطمئن هستید که می خواهید منو و
 DeleteLine=حذف خط
 ConfirmDeleteLine=آیا مطمئن هستید که می خواهید این خط را حذف کنید؟
 ##### Tax #####
-TaxSetup=مالیات، مشارکت اجتماعی و سود سهام راه اندازی ماژول
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=مالیات بر ارزش افزوده به دلیل
 OptionVATDefault=مبنای نقدی
 OptionVATDebitOption=مبنای تعهدی
@@ -1564,9 +1565,11 @@ EndPointIs=مشتریان SOAP باید درخواست خود را به نقطه
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=راه اندازی ماژول بانک
 FreeLegalTextOnChequeReceipts=متن رایگان در چک رسید
@@ -1596,6 +1599,7 @@ ProjectsSetup=راه اندازی ماژول پروژه
 ProjectsModelModule=گزارش پروژه مدل سند
 TasksNumberingModules=ماژول وظایف شماره
 TaskModelModule=گزارش کارهای سند مدل
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = راه اندازی GED
 ECMAutoTree = پوشه درخت به صورت خودکار و سند
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/fa_IR/agenda.lang b/htdocs/langs/fa_IR/agenda.lang
index a264cc8804c3ee5571ba63e99758ec590c53dd43..b3b06d4261d312fb325f1e74adc19435df734fa2 100644
--- a/htdocs/langs/fa_IR/agenda.lang
+++ b/htdocs/langs/fa_IR/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=منظور از٪ s را تایید
 OrderRefusedInDolibarr=منظور از٪ s را رد کرد
 OrderBackToDraftInDolibarr=منظور از٪ s به بازگشت به پیش نویس وضعیت
-OrderCanceledInDolibarr=منظور از٪ s را لغو
 ProposalSentByEMail=پیشنهاد تجاری٪ s ارسال با ایمیل
 OrderSentByEMail=سفارش مشتری٪ s ارسال با ایمیل
 InvoiceSentByEMail=صورت حساب به مشتری٪ s ارسال با ایمیل
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/fa_IR/banks.lang b/htdocs/langs/fa_IR/banks.lang
index 8fd9cf7b791d50d16fc9ba3ac33b30bd45a64336..0caf7dd8359fc7e289ffe6bd967a018881642e75 100644
--- a/htdocs/langs/fa_IR/banks.lang
+++ b/htdocs/langs/fa_IR/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=پرداخت با مشتری
 CustomerInvoicePaymentBack=پرداخت به مشتری برگشت
 SupplierInvoicePayment=پرداخت کننده
 WithdrawalPayment=پرداخت برداشت
-SocialContributionPayment=پرداخت مشارکت های اجتماعی
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=مجله حساب مالی
 BankTransfer=انتقال بانک
 BankTransfers=نقل و انتقالات بانکی
diff --git a/htdocs/langs/fa_IR/bills.lang b/htdocs/langs/fa_IR/bills.lang
index d375f0bf78f96e8aca5cbfec49afe4e00bb9c076..ee86f705fd61289980e0ac5a99f4fed75c60fc91 100644
--- a/htdocs/langs/fa_IR/bills.lang
+++ b/htdocs/langs/fa_IR/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb و از فاکتورها
 NumberOfBillsByMonth=Nb و از فاکتورها در ماه
 AmountOfBills=مقدار فاکتورها
 AmountOfBillsByMonthHT=مقدار فاکتورها توسط ماه (خالص از مالیات)
-ShowSocialContribution=نمایش مشارکت های اجتماعی
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=نمایش فاکتور
 ShowInvoice=نمایش فاکتور
 ShowInvoiceReplace=نمایش جایگزین فاکتور
@@ -270,7 +270,7 @@ BillAddress=آدرس بیل
 HelpEscompte=این تخفیف تخفیف اعطا شده به مشتری است، زیرا پرداخت آن قبل از واژه ساخته شده است.
 HelpAbandonBadCustomer=این مقدار متوقف شده (مشتری گفته می شود یک مشتری بد) است و به عنوان یک شل استثنایی در نظر گرفته.
 HelpAbandonOther=این مقدار متوقف شده از آن خطا بود (مشتری اشتباه و یا فاکتور های دیگر به عنوان مثال به جای)
-IdSocialContribution=شناسه مشارکت های اجتماعی
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=شناسه پرداخت
 InvoiceId=شناسه فاکتور
 InvoiceRef=کد عکس فاکتور.
diff --git a/htdocs/langs/fa_IR/companies.lang b/htdocs/langs/fa_IR/companies.lang
index 8ac9fbefc64b95eee5e7e59d01b3ae349c37abc9..a353a5dc6808f6cc1fac578afd0bf8d4ce245d7d 100644
--- a/htdocs/langs/fa_IR/companies.lang
+++ b/htdocs/langs/fa_IR/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=شخص ثالث تماس با ما / آدرس
 StatusContactValidated=وضعیت تماس / آدرس
 Company=شرکت
 CompanyName=نام شرکت
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=شرکت
 CountryIsInEEC=کشور است در داخل جامعه اقتصادی اروپا
 ThirdPartyName=نام و نام خانوادگی شخص ثالث
diff --git a/htdocs/langs/fa_IR/compta.lang b/htdocs/langs/fa_IR/compta.lang
index f6f134faec395adef42b236560b8f14c2de24c39..5e2d1a7a7b171476f0708cb0ce4916a3cbbd89f2 100644
--- a/htdocs/langs/fa_IR/compta.lang
+++ b/htdocs/langs/fa_IR/compta.lang
@@ -56,23 +56,23 @@ VATCollected=مالیات بر ارزش افزوده جمع آوری
 ToPay=به پرداخت
 ToGet=به عقب بر گردیم
 SpecialExpensesArea=منطقه برای تمام پرداخت های ویژه
-TaxAndDividendsArea=مالیات، مشارکت اجتماعی و سود سهام منطقه
-SocialContribution=مشارکت های اجتماعی
-SocialContributions=مشارکت های اجتماعی
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=هزینه های ویژه
 MenuTaxAndDividends=مالیات و سود سهام
 MenuSalaries=حقوق
-MenuSocialContributions=مشارکت های اجتماعی
-MenuNewSocialContribution=سهم های جدید
-NewSocialContribution=نقش های جدید اجتماعی
-ContributionsToPay=مشارکت به پرداخت
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=منطقه حسابداری / خزانه داری
 AccountancySetup=راه اندازی حسابداری
 NewPayment=پرداخت جدید
 Payments=پرداخت
 PaymentCustomerInvoice=پرداخت صورت حساب به مشتری
 PaymentSupplierInvoice=پرداخت صورتحساب تامین کننده
-PaymentSocialContribution=پرداخت مشارکت های اجتماعی
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=پرداخت مالیات بر ارزش افزوده
 PaymentSalary=پرداخت حقوق و دستمزد
 ListPayment=فهرست پرداخت
@@ -91,7 +91,7 @@ LT1PaymentES=پرداخت RE
 LT1PaymentsES=RE پرداخت
 VATPayment=مالیات بر ارزش افزوده پرداخت
 VATPayments=پرداخت مالیات بر ارزش افزوده
-SocialContributionsPayments=کمک های اجتماعی پرداخت
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=نمایش پرداخت مالیات بر ارزش افزوده
 TotalToPay=مجموع به پرداخت
 TotalVATReceived=مالیات بر ارزش افزوده دریافت شده
@@ -116,11 +116,11 @@ NewCheckDepositOn=ایجاد رسید سپرده در حساب:٪ s را
 NoWaitingChecks=بدون چک انتظار برای سپرده.
 DateChequeReceived=تاریخ دریافت چک
 NbOfCheques=Nb در چک
-PaySocialContribution=پرداخت کمک های اجتماعی
-ConfirmPaySocialContribution=آیا مطمئن هستید که می خواهید برای طبقه بندی این کمک های اجتماعی به عنوان پرداخت می شود؟
-DeleteSocialContribution=حذف مشارکت های اجتماعی
-ConfirmDeleteSocialContribution=آیا مطمئن هستید که می خواهید این مشارکت اجتماعی را حذف کنید؟
-ExportDataset_tax_1=مشارکت اجتماعی و پرداخت
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=<b>حالت٪ SVAT در تعهد حسابداری٪ است.</b>
 CalcModeVATEngagement=<b>حالت٪ SVAT در درآمد، هزینه٪ است.</b>
 CalcModeDebt=<b>حالت٪ sClaims-بدهی٪ گفت حسابداری تعهد.</b>
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=با توجه به منبع، انتخاب روش م
 TurnoverPerProductInCommitmentAccountingNotRelevant=گزارش گردش مالی در هر محصول، در هنگام استفاده از حالت <b>حسابداری نقدی</b> مربوط نیست. این گزارش که با استفاده از <b>تعامل</b> حالت <b>حسابداری</b> (راه اندازی ماژول حسابداری را مشاهده کنید) فقط در دسترس است.
 CalculationMode=حالت محاسبه
 AccountancyJournal=کد حسابداری مجله
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/fa_IR/cron.lang b/htdocs/langs/fa_IR/cron.lang
index 1550c9b391cbe76c5703070b9078a2df5694ea13..bdd36eddb746a5f7a62e656027d2b73946ba8afd 100644
--- a/htdocs/langs/fa_IR/cron.lang
+++ b/htdocs/langs/fa_IR/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=روش شی برای راه اندازی. <BR> برای exemple 
 CronArgsHelp=استدلال از روش. <BR> برای exemple به بهانه روش Dolibarr محصولات شی / htdocs / محصول / کلاس / product.class.php، مقدار پارامترهای می تواند <i>0، ProductRef</i>
 CronCommandHelp=خط فرمان سیستم را اجرا کند.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=اطلاعات
 # Common
diff --git a/htdocs/langs/fa_IR/ecm.lang b/htdocs/langs/fa_IR/ecm.lang
index 2f10c713737abd4c510e28a40e6c709f4900d899..ebfa445f36d0fbd79c19b971f030c85280c6f665 100644
--- a/htdocs/langs/fa_IR/ecm.lang
+++ b/htdocs/langs/fa_IR/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=جستجو توسط شی
 ECMSectionOfDocuments=راهنماها اسناد
 ECMTypeManual=دستی
 ECMTypeAuto=اتوماتیک
-ECMDocsBySocialContributions=اسناد مربوط به کمک های اجتماعی
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=اسناد مربوط به اشخاص ثالث
 ECMDocsByProposals=اسناد مربوط به طرح
 ECMDocsByOrders=اسناد مربوط به سفارشات مشتریان
diff --git a/htdocs/langs/fa_IR/errors.lang b/htdocs/langs/fa_IR/errors.lang
index 0f644c0d6d1735271a0972ee4bf0a1070865c017..5900e02b53e875ab2edc884aeb46d81a19f3c510 100644
--- a/htdocs/langs/fa_IR/errors.lang
+++ b/htdocs/langs/fa_IR/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=عملیات بی ربط برای این مجموعه داد
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=قابلیت غیر فعال زمانی که راه اندازی صفحه نمایش برای فرد نابینا یا از مرورگرهای متن بهینه شده است.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/fa_IR/holiday.lang b/htdocs/langs/fa_IR/holiday.lang
index 238eb5a9f12a854ff291cc9c86b25d7772dd0565..d156682cc50ac375ec1e52192ae4336701e20295 100644
--- a/htdocs/langs/fa_IR/holiday.lang
+++ b/htdocs/langs/fa_IR/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=بیانیه ماهانه
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=دلیل
 UserCP=کاربر
 ErrorAddEventToUserCP=در حالی که با اضافه کردن مرخصی استثنایی خطایی رخ داد.
 AddEventToUserOkCP=علاوه بر این از مرخصی استثنایی کامل شده است.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=انجام شده توسط
 UserUpdateCP=برای کاربر
@@ -93,6 +93,7 @@ ValueOptionCP=ارزش
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=اعتبارسنجی پیکربندی
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=به روز رسانی با موفقیت.
 ErrorUpdateConfCP=خطا در به روز رسانی رخ داد، لطفا دوباره سعی کنید.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=در حالی که ارسال ایمیل یک خطا رخ دا
 NoCPforMonth=بدون این ماه را ترک کنند.
 nbJours=شماره روز
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=سلام
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/fa_IR/loan.lang b/htdocs/langs/fa_IR/loan.lang
new file mode 100644
index 0000000000000000000000000000000000000000..cc7f19037aa878bec1fd11f490d81e736fa18715
--- /dev/null
+++ b/htdocs/langs/fa_IR/loan.lang
@@ -0,0 +1,53 @@
+# Dolibarr language file - Source file is en_US - loan
+Loan=Loan
+Loans=Loans
+NewLoan=New Loan
+ShowLoan=Show Loan
+PaymentLoan=Loan payment
+ShowLoanPayment=Show Loan Payment
+Capital=Capital
+Insurance=Insurance
+Interest=Interest
+Nbterms=Number of terms
+LoanAccountancyCapitalCode=Accountancy code capital
+LoanAccountancyInsuranceCode=Accountancy code insurance
+LoanAccountancyInterestCode=Accountancy code interest
+LoanPayment=Loan payment
+ConfirmDeleteLoan=Confirm deleting this loan
+LoanDeleted=Loan Deleted Successfully
+ConfirmPayLoan=Confirm classify paid this loan
+LoanPaid=Loan Paid
+ErrorLoanCapital=Loan amount has to be numeric and greater than zero.
+ErrorLoanLength=Loan length has to be numeric and greater than zero.
+ErrorLoanInterest=Annual interest has to be numeric and greater than zero.
+# Calc
+LoanCalc=Bank Loans Calculator
+PurchaseFinanceInfo=Purchase & Financing Information
+SalePriceOfAsset=Sale Price of Asset
+PercentageDown=Percentage Down
+LengthOfMortgage=Length of Mortgage
+AnnualInterestRate=Annual Interest Rate
+ExplainCalculations=Explain Calculations
+ShowMeCalculationsAndAmortization=Show me the calculations and amortization
+MortgagePaymentInformation=Mortgage Payment Information
+DownPayment=Down Payment
+DownPaymentDesc=The <b>down payment</b> = The price of the home multiplied by the percentage down divided by 100 (for 5% down becomes 5/100 or 0.05)
+InterestRateDesc=The <b>interest rate</b> = The annual interest percentage divided by 100
+MonthlyFactorDesc=The <b>monthly factor</b> = The result of the following formula
+MonthlyInterestRateDesc=The <b>monthly interest rate</b> = The annual interest rate divided by 12 (for the 12 months in a year)
+MonthTermDesc=The <b>month term</b> of the loan in months = The number of years you've taken the loan out for times 12
+MonthlyPaymentDesc=The montly payment is figured out using the following formula
+AmortizationPaymentDesc=The <a href="#amortization">amortization</a> breaks down how much of your monthly payment goes towards the bank's interest, and how much goes into paying off the principal of your loan.
+AmountFinanced=Amount Financed
+AmortizationMonthlyPaymentOverYears=Amortization For Monthly Payment: <b>%s</b> over %s years
+Totalsforyear=Totals for year
+MonthlyPayment=Monthly Payment
+LoanCalcDesc=This <b>mortgage calculator</b> can be used to figure out monthly payments of a home mortgage loan, based on the home's sale price, the term of the loan desired, buyer's down payment percentage, and the loan's interest rate.<br> This calculator factors in PMI (Private Mortgage Insurance) for loans where less than 20% is put as a down payment. Also taken into consideration are the town property taxes, and their effect on the total monthly mortgage payment.<br>
+GoToInterest=%s will go towards INTEREST
+GoToPrincipal=%s will go towards PRINCIPAL
+YouWillSpend=You will spend %s on your house in year %s
+# Admin
+ConfigLoan=Configuration of the module loan
+LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accountancy code capital by default
+LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accountancy code interest by default
+LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accountancy code insurance by default
diff --git a/htdocs/langs/fa_IR/mails.lang b/htdocs/langs/fa_IR/mails.lang
index 6687fd711ed5810b55e31cc50dd554f090c9140a..2fce9fd1c122f16e7c11a5273fa09fb8acc54194 100644
--- a/htdocs/langs/fa_IR/mails.lang
+++ b/htdocs/langs/fa_IR/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=پیگیری پست الکترونیکی باز
 TagUnsubscribe=لینک لغو عضویت
 TagSignature=امضاء ارسال کاربر
 TagMailtoEmail=ایمیل دریافت کننده
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=اطلاعیه ها
 NoNotificationsWillBeSent=بدون اطلاعیه ها ایمیل ها برای این رویداد و شرکت برنامه ریزی
diff --git a/htdocs/langs/fa_IR/main.lang b/htdocs/langs/fa_IR/main.lang
index 476bd520d2a0589505c3e4c501fdb587ea4a35cb..0aa1e89011604a16ae35daebd99b0e998fc9ab15 100644
--- a/htdocs/langs/fa_IR/main.lang
+++ b/htdocs/langs/fa_IR/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=برخی از خطاهای یافت شد.
 ErrorConfigParameterNotDefined=<b>پارامتر٪ s</b> در داخل Dolibarr فایل پیکربندی <b>conf.php</b> تعریف نشده است.
 ErrorCantLoadUserFromDolibarrDatabase=برای پیدا کردن <b>کاربر٪ s در</b> پایگاه داده Dolibarr شکست خورده است.
 ErrorNoVATRateDefinedForSellerCountry=خطا، هیچ نرخ مالیات بر ارزش افزوده تعریف شده برای این کشور شد '٪ s'.
-ErrorNoSocialContributionForSellerCountry=خطا، هیچ نوع کمک اجتماعی تعریف شده برای این کشور شد '٪ s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=خطا، موفق به صرفه جویی در فایل.
 SetDate=تاریخ تنظیم
 SelectDate=یک تاریخ را انتخاب کنید
@@ -302,7 +302,7 @@ UnitPriceTTC=قیمت واحد
 PriceU=UP
 PriceUHT=UP (خالص)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=UP
+PriceUTTC=U.P. (inc. tax)
 Amount=مقدار
 AmountInvoice=مقدار فاکتور
 AmountPayment=مقدار پرداخت
@@ -339,6 +339,7 @@ IncludedVAT=شامل مالیات
 HT=خالص از مالیات
 TTC=مالیات بر شرکت
 VAT=مالیات بر فروش کالا
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=نرخ مالیات
diff --git a/htdocs/langs/fa_IR/members.lang b/htdocs/langs/fa_IR/members.lang
index d9b24f6e89b14807de6f3c9a515374ece35c8d89..a98333314067ca118bcd46a958ccfec938432f7a 100644
--- a/htdocs/langs/fa_IR/members.lang
+++ b/htdocs/langs/fa_IR/members.lang
@@ -199,7 +199,8 @@ Entreprises=شرکت
 DOLIBARRFOUNDATION_PAYMENT_FORM=برای پرداخت اشتراک خود را با استفاده از یک انتقال بانکی، صفحه را ببینید <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> برای پرداخت با استفاده از یک کارت اعتباری یا پی پال، بر روی دکمه در پایین این صفحه کلیک کنید. <br>
 ByProperties=با ویژگی
 MembersStatisticsByProperties=آمار کاربران توسط ویژگی
-MembersByNature=کاربران از طبیعت
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=نرخ مالیات بر ارزش افزوده برای استفاده از اشتراک ها
 NoVatOnSubscription=بدون TVA برای اشتراک
 MEMBER_PAYONLINE_SENDEMAIL=ایمیل برای هشدار دادن به هنگام Dolibarr دریافت تایید از پرداخت اعتبار برای اشتراک
diff --git a/htdocs/langs/fa_IR/products.lang b/htdocs/langs/fa_IR/products.lang
index 7ec38e444b23d389a77b14478eb7035107d74e19..b24a107c259056dbc38af475014de8a1aea26b58 100644
--- a/htdocs/langs/fa_IR/products.lang
+++ b/htdocs/langs/fa_IR/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/fa_IR/projects.lang b/htdocs/langs/fa_IR/projects.lang
index 9645b5aaf013f096f4f080ffe5bd05b39a103974..901b04345aafe2f2e9948a73991bd6885c74d114 100644
--- a/htdocs/langs/fa_IR/projects.lang
+++ b/htdocs/langs/fa_IR/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=این دیدگاه به پروژه ها و یا کارهای شما
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=این دیدگاه ارائه تمام پروژه ها و کارهای شما مجاز به خواندن.
 TasksDesc=این دیدگاه ارائه تمام پروژه ها و وظایف (مجوز دسترسی خود را به شما عطا اجازه دسترسی به همه چیز).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=منطقه پروژه ها
 NewProject=پروژه های جدید
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=فهرست رویدادی به این پروژه
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=فعالیت در پروژه این هفته
 ActivityOnProjectThisMonth=فعالیت در پروژه این ماه
 ActivityOnProjectThisYear=فعالیت در پروژه سال جاری
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/fa_IR/trips.lang b/htdocs/langs/fa_IR/trips.lang
index 14da14080fb68ecd60273a7014dae52bab0fc3af..901a1e68d8f3319f97d7a1f6e80c350d6ba94f1d 100644
--- a/htdocs/langs/fa_IR/trips.lang
+++ b/htdocs/langs/fa_IR/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/fa_IR/withdrawals.lang b/htdocs/langs/fa_IR/withdrawals.lang
index 7f2492a92950be3f2cb61b0fb866409b386147a9..8ffccd34055067dc3d438690e07a5c345759b224 100644
--- a/htdocs/langs/fa_IR/withdrawals.lang
+++ b/htdocs/langs/fa_IR/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=فایل برداشت
 SetToStatusSent=تنظیم به وضعیت "فایل ارسال شد"
 ThisWillAlsoAddPaymentOnInvoice=این نیز خواهد پرداخت به فاکتورها اعمال می شود و آنها را طبقه بندی به عنوان "پرداخت"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=پرداخت سفارش ثابت٪ توسط بانک
diff --git a/htdocs/langs/fa_IR/workflow.lang b/htdocs/langs/fa_IR/workflow.lang
index 36f5bfd955ae7fc2877c01c797d496bb7724cad1..f4280e2896d7d2526bf331aa18f6750461ea963f 100644
--- a/htdocs/langs/fa_IR/workflow.lang
+++ b/htdocs/langs/fa_IR/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=راه اندازی ماژول گردش کار
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/fi_FI/admin.lang b/htdocs/langs/fi_FI/admin.lang
index 3365c08ea33fe722db8dc95f917c4cecce398839..53ead1cfde40ff1cb5be927d2d2cba781c20bb4e 100644
--- a/htdocs/langs/fi_FI/admin.lang
+++ b/htdocs/langs/fi_FI/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Ehdotukset
 Module20Desc=Kaupalliset ehdotuksia hallinto -
 Module22Name=E-postitusten
 Module22Desc=E-postitusten hallinto
-Module23Name= Energia
-Module23Desc= Seuranta kulutus energialähteiden
+Module23Name=Energia
+Module23Desc=Seuranta kulutus energialähteiden
 Module25Name=Asiakas Tilaukset
 Module25Desc=Asiakas tilaa hallinto
 Module30Name=Laskut
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar yhdentyminen
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Ilmoitukset
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Lahjoitukset
 Module700Desc=Lahjoitukset hallinto
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Luoda / muuttaa tuotetta / palvelua
 Permission34=Poista tuotteita / palveluita
 Permission36=Vienti tuotteet / palvelut
 Permission38=Vientituotteen
-Permission41=Lue hankkeet ja tehtävät
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Luoda / muuttaa hankkeita, muokata tehtäviä minun hankkeiden
 Permission44=Poista hankkeiden
 Permission61=Lue interventioiden
@@ -600,10 +600,10 @@ Permission86=Lähetä asiakkaiden tilauksia
 Permission87=Sulje asiakkaiden tilauksia
 Permission88=Peruuta asiakkaiden tilauksia
 Permission89=Poista asiakkaiden tilauksia
-Permission91=Lue sosiaaliturvamaksut ja alv
-Permission92=Luoda / muuttaa sosiaaliturvamaksut ja alv
-Permission93=Poista sosiaaliturvamaksut ja alv
-Permission94=Vienti sosiaaliturvamaksut
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Lue raportit
 Permission101=Lue sendings
 Permission102=Luoda / muuttaa sendings
@@ -621,9 +621,9 @@ Permission121=Lue kolmannen osapuolen liittyy käyttäjän
 Permission122=Luoda / muuttaa kolmansien osapuolten liittyy käyttäjän
 Permission125=Poista kolmansien osapuolten liittyy käyttäjän
 Permission126=Vienti kolmansiin osapuoliin
-Permission141=Lue tehtävät
-Permission142=Luo / muuta tehtävien
-Permission144=Poista tehtäviä
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Lue tarjoajien
 Permission147=Lue stats
 Permission151=Lue pysyvän tilaukset
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup tallennettu
 BackToModuleList=Palaa moduulien luetteloon
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Oletko varma, että haluat poistaa <b>Valikosta %s?</b>
 DeleteLine=Poista rivi
 ConfirmDeleteLine=Oletko varma, että haluat poistaa tämän viivan?
 ##### Tax #####
-TaxSetup=Verot, sosiaaliturvamaksut ja osingot moduulin asetukset
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Vaihtoehto d'exigibilit de TVA
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP asiakkaille on toimitettava osallistumispyynnöt on Dolibarr pä
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Pankki-moduulin asetukset
 FreeLegalTextOnChequeReceipts=Vapaa teksti sekkiä kuitit
@@ -1596,6 +1599,7 @@ ProjectsSetup=Hankkeen moduuli setup
 ProjectsModelModule=Hankkeen raportti asiakirjan malli
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/fi_FI/agenda.lang b/htdocs/langs/fi_FI/agenda.lang
index 867498a3bfacafb5b47e4d070b9892dc42ccd3ea..c5535cb7518cdb688e75e9f1180fe4f7738515a0 100644
--- a/htdocs/langs/fi_FI/agenda.lang
+++ b/htdocs/langs/fi_FI/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Tilaa %s hyväksytty
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Tilaa %s palata luonnos tila
-OrderCanceledInDolibarr=Tilaus %s peruutettu
 ProposalSentByEMail=Liiketoimintaehdotukset %s lähetetään sähköpostilla
 OrderSentByEMail=Asiakas tilaa %s lähetetään sähköpostilla
 InvoiceSentByEMail=Asiakas lasku %s lähetetään sähköpostilla
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/fi_FI/banks.lang b/htdocs/langs/fi_FI/banks.lang
index 68fa6967a1b3347713c477bc6231cb035f8cde13..43be712260641286a85792aa15821c532b7a8067 100644
--- a/htdocs/langs/fi_FI/banks.lang
+++ b/htdocs/langs/fi_FI/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Asiakasmaksu
 CustomerInvoicePaymentBack=Asiakasmaksu takaisin
 SupplierInvoicePayment=Toimittajan maksu
 WithdrawalPayment=Hyvitysmaksu
-SocialContributionPayment=Sosiaaliturvamaksujen maksamisesta
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Rahoitustase journal
 BankTransfer=Pankkisiirto
 BankTransfers=Pankkisiirrot
diff --git a/htdocs/langs/fi_FI/bills.lang b/htdocs/langs/fi_FI/bills.lang
index e5d4eb664e0caf11eb14ad1fb8d2665a7b2b616a..e3d908b56b71214ee7677254a10031203d8c818e 100644
--- a/htdocs/langs/fi_FI/bills.lang
+++ b/htdocs/langs/fi_FI/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb laskuista
 NumberOfBillsByMonth=Nb laskuista kuukausittain
 AmountOfBills=Määrä laskuista
 AmountOfBillsByMonthHT=Määrä laskut kuukausittain (verojen jälkeen)
-ShowSocialContribution=Näytä yhteiskunnallinen
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Näytä lasku
 ShowInvoice=Näytä lasku
 ShowInvoiceReplace=Näytä korvaa lasku
@@ -270,7 +270,7 @@ BillAddress=Bill osoite
 HelpEscompte=Tämä alennus on alennus myönnetään asiakas, koska sen paiement tehtiin ennen aikavälillä.
 HelpAbandonBadCustomer=Tämä määrä on luovuttu (asiakas sanoi olla huono asiakas), ja se on pidettävä exceptionnal väljä.
 HelpAbandonOther=Tämä määrä on luovuttu, koska se oli virhe (väärä asiakas-tai laskunumeroa korvata toinen esimerkki)
-IdSocialContribution=Yhteiskunnallinen id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Maksu-id
 InvoiceId=Laskun numero
 InvoiceRef=Laskun ref.
diff --git a/htdocs/langs/fi_FI/companies.lang b/htdocs/langs/fi_FI/companies.lang
index 2c3468ff78ebebf521dd0b856fd442f3c978f6a7..0cbcd606af88ccc7c29121a7d3309c3e1040fd57 100644
--- a/htdocs/langs/fi_FI/companies.lang
+++ b/htdocs/langs/fi_FI/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Kolmannen osapuolen yhteystiedot/osoitteet
 StatusContactValidated=Yhteystietojen/osoitteiden tila
 Company=Yritys
 CompanyName=Yrityksen nimi
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Yritykset
 CountryIsInEEC=Maa kuuluu EU:hun
 ThirdPartyName=Kolmannen osapuolen nimi
diff --git a/htdocs/langs/fi_FI/compta.lang b/htdocs/langs/fi_FI/compta.lang
index fdbf7890faaa22e81003efa61b8bade95b437e1f..fbb6d365c637317cceeda47a5af6fba2aff6d44e 100644
--- a/htdocs/langs/fi_FI/compta.lang
+++ b/htdocs/langs/fi_FI/compta.lang
@@ -56,23 +56,23 @@ VATCollected=Alv
 ToPay=Maksaa
 ToGet=Palatakseni
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Vero-, sosiaali-ja osingot alueella
-SocialContribution=Yhteiskunnallinen
-SocialContributions=Sosiaaliturvamaksut
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Veroja ja osinkoja
 MenuSalaries=Salaries
-MenuSocialContributions=Sosiaaliturvamaksut
-MenuNewSocialContribution=Uusi rahoitusosuus
-NewSocialContribution=Uusi yhteiskunnallinen
-ContributionsToPay=Osallistuminen maksaa
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Kirjanpito / Treasury alueella
 AccountancySetup=Kirjanpidon setup
 NewPayment=Uusi maksu
 Payments=Maksut
 PaymentCustomerInvoice=Asiakas laskun maksu
 PaymentSupplierInvoice=Toimittajan laskun maksu
-PaymentSocialContribution=Sosiaaliturvamaksujen maksamisesta
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=ALV-maksu
 PaymentSalary=Salary payment
 ListPayment=Luettelo maksut
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=Alv maksutoimisto
 VATPayments=Alv-maksut
-SocialContributionsPayments=Sosiaaliturvamaksut maksut
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Näytä arvonlisäveron maksaminen
 TotalToPay=Yhteensä maksaa
 TotalVATReceived=Yhteensä ALV
@@ -116,11 +116,11 @@ NewCheckDepositOn=Uusi tarkistaa talletuksen huomioon: %s
 NoWaitingChecks=N: o tarkastusten odottaa talletus.
 DateChequeReceived=Cheque vastaanotto panos päivämäärä
 NbOfCheques=Nb Sekkien
-PaySocialContribution=Maksa yhteiskunnallinen
-ConfirmPaySocialContribution=Oletko varma, että haluat luokitella tämä yhteiskunnallinen osallistuminen maksetaan?
-DeleteSocialContribution=Poista yhteiskunnallinen
-ConfirmDeleteSocialContribution=Oletko varma, että haluat poistaa tämän yhteiskunnallinen?
-ExportDataset_tax_1=Sosiaaliturvamaksut ja maksut
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/fi_FI/cron.lang b/htdocs/langs/fi_FI/cron.lang
index b1d32730f6895c7e159da10663ed618264cd6e9c..381ac00b7a59eec0e078cd1ffdfb9cf0be99992d 100644
--- a/htdocs/langs/fi_FI/cron.lang
+++ b/htdocs/langs/fi_FI/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/fi_FI/ecm.lang b/htdocs/langs/fi_FI/ecm.lang
index e724f7748e37a6918e216742c50010b37f79360b..9cceed4280c015c043e82565d218555cfb691357 100644
--- a/htdocs/langs/fi_FI/ecm.lang
+++ b/htdocs/langs/fi_FI/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Etsi objekti
 ECMSectionOfDocuments=Hakemistot asiakirjoja
 ECMTypeManual=Manuaalinen
 ECMTypeAuto=Automaattinen
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Asiakirjat liittyy kolmansien osapuolten
 ECMDocsByProposals=Asiakirjat liittyvät ehdotukset
 ECMDocsByOrders=Asiakirjat liittyvät asiakkaiden tilauksia
diff --git a/htdocs/langs/fi_FI/errors.lang b/htdocs/langs/fi_FI/errors.lang
index 2892977ff096e14f45760b5ffee707404335512f..c8753068377eb0c7841d3af7f1c9ef13d45acb70 100644
--- a/htdocs/langs/fi_FI/errors.lang
+++ b/htdocs/langs/fi_FI/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/fi_FI/holiday.lang b/htdocs/langs/fi_FI/holiday.lang
index 67fd6390553fefaf20fd34e9d1b1a812ccb73468..bcb20fa661fc0865e84576e0a94c08d8d74cf7ef 100644
--- a/htdocs/langs/fi_FI/holiday.lang
+++ b/htdocs/langs/fi_FI/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Syy
 UserCP=Käyttäjä
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/fi_FI/loan.lang b/htdocs/langs/fi_FI/loan.lang
new file mode 100644
index 0000000000000000000000000000000000000000..cc7f19037aa878bec1fd11f490d81e736fa18715
--- /dev/null
+++ b/htdocs/langs/fi_FI/loan.lang
@@ -0,0 +1,53 @@
+# Dolibarr language file - Source file is en_US - loan
+Loan=Loan
+Loans=Loans
+NewLoan=New Loan
+ShowLoan=Show Loan
+PaymentLoan=Loan payment
+ShowLoanPayment=Show Loan Payment
+Capital=Capital
+Insurance=Insurance
+Interest=Interest
+Nbterms=Number of terms
+LoanAccountancyCapitalCode=Accountancy code capital
+LoanAccountancyInsuranceCode=Accountancy code insurance
+LoanAccountancyInterestCode=Accountancy code interest
+LoanPayment=Loan payment
+ConfirmDeleteLoan=Confirm deleting this loan
+LoanDeleted=Loan Deleted Successfully
+ConfirmPayLoan=Confirm classify paid this loan
+LoanPaid=Loan Paid
+ErrorLoanCapital=Loan amount has to be numeric and greater than zero.
+ErrorLoanLength=Loan length has to be numeric and greater than zero.
+ErrorLoanInterest=Annual interest has to be numeric and greater than zero.
+# Calc
+LoanCalc=Bank Loans Calculator
+PurchaseFinanceInfo=Purchase & Financing Information
+SalePriceOfAsset=Sale Price of Asset
+PercentageDown=Percentage Down
+LengthOfMortgage=Length of Mortgage
+AnnualInterestRate=Annual Interest Rate
+ExplainCalculations=Explain Calculations
+ShowMeCalculationsAndAmortization=Show me the calculations and amortization
+MortgagePaymentInformation=Mortgage Payment Information
+DownPayment=Down Payment
+DownPaymentDesc=The <b>down payment</b> = The price of the home multiplied by the percentage down divided by 100 (for 5% down becomes 5/100 or 0.05)
+InterestRateDesc=The <b>interest rate</b> = The annual interest percentage divided by 100
+MonthlyFactorDesc=The <b>monthly factor</b> = The result of the following formula
+MonthlyInterestRateDesc=The <b>monthly interest rate</b> = The annual interest rate divided by 12 (for the 12 months in a year)
+MonthTermDesc=The <b>month term</b> of the loan in months = The number of years you've taken the loan out for times 12
+MonthlyPaymentDesc=The montly payment is figured out using the following formula
+AmortizationPaymentDesc=The <a href="#amortization">amortization</a> breaks down how much of your monthly payment goes towards the bank's interest, and how much goes into paying off the principal of your loan.
+AmountFinanced=Amount Financed
+AmortizationMonthlyPaymentOverYears=Amortization For Monthly Payment: <b>%s</b> over %s years
+Totalsforyear=Totals for year
+MonthlyPayment=Monthly Payment
+LoanCalcDesc=This <b>mortgage calculator</b> can be used to figure out monthly payments of a home mortgage loan, based on the home's sale price, the term of the loan desired, buyer's down payment percentage, and the loan's interest rate.<br> This calculator factors in PMI (Private Mortgage Insurance) for loans where less than 20% is put as a down payment. Also taken into consideration are the town property taxes, and their effect on the total monthly mortgage payment.<br>
+GoToInterest=%s will go towards INTEREST
+GoToPrincipal=%s will go towards PRINCIPAL
+YouWillSpend=You will spend %s on your house in year %s
+# Admin
+ConfigLoan=Configuration of the module loan
+LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accountancy code capital by default
+LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accountancy code interest by default
+LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accountancy code insurance by default
diff --git a/htdocs/langs/fi_FI/mails.lang b/htdocs/langs/fi_FI/mails.lang
index 3285cb19e095252456bee439f664e5e412afba11..56d2d681e0c86d637b13e18558416b4ae6b37d15 100644
--- a/htdocs/langs/fi_FI/mails.lang
+++ b/htdocs/langs/fi_FI/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Ilmoitukset
 NoNotificationsWillBeSent=Ei sähköposti-ilmoituksia on suunniteltu tähän tapahtumaan ja yritys
diff --git a/htdocs/langs/fi_FI/main.lang b/htdocs/langs/fi_FI/main.lang
index 0de4852eb7e08b26da9afcdad10f5fa5516cb93a..6645f2f45d2da38aee85fad7bfb0aca3ac87aace 100644
--- a/htdocs/langs/fi_FI/main.lang
+++ b/htdocs/langs/fi_FI/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Joitakin virheitä ei löytynyt. Meidän p
 ErrorConfigParameterNotDefined=<b>Parametri %s</b> ei ole määritelty sisällä Dolibarr config file <b>conf.php.</b>
 ErrorCantLoadUserFromDolibarrDatabase=Ei onnistunut löytämään <b>käyttäjän %s</b> Dolibarr tietokantaan.
 ErrorNoVATRateDefinedForSellerCountry=Virhe ei alv määritellään maa ' %s'.
-ErrorNoSocialContributionForSellerCountry=Virhe, ei sosiaaliturvamaksujen tyyppi määritellään maan %s ".
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Virhe, ei tallenna tiedosto.
 SetDate=Aseta päivä
 SelectDate=Valitse päivä
@@ -302,7 +302,7 @@ UnitPriceTTC=Yksikköhinta
 PriceU=UP
 PriceUHT=UP (netto)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=UP
+PriceUTTC=U.P. (inc. tax)
 Amount=Määrä
 AmountInvoice=Laskun summa
 AmountPayment=Maksun summa
@@ -339,6 +339,7 @@ IncludedVAT=Mukana alv
 HT=Veroton
 TTC=Sis. alv
 VAT=Alv
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Veroaste
diff --git a/htdocs/langs/fi_FI/members.lang b/htdocs/langs/fi_FI/members.lang
index ea028ebe4eb8d2ecfcdffb38f529e14405526536..7bd634c5f7b3a7fb6bfa09123f037a40c336aa71 100644
--- a/htdocs/langs/fi_FI/members.lang
+++ b/htdocs/langs/fi_FI/members.lang
@@ -199,7 +199,8 @@ Entreprises=Yritykset
 DOLIBARRFOUNDATION_PAYMENT_FORM=Voit tehdä tilauksen maksun avulla pankkisiirrolla sivulla <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Voit maksaa luottokortilla tai PayPal, klikkaa painiketta sivun alalaidassa. <br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/fi_FI/products.lang b/htdocs/langs/fi_FI/products.lang
index 5cec98d2b69aec96708aef5d74a6cf482a9c00bb..05bf4b5e85573494912616a2c7e8b559997e8fed 100644
--- a/htdocs/langs/fi_FI/products.lang
+++ b/htdocs/langs/fi_FI/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/fi_FI/projects.lang b/htdocs/langs/fi_FI/projects.lang
index 3ade1f3c9ad7c01885e71f2d2f848da5b4fce5cc..68d8f230e60fccd4955a728b1c7294bc11ab9c63 100644
--- a/htdocs/langs/fi_FI/projects.lang
+++ b/htdocs/langs/fi_FI/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Tämä näkemys on vain hankkeisiin tai tehtäviä olet yhteyshenkil
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Tämä näkemys esitetään kaikki hankkeet ja tehtävät sinulla voi lukea.
 TasksDesc=Tämä näkemys esitetään kaikki hankkeet ja tehtävät (käyttäjäoikeuksien antaa sinulle luvan katsella kaikkea).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projektit alueella
 NewProject=Uusi projekti
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=Luettelo toimia, jotka liittyvät hankkeen
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Toiminta hanke tällä viikolla
 ActivityOnProjectThisMonth=Toiminta hankkeen tässä kuussa
 ActivityOnProjectThisYear=Toiminta hanke tänä vuonna
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/fi_FI/trips.lang b/htdocs/langs/fi_FI/trips.lang
index 5a950824bc497d3436f4cb9405af1a0257cda903..6b536fe40e8853fd13bc710fdcd17a1123e35a1a 100644
--- a/htdocs/langs/fi_FI/trips.lang
+++ b/htdocs/langs/fi_FI/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/fi_FI/withdrawals.lang b/htdocs/langs/fi_FI/withdrawals.lang
index 029f4b2a20b1d2e9db003a91c1c23fd398f765f3..6a9d4541c6909ed5bd200b261d1c3e2626b1828a 100644
--- a/htdocs/langs/fi_FI/withdrawals.lang
+++ b/htdocs/langs/fi_FI/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Maksaminen kestotilaus %s pankin
diff --git a/htdocs/langs/fi_FI/workflow.lang b/htdocs/langs/fi_FI/workflow.lang
index fef9e36b686fdd5a0022b03628fd9006f093d7cf..b1aef324e2833049c4ebdaf5fe32bdcf93c70bfa 100644
--- a/htdocs/langs/fi_FI/workflow.lang
+++ b/htdocs/langs/fi_FI/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow-moduuli asennus
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/fr_BE/admin.lang b/htdocs/langs/fr_BE/admin.lang
new file mode 100644
index 0000000000000000000000000000000000000000..1c53b65c99c6fee95d719213ae8ef0909a718a3f
--- /dev/null
+++ b/htdocs/langs/fr_BE/admin.lang
@@ -0,0 +1,4 @@
+# Dolibarr language file - Source file is en_US - admin
+AntiVirusCommandExample=Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe<br>Example for ClamAv: /usr/bin/clamscan
+AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
+ExampleOfDirectoriesForModelGen=Examples of syntax:<br>c:\\mydir<br>/home/mydir<br>DOL_DATA_ROOT/ecm/ecmdir
diff --git a/htdocs/langs/fr_CA/admin.lang b/htdocs/langs/fr_CA/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..1c53b65c99c6fee95d719213ae8ef0909a718a3f 100644
--- a/htdocs/langs/fr_CA/admin.lang
+++ b/htdocs/langs/fr_CA/admin.lang
@@ -1,1642 +1,4 @@
 # Dolibarr language file - Source file is en_US - admin
-Foundation=Foundation
-Version=Version
-VersionProgram=Version program
-VersionLastInstall=Version initial install
-VersionLastUpgrade=Version last upgrade
-VersionExperimental=Experimental
-VersionDevelopment=Development
-VersionUnknown=Unknown
-VersionRecommanded=Recommended
-FileCheck=Files Integrity
-FilesMissing=Missing Files
-FilesUpdated=Updated Files
-FileCheckDolibarr=Check Dolibarr Files Integrity
-XmlNotFound=Xml File of Dolibarr Integrity Not Found
-SessionId=Session ID
-SessionSaveHandler=Handler to save sessions
-SessionSavePath=Storage session localization
-PurgeSessions=Purge of sessions
-ConfirmPurgeSessions=Do you really want to purge all sessions ? This will disconnect every user (except yourself).
-NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow to list all running sessions.
-LockNewSessions=Lock new connections
-ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself. Only user <b>%s</b> will be able to connect after that.
-UnlockNewSessions=Remove connection lock
-YourSession=Your session
-Sessions=Users session
-WebUserGroup=Web server user/group
-NoSessionFound=Your PHP seems to not allow to list active sessions. Directory used to save sessions (<b>%s</b>) might be protected (For example, by OS permissions or by PHP directive open_basedir).
-HTMLCharset=Charset for generated HTML pages
-DBStoringCharset=Database charset to store data
-DBSortingCharset=Database charset to sort data
-WarningModuleNotActive=Module <b>%s</b> must be enabled
-WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page.
-DolibarrSetup=Dolibarr install or upgrade
-DolibarrUser=Dolibarr user
-InternalUser=Internal user
-ExternalUser=External user
-InternalUsers=Internal users
-ExternalUsers=External users
-GlobalSetup=Global setup
-GUISetup=Display
-SetupArea=Setup area
-FormToTestFileUploadForm=Form to test file upload (according to setup)
-IfModuleEnabled=Note: yes is effective only if module <b>%s</b> is enabled
-RemoveLock=Remove file <b>%s</b> if it exists to allow usage of the update tool.
-RestoreLock=Restore file <b>%s</b>, with read permission only, to disable any usage of update tool.
-SecuritySetup=Security setup
-ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher
-ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher
-ErrorDecimalLargerThanAreForbidden=Error, a precision higher than <b>%s</b> is not supported.
-DictionarySetup=Dictionary setup
-Dictionary=Dictionaries
-Chartofaccounts=Chart of accounts
-Fiscalyear=Fiscal years
-ErrorReservedTypeSystemSystemAuto=Value 'system' and 'systemauto' for type is reserved. You can use 'user' as value to add your own record
-ErrorCodeCantContainZero=Code can't contain value 0
-DisableJavascript=Disable JavaScript and Ajax functions (Recommended for blind person or text browsers)
-ConfirmAjax=Use Ajax confirmation popups
-UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectCompany=Use autocompletion fields to choose third parties instead of using a list box.
-ActivityStateToSelectCompany= Add a filter option to show/hide thirdparties which are currently in activity or has ceased it
-UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectContact=Use autocompletion fields to choose contact (instead of using a list box).
-DelaiedFullListToSelectCompany=Wait you press a key before loading content of thirdparties combo list (This may increase performance if you have a large number of thirdparties)
-DelaiedFullListToSelectContact=Wait you press a key before loading content of contact combo list (This may increase performance if you have a large number of contact)
-SearchFilter=Search filters options
-NumberOfKeyToSearch=Nbr of characters to trigger search: %s
-ViewFullDateActions=Show full dates events in the third sheet
-NotAvailableWhenAjaxDisabled=Not available when Ajax disabled
-JavascriptDisabled=JavaScript disabled
-UsePopupCalendar=Use popup for dates input
-UsePreviewTabs=Use preview tabs
-ShowPreview=Show preview
-PreviewNotAvailable=Preview not available
-ThemeCurrentlyActive=Theme currently active
-CurrentTimeZone=TimeZone PHP (server)
-MySQLTimeZone=TimeZone MySql (database)
-TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submited string. The timezone has effect only when using UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
-Space=Space
-Table=Table
-Fields=Fields
-Index=Index
-Mask=Mask
-NextValue=Next value
-NextValueForInvoices=Next value (invoices)
-NextValueForCreditNotes=Next value (credit notes)
-NextValueForDeposit=Next value (deposit)
-NextValueForReplacements=Next value (replacements)
-MustBeLowerThanPHPLimit=Note: your PHP limits each file upload's size to <b>%s</b> %s, whatever this parameter's value is
-NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration
-MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload)
-UseCaptchaCode=Use graphical code (CAPTCHA) on login page
-UseAvToScanUploadedFiles=Use anti-virus to scan uploaded files
-AntiVirusCommand= Full path to antivirus command
-AntiVirusCommandExample= Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe<br>Example for ClamAv: /usr/bin/clamscan
-AntiVirusParam= More parameters on command line
-AntiVirusParamExample= Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
-ComptaSetup=Accounting module setup
-UserSetup=User management setup
-MenuSetup=Menu management setup
-MenuLimits=Limits and accuracy
-MenuIdParent=Parent menu ID
-DetailMenuIdParent=ID of parent menu (empty for a top menu)
-DetailPosition=Sort number to define menu position
-PersonalizedMenusNotSupported=Personalized menus not supported
-AllMenus=All
-NotConfigured=Module not configured
-Setup=Setup
-Activation=Activation
-Active=Active
-SetupShort=Setup
-OtherOptions=Other options
-OtherSetup=Other setup
-CurrentValueSeparatorDecimal=Decimal separator
-CurrentValueSeparatorThousand=Thousand separator
-Destination=Destination
-IdModule=Module ID
-IdPermissions=Permissions ID
-Modules=Modules
-ModulesCommon=Main modules
-ModulesOther=Other modules
-ModulesInterfaces=Interfaces modules
-ModulesSpecial=Modules very specific
-ParameterInDolibarr=Parameter %s
-LanguageParameter=Language parameter %s
-LanguageBrowserParameter=Parameter %s
-LocalisationDolibarrParameters=Localisation parameters
-ClientTZ=Client Time Zone (user)
-ClientHour=Client time (user)
-OSTZ=Server OS Time Zone
-PHPTZ=PHP server Time Zone
-PHPServerOffsetWithGreenwich=PHP server offset width Greenwich (seconds)
-ClientOffsetWithGreenwich=Client/Browser offset width Greenwich (seconds)
-DaylingSavingTime=Daylight saving time
-CurrentHour=PHP Time (server)
-CompanyTZ=Company Time Zone (main company)
-CompanyHour=Company Time (main company)
-CurrentSessionTimeOut=Current session timeout
-YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a file .htacces with a line like this "SetEnv TZ Europe/Paris"
-OSEnv=OS Environment
-Box=Box
-Boxes=Boxes
-MaxNbOfLinesForBoxes=Max number of lines for boxes
-PositionByDefault=Default order
-Position=Position
-MenusDesc=Menus managers define content of the 2 menu bars (horizontal bar and vertical bar).
-MenusEditorDesc=The menu editor allow you to define personalized entries in menus. Use it carefully to avoid making dolibarr unstable and menu entries permanently unreachable.<br>Some modules add entries in the menus (in menu <b>All</b> in most cases). If you removed some of these entries by mistake, you can restore them by disabling and reenabling the module.
-MenuForUsers=Menu for users
-LangFile=.lang file
-System=System
-SystemInfo=System information
-SystemToolsArea=System tools area
-SystemToolsAreaDesc=This area provides administration features. Use the menu to choose the feature you're looking for.
-Purge=Purge
-PurgeAreaDesc=This page allows you to delete all files built or stored by Dolibarr (temporary files or all files in <b>%s</b> directory). Using this feature is not necessary. It is provided for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files built by the web server.
-PurgeDeleteLogFile=Delete log file <b>%s</b> defined for Syslog module (no risk to loose data)
-PurgeDeleteTemporaryFiles=Delete all temporary files (no risk to loose data)
-PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory <b>%s</b>. Temporary files but also database backup dumps, files attached to elements (third parties, invoices, ...) and uploaded into the ECM module will be deleted.
-PurgeRunNow=Purge now
-PurgeNothingToDelete=No directory or file to delete.
-PurgeNDirectoriesDeleted=<b>%s</b> files or directories deleted.
-PurgeAuditEvents=Purge all security events
-ConfirmPurgeAuditEvents=Are you sure you want to purge all security events ? All security logs will be deleted, no other data will be removed.
-NewBackup=New backup
-GenerateBackup=Generate backup
-Backup=Backup
-Restore=Restore
-RunCommandSummary=Backup has been launched with the following command
-RunCommandSummaryToLaunch=Backup can be launched with the following command
-WebServerMustHavePermissionForCommand=Your web server must have the permission to run such commands
-BackupResult=Backup result
-BackupFileSuccessfullyCreated=Backup file successfully generated
-YouCanDownloadBackupFile=Generated files can now be downloaded
-NoBackupFileAvailable=No backup files available.
-ExportMethod=Export method
-ImportMethod=Import method
-ToBuildBackupFileClickHere=To build a backup file, click <a href="%s">here</a>.
-ImportMySqlDesc=To import a backup file, you must use mysql command from command line:
-ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line:
-ImportMySqlCommand=%s %s < mybackupfile.sql
-ImportPostgreSqlCommand=%s %s mybackupfile.sql
-FileNameToGenerate=File name to generate
-Compression=Compression
-CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import
-CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later
-ExportCompatibility=Compatibility of generated export file
-MySqlExportParameters=MySQL export parameters
-PostgreSqlExportParameters= PostgreSQL export parameters
-UseTransactionnalMode=Use transactional mode
-FullPathToMysqldumpCommand=Full path to mysqldump command
-FullPathToPostgreSQLdumpCommand=Full path to pg_dump command
-ExportOptions=Export Options
-AddDropDatabase=Add DROP DATABASE command
-AddDropTable=Add DROP TABLE command
-ExportStructure=Structure
-Datas=Data
-NameColumn=Name columns
-ExtendedInsert=Extended INSERT
-NoLockBeforeInsert=No lock commands around INSERT
-DelayedInsert=Delayed insert
-EncodeBinariesInHexa=Encode binary data in hexadecimal
-IgnoreDuplicateRecords=Ignore errors of duplicate records (INSERT IGNORE)
-Yes=Yes
-No=No
-AutoDetectLang=Autodetect (browser language)
-FeatureDisabledInDemo=Feature disabled in demo
-Rights=Permissions
-BoxesDesc=Boxes are screen area that show a piece of information on some pages. You can choose between showing the box or not by selecting target page and clicking 'Activate', or by clicking the dustbin to disable it.
-OnlyActiveElementsAreShown=Only elements from <a href="%s">enabled modules</a> are shown.
-ModulesDesc=Dolibarr modules define which functionality is enabled in software. Some modules require permissions you must grant to users, after enabling module. Click on button on/off in column "Status" to enable a module/feature.
-ModulesInterfaceDesc=The Dolibarr modules interface allows you to add features depending on external software, systems or services.
-ModulesSpecialDesc=Special modules are very specific or seldom used modules.
-ModulesJobDesc=Business modules provide simple predefined setup of Dolibarr for a particular business.
-ModulesMarketPlaceDesc=You can find more modules to download on external web sites on the Internet...
-ModulesMarketPlaces=More modules...
-DoliStoreDesc=DoliStore, the official market place for Dolibarr ERP/CRM external modules
-DoliPartnersDesc=List with some companies that can provide/develop on-demand modules or features (Note: any Open Source company knowning PHP language can provide you specific development)
-WebSiteDesc=Web site providers you can search to find more modules...
-URL=Link
-BoxesAvailable=Boxes available
-BoxesActivated=Boxes activated
-ActivateOn=Activate on
-ActiveOn=Activated on
-SourceFile=Source file
-AutomaticIfJavascriptDisabled=Automatic if Javascript is disabled
-AvailableOnlyIfJavascriptNotDisabled=Available only if JavaScript is not disabled
-AvailableOnlyIfJavascriptAndAjaxNotDisabled=Available only if JavaScript is not disabled
-Required=Required
-UsedOnlyWithTypeOption=Used by some agenda option only
-Security=Security
-Passwords=Passwords
-DoNotStoreClearPassword=Do no store clear passwords in database but store only encrypted value (Activated recommended)
-MainDbPasswordFileConfEncrypted=Database password encrypted in conf.php (Activated recommended)
-InstrucToEncodePass=To have password encoded into the <b>conf.php</b> file, replace the line <br><b>$dolibarr_main_db_pass="...";</b><br>by<br><b>$dolibarr_main_db_pass="crypted:%s";</b>
-InstrucToClearPass=To have password decoded (clear) into the <b>conf.php</b> file, replace the line <br><b>$dolibarr_main_db_pass="crypted:...";</b><br>by<br><b>$dolibarr_main_db_pass="%s";</b>
-ProtectAndEncryptPdfFiles=Protection of generated pdf files (Activated NOT recommended, breaks mass pdf generation)
-ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature make building of a global cumulated pdf not working (like unpaid invoices).
-Feature=Feature
-DolibarrLicense=License
-DolibarrProjectLeader=Project leader
-Developpers=Developers/contributors
-OtherDeveloppers=Other developers/contributors
-OfficialWebSite=Dolibarr international official web site
-OfficialWebSiteFr=French official web site
-OfficialWiki=Dolibarr documentation on Wiki
-OfficialDemo=Dolibarr online demo
-OfficialMarketPlace=Official market place for external modules/addons
-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.
-HelpCenterDesc2=Some part of this service are available in <b>english only</b>.
-CurrentTopMenuHandler=Current top menu handler
-CurrentLeftMenuHandler=Current left menu handler
-CurrentMenuHandler=Current menu handler
-CurrentSmartphoneMenuHandler=Current smartphone menu handler
-MeasuringUnit=Measuring unit
-Emails=E-mails
-EMailsSetup=E-mails setup
-EMailsDesc=This page allows you to overwrite your PHP parameters for e-mails sending. In most cases on Unix/Linux OS, your PHP setup is correct and these parameters are useless.
-MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix like systems)
-MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix like systems)
-MAIN_MAIL_EMAIL_FROM=Sender e-mail for automatic emails (By default in php.ini: <b>%s</b>)
-MAIN_MAIL_ERRORS_TO=Sender e-mail used for error returns emails sent
-MAIN_MAIL_AUTOCOPY_TO= Send systematically a hidden carbon-copy of all sent emails to
-MAIN_MAIL_AUTOCOPY_PROPOSAL_TO= Send systematically a hidden carbon-copy of proposals sent by email to
-MAIN_MAIL_AUTOCOPY_ORDER_TO= Send systematically a hidden carbon-copy of orders sent by email to
-MAIN_MAIL_AUTOCOPY_INVOICE_TO= Send systematically a hidden carbon-copy of invoice sent by emails to
-MAIN_DISABLE_ALL_MAILS=Disable all e-mails sendings (for test purposes or demos)
-MAIN_MAIL_SENDMODE=Method to use to send EMails
-MAIN_MAIL_SMTPS_ID=SMTP ID if authentication required
-MAIN_MAIL_SMTPS_PW=SMTP Password if authentication required
-MAIN_MAIL_EMAIL_TLS= Use TLS (SSL) encrypt
-MAIN_DISABLE_ALL_SMS=Disable all SMS sendings (for test purposes or demos)
-MAIN_SMS_SENDMODE=Method to use to send SMS
-MAIN_MAIL_SMS_FROM=Default sender phone number for Sms sending
-FeatureNotAvailableOnLinux=Feature not available on Unix like systems. Test your sendmail program locally.
-SubmitTranslation=If translation for this language is not complete or you find errors, you can correct this by editing files into directory <b>langs/%s</b> and submit modified files on www.dolibarr.org forum.
-ModuleSetup=Module setup
-ModulesSetup=Modules setup
-ModuleFamilyBase=System
-ModuleFamilyCrm=Customer Relation Management (CRM)
-ModuleFamilyProducts=Products Management
-ModuleFamilyHr=Human Resource Management
-ModuleFamilyProjects=Projects/Collaborative work
-ModuleFamilyOther=Other
-ModuleFamilyTechnic=Multi-modules tools
-ModuleFamilyExperimental=Experimental modules
-ModuleFamilyFinancial=Financial Modules (Accounting/Treasury)
-ModuleFamilyECM=Electronic Content Management (ECM)
-MenuHandlers=Menu handlers
-MenuAdmin=Menu editor
-DoNotUseInProduction=Do not use in production
-ThisIsProcessToFollow=This is setup to process:
-ThisIsAlternativeProcessToFollow=This is an alternative setup to process:
-StepNb=Step %s
-FindPackageFromWebSite=Find a package that provides feature you want (for example on official web site %s).
-DownloadPackageFromWebSite=Download package (for example from official web site %s).
-UnpackPackageInDolibarrRoot=Unpack package file into Dolibarr server directory dedicated to external modules: <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>
-InfDirExample=<br>Then declare it in the file conf.php<br> $dolibarr_main_url_root_alt='http://myserver/custom'<br>$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'<br>*These lines are commented with "#", to uncomment only remove the character.
-YouCanSubmitFile=For this step, you can send package using this tool: Select module file
-CurrentVersion=Dolibarr current version
-CallUpdatePage=Go to the page that updates the database structure and datas: %s.
-LastStableVersion=Last stable version
-UpdateServerOffline=Update server offline
-GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags could be used:<br><b>{000000}</b> corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask. <br><b>{000000+000}</b> same as previous but an offset corresponding to the number to the right of the + sign is applied starting on first %s. <br><b>{000000@x}</b> same as previous but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then sequence {yy}{mm} or {yyyy}{mm} is also required. <br><b>{dd}</b> day (01 to 31).<br><b>{mm}</b> month (01 to 12).<br><b>{yy}</b>, <b>{yyyy}</b> or <b>{y}</b> year over 2, 4 or 1 numbers. <br>
-GenericMaskCodes2=<b>{cccc}</b> the client code on n characters<br><b>{cccc000}</b> the client code on n characters is followed by a counter dedicated for customer. This counter dedicated to customer is reset at same time than global counter.<br><b>{tttt}</b> The code of thirdparty type on n characters (see dictionary-thirdparty types).<br>
-GenericMaskCodes3=All other characters in the mask will remain intact.<br>Spaces are not allowed.<br>
-GenericMaskCodes4a=<u>Example on the 99th %s of the third party TheCompany done 2007-01-31:</u><br>
-GenericMaskCodes4b=<u>Example on third party created on 2007-03-01:</u><br>
-GenericMaskCodes4c=<u>Example on product created on 2007-03-01:</u><br>
-GenericMaskCodes5=<b>ABC{yy}{mm}-{000000}</b> will give <b>ABC0701-000099</b><br><b>{0000+100@1}-ZZZ/{dd}/XXX</b> will give <b>0199-ZZZ/31/XXX</b>
-GenericNumRefModelDesc=Returns a customizable number according to a defined mask.
-ServerAvailableOnIPOrPort=Server is available at address <b>%s</b> on port <b>%s</b>
-ServerNotAvailableOnIPOrPort=Server is not available at address <b>%s</b> on port <b>%s</b>
-DoTestServerAvailability=Test server connectivity
-DoTestSend=Test sending
-DoTestSendHTML=Test sending HTML
-ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask.
-ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, can't use option @ if sequence {yy}{mm} or {yyyy}{mm} is not in mask.
-UMask=UMask parameter for new files on Unix/Linux/BSD/Mac file system.
-UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).<br>It must be the octal value (for example, 0666 means read and write for everyone).<br>This parameter is useless on a Windows server.
-SeeWikiForAllTeam=Take a look at the wiki page for full list of all actors and their organisation
-UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache)
-DisableLinkToHelpCenter=Hide link "<b>Need help or support</b>" on login page
-DisableLinkToHelp=Hide link "<b>%s Online help</b>" on left menu
-AddCRIfTooLong=There is no automatic wrapping, so if line is out of page on documents because too long, you must add yourself carriage returns in the textarea.
-ModuleDisabled=Module disabled
-ModuleDisabledSoNoEvent=Module disabled so event never created
-ConfirmPurge=Are you sure you want to execute this purge ?<br>This will delete definitely all your data files with no way to restore them (ECM files, attached files...).
-MinLength=Minimum length
-LanguageFilesCachedIntoShmopSharedMemory=Files .lang loaded in shared memory
-ExamplesWithCurrentSetup=Examples with current running setup
-ListOfDirectories=List of OpenDocument templates directories
-ListOfDirectoriesForModelGenODT=List of directories containing templates files with OpenDocument format.<br><br>Put here full path of directories.<br>Add a carriage return between eah directory.<br>To add a directory of the GED module, add here <b>DOL_DATA_ROOT/ecm/yourdirectoryname</b>.<br><br>Files in those directories must end with <b>.odt</b>.
-NumberOfModelFilesFound=Number of ODT/ODS templates files found in those directories
+AntiVirusCommandExample=Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe<br>Example for ClamAv: /usr/bin/clamscan
+AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
 ExampleOfDirectoriesForModelGen=Examples of syntax:<br>c:\\mydir<br>/home/mydir<br>DOL_DATA_ROOT/ecm/ecmdir
-FollowingSubstitutionKeysCanBeUsed=<br>To know how to create your odt document templates, before storing them in those directories, read wiki documentation:
-FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
-FirstnameNamePosition=Position of Name/Lastname
-DescWeather=The following pictures will be shown on dashboard when number of late actions reach the following values:
-KeyForWebServicesAccess=Key to use Web Services (parameter "dolibarrkey" in webservices)
-TestSubmitForm=Input test form
-ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever is user choice. Also this menu manager specialized for smartphones does not works on all smartphone. Use another menu manager if you experience problems on yours.
-ThemeDir=Skins directory
-ConnectionTimeout=Connexion timeout
-ResponseTimeout=Response timeout
-SmsTestMessage=Test message from __PHONEFROM__ to __PHONETO__
-ModuleMustBeEnabledFirst=Module <b>%s</b> must be enabled first before using this feature.
-SecurityToken=Key to secure URLs
-NoSmsEngine=No SMS sender manager available. SMS sender manager are not installed with default distribution (because they depends on an external supplier) but you can find some on %s
-PDF=PDF
-PDFDesc=You can set each global options related to the PDF generation
-PDFAddressForging=Rules to forge address boxes
-HideAnyVATInformationOnPDF=Hide all information related to VAT on generated PDF
-HideDescOnPDF=Hide products description on generated PDF
-HideRefOnPDF=Hide products ref. on generated PDF
-HideDetailsOnPDF=Hide products lines details on generated PDF
-Library=Library
-UrlGenerationParameters=Parameters to secure URLs
-SecurityTokenIsUnique=Use a unique securekey parameter for each URL
-EnterRefToBuildUrl=Enter reference for object %s
-GetSecuredUrl=Get calculated URL
-ButtonHideUnauthorized=Hide buttons for unauthorized actions instead of showing disabled buttons
-OldVATRates=Old VAT rate
-NewVATRates=New VAT rate
-PriceBaseTypeToChange=Modify on prices with base reference value defined on
-MassConvert=Launch mass convert
-String=String
-TextLong=Long text
-Int=Integer
-Float=Float
-DateAndTime=Date and hour
-Unique=Unique
-Boolean=Boolean (Checkbox)
-ExtrafieldPhone = Phone
-ExtrafieldPrice = Price
-ExtrafieldMail = Email
-ExtrafieldSelect = Select list
-ExtrafieldSelectList = Select from table
-ExtrafieldSeparator=Separator
-ExtrafieldCheckBox=Checkbox
-ExtrafieldRadio=Radio button
-ExtrafieldCheckBoxFromList= Checkbox from table
-ExtrafieldLink=Link to an object
-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
-ExtrafieldParamHelpchkbxlst=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>
-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 (localtax is calculated on amount without tax)<br>2 : local tax apply on products and services including vat (localtax is calculated on amount + main tax)<br>3 : local tax apply on products without vat (localtax is calculated on amount without tax)<br>4 : local tax apply on products including vat (localtax is calculated on amount + main vat)<br>5 : local tax apply on services without vat (localtax is calculated on amount without tax)<br>6 : local tax apply on services including vat (localtax is calculated on amount + tax)
-SMS=SMS
-LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user <strong>%s</strong>
-RefreshPhoneLink=Refresh link
-LinkToTest=Clickable link generated for user <strong>%s</strong> (click phone number to test)
-KeepEmptyToUseDefault=Keep empty to use default value
-DefaultLink=Default link
-ValueOverwrittenByUserSetup=Warning, this value may be overwritten by user specific setup (each user can set his own clicktodial url)
-ExternalModule=External module - Installed into directory %s
-BarcodeInitForThirdparties=Mass barcode init for thirdparties
-BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services
-CurrentlyNWithoutBarCode=Currently, you have <strong>%s</strong> records on <strong>%s</strong> %s without barcode defined.
-InitEmptyBarCode=Init value for next %s empty records
-EraseAllCurrentBarCode=Erase all current barcode values
-ConfirmEraseAllCurrentBarCode=Are you sure you want to erase all current barcode values ?
-AllBarcodeReset=All barcode values have been removed
-NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
-NoRecordWithoutBarcodeDefined=No record with no barcode value defined.
-
-# Modules
-Module0Name=Users & groups
-Module0Desc=Users and groups management
-Module1Name=Third parties
-Module1Desc=Companies and contact management (customers, prospects...)
-Module2Name=Commercial
-Module2Desc=Commercial management
-Module10Name=Accounting
-Module10Desc=Simple accounting reports (journals, turnover) based onto database content. No dispatching.
-Module20Name=Proposals
-Module20Desc=Commercial proposal management
-Module22Name=Mass E-mailings
-Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
-Module25Name=Customer Orders
-Module25Desc=Customer order management
-Module30Name=Invoices
-Module30Desc=Invoice and credit note management for customers. Invoice management for suppliers
-Module40Name=Suppliers
-Module40Desc=Supplier management and buying (orders and invoices)
-Module42Name=Logs
-Module42Desc=Logging facilities (file, syslog, ...)
-Module49Name=Editors
-Module49Desc=Editor management
-Module50Name=Products
-Module50Desc=Product management
-Module51Name=Mass mailings
-Module51Desc=Mass paper mailing management
-Module52Name=Stocks
-Module52Desc=Stock management (products)
-Module53Name=Services
-Module53Desc=Service management
-Module54Name=Contracts/Subscriptions
-Module54Desc=Management of contracts (services or reccuring subscriptions)
-Module55Name=Barcodes
-Module55Desc=Barcode management
-Module56Name=Telephony
-Module56Desc=Telephony integration
-Module57Name=Standing orders
-Module57Desc=Standing orders and withdrawal management. Also includes generation of SEPA file for european countries.
-Module58Name=ClickToDial
-Module58Desc=Integration of a ClickToDial system (Asterisk, ...)
-Module59Name=Bookmark4u
-Module59Desc=Add function to generate Bookmark4u account from a Dolibarr account
-Module70Name=Interventions
-Module70Desc=Intervention management
-Module75Name=Expense and trip notes
-Module75Desc=Expense and trip notes management
-Module80Name=Shipments
-Module80Desc=Shipments and delivery order management
-Module85Name=Banks and cash
-Module85Desc=Management of bank or cash accounts
-Module100Name=External site
-Module100Desc=This module include an external web site or page into Dolibarr menus and view it into a Dolibarr frame
-Module105Name=Mailman and SPIP
-Module105Desc=Mailman or SPIP interface for member module
-Module200Name=LDAP
-Module200Desc=LDAP directory synchronisation
-Module210Name=PostNuke
-Module210Desc=PostNuke integration
-Module240Name=Data exports
-Module240Desc=Tool to export Dolibarr datas (with assistants)
-Module250Name=Data imports
-Module250Desc=Tool to import datas in Dolibarr  (with assistants)
-Module310Name=Members
-Module310Desc=Foundation members management
-Module320Name=RSS Feed
-Module320Desc=Add RSS feed inside Dolibarr screen pages
-Module330Name=Bookmarks
-Module330Desc=Bookmark management
-Module400Name=Projects/Opportunities/Leads
-Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view.
-Module410Name=Webcalendar
-Module410Desc=Webcalendar integration
-Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
-Module510Name=Salaries
-Module510Desc=Management of employees salaries and payments
-Module520Name=Loan
-Module520Desc=Management of loans
-Module600Name=Notifications
-Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
-Module700Name=Donations
-Module700Desc=Donation management
-Module770Name=Expense Report
-Module770Desc=Management and claim expense reports (transportation, meal, ...)
-Module1120Name=Supplier commercial proposal
-Module1120Desc=Request supplier commercial proposal and prices
-Module1200Name=Mantis
-Module1200Desc=Mantis integration
-Module1400Name=Accounting
-Module1400Desc=Accounting management (double parties)
-Module1520Name=Document Generation
-Module1520Desc=Mass mail document generation
-Module1780Name=Tags/Categories
-Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members)
-Module2000Name=WYSIWYG editor
-Module2000Desc=Allow to edit some text area using an advanced editor
-Module2200Name=Dynamic Prices
-Module2200Desc=Enable the usage of math expressions for prices
-Module2300Name=Cron
-Module2300Desc=Scheduled job management
-Module2400Name=Agenda
-Module2400Desc=Events/tasks and agenda management
-Module2500Name=Electronic Content Management
-Module2500Desc=Save and share documents
-Module2600Name=API services (Web services SOAP)
-Module2600Desc=Enable the Dolibarr SOAP server providing API services
-Module2610Name=API services (Web services REST)
-Module2610Desc=Enable the Dolibarr REST server providing API services
-Module2650Name=WebServices (client)
-Module2650Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Supplier orders supported only for the moment)
-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
-Module5000Name=Multi-company
-Module5000Desc=Allows you to manage multiple companies
-Module6000Name=Workflow
-Module6000Desc=Workflow management
-Module20000Name=Leave Requests management
-Module20000Desc=Declare and follow employees leaves requests
-Module39000Name=Product lot
-Module39000Desc=Lot or serial number, eat-by and sell-by date management on products
-Module50000Name=PayBox
-Module50000Desc=Module to offer an online payment page by credit card with PayBox
-Module50100Name=Point of sales
-Module50100Desc=Point of sales module
-Module50200Name=Paypal
-Module50200Desc=Module to offer an online payment page by credit card with Paypal
-Module50400Name=Accounting (advanced)
-Module50400Desc=Accounting management (double parties)
-Module54000Name=PrintIPP
-Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installe on server).
-Module55000Name=Open Poll
-Module55000Desc=Module to make online polls (like Doodle, Studs, Rdvz, ...)
-Module59000Name=Margins
-Module59000Desc=Module to manage margins
-Module60000Name=Commissions
-Module60000Desc=Module to manage commissions
-Permission11=Read customer invoices
-Permission12=Create/modify customer invoices
-Permission13=Unvalidate customer invoices
-Permission14=Validate customer invoices
-Permission15=Send customer invoices by email
-Permission16=Create payments for customer invoices
-Permission19=Delete customer invoices
-Permission21=Read commercial proposals
-Permission22=Create/modify commercial proposals
-Permission24=Validate commercial proposals
-Permission25=Send commercial proposals
-Permission26=Close commercial proposals
-Permission27=Delete commercial proposals
-Permission28=Export commercial proposals
-Permission31=Read products
-Permission32=Create/modify products
-Permission34=Delete products
-Permission36=See/manage hidden products
-Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
-Permission42=Create/modify projects (shared project and projects i'm contact for)
-Permission44=Delete projects (shared project and projects i'm contact for)
-Permission61=Read interventions
-Permission62=Create/modify interventions
-Permission64=Delete interventions
-Permission67=Export interventions
-Permission71=Read members
-Permission72=Create/modify members
-Permission74=Delete members
-Permission75=Setup types of membership
-Permission76=Export datas
-Permission78=Read subscriptions
-Permission79=Create/modify subscriptions
-Permission81=Read customers orders
-Permission82=Create/modify customers orders
-Permission84=Validate customers orders
-Permission86=Send customers orders
-Permission87=Close customers orders
-Permission88=Cancel customers orders
-Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
-Permission95=Read reports
-Permission101=Read sendings
-Permission102=Create/modify sendings
-Permission104=Validate sendings
-Permission106=Export sendings
-Permission109=Delete sendings
-Permission111=Read financial accounts
-Permission112=Create/modify/delete and compare transactions
-Permission113=Setup financial accounts (create, manage categories)
-Permission114=Reconciliate transactions
-Permission115=Export transactions and account statements
-Permission116=Transfers between accounts
-Permission117=Manage cheques dispatching
-Permission121=Read third parties linked to user
-Permission122=Create/modify third parties linked to user
-Permission125=Delete third parties linked to user
-Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
-Permission146=Read providers
-Permission147=Read stats
-Permission151=Read standing orders
-Permission152=Create/modify a standing orders request
-Permission153=Transmission standing orders receipts
-Permission154=Credit/refuse standing orders receipts
-Permission161=Read contracts/subscriptions
-Permission162=Create/modify contracts/subscriptions
-Permission163=Activate a service/subscription of a contract
-Permission164=Disable a service/subscription of a contract
-Permission165=Delete contracts/subscriptions
-Permission171=Read trips and expenses (own and his subordinates)
-Permission172=Create/modify trips and expenses
-Permission173=Delete trips and expenses
-Permission174=Read all trips and expenses
-Permission178=Export trips and expenses
-Permission180=Read suppliers
-Permission181=Read supplier orders
-Permission182=Create/modify supplier orders
-Permission183=Validate supplier orders
-Permission184=Approve supplier orders
-Permission185=Order or cancel supplier orders
-Permission186=Receive supplier orders
-Permission187=Close supplier orders
-Permission188=Cancel supplier orders
-Permission192=Create lines
-Permission193=Cancel lines
-Permission194=Read the bandwith lines
-Permission202=Create ADSL connections
-Permission203=Order connections orders
-Permission204=Order connections
-Permission205=Manage connections
-Permission206=Read connections
-Permission211=Read Telephony
-Permission212=Order lines
-Permission213=Activate line
-Permission214=Setup Telephony
-Permission215=Setup providers
-Permission221=Read emailings
-Permission222=Create/modify emailings (topic, recipients...)
-Permission223=Validate emailings (allows sending)
-Permission229=Delete emailings
-Permission237=View recipients and info
-Permission238=Manually send mailings
-Permission239=Delete mailings after validation or sent
-Permission241=Read categories
-Permission242=Create/modify categories
-Permission243=Delete categories
-Permission244=See the contents of the hidden categories
-Permission251=Read other users and groups
-PermissionAdvanced251=Read other users
-Permission252=Read permissions of other users
-Permission253=Create/modify other users, groups and permisssions
-PermissionAdvanced253=Create/modify internal/external users and permissions
-Permission254=Create/modify external users only
-Permission255=Modify other users password
-Permission256=Delete or disable other users
-Permission262=Extend access to all third parties (not only those linked to user). Not effective for external users (always limited to themselves).
-Permission271=Read CA
-Permission272=Read invoices
-Permission273=Issue invoices
-Permission281=Read contacts
-Permission282=Create/modify contacts
-Permission283=Delete contacts
-Permission286=Export contacts
-Permission291=Read tariffs
-Permission292=Set permissions on the tariffs
-Permission293=Modify costumers tariffs
-Permission300=Read bar codes
-Permission301=Create/modify bar codes
-Permission302=Delete bar codes
-Permission311=Read services
-Permission312=Assign service/subscription to contract
-Permission331=Read bookmarks
-Permission332=Create/modify bookmarks
-Permission333=Delete bookmarks
-Permission341=Read its own permissions
-Permission342=Create/modify his own user information
-Permission343=Modify his own password
-Permission344=Modify its own permissions
-Permission351=Read groups
-Permission352=Read groups permissions
-Permission353=Create/modify groups
-Permission354=Delete or disable groups
-Permission358=Export users
-Permission401=Read discounts
-Permission402=Create/modify discounts
-Permission403=Validate discounts
-Permission404=Delete discounts
-Permission510=Read Salaries
-Permission512=Create/modify salaries
-Permission514=Delete salaries
-Permission517=Export salaries
-Permission520=Read Loans
-Permission522=Create/modify loans
-Permission524=Delete loans
-Permission525=Access loan calculator
-Permission527=Export loans
-Permission531=Read services
-Permission532=Create/modify services
-Permission534=Delete services
-Permission536=See/manage hidden services
-Permission538=Export services
-Permission701=Read donations
-Permission702=Create/modify donations
-Permission703=Delete donations
-Permission771=Read expense reports (own and his subordinates)
-Permission772=Create/modify expense reports
-Permission773=Delete expense reports
-Permission774=Read all expense reports (even for user not subordinates)
-Permission775=Approve expense reports
-Permission776=Pay expense reports
-Permission779=Export expense reports
-Permission1001=Read stocks
-Permission1002=Create/modify warehouses
-Permission1003=Delete warehouses
-Permission1004=Read stock movements
-Permission1005=Create/modify stock movements
-Permission1101=Read delivery orders
-Permission1102=Create/modify delivery orders
-Permission1104=Validate delivery orders
-Permission1109=Delete delivery orders
-Permission1181=Read suppliers
-Permission1182=Read supplier orders
-Permission1183=Create/modify supplier orders
-Permission1184=Validate supplier orders
-Permission1185=Approve supplier orders
-Permission1186=Order supplier orders
-Permission1187=Acknowledge receipt of supplier orders
-Permission1188=Delete supplier orders
-Permission1190=Approve (second approval) supplier orders
-Permission1201=Get result of an export
-Permission1202=Create/Modify an export
-Permission1231=Read supplier invoices
-Permission1232=Create/modify supplier invoices
-Permission1233=Validate supplier invoices
-Permission1234=Delete supplier invoices
-Permission1235=Send supplier invoices by email
-Permission1236=Export supplier invoices, attributes and payments
-Permission1237=Export supplier orders and their details
-Permission1251=Run mass imports of external data into database (data load)
-Permission1321=Export customer invoices, attributes and payments
-Permission1421=Export customer orders and attributes
-Permission23001=Read Scheduled job
-Permission23002=Create/update Scheduled job
-Permission23003=Delete Scheduled job
-Permission23004=Execute Scheduled job
-Permission2401=Read actions (events or tasks) linked to his account
-Permission2402=Create/modify actions (events or tasks) linked to his account
-Permission2403=Delete actions (events or tasks) linked to his account
-Permission2411=Read actions (events or tasks) of others
-Permission2412=Create/modify actions (events or tasks) of others
-Permission2413=Delete actions (events or tasks) of others
-Permission2501=Read/Download documents
-Permission2502=Download documents
-Permission2503=Submit or delete documents
-Permission2515=Setup documents directories
-Permission2801=Use FTP client in read mode (browse and download only)
-Permission2802=Use FTP client in write mode (delete or upload files)
-Permission50101=Use Point of sales
-Permission50201=Read transactions
-Permission50202=Import transactions
-Permission54001=Print
-Permission55001=Read polls
-Permission55002=Create/modify polls
-Permission59001=Read commercial margins
-Permission59002=Define commercial margins
-Permission59003=Read every user margin
-DictionaryCompanyType=Thirdparties type
-DictionaryCompanyJuridicalType=Juridical kinds of thirdparties
-DictionaryProspectLevel=Prospect potential level
-DictionaryCanton=State/Cantons
-DictionaryRegion=Regions
-DictionaryCountry=Countries
-DictionaryCurrency=Currencies
-DictionaryCivility=Civility title
-DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
-DictionaryVAT=VAT Rates or Sales Tax Rates
-DictionaryRevenueStamp=Amount of revenue stamps
-DictionaryPaymentConditions=Payment terms
-DictionaryPaymentModes=Payment modes
-DictionaryTypeContact=Contact/Address types
-DictionaryEcotaxe=Ecotax (WEEE)
-DictionaryPaperFormat=Paper formats
-DictionaryFees=Type of fees
-DictionarySendingMethods=Shipping methods
-DictionaryStaff=Staff
-DictionaryAvailability=Delivery delay
-DictionaryOrderMethods=Ordering methods
-DictionarySource=Origin of proposals/orders
-DictionaryAccountancyplan=Chart of accounts
-DictionaryAccountancysystem=Models for chart of accounts
-DictionaryEMailTemplates=Emails templates
-DictionaryUnits=Units
-DictionaryProspectStatus=Prospection status
-SetupSaved=Setup saved
-BackToModuleList=Back to modules list
-BackToDictionaryList=Back to dictionaries list
-VATReceivedOnly=Special rate not charged
-VATManagement=VAT Management
-VATIsUsedDesc=The VAT rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If the seller is not subjected to VAT, then VAT by default=0. End of rule.<br>If the (selling country= buying country), then the VAT by default=VAT of the product in the selling country. End of rule. <br>If seller and buyer in the European Community and goods are transport products (car, ship, plane), the default VAT=0 ( The VAT should be paid by the buyer at the customoffice of his country and not at the seller). End of rule.<br>If seller and buyer in the European Community and buyer is not a company, then the VAT by default=VAT of product sold.  End of rule.<br>If seller and buyer in the European Community and buyer is a company, then the VAT by default=0. End of rule.<br>Else the proposed default VAT=0. End of rule.
-VATIsNotUsedDesc=By default the proposed VAT is 0 which can be used for cases like associations, individuals ou small companies.
-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 #####
-LTRate=Rate
-LocalTax1IsUsed=Use second tax
-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)
-LocalTax1Management=Second type of tax
-LocalTax1IsUsedExample=
-LocalTax1IsNotUsedExample=
-LocalTax2IsUsed=Use third tax
-LocalTax2IsNotUsed=Do not use third tax
-LocalTax2IsUsedDesc=Use a third type of tax (other than VAT)
-LocalTax2IsNotUsedDesc=Do not use other type of tax (other than VAT)
-LocalTax2Management=Third type of tax
-LocalTax2IsUsedExample=
-LocalTax2IsNotUsedExample=
-LocalTax1ManagementES= RE Management
-LocalTax1IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If te buyer is not subjected to RE, RE by default=0. End of rule.<br>If the buyer is subjected to RE then the RE by default. End of rule.<br>
-LocalTax1IsNotUsedDescES= By default the proposed RE is 0. End of rule.
-LocalTax1IsUsedExampleES= In Spain they are professionals subject to some specific sections of the Spanish IAE.
-LocalTax1IsNotUsedExampleES= In Spain they are professional and societies and subject to certain sections of the Spanish IAE.
-LocalTax2ManagementES= IRPF Management
-LocalTax2IsUsedDescES= The RE rate by default when creating prospects, invoices, orders etc follow the active standard rule:<br>If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.<br>If the seller is subjected to IRPF then the IRPF by default. End of rule.<br>
-LocalTax2IsNotUsedDescES= By default the proposed IRPF is 0. End of rule.
-LocalTax2IsUsedExampleES= In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules.
-LocalTax2IsNotUsedExampleES= In Spain they are bussines not subject to tax system of modules.
-CalcLocaltax=Reports on local taxes
-CalcLocaltax1=Sales - Purchases
-CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases
-CalcLocaltax2=Purchases
-CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases
-CalcLocaltax3=Sales
-CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales
-LabelUsedByDefault=Label used by default if no translation can be found for code
-LabelOnDocuments=Label on documents
-NbOfDays=Nb of days
-AtEndOfMonth=At end of month
-Offset=Offset
-AlwaysActive=Always active
-UpdateRequired=Your system needs to be updated. To do this, click on <a href="%s">Update now</a>.
-Upgrade=Upgrade
-MenuUpgrade=Upgrade / Extend
-AddExtensionThemeModuleOrOther=Add extension (theme, module, ...)
-WebServer=Web server
-DocumentRootServer=Web server's root directory
-DataRootServer=Data files directory
-IP=IP
-Port=Port
-VirtualServerName=Virtual server name
-AllParameters=All parameters
-OS=OS
-PhpEnv=Env
-PhpModules=Modules
-PhpConf=Conf
-PhpWebLink=Web-Php link
-Pear=Pear
-PearPackages=Pear Packages
-Browser=Browser
-Server=Server
-Database=Database
-DatabaseServer=Database host
-DatabaseName=Database name
-DatabasePort=Database port
-DatabaseUser=Database user
-DatabasePassword=Database password
-DatabaseConfiguration=Database setup
-Tables=Tables
-TableName=Table name
-TableLineFormat=Line format
-NbOfRecord=Nb of records
-Constraints=Constraints
-ConstraintsType=Constraints type
-ConstraintsToShowOrNotEntry=Constraint to show or not the menu entry
-AllMustBeOk=All of these must be checked
-Host=Server
-DriverType=Driver type
-SummarySystem=System information summary
-SummaryConst=List of all Dolibarr setup parameters
-SystemUpdate=System update
-SystemSuccessfulyUpdate=Your system has been updated successfuly
-MenuCompanySetup=Company/Foundation
-MenuNewUser=New user
-MenuTopManager=Top menu manager
-MenuLeftManager=Left menu manager
-MenuManager=Menu manager
-MenuSmartphoneManager=Smartphone menu manager
-DefaultMenuTopManager=Top menu manager
-DefaultMenuLeftManager=Left menu manager
-DefaultMenuManager= Standard menu manager
-DefaultMenuSmartphoneManager=Smartphone menu manager
-Skin=Skin theme
-DefaultSkin=Default skin theme
-MaxSizeList=Max length for list
-DefaultMaxSizeList=Default max length for list
-MessageOfDay=Message of the day
-MessageLogin=Login page message
-PermanentLeftSearchForm=Permanent search form on left menu
-DefaultLanguage=Default language to use (language code)
-EnableMultilangInterface=Enable multilingual interface
-EnableShowLogo=Show logo on left menu
-EnableHtml5=Enable Html5 (Developement - Only available on Eldy template)
-SystemSuccessfulyUpdated=Your system has been updated successfully
-CompanyInfo=Company/foundation information
-CompanyIds=Company/foundation identities
-CompanyName=Name
-CompanyAddress=Address
-CompanyZip=Zip
-CompanyTown=Town
-CompanyCountry=Country
-CompanyCurrency=Main currency
-CompanyObject=Object of the company
-Logo=Logo
-DoNotShow=Do not show
-DoNotSuggestPaymentMode=Do not suggest
-NoActiveBankAccountDefined=No active bank account defined
-OwnerOfBankAccount=Owner of bank account %s
-BankModuleNotActive=Bank accounts module not enabled
-ShowBugTrackLink=Show link "<strong>%s</strong>"
-ShowWorkBoard=Show "workbench" on homepage
-Alerts=Alerts
-Delays=Delays
-DelayBeforeWarning=Delay before warning
-DelaysBeforeWarning=Delays before warning
-DelaysOfToleranceBeforeWarning=Tolerance delays before warning
-DelaysOfToleranceDesc=This screen allows you to define the tolerated delays before an alert is reported on screen with picto %s for each late element.
-Delays_MAIN_DELAY_ACTIONS_TODO=Delay tolerance (in days) before alert on planned events not yet realised
-Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on orders not yet processed
-Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Delay tolerance (in days) before alert on suppliers orders not yet processed
-Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Delay tolerance (in days) before alert on proposals to close
-Delays_MAIN_DELAY_PROPALS_TO_BILL=Delay tolerance (in days) before alert on proposals not billed
-Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Tolerance delay (in days) before alert on services to activate
-Delays_MAIN_DELAY_RUNNING_SERVICES=Tolerance delay (in days) before alert on expired services
-Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Tolerance delay (in days) before alert on unpaid supplier invoices
-Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Tolerence delay (in days) before alert on unpaid client invoices
-Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Tolerance delay (in days) before alert on pending bank reconciliation
-Delays_MAIN_DELAY_MEMBERS=Tolerance delay (in days) before alert on delayed membership fee
-Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tolerance delay (in days) before alert for cheques deposit to do
-SetupDescription1=All parameters available in the setup area allow you to setup Dolibarr before starting using it.
-SetupDescription2=The 2 most important setup steps are the 2 first ones in the left setup menu, this means Company/foundation setup page and Modules setup page:
-SetupDescription3=Parameters in menu <a href="%s">Setup -> Company/foundation</a> are required because input information is used on Dolibarr displays and to modify Dolibarr behaviour (for example for features related to your country).
-SetupDescription4=Parameters in menu <a href="%s">Setup -> Modules</a> are required because Dolibarr is not a fixed ERP/CRM but a sum of several modules, all more or less independant. It's only after activating modules you're interesting in that you will see features appeared in menus.
-SetupDescription5=Other menu entries manage optional parameters.
-EventsSetup=Setup for events logs
-LogEvents=Security audit events
-Audit=Audit
-InfoDolibarr=Infos Dolibarr
-InfoBrowser=Infos Browser
-InfoOS=Infos OS
-InfoWebServer=Infos web server
-InfoDatabase=Infos database
-InfoPHP=Infos PHP
-InfoPerf=Infos performances
-BrowserName=Browser name
-BrowserOS=Browser OS
-ListEvents=Audit events
-ListOfSecurityEvents=List of Dolibarr security events
-SecurityEventsPurged=Security events purged
-LogEventDesc=You can enable here the logging for Dolibarr security events. Administrators can then see its content via menu <b>System tools - Audit</b>. Warning, this feature can consume a large amount of data in database.
-AreaForAdminOnly=Those features can be used by <b>administrator users</b> only.
-SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only.
-SystemAreaForAdminOnly=This area is available for administrator users only. None of the Dolibarr permissions can reduce this limit.
-CompanyFundationDesc=Edit on this page all known information of the company or foundation you need to manage (For this, click on "Modify" button at bottom of page)
-DisplayDesc=You can choose each parameter related to the Dolibarr look and feel here
-AvailableModules=Available modules
-ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules).
-SessionTimeOut=Time out for session
-SessionExplanation=This number guarantee that session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guaranty that session will expire just after this delay. It will expire, after this delay, and when the session cleaner is ran, so every <b>%s/%s</b> access, but only during access made by other sessions.<br>Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by the default <strong>session.gc_maxlifetime</strong>, no matter what the value entered here.
-TriggersAvailable=Available triggers
-TriggersDesc=Triggers are files that will modify the behaviour of Dolibarr workflow once copied into the directory <b>htdocs/core/triggers</b>. They realised new actions, activated on Dolibarr events (new company creation, invoice validation, ...).
-TriggerDisabledByName=Triggers in this file are disabled by the <b>-NORUN</b> suffix in their name.
-TriggerDisabledAsModuleDisabled=Triggers in this file are disabled as module <b>%s</b> is disabled.
-TriggerAlwaysActive=Triggers in this file are always active, whatever are the activated Dolibarr modules.
-TriggerActiveAsModuleActive=Triggers in this file are active as module <b>%s</b> is enabled.
-GeneratedPasswordDesc=Define here which rule you want to use to generate new password if you ask to have auto generated password
-DictionaryDesc=Define here all reference datas. You can complete predefined value with yours.
-ConstDesc=This page allows you to edit all other parameters not available in previous pages. They are reserved parameters for advanced developers or for troubleshouting.
-OnceSetupFinishedCreateUsers=Warning, you are a Dolibarr administrator user. Administrator users are used to setup Dolibarr. For a usual usage of Dolibarr, it is recommended to use a non administrator user created from Users & Groups menu.
-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_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=Step of rounding range (for countries where rounding is done on something else than base 10. For example, put 0.05 if rounding is done by 0.05 steps)
-UnitPriceOfProduct=Net unit price of a product
-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.
-NoEventFoundWithCriteria=No security event has been found for such search criterias.
-SeeLocalSendMailSetup=See your local sendmail setup
-BackupDesc=To make a complete backup of Dolibarr, you must:
-BackupDesc2=Save content of documents directory (<b>%s</b>) that contains all uploaded and generated files (you can make a zip for example).
-BackupDesc3=Save content of your database (<b>%s</b>) into a dump file. For this, you can use following assistant.
-BackupDescX=Archived directory should be stored in a secure place.
-BackupDescY=The generated dump file should be stored in a secure place.
-BackupPHPWarning=Backup can't be guaranted with this method. Prefer previous one
-RestoreDesc=To restore a Dolibarr backup, you must:
-RestoreDesc2=Restore archive file (zip file for example) of documents directory to extract tree of files in documents directory of a new Dolibarr installation or into this current documents directoy (<b>%s</b>).
-RestoreDesc3=Restore the data, from a backup dump file, into the database of the new Dolibarr installation or into the database of this current installation (<b>%s</b>). Warning, once restore is finished, you must use a login/password, that existed when backup was made, to connect again. To restore a backup database into this current installation, you can follow this assistant.
-RestoreMySQL=MySQL import
-ForcedToByAModule= This rule is forced to <b>%s</b> by an activated module
-PreviousDumpFiles=Available database backup dump files
-WeekStartOnDay=First day of week
-RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Programs version %s differs from database version %s)
-YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user <b>%s</b> or you must add -W option at end of command line to provide <b>%s</b> password.
-YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP
-DownloadMoreSkins=More skins to download
-SimpleNumRefModelDesc=Returns the reference number with format %syymm-nnnn where yy is year, mm is month and nnnn is a sequence without hole and with no reset
-ShowProfIdInAddress=Show professionnal id with addresses on documents
-ShowVATIntaInAddress=Hide VAT Intra num with addresses on documents
-TranslationUncomplete=Partial translation
-SomeTranslationAreUncomplete=Some languages may be partially translated or may contains errors. If you detect some, you can fix language files registering to <a href="http://transifex.com/projects/p/dolibarr/" target="_blank">http://transifex.com/projects/p/dolibarr/</a>.
-MenuUseLayout=Make vertical menu hidable (option javascript must not be disabled)
-MAIN_DISABLE_METEO=Disable meteo view
-TestLoginToAPI=Test login to API
-ProxyDesc=Some features of Dolibarr need to have an Internet access to work. Define here parameters for this. If the Dolibarr server is behind a Proxy server, those parameters tells Dolibarr how to access Internet through it.
-ExternalAccess=External access
-MAIN_PROXY_USE=Use a proxy server (otherwise direct access to internet)
-MAIN_PROXY_HOST=Name/Address of proxy server
-MAIN_PROXY_PORT=Port of proxy server
-MAIN_PROXY_USER=Login to use the proxy server
-MAIN_PROXY_PASS=Password to use the proxy server
-DefineHereComplementaryAttributes=Define here all attributes, not already available by default, and that you want to be supported for %s.
-ExtraFields=Complementary attributes
-ExtraFieldsLines=Complementary attributes (lines)
-ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines)
-ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines)
-ExtraFieldsThirdParties=Complementary attributes (thirdparty)
-ExtraFieldsContacts=Complementary attributes (contact/address)
-ExtraFieldsMember=Complementary attributes (member)
-ExtraFieldsMemberType=Complementary attributes (member type)
-ExtraFieldsCustomerOrders=Complementary attributes (orders)
-ExtraFieldsCustomerInvoices=Complementary attributes (invoices)
-ExtraFieldsSupplierOrders=Complementary attributes (orders)
-ExtraFieldsSupplierInvoices=Complementary attributes (invoices)
-ExtraFieldsProject=Complementary attributes (projects)
-ExtraFieldsProjectTask=Complementary attributes (tasks)
-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
-SendmailOptionNotComplete=Warning, on some Linux systems, to send email from your email, sendmail execution setup must contains option -ba (parameter mail.force_extra_parameters into your php.ini file). If some recipients never receive emails, try to edit this PHP parameter with mail.force_extra_parameters = -ba).
-PathToDocuments=Path to documents
-PathDirectory=Directory
-SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might be not correctly parsed by some receiving mail servers. Result is that some mails can't be read by people hosted by those bugged platforms. It's case for some Internet providers (Ex: Orange in France). This is not a problem into Dolibarr nor into PHP but onto receiving mail server. You can however add option MAIN_FIX_FOR_BUGGED_MTA to 1 into setup - other to modify Dolibarr to avoid this. However, you may experience problem with other servers that respect strictly the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" that has no disadvantages.
-TranslationSetup=Configuration de la traduction
-TranslationDesc=Choice of language visible on screen can be modified:<br>* Globally from menu <strong>Home - Setup - Display</strong><br>* For user only from tab <strong>User display</strong> of user card (click on login on top of screen).
-TotalNumberOfActivatedModules=Total number of activated feature modules: <b>%s</b>
-YouMustEnableOneModule=You must at least enable 1 module
-ClassNotFoundIntoPathWarning=Class %s not found into PHP path
-YesInSummer=Yes in summer
-OnlyFollowingModulesAreOpenedToExternalUsers=Note, only following modules are open to external users (whatever are permission of such users):
-SuhosinSessionEncrypt=Session storage encrypted by Suhosin
-ConditionIsCurrently=Condition is currently %s
-YouUseBestDriver=You use driver %s that is best driver available currently.
-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 is loaded.
-XCacheInstalled=XCache is loaded.
-AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink. Third parties will appears with name "CC12345 - SC45678 - The big company coorp", instead of "The big company coorp".
-FieldEdition=Edition of field %s
-FixTZ=TimeZone fix
-FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced)
-GetBarCode=Get barcode
-EmptyNumRefModelDesc=The code is free. This code can be modified at any time.
-##### Module password generation
-PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase.
-PasswordGenerationNone=Do not suggest any generated password. Password must be type in manually.
-##### Users setup #####
-UserGroupSetup=Users and groups module setup
-GeneratePassword=Suggest a generated password
-RuleForGeneratedPasswords=Rule to generate suggested passwords or validate passwords
-DoNotSuggest=Do not suggest any password
-EncryptedPasswordInDatabase=To allow the encryption of the passwords in the database
-DisableForgetPasswordLinkOnLogonPage=Do not show the link "Forget password" on login page
-UsersSetup=Users module setup
-UserMailRequired=EMail required to create a new user
-##### Company setup #####
-CompanySetup=Companies module setup
-CompanyCodeChecker=Module for third parties code generation and checking (customer or supplier)
-AccountCodeManager=Module for accountancy code generation (customer or supplier)
-ModuleCompanyCodeAquarium=Return an accountancy code built by:<br>%s followed by third party supplier code for a supplier accountancy code,<br>%s followed by third party customer code for a customer accountancy code.
-ModuleCompanyCodePanicum=Return an empty accountancy code.
-ModuleCompanyCodeDigitaria=Accountancy code depends on third party code. The code is composed of the character "C" in the first position followed by the first 5 characters of the third party code.
-UseNotifications=Use notifications
-NotificationsDesc=EMails notifications feature allows you to silently send automatic mail, for some Dolibarr events. Targets of notifications can be defined:<br>* per third parties contacts (customers or suppliers), one contact at time.<br>* or by setting global target email addresses in module setup page.
-ModelModules=Documents templates
-DocumentModelOdt=Generate documents from OpenDocuments templates (.ODT or .ODS files for OpenOffice, KOffice, TextEdit,...)
-WatermarkOnDraft=Watermark on draft document
-JSOnPaimentBill=Activate feature to autofill payment lines on payment form
-CompanyIdProfChecker=Rules on Professional Ids
-MustBeUnique=Must be unique ?
-MustBeMandatory=Mandatory to create third parties ?
-MustBeInvoiceMandatory=Mandatory to validate invoices ?
-Miscellaneous=Miscellaneous
-##### Webcal setup #####
-WebCalSetup=Webcalendar link setup
-WebCalSyncro=Add Dolibarr events to WebCalendar
-WebCalAllways=Always, no asking
-WebCalYesByDefault=On demand (yes by default)
-WebCalNoByDefault=On demand (no by default)
-WebCalNever=Never
-WebCalURL=URL for calendar access
-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' 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.
-WebCalAddEventOnCreateActions=Add calendar event on actions create
-WebCalAddEventOnCreateCompany=Add calendar event on companies create
-WebCalAddEventOnStatusPropal=Add calendar event on commercial proposals status change
-WebCalAddEventOnStatusContract=Add calendar event on contracts status change
-WebCalAddEventOnStatusBill=Add calendar event on bills status change
-WebCalAddEventOnStatusMember=Add calendar event on members status change
-WebCalUrlForVCalExport=An export link to <b>%s</b> format is available at following link: %s
-WebCalCheckWebcalSetup=Maybe the Webcal module setup is not correct.
-##### Invoices #####
-BillsSetup=Invoices module setup
-BillsDate=Invoices date
-BillsNumberingModule=Invoices and credit notes numbering model
-BillsPDFModules=Invoice documents models
-CreditNoteSetup=Credit note module setup
-CreditNotePDFModules=Credit note document models
-CreditNote=Credit note
-CreditNotes=Credit notes
-ForceInvoiceDate=Force invoice date to validation date
-DisableRepeatable=Disable repeatable invoices
-SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined for invoice
-EnableEditDeleteValidInvoice=Enable the possibility to edit/delete valid invoice with no payment
-SuggestPaymentByRIBOnAccount=Suggest payment by withdraw on account
-SuggestPaymentByChequeToAddress=Suggest payment by cheque to
-FreeLegalTextOnInvoices=Free text on invoices
-WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty)
-##### Proposals #####
-PropalSetup=Commercial proposals module setup
-CreateForm=Create forms
-NumberOfProductLines=Number of product lines
-ProposalsNumberingModules=Commercial proposal numbering models
-ProposalsPDFModules=Commercial proposal documents models
-ClassifiedInvoiced=Classified invoiced
-HideTreadedPropal=Hide the treated commercial proposals in the list
-AddShippingDateAbility=Add shipping date ability
-AddDeliveryAddressAbility=Add delivery date ability
-UseOptionLineIfNoQuantity=A line of product/service with a zero amount is considered as an option
-FreeLegalTextOnProposal=Free text on commercial proposals
-WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty)
-BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal
-##### AskPriceSupplier #####
-AskPriceSupplierSetup=Price requests suppliers module setup
-AskPriceSupplierNumberingModules=Price requests suppliers numbering models
-AskPriceSupplierPDFModules=Price requests suppliers documents models
-FreeLegalTextOnAskPriceSupplier=Free text on price requests suppliers
-WatermarkOnDraftAskPriceSupplier=Watermark on draft price requests suppliers (none if empty)
-BANK_ASK_PAYMENT_BANK_DURING_ASKPRICESUPPLIER=Ask for bank account destination of price request
-##### Orders #####
-OrdersSetup=Order management setup
-OrdersNumberingModules=Orders numbering models
-OrdersModelModule=Order documents models
-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)
-ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable
-BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order
-##### Clicktodial #####
-ClickToDialSetup=Click To Dial module setup
-ClickToDialUrlDesc=Url called when a click on phone picto is done.  In URL, you can use tags<br><b>__PHONETO__</b> that will be replaced with the phone number of person to call<br><b>__PHONEFROM__</b> that will be replaced with phone number of calling person (yours)<br><b>__LOGIN__</b> that will be replaced with your clicktodial login (defined on your user card)<br><b>__PASS__</b> that will be replaced with your clicktodial password (defined on your user card).
-##### Bookmark4u #####
-Bookmark4uSetup=Bookmark4u module setup
-##### Interventions #####
-InterventionsSetup=Interventions module setup
-FreeLegalTextOnInterventions=Free text on intervention documents
-FicheinterNumberingModules=Intervention numbering models
-TemplatePDFInterventions=Intervention card documents models
-WatermarkOnDraftInterventionCards=Watermark on intervention card documents (none if empty)
-##### Contracts #####
-ContractsSetup=Contracts/Subscriptions module setup
-ContractsNumberingModules=Contracts numbering modules
-TemplatePDFContracts=Contracts documents models
-FreeLegalTextOnContracts=Free text on contracts
-WatermarkOnDraftContractCards=Watermark on draft contracts (none if empty)
-##### Members #####
-MembersSetup=Members module setup
-MemberMainOptions=Main options
-AddSubscriptionIntoAccount=Suggest by default to create a bank transaction, in bank module, when adding a new payed subscription
-AdherentLoginRequired= Manage a Login for each member
-AdherentMailRequired=EMail required to create a new member
-MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default
-##### LDAP setup #####
-LDAPSetup=LDAP Setup
-LDAPGlobalParameters=Global parameters
-LDAPUsersSynchro=Users
-LDAPGroupsSynchro=Groups
-LDAPContactsSynchro=Contacts
-LDAPMembersSynchro=Members
-LDAPSynchronization=LDAP synchronisation
-LDAPFunctionsNotAvailableOnPHP=LDAP functions are not available on your PHP
-LDAPToDolibarr=LDAP -> Dolibarr
-DolibarrToLDAP=Dolibarr -> LDAP
-LDAPNamingAttribute=Key in LDAP
-LDAPSynchronizeUsers=Organization of users in LDAP
-LDAPSynchronizeGroups=Organization of groups in LDAP
-LDAPSynchronizeContacts=Organization of contacts in LDAP
-LDAPSynchronizeMembers=Organization of foundation's members in LDAP
-LDAPTypeExample=OpenLdap, Egroupware or Active Directory
-LDAPPrimaryServer=Primary server
-LDAPSecondaryServer=Secondary server
-LDAPServerPort=Server port
-LDAPServerPortExample=Default port : 389
-LDAPServerProtocolVersion=Protocol version
-LDAPServerUseTLS=Use TLS
-LDAPServerUseTLSExample=Your LDAP server use TLS
-LDAPServerDn=Server DN
-LDAPAdminDn=Administrator DN
-LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com)
-LDAPPassword=Administrator password
-LDAPUserDn=Users' DN
-LDAPUserDnExample=Complete DN (ex: ou=users,dc=example,dc=com)
-LDAPGroupDn=Groups' DN
-LDAPGroupDnExample=Complete DN (ex: ou=groups,dc=example,dc=com)
-LDAPServerExample=Server address (ex: localhost, 192.168.0.2, ldaps://ldap.example.com/)
-LDAPServerDnExample=Complete DN (ex: dc=example,dc=com)
-LDAPPasswordExample=Admin password
-LDAPDnSynchroActive=Users and groups synchronization
-LDAPDnSynchroActiveExample=LDAP to Dolibarr or Dolibarr to LDAP synchronization
-LDAPDnContactActive=Contacts' synchronization
-LDAPDnContactActiveYes=Activated synchronization
-LDAPDnContactActiveExample=Activated/Unactivated synchronization
-LDAPDnMemberActive=Members' synchronization
-LDAPDnMemberActiveExample=Activated/Unactivated synchronization
-LDAPContactDn=Dolibarr contacts' DN
-LDAPContactDnExample=Complete DN (ex: ou=contacts,dc=example,dc=com)
-LDAPMemberDn=Dolibarr members DN
-LDAPMemberDnExample=Complete DN (ex: ou=members,dc=example,dc=com)
-LDAPMemberObjectClassList=List of objectClass
-LDAPMemberObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPUserObjectClassList=List of objectClass
-LDAPUserObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPGroupObjectClassList=List of objectClass
-LDAPGroupObjectClassListExample=List of objectClass defining record attributes (ex: top,groupOfUniqueNames)
-LDAPContactObjectClassList=List of objectClass
-LDAPContactObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory)
-LDAPMemberTypeDn=Dolibarr members type DN
-LDAPMemberTypeDnExample=Complete DN (ex: ou=type_members,dc=example,dc=com)
-LDAPTestConnect=Test LDAP connection
-LDAPTestSynchroContact=Test contacts synchronization
-LDAPTestSynchroUser=Test user synchronization
-LDAPTestSynchroGroup=Test group synchronization
-LDAPTestSynchroMember=Test member synchronization
-LDAPTestSearch= Test a LDAP search
-LDAPSynchroOK=Synchronization test successful
-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 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 successful
-LDAPUnbindFailed=Disconnect failed
-LDAPConnectToDNSuccessfull=Connection to DN (%s) successful
-LDAPConnectToDNFailed=Connection to DN (%s) failed
-LDAPSetupForVersion3=LDAP server configured for version 3
-LDAPSetupForVersion2=LDAP server configured for version 2
-LDAPDolibarrMapping=Dolibarr Mapping
-LDAPLdapMapping=LDAP Mapping
-LDAPFieldLoginUnix=Login (unix)
-LDAPFieldLoginExample=Example : uid
-LDAPFilterConnection=Search filter
-LDAPFilterConnectionExample=Example : &(objectClass=inetOrgPerson)
-LDAPFieldLoginSamba=Login (samba, activedirectory)
-LDAPFieldLoginSambaExample=Example : samaccountname
-LDAPFieldFullname=Full name
-LDAPFieldFullnameExample=Example : cn
-LDAPFieldPassword=Password
-LDAPFieldPasswordNotCrypted=Password not crypted
-LDAPFieldPasswordCrypted=Password crypted
-LDAPFieldPasswordExample=Example : userPassword
-LDAPFieldCommonName=Common name
-LDAPFieldCommonNameExample=Example : cn
-LDAPFieldName=Name
-LDAPFieldNameExample=Example : sn
-LDAPFieldFirstName=First name
-LDAPFieldFirstNameExample=Example : givenName
-LDAPFieldMail=Email address
-LDAPFieldMailExample=Example : mail
-LDAPFieldPhone=Professional phone number
-LDAPFieldPhoneExample=Example : telephonenumber
-LDAPFieldHomePhone=Personal phone number
-LDAPFieldHomePhoneExample=Example : homephone
-LDAPFieldMobile=Cellular phone
-LDAPFieldMobileExample=Example : mobile
-LDAPFieldFax=Fax number
-LDAPFieldFaxExample=Example : facsimiletelephonenumber
-LDAPFieldAddress=Street
-LDAPFieldAddressExample=Example : street
-LDAPFieldZip=Zip
-LDAPFieldZipExample=Example : postalcode
-LDAPFieldTown=Town
-LDAPFieldTownExample=Example : l
-LDAPFieldCountry=Country
-LDAPFieldCountryExample=Example : c
-LDAPFieldDescription=Description
-LDAPFieldDescriptionExample=Example : description
-LDAPFieldNotePublic=Public Note
-LDAPFieldNotePublicExample=Example : publicnote
-LDAPFieldGroupMembers= Group members
-LDAPFieldGroupMembersExample= Example : uniqueMember
-LDAPFieldBirthdate=Birthdate
-LDAPFieldBirthdateExample=Example :
-LDAPFieldCompany=Company
-LDAPFieldCompanyExample=Example : o
-LDAPFieldSid=SID
-LDAPFieldSidExample=Example : objectsid
-LDAPFieldEndLastSubscription=Date of subscription end
-LDAPFieldTitle=Post/Function
-LDAPFieldTitleExample=Example: title
-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.
-LDAPDescUsers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr users.
-LDAPDescGroups=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr groups.
-LDAPDescMembers=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members module.
-LDAPDescValues=Example values are designed for <b>OpenLDAP</b> with following loaded schemas: <b>core.schema, cosine.schema, inetorgperson.schema</b>). If you use thoose values and OpenLDAP, modify your LDAP config file <b>slapd.conf</b> to have all thoose schemas loaded.
-ForANonAnonymousAccess=For an authenticated access (for a write access for example)
-PerfDolibarr=Performance setup/optimizing report
-YouMayFindPerfAdviceHere=You will find on this page some checks or advices related to performance.
-NotInstalled=Not installed, so your server is not slow down by this.
-ApplicativeCache=Applicative 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.
-MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete.
-MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled.
-OPCodeCache=OPCode cache
-NoOPCodeCacheFound=No OPCode cache found. May be you use another OPCode cache than XCache or eAccelerator (good), may be you don't have OPCode cache (very bad).
-HTTPCacheStaticResources=HTTP cache for static resources (css, img, javascript)
-FilesOfTypeCached=Files of type %s are cached by HTTP server
-FilesOfTypeNotCached=Files of type %s are not cached by HTTP server
-FilesOfTypeCompressed=Files of type %s are compressed by HTTP server
-FilesOfTypeNotCompressed=Files of type %s are not compressed by HTTP server
-CacheByServer=Cache by server
-CacheByClient=Cache by browser
-CompressionOfResources=Compression of HTTP responses
-TestNotPossibleWithCurrentBrowsers=Such an automatic detection is not possible with current browsers
-##### Products #####
-ProductSetup=Products module setup
-ServiceSetup=Services module setup
-ProductServiceSetup=Products and Services modules setup
-NumberOfProductShowInSelect=Max number of products in combos select lists (0=no limit)
-ConfirmDeleteProductLineAbility=Confirmation when removing product lines in forms
-ModifyProductDescAbility=Personalization of product descriptions in forms
-ViewProductDescInFormAbility=Visualization of product descriptions in the forms (otherwise as popup tooltip)
-MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal
-ViewProductDescInThirdpartyLanguageAbility=Visualization of products descriptions in the thirdparty language
-UseSearchToSelectProductTooltip=Also if you have a large number of product (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
-UseSearchToSelectProduct=Use a search form to choose a product (rather than a drop-down list).
-UseEcoTaxeAbility=Support Eco-Taxe (WEEE)
-SetDefaultBarcodeTypeProducts=Default barcode type to use for products
-SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties
-UseUnits=Support units
-ProductCodeChecker= Module for product code generation and checking (product or service)
-ProductOtherConf= Product / Service configuration
-##### Syslog #####
-SyslogSetup=Logs module setup
-SyslogOutput=Logs outputs
-SyslogSyslog=Syslog
-SyslogFacility=Facility
-SyslogLevel=Level
-SyslogSimpleFile=File
-SyslogFilename=File name and path
-YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file.
-ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant
-OnlyWindowsLOG_USER=Windows only supports LOG_USER
-##### Donations #####
-DonationsSetup=Donation module setup
-DonationsReceiptModel=Template of donation receipt
-##### Barcode #####
-BarcodeSetup=Barcode setup
-PaperFormatModule=Print format module
-BarcodeEncodeModule=Barcode encoding type
-UseBarcodeInProductModule=Use bar codes for products
-CodeBarGenerator=Barcode generator
-ChooseABarCode=No generator defined
-FormatNotSupportedByGenerator=Format not supported by this generator
-BarcodeDescEAN8=Barcode of type EAN8
-BarcodeDescEAN13=Barcode of type EAN13
-BarcodeDescUPC=Barcode of type UPC
-BarcodeDescISBN=Barcode of type ISBN
-BarcodeDescC39=Barcode of type C39
-BarcodeDescC128=Barcode of type C128
-BarcodeDescDATAMATRIX=Barcode of type Datamatrix
-BarcodeDescQRCODE=Barcode of type QR code
-GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".<br>For example: /usr/local/bin/genbarcode
-BarcodeInternalEngine=Internal engine
-BarCodeNumberManager=Manager to auto define barcode numbers
-##### Prelevements #####
-WithdrawalsSetup=Withdrawal module setup
-##### ExternalRSS #####
-ExternalRSSSetup=External RSS imports setup
-NewRSS=New RSS Feed
-RSSUrl=RSS URL
-RSSUrlExample=An interesting RSS feed
-##### Mailing #####
-MailingSetup=EMailing module setup
-MailingEMailFrom=Sender EMail (From) for emails sent by emailing module
-MailingEMailError=Return EMail (Errors-to) for emails with errors
-MailingDelay=Seconds to wait after sending next message
-##### Notification #####
-NotificationSetup=EMail notification module setup
-NotificationEMailFrom=Sender EMail (From) for emails sent for notifications
-ListOfAvailableNotifications=List of events you can set notification on, for each thirdparty (go into thirdparty card to setup) or by setting a fixed email (List depends on activated modules)
-FixedEmailTarget=Fixed email target
-##### Sendings #####
-SendingsSetup=Sending module setup
-SendingsReceiptModel=Sending receipt model
-SendingsNumberingModules=Sendings numbering modules
-SendingsAbility=Support shipment sheets for customer deliveries
-NoNeedForDeliveryReceipts=In most cases, sendings receipts are used both as sheets for customer deliveries (list of products to send) and sheets that is recevied and signed by customer. So product deliveries receipts is a duplicated feature and is rarely activated.
-FreeLegalTextOnShippings=Free text on shipments
-##### Deliveries #####
-DeliveryOrderNumberingModules=Products deliveries receipt numbering module
-DeliveryOrderModel=Products deliveries receipt model
-DeliveriesOrderAbility=Support products deliveries receipts
-FreeLegalTextOnDeliveryReceipts=Free text on delivery receipts
-##### FCKeditor #####
-AdvancedEditor=Advanced editor
-ActivateFCKeditor=Activate advanced editor for:
-FCKeditorForCompany=WYSIWIG creation/edition of elements description and note (except products/services)
-FCKeditorForProduct=WYSIWIG creation/edition of products/services description and note
-FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). <font class="warning">Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formating when building PDF files.</font>
-FCKeditorForMailing= WYSIWIG creation/edition for mass eMailings (Tools->eMailing)
-FCKeditorForUserSignature=WYSIWIG creation/edition of user signature
-FCKeditorForMail=WYSIWIG creation/edition for all mail (except Outils->eMailing)
-##### OSCommerce 1 #####
-OSCommerceErrorConnectOkButWrongDatabase=Connection succeeded but database doesn't look to be an OSCommerce database (Key %s not found in table %s).
-OSCommerceTestOk=Connection to server '%s' on database '%s' with user '%s' successfull.
-OSCommerceTestKo1=Connection to server '%s' succeed but database '%s' could not be reached.
-OSCommerceTestKo2=Connection to server '%s' with user '%s' failed.
-##### Stock #####
-StockSetup=Warehouse module setup
-UserWarehouse=Use user personal warehouses
-IfYouUsePointOfSaleCheckModule=If you use a Point of Sale module (POS module provided by default or another external module), this setup may be ignored by your Point Of Sale module. Most point of sales modules are designed to create immediatly an invoice and decrease stock by default whatever are options here. So, if you need or not to have a stock decrease when registering a sell from your Point Of Sale, check also your POS module set up.
-##### Menu #####
-MenuDeleted=Menu deleted
-TreeMenu=Tree menus
-Menus=Menus
-TreeMenuPersonalized=Personalized menus
-NewMenu=New menu
-MenuConf=Menus setup
-Menu=Selection of menu
-MenuHandler=Menu handler
-MenuModule=Source module
-HideUnauthorizedMenu= Hide unauthorized menus (gray)
-DetailId=Id menu
-DetailMenuHandler=Menu handler where to show new menu
-DetailMenuModule=Module name if menu entry come from a module
-DetailType=Type of menu (top or left)
-DetailTitre=Menu label or label code for translation
-DetailMainmenu=Group for which it belongs (obsolete)
-DetailUrl=URL where menu send you (Absolute URL link or external link with http://)
-DetailLeftmenu=Display condition or not (obsolete)
-DetailEnabled=Condition to show or not entry
-DetailRight=Condition to display unauthorized grey menus
-DetailLangs=Lang file name for label code translation
-DetailUser=Intern / Extern / All
-Target=Target
-DetailTarget=Target for links (_blank top open a new window)
-DetailLevel=Level (-1:top menu, 0:header menu, >0 menu and sub menu)
-ModifMenu=Menu change
-DeleteMenu=Delete menu entry
-ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
-DeleteLine=Delete line
-ConfirmDeleteLine=Are you sure you want to delete this line ?
-##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
-OptionVatMode=VAT due
-OptionVATDefault=Cash basis
-OptionVATDebitOption=Accrual basis
-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 chosen option:
-OnDelivery=On delivery
-OnPayment=On payment
-OnInvoice=On invoice
-SupposedToBePaymentDate=Payment date used
-SupposedToBeInvoiceDate=Invoice date used
-Buy=Buy
-Sell=Sell
-InvoiceDateUsed=Invoice date used
-YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Foundation), so there is no VAT options to setup.
-AccountancyCode=Accountancy Code
-AccountancyCodeSell=Sale account. code
-AccountancyCodeBuy=Purchase account. code
-##### Agenda #####
-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 -> Dictionary -> Type of agenda events)
-AGENDA_DEFAULT_FILTER_TYPE=Set automatically this type of event into search filter of agenda view
-AGENDA_DEFAULT_FILTER_STATUS=Set automatically this status for events into search filter of agenda view
-AGENDA_DEFAULT_VIEW=Which tab do you want to open by default when selecting menu Agenda
-##### 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) #####
-CashDesk=Point of sales
-CashDeskSetup=Point of sales module setup
-CashDeskThirdPartyForSell=Default generic third party to use for sells
-CashDeskBankAccountForSell=Default account to use to receive cash payments
-CashDeskBankAccountForCheque= Default account to use to receive payments by cheque
-CashDeskBankAccountForCB= Default account to use to receive payments by credit cards
-CashDeskDoNotDecreaseStock=Disable stock decrease when a sell is done from Point of Sale (if "no", stock decrease is done for each sell done from POS, whatever is option set into module Stock).
-CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease
-StockDecreaseForPointOfSaleDisabled=Stock decrease from Point Of Sale disabled
-StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with lot management
-CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sell from Point Of Sale. So a warehouse is required.
-##### Bookmark #####
-BookmarkSetup=Bookmark module setup
-BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or externale web sites on your left menu.
-NbOfBoomarkToShow=Maximum number of bookmarks to show in left menu
-##### WebServices #####
-WebServicesSetup=Webservices module setup
-WebServicesDesc=By enabling this module, Dolibarr become a web service server to provide miscellaneous web services.
-WSDLCanBeDownloadedHere=WSDL descriptor files of provided services can be download here
-EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at Url
-##### API ####
-ApiSetup=API module setup
-ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
-KeyForApiAccess=Key to use API (parameter "api_key")
-ApiEndPointIs=You can access to the API at url
-ApiExporerIs=You can explore the API at url
-OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
-##### Bank #####
-BankSetupModule=Bank module setup
-FreeLegalTextOnChequeReceipts=Free text on cheque receipts
-BankOrderShow=Display order of bank accounts for countries using "detailed bank number"
-BankOrderGlobal=General
-BankOrderGlobalDesc=General display order
-BankOrderES=Spanish
-BankOrderESDesc=Spanish display order
-##### Multicompany #####
-MultiCompanySetup=Multi-company module setup
-##### Suppliers #####
-SuppliersSetup=Supplier module setup
-SuppliersCommandModel=Complete template of supplier order (logo...)
-SuppliersInvoiceModel=Complete template of supplier invoice (logo...)
-SuppliersInvoiceNumberingModel=Supplier invoices numbering models
-IfSetToYesDontForgetPermission=If set to yes, don't forget to provide permissions to groups or users allowed for the second approval
-##### GeoIPMaxmind #####
-GeoIPMaxmindSetup=GeoIP Maxmind module setup
-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
-NoteOnPathLocation=Note that your ip to country data file must be inside a directory your PHP can read (Check your PHP open_basedir setup and filesystem permissions).
-YouCanDownloadFreeDatFileTo=You can download a <b>free demo version</b> of the Maxmind GeoIP country file at %s.
-YouCanDownloadAdvancedDatFileTo=You can also download a more <b>complete version, with updates,</b> of the Maxmind GeoIP country file at %s.
-TestGeoIPResult=Test of a conversion IP -> country
-##### Projects #####
-ProjectsNumberingModules=Projects numbering module
-ProjectsSetup=Project module setup
-ProjectsModelModule=Project reports document model
-TasksNumberingModules=Tasks numbering module
-TaskModelModule=Tasks reports document model
-##### ECM (GED) #####
-ECMSetup = GED Setup
-ECMAutoTree = Automatic tree folder and document
-##### Fiscal Year #####
-FiscalYears=Fiscal years
-FiscalYear=Fiscal year
-FiscalYearCard=Fiscal year card
-NewFiscalYear=New fiscal year
-EditFiscalYear=Edit fiscal year
-OpenFiscalYear=Open fiscal year
-CloseFiscalYear=Close fiscal year
-DeleteFiscalYear=Delete fiscal year
-ConfirmDeleteFiscalYear=Are you sure to delete this fiscal year ?
-Opened=Open
-Closed=Closed
-AlwaysEditable=Can always be edited
-MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application)
-NbMajMin=Minimum number of uppercase characters
-NbNumMin=Minimum number of numeric characters
-NbSpeMin=Minimum number of special characters
-NbIteConsecutive=Maximum number of repeating same characters
-NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation
-SalariesSetup=Setup of module salaries
-SortOrder=Sort order
-Format=Format
-TypePaymentDesc=0:Customer payment type, 1:Supplier payment type, 2:Both customers and suppliers payment type
-IncludePath=Include path (defined into variable %s)
-ExpenseReportsSetup=Setup of module Expense Reports
-TemplatePDFExpenseReports=Document templates to generate expense report document
-NoModueToManageStockDecrease=No module able to manage automatic stock decrease has been activated. Stock decrease will be done on manual input only.
-NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only.
-YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for EMail notifications by enabling and configuring the module "Notification".
-ListOfNotificationsPerContact=List of notifications per contact*
-ListOfFixedNotifications=List of fixed notifications
-GoOntoContactCardToAddMore=Go on the tab "Notifications" of a thirdparty contact to add or remove notifications for contacts/addresses
-Threshold=Threshold
-BackupDumpWizard=Wizard to build database backup dump file
-SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason:
-SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is only manual steps a privileged user can do.
-InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file <strong>%s</strong> to allow this feature.
-ConfFileMuseContainCustom=Installing an external module from application save the module files into directory <strong>%s</strong>. To have this directory processed by Dolibarr, you must setup your <strong>conf/conf.php</strong> to have option<br>- <strong>$dolibarr_main_url_root_alt</strong> enabled to value <strong>$dolibarr_main_url_root_alt="/custom"</strong><br>- <strong>$dolibarr_main_document_root_alt</strong> enabled to value <strong>"%s/custom"</strong>
-HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
-PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
-NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
diff --git a/htdocs/langs/fr_CA/banks.lang b/htdocs/langs/fr_CA/banks.lang
deleted file mode 100644
index e58cf5e72b5b543b3b197112ab0728bd9d5e9edf..0000000000000000000000000000000000000000
--- a/htdocs/langs/fr_CA/banks.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - banks
-InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD
diff --git a/htdocs/langs/fr_CA/bills.lang b/htdocs/langs/fr_CA/bills.lang
deleted file mode 100644
index f1e67a676c3b8f859eeb97a19b2077c9f770bd27..0000000000000000000000000000000000000000
--- a/htdocs/langs/fr_CA/bills.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - bills
-ClosePaidInvoicesAutomatically=Classify "Paid" all standard, situation or replacement invoices entirely paid.
diff --git a/htdocs/langs/fr_CA/commercial.lang b/htdocs/langs/fr_CA/commercial.lang
deleted file mode 100644
index 18d8db068019668b61d38d3d592361512787d725..0000000000000000000000000000000000000000
--- a/htdocs/langs/fr_CA/commercial.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - commercial
-ActionAffectedTo=Event assigned to
diff --git a/htdocs/langs/fr_CA/cron.lang b/htdocs/langs/fr_CA/cron.lang
deleted file mode 100644
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..0000000000000000000000000000000000000000
--- a/htdocs/langs/fr_CA/cron.lang
+++ /dev/null
@@ -1,88 +0,0 @@
-# Dolibarr language file - Source file is en_US - cron
-# About page
-About = About
-CronAbout = About Cron
-CronAboutPage = Cron about page
-# Right
-Permission23101 = Read Scheduled job
-Permission23102 = Create/update Scheduled job
-Permission23103 = Delete Scheduled job
-Permission23104 = Execute Scheduled job
-# Admin
-CronSetup= Scheduled job management setup
-URLToLaunchCronJobs=URL to check and launch cron jobs if required
-OrToLaunchASpecificJob=Or to check and launch a specific job
-KeyForCronAccess=Security key for URL to launch cron jobs
-FileToLaunchCronJobs=Command line to launch cron jobs
-CronExplainHowToRunUnix=On Unix environment you should use the following crontab entry to run the command line each 5 minutes
-CronExplainHowToRunWin=On Microsoft(tm) Windows environement you can use Scheduled task tools to run the command line each 5 minutes
-# Menu
-CronJobs=Scheduled jobs
-CronListActive=List of active/scheduled jobs
-CronListInactive=List of disabled jobs
-# Page list
-CronDateLastRun=Last run
-CronLastOutput=Last run output
-CronLastResult=Last result code
-CronListOfCronJobs=List of scheduled jobs
-CronCommand=Command
-CronList=Scheduled jobs
-CronDelete=Delete scheduled jobs
-CronConfirmDelete=Are you sure you want to delete these scheduled jobs ?
-CronExecute=Launch scheduled jobs
-CronConfirmExecute=Are you sure you want to execute these scheduled jobs now ?
-CronInfo=Scheduled job module allow to execute job that have been planned
-CronWaitingJobs=Waiting jobs
-CronTask=Job
-CronNone=None
-CronDtStart=Start date
-CronDtEnd=End date
-CronDtNextLaunch=Next execution
-CronDtLastLaunch=Last execution
-CronFrequency=Frequency
-CronClass=Class
-CronMethod=Method
-CronModule=Module
-CronAction=Action
-CronStatus=Status
-CronStatusActive=Enabled
-CronStatusInactive=Disabled
-CronNoJobs=No jobs registered
-CronPriority=Priority
-CronLabel=Description
-CronNbRun=Nb. launch
-CronEach=Every
-JobFinished=Job launched and finished
-#Page card
-CronAdd= Add jobs
-CronHourStart= Start hour and date of job
-CronEvery=Execute job each
-CronObject=Instance/Object to create
-CronArgs=Parameters
-CronSaveSucess=Save succesfully
-CronNote=Comment
-CronFieldMandatory=Fields %s is mandatory
-CronErrEndDateStartDt=End date cannot be before start date
-CronStatusActiveBtn=Enable
-CronStatusInactiveBtn=Disable
-CronTaskInactive=This job is disabled
-CronDtLastResult=Last result date
-CronId=Id
-CronClassFile=Classes (filename.class.php)
-CronModuleHelp=Name of Dolibarr module directory (also work with external Dolibarr module). <BR> For exemple to fetch method of Dolibarr Product object /htdocs/<u>product</u>/class/product.class.php, the value of module is <i>product</i>
-CronClassFileHelp=The file name to load. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/<u>product.class.php</u>, the value of class file name is <i>product.class.php</i>
-CronObjectHelp=The object name to load. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of class file name is <i>Product</i>
-CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of method is  is <i>fecth</i>
-CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
-CronCommandHelp=The system command line to execute.
-CronCreateJob=Create new Scheduled Job
-# Info
-CronInfoPage=Information
-# Common
-CronType=Job type
-CronType_method=Call method of a Dolibarr Class
-CronType_command=Shell command
-CronMenu=Cron
-CronCannotLoadClass=Cannot load class %s or object %s
-UseMenuModuleToolsToAddCronJobs=Go into menu "Home - Modules tools - Job list" to see and edit scheduled jobs.
-TaskDisabled=Job disabled
diff --git a/htdocs/langs/fr_CA/interventions.lang b/htdocs/langs/fr_CA/interventions.lang
deleted file mode 100644
index 84b26b1f95e09fc2fc1872c75da0c2922d92c3e8..0000000000000000000000000000000000000000
--- a/htdocs/langs/fr_CA/interventions.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - interventions
-PrintProductsOnFichinterDetails=interventions generated from orders
diff --git a/htdocs/langs/fr_CA/mails.lang b/htdocs/langs/fr_CA/mails.lang
deleted file mode 100644
index 4b5c7e95999646832e8f362031bea410cff97fe0..0000000000000000000000000000000000000000
--- a/htdocs/langs/fr_CA/mails.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - mails
-ActivateCheckReadKey=Key use to encrypt URL use for "Read Receipt" and "Unsubcribe" feature
diff --git a/htdocs/langs/fr_CA/main.lang b/htdocs/langs/fr_CA/main.lang
index b8eb245ac6f9db066cf1e787653db490228fb3b3..2e691473326d372b5db42468423519b3171a0d8a 100644
--- a/htdocs/langs/fr_CA/main.lang
+++ b/htdocs/langs/fr_CA/main.lang
@@ -1,9 +1,5 @@
 # Dolibarr language file - Source file is en_US - main
 DIRECTION=ltr
-# Note for Chinese:
-# msungstdlight or cid0ct are for traditional Chinese (traditional does not render with Ubuntu pdf reader)
-# stsongstdlight or cid0cs are for simplified Chinese
-# To read Chinese pdf with Linux: sudo apt-get install poppler-data
 FONTFORPDF=helvetica
 FONTSIZEFORPDF=10
 SeparatorDecimal=.
@@ -23,719 +19,3 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p
 FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p
 FormatDateHourTextShort=%b %d, %Y, %I:%M %p
 FormatDateHourText=%B %d, %Y, %I:%M %p
-DatabaseConnection=Database connection
-NoTranslation=No translation
-NoRecordFound=No record found
-NoError=No error
-Error=Error
-ErrorFieldRequired=Field '%s' is required
-ErrorFieldFormat=Field '%s' has a bad value
-ErrorFileDoesNotExists=File %s does not exist
-ErrorFailedToOpenFile=Failed to open file %s
-ErrorCanNotCreateDir=Can not create dir %s
-ErrorCanNotReadDir=Can not read dir %s
-ErrorConstantNotDefined=Parameter %s not defined
-ErrorUnknown=Unknown error
-ErrorSQL=SQL Error
-ErrorLogoFileNotFound=Logo file '%s' was not found
-ErrorGoToGlobalSetup=Go to 'Company/Foundation' setup to fix this
-ErrorGoToModuleSetup=Go to Module setup to fix this
-ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=%s)
-ErrorAttachedFilesDisabled=File attaching is disabled on this server
-ErrorFileNotUploaded=File was not uploaded. Check that size does not exceed maximum allowed, that free space is available on disk and that there is not already a file with same name in this directory.
-ErrorInternalErrorDetected=Error detected
-ErrorNoRequestRan=No request ran
-ErrorWrongHostParameter=Wrong host parameter
-ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post again the form.
-ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child records.
-ErrorWrongValue=Wrong value
-ErrorWrongValueForParameterX=Wrong value for parameter %s
-ErrorNoRequestInError=No request in error
-ErrorServiceUnavailableTryLater=Service not available for the moment. Try again later.
-ErrorDuplicateField=Duplicate value in a unique field
-ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback changes.
-ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
-ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
-ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
-ErrorFailedToSaveFile=Error, failed to save file.
-SetDate=Set date
-SelectDate=Select a date
-SeeAlso=See also %s
-SeeHere=See here
-BackgroundColorByDefault=Default background color
-FileNotUploaded=The file was not uploaded
-FileUploaded=The file was successfully uploaded
-FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. Click on "Attach file" for this.
-NbOfEntries=Nb of entries
-GoToWikiHelpPage=Read online help (need Internet access)
-GoToHelpPage=Read help
-RecordSaved=Record saved
-RecordDeleted=Record deleted
-LevelOfFeature=Level of features
-NotDefined=Not defined
-DefinedAndHasThisValue=Defined and value to
-IsNotDefined=undefined
-DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is setup to <b>%s</b> in configuration file <b>conf.php</b>.<br>This means that password database is extern to Dolibarr, so changing this field may have no effects.
-Administrator=Administrator
-Undefined=Undefined
-PasswordForgotten=Password forgotten ?
-SeeAbove=See above
-HomeArea=Home area
-LastConnexion=Last connection
-PreviousConnexion=Previous connection
-ConnectedOnMultiCompany=Connected on environment
-ConnectedSince=Connected since
-AuthenticationMode=Authentification mode
-RequestedUrl=Requested Url
-DatabaseTypeManager=Database type manager
-RequestLastAccess=Request for last database access
-RequestLastAccessInError=Request for last database access in error
-ReturnCodeLastAccessInError=Return code for last database access in error
-InformationLastAccessInError=Information for last database access in error
-DolibarrHasDetectedError=Dolibarr has detected a technical error
-InformationToHelpDiagnose=This is information that can help diagnostic
-MoreInformation=More information
-TechnicalInformation=Technical information
-NotePublic=Note (public)
-NotePrivate=Note (private)
-PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to <b>%s</b> decimals.
-DoTest=Test
-ToFilter=Filter
-WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance delay.
-yes=yes
-Yes=Yes
-no=no
-No=No
-All=All
-Home=Home
-Help=Help
-OnlineHelp=Online help
-PageWiki=Wiki page
-Always=Always
-Never=Never
-Under=under
-Period=Period
-PeriodEndDate=End date for period
-Activate=Activate
-Activated=Activated
-Closed=Closed
-Closed2=Closed
-Enabled=Enabled
-Deprecated=Deprecated
-Disable=Disable
-Disabled=Disabled
-Add=Add
-AddLink=Add link
-Update=Update
-AddActionToDo=Add event to do
-AddActionDone=Add event done
-Close=Close
-Close2=Close
-Confirm=Confirm
-ConfirmSendCardByMail=Do you really want to send content of this card by mail to <b>%s</b> ?
-Delete=Delete
-Remove=Remove
-Resiliate=Resiliate
-Cancel=Cancel
-Modify=Modify
-Edit=Edit
-Validate=Validate
-ValidateAndApprove=Validate and Approve
-ToValidate=To validate
-Save=Save
-SaveAs=Save As
-TestConnection=Test connection
-ToClone=Clone
-ConfirmClone=Choose data you want to clone :
-NoCloneOptionsSpecified=No data to clone defined.
-Of=of
-Go=Go
-Run=Run
-CopyOf=Copy of
-Show=Show
-ShowCardHere=Show card
-Search=Search
-SearchOf=Search
-Valid=Valid
-Approve=Approve
-Disapprove=Disapprove
-ReOpen=Re-Open
-Upload=Send file
-ToLink=Link
-Select=Select
-Choose=Choose
-ChooseLangage=Please choose your language
-Resize=Resize
-Recenter=Recenter
-Author=Author
-User=User
-Users=Users
-Group=Group
-Groups=Groups
-NoUserGroupDefined=No user group defined
-Password=Password
-PasswordRetype=Retype your password
-NoteSomeFeaturesAreDisabled=Note that a lot of features/modules are disabled in this demonstration.
-Name=Name
-Person=Person
-Parameter=Parameter
-Parameters=Parameters
-Value=Value
-GlobalValue=Global value
-PersonalValue=Personal value
-NewValue=New value
-CurrentValue=Current value
-Code=Code
-Type=Type
-Language=Language
-MultiLanguage=Multi-language
-Note=Note
-CurrentNote=Current note
-Title=Title
-Label=Label
-RefOrLabel=Ref. or label
-Info=Log
-Family=Family
-Description=Description
-Designation=Description
-Model=Model
-DefaultModel=Default model
-Action=Event
-About=About
-Number=Number
-NumberByMonth=Number by month
-AmountByMonth=Amount by month
-Numero=Number
-Limit=Limit
-Limits=Limits
-DevelopmentTeam=Development Team
-Logout=Logout
-NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode <b>%s</b>
-Connection=Connection
-Setup=Setup
-Alert=Alert
-Previous=Previous
-Next=Next
-Cards=Cards
-Card=Card
-Now=Now
-HourStart=Start hour
-Date=Date
-DateAndHour=Date and hour
-DateStart=Date start
-DateEnd=Date end
-DateCreation=Creation date
-DateModification=Modification date
-DateModificationShort=Modif. date
-DateLastModification=Last modification date
-DateValidation=Validation date
-DateClosing=Closing date
-DateDue=Due date
-DateValue=Value date
-DateValueShort=Value date
-DateOperation=Operation date
-DateOperationShort=Oper. Date
-DateLimit=Limit date
-DateRequest=Request date
-DateProcess=Process date
-DatePlanShort=Date planed
-DateRealShort=Date real.
-DateBuild=Report build date
-DatePayment=Date of payment
-DateApprove=Approving date
-DateApprove2=Approving date (second approval)
-DurationYear=year
-DurationMonth=month
-DurationWeek=week
-DurationDay=day
-DurationYears=years
-DurationMonths=months
-DurationWeeks=weeks
-DurationDays=days
-Year=Year
-Month=Month
-Week=Week
-Day=Day
-Hour=Hour
-Minute=Minute
-Second=Second
-Years=Years
-Months=Months
-Days=Days
-days=days
-Hours=Hours
-Minutes=Minutes
-Seconds=Seconds
-Weeks=Weeks
-Today=Today
-Yesterday=Yesterday
-Tomorrow=Tomorrow
-Morning=Morning
-Afternoon=Afternoon
-Quadri=Quadri
-MonthOfDay=Month of the day
-HourShort=H
-MinuteShort=mn
-Rate=Rate
-UseLocalTax=Include tax
-Bytes=Bytes
-KiloBytes=Kilobytes
-MegaBytes=Megabytes
-GigaBytes=Gigabytes
-TeraBytes=Terabytes
-b=b.
-Kb=Kb
-Mb=Mb
-Gb=Gb
-Tb=Tb
-Cut=Cut
-Copy=Copy
-Paste=Paste
-Default=Default
-DefaultValue=Default value
-DefaultGlobalValue=Global value
-Price=Price
-UnitPrice=Unit price
-UnitPriceHT=Unit price (net)
-UnitPriceTTC=Unit price
-PriceU=U.P.
-PriceUHT=U.P. (net)
-AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
-Amount=Amount
-AmountInvoice=Invoice amount
-AmountPayment=Payment amount
-AmountHTShort=Amount (net)
-AmountTTCShort=Amount (inc. tax)
-AmountHT=Amount (net of tax)
-AmountTTC=Amount (inc. tax)
-AmountVAT=Amount tax
-AmountLT1=Amount tax 2
-AmountLT2=Amount tax 3
-AmountLT1ES=Amount RE
-AmountLT2ES=Amount IRPF
-AmountTotal=Total amount
-AmountAverage=Average amount
-PriceQtyHT=Price for this quantity (net of tax)
-PriceQtyMinHT=Price quantity min. (net of tax)
-PriceQtyTTC=Price for this quantity (inc. tax)
-PriceQtyMinTTC=Price quantity min. (inc. of tax)
-Percentage=Percentage
-Total=Total
-SubTotal=Subtotal
-TotalHTShort=Total (net)
-TotalTTCShort=Total (inc. tax)
-TotalHT=Total (net of tax)
-TotalHTforthispage=Total (net of tax) for this page
-TotalTTC=Total (inc. tax)
-TotalTTCToYourCredit=Total (inc. tax) to your credit
-TotalVAT=Total tax
-TotalLT1=Total tax 2
-TotalLT2=Total tax 3
-TotalLT1ES=Total RE
-TotalLT2ES=Total IRPF
-IncludedVAT=Included tax
-HT=Net of tax
-TTC=Inc. tax
-VAT=Sales tax
-LT1ES=RE
-LT2ES=IRPF
-VATRate=Tax Rate
-Average=Average
-Sum=Sum
-Delta=Delta
-Module=Module
-Option=Option
-List=List
-FullList=Full list
-Statistics=Statistics
-OtherStatistics=Other statistics
-Status=Status
-Favorite=Favorite
-ShortInfo=Info.
-Ref=Ref.
-ExternalRef=Ref. extern
-RefSupplier=Ref. supplier
-RefPayment=Ref. payment
-CommercialProposalsShort=Commercial proposals
-Comment=Comment
-Comments=Comments
-ActionsToDo=Events to do
-ActionsDone=Events done
-ActionsToDoShort=To do
-ActionsRunningshort=Started
-ActionsDoneShort=Done
-ActionNotApplicable=Not applicable
-ActionRunningNotStarted=To start
-ActionRunningShort=Started
-ActionDoneShort=Finished
-ActionUncomplete=Uncomplete
-CompanyFoundation=Company/Foundation
-ContactsForCompany=Contacts for this third party
-ContactsAddressesForCompany=Contacts/addresses for this third party
-AddressesForCompany=Addresses for this third party
-ActionsOnCompany=Events about this third party
-ActionsOnMember=Events about this member
-NActions=%s events
-NActionsLate=%s late
-RequestAlreadyDone=Request already recorded
-Filter=Filter
-RemoveFilter=Remove filter
-ChartGenerated=Chart generated
-ChartNotGenerated=Chart not generated
-GeneratedOn=Build on %s
-Generate=Generate
-Duration=Duration
-TotalDuration=Total duration
-Summary=Summary
-MyBookmarks=My bookmarks
-OtherInformationsBoxes=Other information boxes
-DolibarrBoard=Dolibarr board
-DolibarrStateBoard=Statistics
-DolibarrWorkBoard=Work tasks board
-Available=Available
-NotYetAvailable=Not yet available
-NotAvailable=Not available
-Popularity=Popularity
-Categories=Tags/categories
-Category=Tag/category
-By=By
-From=From
-to=to
-and=and
-or=or
-Other=Other
-Others=Others
-OtherInformations=Other informations
-Quantity=Quantity
-Qty=Qty
-ChangedBy=Changed by
-ApprovedBy=Approved by
-ApprovedBy2=Approved by (second approval)
-Approved=Approved
-Refused=Refused
-ReCalculate=Recalculate
-ResultOk=Success
-ResultKo=Failure
-Reporting=Reporting
-Reportings=Reporting
-Draft=Draft
-Drafts=Drafts
-Validated=Validated
-Opened=Open
-New=New
-Discount=Discount
-Unknown=Unknown
-General=General
-Size=Size
-Received=Received
-Paid=Paid
-Topic=Sujet
-ByCompanies=By third parties
-ByUsers=By users
-Links=Links
-Link=Link
-Receipts=Receipts
-Rejects=Rejects
-Preview=Preview
-NextStep=Next step
-PreviousStep=Previous step
-Datas=Data
-None=None
-NoneF=None
-Late=Late
-Photo=Picture
-Photos=Pictures
-AddPhoto=Add picture
-Login=Login
-CurrentLogin=Current login
-January=January
-February=February
-March=March
-April=April
-May=May
-June=June
-July=July
-August=August
-September=September
-October=October
-November=November
-December=December
-JanuaryMin=Jan
-FebruaryMin=Feb
-MarchMin=Mar
-AprilMin=Apr
-MayMin=May
-JuneMin=Jun
-JulyMin=Jul
-AugustMin=Aug
-SeptemberMin=Sep
-OctoberMin=Oct
-NovemberMin=Nov
-DecemberMin=Dec
-Month01=January
-Month02=February
-Month03=March
-Month04=April
-Month05=May
-Month06=June
-Month07=July
-Month08=August
-Month09=September
-Month10=October
-Month11=November
-Month12=December
-MonthShort01=Jan
-MonthShort02=Feb
-MonthShort03=Mar
-MonthShort04=Apr
-MonthShort05=May
-MonthShort06=Jun
-MonthShort07=Jul
-MonthShort08=Aug
-MonthShort09=Sep
-MonthShort10=Oct
-MonthShort11=Nov
-MonthShort12=Dec
-AttachedFiles=Attached files and documents
-FileTransferComplete=File was uploaded successfuly
-DateFormatYYYYMM=YYYY-MM
-DateFormatYYYYMMDD=YYYY-MM-DD
-DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS
-ReportName=Report name
-ReportPeriod=Report period
-ReportDescription=Description
-Report=Report
-Keyword=Mot clé
-Legend=Legend
-FillTownFromZip=Fill city from zip
-Fill=Fill
-Reset=Reset
-ShowLog=Show log
-File=File
-Files=Files
-NotAllowed=Not allowed
-ReadPermissionNotAllowed=Read permission not allowed
-AmountInCurrency=Amount in %s currency
-Example=Example
-Examples=Examples
-NoExample=No example
-FindBug=Report a bug
-NbOfThirdParties=Number of third parties
-NbOfCustomers=Number of customers
-NbOfLines=Number of lines
-NbOfObjects=Number of objects
-NbOfReferers=Number of referrers
-Referers=Refering objects
-TotalQuantity=Total quantity
-DateFromTo=From %s to %s
-DateFrom=From %s
-DateUntil=Until %s
-Check=Check
-Uncheck=Uncheck
-Internal=Internal
-External=External
-Internals=Internal
-Externals=External
-Warning=Warning
-Warnings=Warnings
-BuildPDF=Build PDF
-RebuildPDF=Rebuild PDF
-BuildDoc=Build Doc
-RebuildDoc=Rebuild Doc
-Entity=Environment
-Entities=Entities
-EventLogs=Logs
-CustomerPreview=Customer preview
-SupplierPreview=Supplier preview
-AccountancyPreview=Accountancy preview
-ShowCustomerPreview=Show customer preview
-ShowSupplierPreview=Show supplier preview
-ShowAccountancyPreview=Show accountancy preview
-ShowProspectPreview=Show prospect preview
-RefCustomer=Ref. customer
-Currency=Currency
-InfoAdmin=Information for administrators
-Undo=Undo
-Redo=Redo
-ExpandAll=Expand all
-UndoExpandAll=Undo expand
-Reason=Reason
-FeatureNotYetSupported=Feature not yet supported
-CloseWindow=Close window
-Question=Question
-Response=Response
-Priority=Priority
-SendByMail=Send by EMail
-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.
-Refresh=Refresh
-BackToList=Back to list
-GoBack=Go back
-CanBeModifiedIfOk=Can be modified if valid
-CanBeModifiedIfKo=Can be modified if not valid
-RecordModifiedSuccessfully=Record modified successfully
-RecordsModified=%s records modified
-AutomaticCode=Automatic code
-NotManaged=Not managed
-FeatureDisabled=Feature disabled
-MoveBox=Move box %s
-Offered=Offered
-NotEnoughPermissions=You don't have permission for this action
-SessionName=Session name
-Method=Method
-Receive=Receive
-PartialWoman=Partial
-PartialMan=Partial
-TotalWoman=Total
-TotalMan=Total
-NeverReceived=Never received
-Canceled=Canceled
-YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu setup - dictionary
-Color=Color
-Documents=Linked files
-DocumentsNb=Linked files (%s)
-Documents2=Documents
-BuildDocuments=Generated documents
-UploadDisabled=Upload disabled
-MenuECM=Documents
-MenuAWStats=AWStats
-MenuMembers=Members
-MenuAgendaGoogle=Google agenda
-ThisLimitIsDefinedInSetup=Dolibarr limit (Menu home-setup-security): %s Kb, PHP limit: %s Kb
-NoFileFound=No documents saved in this directory
-CurrentUserLanguage=Current language
-CurrentTheme=Current theme
-CurrentMenuManager=Current menu manager
-DisabledModules=Disabled modules
-For=For
-ForCustomer=For customer
-Signature=Signature
-HidePassword=Show command with password hidden
-UnHidePassword=Show real command with clear password
-Root=Root
-Informations=Informations
-Page=Page
-Notes=Notes
-AddNewLine=Add new line
-AddFile=Add file
-ListOfFiles=List of available files
-FreeZone=Free entry
-FreeLineOfType=Free entry of type
-CloneMainAttributes=Clone object with its main attributes
-PDFMerge=PDF Merge
-Merge=Merge
-PrintContentArea=Show page to print main content area
-MenuManager=Menu manager
-NoMenu=No sub-menu
-WarningYouAreInMaintenanceMode=Warning, you are in a maintenance mode, so only login <b>%s</b> is allowed to use application at the moment.
-CoreErrorTitle=System error
-CoreErrorMessage=Sorry, an error occurred. Check the logs or contact your system administrator.
-CreditCard=Credit card
-FieldsWithAreMandatory=Fields with <b>%s</b> are mandatory
-FieldsWithIsForPublic=Fields with <b>%s</b> are shown on public list of members. If you don't want this, check off the "public" box.
-AccordingToGeoIPDatabase=(according to GeoIP convertion)
-Line=Line
-NotSupported=Not supported
-RequiredField=Required field
-Result=Result
-ToTest=Test
-ValidateBefore=Card must be validated before using this feature
-Visibility=Visibility
-Private=Private
-Hidden=Hidden
-Resources=Resources
-Source=Source
-Prefix=Prefix
-Before=Before
-After=After
-IPAddress=IP address
-Frequency=Frequency
-IM=Instant messaging
-NewAttribute=New attribute
-AttributeCode=Attribute code
-OptionalFieldsSetup=Extra attributes setup
-URLPhoto=URL of photo/logo
-SetLinkToThirdParty=Link to another third party
-CreateDraft=Create draft
-SetToDraft=Back to draft
-ClickToEdit=Click to edit
-ObjectDeleted=Object %s deleted
-ByCountry=By country
-ByTown=By town
-ByDate=By date
-ByMonthYear=By month/year
-ByYear=By year
-ByMonth=By month
-ByDay=By day
-BySalesRepresentative=By sales representative
-LinkedToSpecificUsers=Linked to a particular user contact
-DeleteAFile=Delete a file
-ConfirmDeleteAFile=Are you sure you want to delete file
-NoResults=No results
-SystemTools=System tools
-ModulesSystemTools=Modules tools
-Test=Test
-Element=Element
-NoPhotoYet=No pictures available yet
-HomeDashboard=Home summary
-Deductible=Deductible
-from=from
-toward=toward
-Access=Access
-HelpCopyToClipboard=Use Ctrl+C to copy to clipboard
-SaveUploadedFileWithMask=Save file on server with name "<strong>%s</strong>" (otherwise "%s")
-OriginFileName=Original filename
-SetDemandReason=Set source
-SetBankAccount=Define Bank Account
-AccountCurrency=Account Currency
-ViewPrivateNote=View notes
-XMoreLines=%s line(s) hidden
-PublicUrl=Public URL
-AddBox=Add box
-SelectElementAndClickRefresh=Select an element and click Refresh
-PrintFile=Print File %s
-ShowTransaction=Show transaction
-GoIntoSetupToChangeLogo=Go into Home - Setup - Company to change logo or go into Home - Setup - Display to hide.
-Deny=Deny
-Denied=Denied
-ListOfTemplates=List of templates
-Genderman=Man
-Genderwoman=Woman
-# Week day
-Monday=Monday
-Tuesday=Tuesday
-Wednesday=Wednesday
-Thursday=Thursday
-Friday=Friday
-Saturday=Saturday
-Sunday=Sunday
-MondayMin=Mo
-TuesdayMin=Tu
-WednesdayMin=We
-ThursdayMin=Th
-FridayMin=Fr
-SaturdayMin=Sa
-SundayMin=Su
-Day1=Monday
-Day2=Tuesday
-Day3=Wednesday
-Day4=Thursday
-Day5=Friday
-Day6=Saturday
-Day0=Sunday
-ShortMonday=M
-ShortTuesday=T
-ShortWednesday=W
-ShortThursday=T
-ShortFriday=F
-ShortSaturday=S
-ShortSunday=S
-SelectMailModel=Select email template
diff --git a/htdocs/langs/fr_CA/orders.lang b/htdocs/langs/fr_CA/orders.lang
deleted file mode 100644
index 6d902132a46c48d6f743f1f168bee74da6e2aee7..0000000000000000000000000000000000000000
--- a/htdocs/langs/fr_CA/orders.lang
+++ /dev/null
@@ -1,5 +0,0 @@
-# Dolibarr language file - Source file is en_US - orders
-StatusOrderOnProcessShort=Ordered
-StatusOrderOnProcess=Ordered - Standby reception
-ApproveOrder=Approve order
-LastOrders=Last %s customer orders
diff --git a/htdocs/langs/fr_CA/other.lang b/htdocs/langs/fr_CA/other.lang
deleted file mode 100644
index c50a095e492a0a57ef32d24cc9891598517ad128..0000000000000000000000000000000000000000
--- a/htdocs/langs/fr_CA/other.lang
+++ /dev/null
@@ -1,3 +0,0 @@
-# Dolibarr language file - Source file is en_US - other
-Notify_ORDER_SUPPLIER_VALIDATE=Supplier order recorded
-SeeModuleSetup=See setup of module %s
diff --git a/htdocs/langs/fr_CA/productbatch.lang b/htdocs/langs/fr_CA/productbatch.lang
deleted file mode 100644
index 53edc04d8c4739de1ae060d5f7aa8f6ea9aeba85..0000000000000000000000000000000000000000
--- a/htdocs/langs/fr_CA/productbatch.lang
+++ /dev/null
@@ -1,11 +0,0 @@
-# Dolibarr language file - Source file is en_US - productbatch
-ManageLotSerial=Use lot/serial number
-ProductStatusOnBatch=Yes (lot/serial required)
-ProductStatusNotOnBatch=No (lot/serial not used)
-Batch=Lot/Serial
-atleast1batchfield=Eat-by date or Sell-by date or Lot/Serial number
-batch_number=Lot/Serial number
-DetailBatchNumber=Lot/Serial details
-DetailBatchFormat=Lot/Serial: %s - Eat by: %s - Sell by: %s (Qty : %d)
-printBatch=Lot/Serial: %s
-WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, increase/decrease stock mode is forced to last choice and can't be edited. Other options can be defined as you want.
diff --git a/htdocs/langs/fr_CA/suppliers.lang b/htdocs/langs/fr_CA/suppliers.lang
deleted file mode 100644
index 5213cec4e07ca18ac9ed641ce598c046ac788a1e..0000000000000000000000000000000000000000
--- a/htdocs/langs/fr_CA/suppliers.lang
+++ /dev/null
@@ -1,2 +0,0 @@
-# Dolibarr language file - Source file is en_US - suppliers
-DenyingThisOrder=Deny this order
diff --git a/htdocs/langs/fr_CA/trips.lang b/htdocs/langs/fr_CA/trips.lang
deleted file mode 100644
index f5e6f1a92ebf2effd4c01d542d91c3f665207a85..0000000000000000000000000000000000000000
--- a/htdocs/langs/fr_CA/trips.lang
+++ /dev/null
@@ -1,14 +0,0 @@
-# Dolibarr language file - Source file is en_US - trips
-Trip=Expense report
-Trips=Expense reports
-TripsAndExpenses=Expenses reports
-TripsAndExpensesStatistics=Expense reports statistics
-TripCard=Expense report card
-AddTrip=Create expense report
-ListOfTrips=List of expense report
-NewTrip=New expense report
-DeleteTrip=Delete expense report
-ConfirmDeleteTrip=Are you sure you want to delete this expense report ?
-ListTripsAndExpenses=List of expense reports
-ExpensesArea=Expense reports area
-SearchATripAndExpense=Search an expense report
diff --git a/htdocs/langs/fr_CH/admin.lang b/htdocs/langs/fr_CH/admin.lang
new file mode 100644
index 0000000000000000000000000000000000000000..1c53b65c99c6fee95d719213ae8ef0909a718a3f
--- /dev/null
+++ b/htdocs/langs/fr_CH/admin.lang
@@ -0,0 +1,4 @@
+# Dolibarr language file - Source file is en_US - admin
+AntiVirusCommandExample=Example for ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe<br>Example for ClamAv: /usr/bin/clamscan
+AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib"
+ExampleOfDirectoriesForModelGen=Examples of syntax:<br>c:\\mydir<br>/home/mydir<br>DOL_DATA_ROOT/ecm/ecmdir
diff --git a/htdocs/langs/fr_CH/bills.lang b/htdocs/langs/fr_CH/bills.lang
deleted file mode 100644
index 9dc2a1947cfc7c1a8b4261d63b38a10d63afa4b8..0000000000000000000000000000000000000000
--- a/htdocs/langs/fr_CH/bills.lang
+++ /dev/null
@@ -1,8 +0,0 @@
-# Dolibarr language file - Source file is en_US - bills
-AlreadyPaidNoCreditNotesNoDeposits=Déjà réglé (hors notes de crédit et acomptes)
-ShowDiscount=Visualiser la note de crédit
-CreditNote=Note de crédit
-CreditNotes=Notes de crédit
-DiscountFromCreditNote=Remise issue de la note de crédit %s
-CreditNoteConvertedIntoDiscount=Cette note de crédit ou acompte a été converti en %s
-TerreNumRefModelDesc1=Renvoie le numéro sous la forme %syymm-nnnn pour les factures et %syymm-nnnn pour les notes de crédit où yy est l'année, mm le mois et nnnn un compteur séquentiel sans rupture et sans remise à 0
diff --git a/htdocs/langs/fr_CH/main.lang b/htdocs/langs/fr_CH/main.lang
index 6b54a4fde3e59002e5adfdb269662d5a1de8e160..2e691473326d372b5db42468423519b3171a0d8a 100644
--- a/htdocs/langs/fr_CH/main.lang
+++ b/htdocs/langs/fr_CH/main.lang
@@ -2,20 +2,20 @@
 DIRECTION=ltr
 FONTFORPDF=helvetica
 FONTSIZEFORPDF=10
-SeparatorDecimal=,
-SeparatorThousand=None
-FormatDateShort=%d-%m-%Y
-FormatDateShortInput=%d-%m-%Y
-FormatDateShortJava=dd-MM-yyyy
-FormatDateShortJavaInput=dd-MM-yyyy
-FormatDateShortJQuery=dd-mm-yy
-FormatDateShortJQueryInput=dd-mm-yy
+SeparatorDecimal=.
+SeparatorThousand=,
+FormatDateShort=%m/%d/%Y
+FormatDateShortInput=%m/%d/%Y
+FormatDateShortJava=MM/dd/yyyy
+FormatDateShortJavaInput=MM/dd/yyyy
+FormatDateShortJQuery=mm/dd/yy
+FormatDateShortJQueryInput=mm/dd/yy
 FormatHourShortJQuery=HH:MI
-FormatHourShort=%H:%M
+FormatHourShort=%I:%M %p
 FormatHourShortDuration=%H:%M
-FormatDateTextShort=%d %b %Y
-FormatDateText=%d %B %Y
-FormatDateHourShort=%d-%m-%Y %H:%M
-FormatDateHourSecShort=%d/%m/%Y %H:%M:%S
-FormatDateHourTextShort=%d %b %Y %H:%M
-FormatDateHourText=%d %B %Y %H:%M
+FormatDateTextShort=%b %d, %Y
+FormatDateText=%B %d, %Y
+FormatDateHourShort=%m/%d/%Y %I:%M %p
+FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p
+FormatDateHourTextShort=%b %d, %Y, %I:%M %p
+FormatDateHourText=%B %d, %Y, %I:%M %p
diff --git a/htdocs/langs/fr_FR/admin.lang b/htdocs/langs/fr_FR/admin.lang
index b2cbfccd85f7466ab39c36f9ef260e1d11f9a23a..b5679ba0b35f73014a71780d91aaa363eb842127 100644
--- a/htdocs/langs/fr_FR/admin.lang
+++ b/htdocs/langs/fr_FR/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Propositions commerciales
 Module20Desc=Gestion des devis/propositions commerciales
 Module22Name=Emailing
 Module22Desc=Administration et envoi d'emails en masse
-Module23Name= Énergie
-Module23Desc= Suivi de la consommation des énergies
+Module23Name=Énergie
+Module23Desc=Suivi de la consommation des énergies
 Module25Name=Commandes clients
 Module25Desc=Gestion des commandes clients
 Module30Name=Factures et avoirs
@@ -492,7 +492,7 @@ Module400Desc=Gestion des projets, opportunités ou affaires. Vous pouvez ensuit
 Module410Name=Webcalendar
 Module410Desc=Interface avec le calendrier Webcalendar
 Module500Name=Dépenses spéciales
-Module500Desc=Gestion des dépenses spéciales (taxes, charges, dividendes)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaires
 Module510Desc=Gestion des paiements des salaires des employés
 Module520Name=Emprunt
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Envoi de notifications Email sur certains événements métiers Dolibarr, aux contacts de tiers (configuration réalisé sur chaque tiers)
 Module700Name=Dons
 Module700Desc=Gestion des dons
-Module770Name=Note de frais
+Module770Name=Expense reports
 Module770Desc=Gestion et déclaration des notes de frais (transports, repas, ...)
 Module1120Name=Propositions commerciales founisseurs
 Module1120Desc=Demander des devis et tarifs aux fournisseurs
@@ -579,7 +579,7 @@ Permission32=Créer/modifier les produits
 Permission34=Supprimer les produits
 Permission36=Voir/gérer les produits cachés
 Permission38=Exporter les produits
-Permission41=Consulter les projets et tâches (partagés ou dont je suis contact)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Créer/modifier les projets et tâches (partagés ou dont je suis contact)
 Permission44=Supprimer les projets et tâches (partagés ou dont je suis contact)
 Permission61=Consulter les interventions
@@ -600,10 +600,10 @@ Permission86=Envoyer les commandes clients
 Permission87=Clôturer les commandes clients
 Permission88=Annuler les commandes clients
 Permission89=Supprimer les commandes clients
-Permission91=Consulter les charges et la TVA
-Permission92=Créer/modifier les charges et la TVA
-Permission93=Supprimer les charges et la TVA
-Permission94=Exporter les charges
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Consulter CA, bilans et résultats
 Permission101=Consulter les expéditions
 Permission102=Créer/modifier les expéditions
@@ -621,9 +621,9 @@ Permission121=Consulter les tiers (sociétés) liés à l'utilisateur
 Permission122=Créer/modifier les tiers (sociétés) liés à l'utilisateur
 Permission125=Supprimer les tiers (sociétés) liés à l'utilisateur
 Permission126=Exporter les tiers (sociétés)
-Permission141=Consulter tous les projets et tâches (y compris privés dont je ne suis pas contact)
-Permission142=Créer/modifier tous les projets et tâches (y compris privés dont je ne suis pas contact)
-Permission144=Supprimer tous les projets et tâches (y compris privés dont je ne suis pas contact)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Consulter les fournisseurs
 Permission147=Consulter les stats
 Permission151=Consulter les prélèvements
@@ -801,7 +801,7 @@ DictionaryCountry=Pays
 DictionaryCurrency=Monnaies
 DictionaryCivility=Titres de civilité
 DictionaryActions=Liste des types d'événements de l'agenda
-DictionarySocialContributions=Types de charges sociales
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=Taux de TVA ou de Taxes de Ventes
 DictionaryRevenueStamp=Montants des timbres fiscaux
 DictionaryPaymentConditions=Conditions de règlement
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Modèles de plan comptable
 DictionaryEMailTemplates=Modèles des courriels
 DictionaryUnits=Unités
 DictionaryProspectStatus=Statuts de prospection
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Configuration sauvegardée
 BackToModuleList=Retour liste des modules
 BackToDictionaryList=Retour liste des dictionnaires
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Êtes-vous sûr de vouloir supprimer l'entrée de menu <b>%s</
 DeleteLine=Suppression de ligne
 ConfirmDeleteLine=Êtes-vous sûr de vouloir effacer cette ligne ?
 ##### Tax #####
-TaxSetup=Configuration du module Taxes, charges sociales et dividendes
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Option d'exigibilité de TVA par défaut
 OptionVATDefault=Standard
 OptionVATDebitOption=Option services sur Débit
@@ -1564,9 +1565,11 @@ EndPointIs=Les clients SOAP doivent envoyer leur requêtes vers le point de sort
 ApiSetup=Configuration du module API REST
 ApiDesc=En activant ce module, Dolibarr devient aussi serveur de services API de type REST
 KeyForApiAccess=Clé pour utiliser les API (paramètre "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=Vous pouvez accéder aux API par l'URL
 ApiExporerIs=Vous pouvez consulter la liste des API par l'URL
 OnlyActiveElementsAreExposed=Seuls les éléments en rapport avec un module actif sont présentés.
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Configuration du module Banque
 FreeLegalTextOnChequeReceipts=Mention complémentaire sur les bordereaux de remises de chèques
@@ -1596,6 +1599,7 @@ ProjectsSetup=Configuration du module Projets
 ProjectsModelModule=Modèles de document de rapport projets
 TasksNumberingModules=Modèles de numérotation des références tâches
 TaskModelModule=Modèles de document de rapport tâches
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = Configuration du module GED
 ECMAutoTree = L'arborescence automatique est disponible
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installé un module externe pour l'application enregis
 HighlightLinesOnMouseHover=Mettez en surbrillance les lignes de la table lorsque la souris passe au-dessus
 PressF5AfterChangingThis=Appuyez sur F5 sur le clavier après avoir modifié cette valeur pour que le changement soit effectif
 NotSupportedByAllThemes=Fonctionne avec le thème eldy mais n'est pas pris en charge par tous les thèmes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/fr_FR/agenda.lang b/htdocs/langs/fr_FR/agenda.lang
index 3290a930d37efef7f3cddb3cf28bd19ccf6c1ff4..bac4c0700ba1c26abe5c37f16710f2ae49ad5089 100644
--- a/htdocs/langs/fr_FR/agenda.lang
+++ b/htdocs/langs/fr_FR/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Commande %s classée Facturée
 OrderApprovedInDolibarr=Commande %s approuvée
 OrderRefusedInDolibarr=Commande %s refusée
 OrderBackToDraftInDolibarr=Commande %s repassée en brouillon
-OrderCanceledInDolibarr=Commande %s annulée
 ProposalSentByEMail=Proposition commerciale %s envoyée par email
 OrderSentByEMail=Commande client %s envoyée par email
 InvoiceSentByEMail=Facture client %s envoyée par eMail
@@ -96,5 +95,5 @@ AddEvent=Créer un événement
 MyAvailability=Ma disponibilité
 ActionType=Type événement
 DateActionBegin=Date début événément
-CloneAction=Cloner événement
-ConfirmCloneAction=Êtes-vous sûr de vouloir cloner l'événement <b>%s</b> ?
\ No newline at end of file
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/fr_FR/banks.lang b/htdocs/langs/fr_FR/banks.lang
index 7631071166331ef8d14b1d671b137c6906c7ad12..d928232d646c384fb2aff531ff290a4efcd921dd 100644
--- a/htdocs/langs/fr_FR/banks.lang
+++ b/htdocs/langs/fr_FR/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Règlement client
 CustomerInvoicePaymentBack=Remboursement client
 SupplierInvoicePayment=Règlement fournisseur
 WithdrawalPayment=Règlement bon de prélèvement
-SocialContributionPayment=Règlement charge sociale
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Journal de trésorerie du compte
 BankTransfer=Virement bancaire
 BankTransfers=Virements bancaire
diff --git a/htdocs/langs/fr_FR/bills.lang b/htdocs/langs/fr_FR/bills.lang
index 3b200ceb9c90535cd5c8da0ed88a42f5eacda3d4..c05aaf7bb734601f75ff887e1e4242803756f891 100644
--- a/htdocs/langs/fr_FR/bills.lang
+++ b/htdocs/langs/fr_FR/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb de factures
 NumberOfBillsByMonth=Nb de factures par mois
 AmountOfBills=Montant de factures
 AmountOfBillsByMonthHT=Montant de factures par mois (HT)
-ShowSocialContribution=Afficher charge sociale
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Afficher facture
 ShowInvoice=Afficher facture
 ShowInvoiceReplace=Afficher facture de remplacement
@@ -270,7 +270,7 @@ BillAddress=Adresse de facturation
 HelpEscompte=Un <b>escompte</b> est une remise accordée, sur une facture donnée, à un client car ce dernier a réalisé son règlement bien avant l'échéance.
 HelpAbandonBadCustomer=Ce montant a été abandonné (client jugé mauvais payeur) et est considéré comme une perte exceptionnelle.
 HelpAbandonOther=Ce montant a été abandonné car il s'agissait d'une erreur de facturation (saisie mauvais client, facture remplacée par une autre).
-IdSocialContribution=Id charge sociale
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Id paiement
 InvoiceId=Id facture
 InvoiceRef=Réf. facture
diff --git a/htdocs/langs/fr_FR/companies.lang b/htdocs/langs/fr_FR/companies.lang
index 8a6fc9c9c666ae0f2c0b4a462698b605255ade30..0d7013a03c18579c7ed7bf2a91acaee94cceb67d 100644
--- a/htdocs/langs/fr_FR/companies.lang
+++ b/htdocs/langs/fr_FR/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Contact tiers
 StatusContactValidated=État du contact
 Company=Société
 CompanyName=Raison sociale
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Sociétés
 CountryIsInEEC=Pays de la Communauté Économique Européenne
 ThirdPartyName=Nom du tiers
diff --git a/htdocs/langs/fr_FR/compta.lang b/htdocs/langs/fr_FR/compta.lang
index 544cf775e70621fc50e8e1b27db83bbbcbbf1d00..0375895b9666693867061b3fb9c02dd9f1f44c13 100644
--- a/htdocs/langs/fr_FR/compta.lang
+++ b/htdocs/langs/fr_FR/compta.lang
@@ -56,23 +56,23 @@ VATCollected=TVA récupérée
 ToPay=A payer
 ToGet=À rembourser
 SpecialExpensesArea=Espace des paiements particuliers
-TaxAndDividendsArea=Espace taxes, charges sociales et dividendes
-SocialContribution=Charge sociale
-SocialContributions=Charges sociales
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Dépenses spéciales
 MenuTaxAndDividends=Taxes et charges
 MenuSalaries=Salaires
-MenuSocialContributions=Charges sociales
-MenuNewSocialContribution=Nouvelle charge
-NewSocialContribution=Nouvelle charge sociale
-ContributionsToPay=Charges à payer
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Espace comptabilité/trésorerie
 AccountancySetup=Configuration compta
 NewPayment=Nouveau règlement
 Payments=Règlements
 PaymentCustomerInvoice=Règlement facture client
 PaymentSupplierInvoice=Règlement facture fournisseur
-PaymentSocialContribution=Règlement charge sociale
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Règlement TVA
 PaymentSalary=Paiement Salaire
 ListPayment=Liste des règlements
@@ -91,7 +91,7 @@ LT1PaymentES=Règlement RE
 LT1PaymentsES=Règlements RE
 VATPayment=Règlement TVA
 VATPayments=Règlements TVA
-SocialContributionsPayments=Règlements charges sociales
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Affiche paiement TVA
 TotalToPay=Total à payer
 TotalVATReceived=Total TVA perçue
@@ -116,11 +116,11 @@ NewCheckDepositOn=Créer bordereau de dépôt sur compte: %s
 NoWaitingChecks=Pas de chèque en attente de dépôt.
 DateChequeReceived=Date réception chèque
 NbOfCheques=Nb de chèques
-PaySocialContribution=Payer une charge sociale
-ConfirmPaySocialContribution=Êtes-vous sûr de vouloir classer cette charge sociale à payée ?
-DeleteSocialContribution=Effacer charge sociale
-ConfirmDeleteSocialContribution=Êtes-vous sûr de vouloir supprimer cette charge sociale ?
-ExportDataset_tax_1=Charges sociales et paiements
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sTVA sur débit%s</b>.
 CalcModeVATEngagement=Mode <b>%sTVA sur encaissement%s</b>.
 CalcModeDebt=Mode <b>%sCréances-Dettes%s</b> dit <b>comptabilité d'engagement</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=Selon le mode utilisé par le fournisseur, choisisse
 TurnoverPerProductInCommitmentAccountingNotRelevant=Le chiffre d'affaires par produit, dans une comptabilité en mode <b>comptabilité de caisse</b> n'est pas définissable. Ce rapport n'est disponible qu'en mode de comptabilité dit <b>comptabilité d'engagement</b> (voir la configuration du module de comptabilité).
 CalculationMode=Mode de calcul
 AccountancyJournal=Code journal comptabilité
-ACCOUNTING_VAT_ACCOUNT=Code comptable par défaut pour l'encaissement de TVA
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Code comptable par défaut pour le versement de la TVA
 ACCOUNTING_ACCOUNT_CUSTOMER=Code comptable par défaut des tiers clients
 ACCOUNTING_ACCOUNT_SUPPLIER=Code comptable par défaut des tiers fournisseurs
-CloneTax=Cloner une charge sociale
-ConfirmCloneTax=Confirmer le clonage de la charge sociale
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Cloner pour le mois suivant
diff --git a/htdocs/langs/fr_FR/cron.lang b/htdocs/langs/fr_FR/cron.lang
index 3b13dc59c8bfdb5840eed501922bb62a753faf73..3983628a569e2036c721e4b047840262d2290276 100644
--- a/htdocs/langs/fr_FR/cron.lang
+++ b/htdocs/langs/fr_FR/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=La méthode à lancer. <BR> Par exemple pour appeler la méthode
 CronArgsHelp=Les arguments de la méthode. <BR> Par exemple pour appeler la méthode fetch de l'objet Product de Dolibarr /htdocs/product/class/product.class.php, la valeur des arguments pourrait être <i>0, RefProduit</i>
 CronCommandHelp=La commande système a exécuter.
 CronCreateJob=Créer un nouveau travail planifié
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/fr_FR/ecm.lang b/htdocs/langs/fr_FR/ecm.lang
index 52bf048b55146dc1ea5a5898e0f3ee7f6dbb2e65..59191d6443221ea91d9ef13cbde2cdd469d83573 100644
--- a/htdocs/langs/fr_FR/ecm.lang
+++ b/htdocs/langs/fr_FR/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Recherche par objet
 ECMSectionOfDocuments=Répertoires des documents
 ECMTypeManual=Manuel
 ECMTypeAuto=Automatique
-ECMDocsBySocialContributions=Documents associés à des charges sociales
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents associés aux tiers
 ECMDocsByProposals=Documents associés aux propositions
 ECMDocsByOrders=Documents associés aux commandes
diff --git a/htdocs/langs/fr_FR/errors.lang b/htdocs/langs/fr_FR/errors.lang
index 108133b9a5ef96354a15eb8d0597c546fe7244e5..968f97c4e6fa899b5d5e40edef8a3596f1767b7f 100644
--- a/htdocs/langs/fr_FR/errors.lang
+++ b/htdocs/langs/fr_FR/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Opération non pertinente pour cet ensemble de données
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Fonction désactivé quand l'affichage est en mode optimisé pour les personnes aveugles ou les navigateurs textes.
 WarningPaymentDateLowerThanInvoiceDate=La date de paiement (%s) est inférieure à la date de facturation (%s) de la facture %s.
 WarningTooManyDataPleaseUseMoreFilters=Trop de données. Utilisez des filtres plus précis.
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/fr_FR/holiday.lang b/htdocs/langs/fr_FR/holiday.lang
index 3456312aa55acffee03bc0e3caff4d108b368ccf..2a0f120529deedd8e9a117ce8d4457cf20130f12 100644
--- a/htdocs/langs/fr_FR/holiday.lang
+++ b/htdocs/langs/fr_FR/holiday.lang
@@ -3,7 +3,7 @@ HRM=GRH
 Holidays=Congés
 CPTitreMenu=Congés
 MenuReportMonth=État mensuel
-MenuAddCP=Créer demande de congés
+MenuAddCP=New leave request
 NotActiveModCP=Vous devez activer le module Congés pour afficher cette page.
 NotConfigModCP=Vous devez configurer le module Congés pour afficher cette page. Pour effectuer cette opération, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">cliquer ici</a>.
 NoCPforUser=Vous n'avez plus de jours disponibles
@@ -71,7 +71,7 @@ MotifCP=Motif
 UserCP=Utilisateur
 ErrorAddEventToUserCP=Une erreur est survenue durant l'ajout du congé exceptionnel.
 AddEventToUserOkCP=L'ajout du congé exceptionnel à bien été effectué.
-MenuLogCP=Voir journal des demandes
+MenuLogCP=View change logs
 LogCP=Historique de la mise à jours de jours de congés disponibles
 ActionByCP=Réalisée par
 UserUpdateCP=Pour l'utilisateur
@@ -93,6 +93,7 @@ ValueOptionCP=Valeur
 GroupToValidateCP=Groupe ayant la possibilité d'approuver les congés
 ConfirmConfigCP=Valider la configuration
 LastUpdateCP=Dernière mise à jour automatique de l'allocation des congés
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Mise à jour effectuée avec succès.
 ErrorUpdateConfCP=Une erreur à eu lieu durant la mise à jour, merci de réessayer.
 AddCPforUsers=Veuillez ajouter le solde des congés des utilisateurs en <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">cliquant ici</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Une erreur est survenue lors de l'envoi de l'email :
 NoCPforMonth=Aucun congé ce mois-ci.
 nbJours=Nombre jours
 TitleAdminCP=Configuration du module congés
+NoticePeriod=Notice period
 #Messages
 Hello=Bonjour
 HolidaysToValidate=Valider les demandes de congés
@@ -139,3 +141,11 @@ HolidaysRefused=Accès refusé
 HolidaysRefusedBody=Votre demande de congés payés %s à %s vient d'être refusée pour le motif suivant :
 HolidaysCanceled=Abandonner la demande de congés
 HolidaysCanceledBody=Votre demande de congés du %s au %s a été annulée.
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
+Permission20003=Supprimer la demande de Congés
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/fr_FR/loan.lang b/htdocs/langs/fr_FR/loan.lang
index 0a5c6320d5bf20d5146df0a424602cad3422e5b2..5ec36422cf7402950ecc3971ce1816e35eefc6a4 100644
--- a/htdocs/langs/fr_FR/loan.lang
+++ b/htdocs/langs/fr_FR/loan.lang
@@ -2,23 +2,52 @@
 Loan=Emprunt
 Loans=Emprunts
 NewLoan=Nouvel emprunt
-ShowLoan=Voir emprunt
-PaymentLoan=Règlement d'emprunt
+ShowLoan=Montrer emprunt
+PaymentLoan=Paiement emprunt
+ShowLoanPayment=Montrer paiement de l'emprunt
 Capital=Capital
 Insurance=Assurance
 Interest=Intérêt
-Nbterms=Nombre d'échéances
+Nbterms=Nombre de termes
 LoanAccountancyCapitalCode=Compte comptable capital
 LoanAccountancyInsuranceCode=Compte comptable assurance
-LoanAccountancyInterestCode=Compte comptable intérêts
-LoanPayment=Règlement emprunt
-ConfirmDeleteLoan=Confirmation de supression de cet emprunt
-ConfirmPayLoan=Confirmation que cet emprunt est classé comme payé
-ErrorLoanCapital=<font color=red>Le capital de l'emprunt</font> doit être au format numérique et supérieur à zéro.
-ErrorLoanLength=<font color=red>La durée de l'emprunt</font> doit être au format numérique et supérieur à zéro.
-ErrorLoanInterest=<font color=red>Les intérêts d'emprunt</font> doivent être au format numérique et supérieur à zéro.
+LoanAccountancyInterestCode=Compte comptable intérêt
+LoanPayment=Loan payment
+ConfirmDeleteLoan=Confirmer la suppression de cet emprunt ?
+LoanDeleted=Emprunt supprimé avec succès
+ConfirmPayLoan=Classer cet emprunt comme payé
+LoanPaid=Emprunt payé
+ErrorLoanCapital=Loan amount has to be numeric and greater than zero.
+ErrorLoanLength=Loan length has to be numeric and greater than zero.
+ErrorLoanInterest=Annual interest has to be numeric and greater than zero.
+# Calc
+LoanCalc=Bank Loans Calculator
+PurchaseFinanceInfo=Purchase & Financing Information
+SalePriceOfAsset=Sale Price of Asset
+PercentageDown=Percentage Down
+LengthOfMortgage=Length of Mortgage
+AnnualInterestRate=Annual Interest Rate
+ExplainCalculations=Explain Calculations
+ShowMeCalculationsAndAmortization=Show me the calculations and amortization
+MortgagePaymentInformation=Mortgage Payment Information
+DownPayment=Down Payment
+DownPaymentDesc=The <b>down payment</b> = The price of the home multiplied by the percentage down divided by 100 (for 5% down becomes 5/100 or 0.05)
+InterestRateDesc=The <b>interest rate</b> = The annual interest percentage divided by 100
+MonthlyFactorDesc=The <b>monthly factor</b> = The result of the following formula
+MonthlyInterestRateDesc=The <b>monthly interest rate</b> = The annual interest rate divided by 12 (for the 12 months in a year)
+MonthTermDesc=The <b>month term</b> of the loan in months = The number of years you've taken the loan out for times 12
+MonthlyPaymentDesc=The montly payment is figured out using the following formula
+AmortizationPaymentDesc=The <a href="#amortization">amortization</a> breaks down how much of your monthly payment goes towards the bank's interest, and how much goes into paying off the principal of your loan.
+AmountFinanced=Amount Financed
+AmortizationMonthlyPaymentOverYears=Amortization For Monthly Payment: <b>%s</b> over %s years
+Totalsforyear=Totals for year
+MonthlyPayment=Monthly Payment
+LoanCalcDesc=This <b>mortgage calculator</b> can be used to figure out monthly payments of a home mortgage loan, based on the home's sale price, the term of the loan desired, buyer's down payment percentage, and the loan's interest rate.<br> This calculator factors in PMI (Private Mortgage Insurance) for loans where less than 20% is put as a down payment. Also taken into consideration are the town property taxes, and their effect on the total monthly mortgage payment.<br>
+GoToInterest=%s will go towards INTEREST
+GoToPrincipal=%s will go towards PRINCIPAL
+YouWillSpend=You will spend %s on your house in year %s
 # Admin
-ConfigLoan=Configuration du module emprunt
-LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Compte comptable capital par défaut
-LOAN_ACCOUNTING_ACCOUNT_INTEREST=Compte comptable intérêts par défaut
-LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Compte comptable assurance par défaut
\ No newline at end of file
+ConfigLoan=Configuration of the module loan
+LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accountancy code capital by default
+LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accountancy code interest by default
+LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accountancy code insurance by default
diff --git a/htdocs/langs/fr_FR/mails.lang b/htdocs/langs/fr_FR/mails.lang
index 403b09310c69e09d087daa78a5ce105e8a862472..d3b95a7abf899a11f004d500ad11813956d63778 100644
--- a/htdocs/langs/fr_FR/mails.lang
+++ b/htdocs/langs/fr_FR/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Suivre l'ouverture de l'email
 TagUnsubscribe=Lien de désinscription
 TagSignature=Signature utilisateur émetteur
 TagMailtoEmail=Email destinataire
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=Aucune notification par email n'est prévue pour cet événement et société
diff --git a/htdocs/langs/fr_FR/main.lang b/htdocs/langs/fr_FR/main.lang
index 820f32ee23496ba4e0e7b332bd18ec2b73dfd514..d78cb66c6848f9725e898256a1740ebc2406f47f 100644
--- a/htdocs/langs/fr_FR/main.lang
+++ b/htdocs/langs/fr_FR/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Des erreurs ont été trouvées. On rollba
 ErrorConfigParameterNotDefined=Le paramètre <b>%s</b> n'est pas défini dans le fichier de configuration Dolibarr <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Impossible de trouver l'utilisateur <b>%s</b> dans la base Dolibarr.
 ErrorNoVATRateDefinedForSellerCountry=Erreur, aucun taux tva défini pour le pays '%s'.
-ErrorNoSocialContributionForSellerCountry=Erreur, aucun type de charges défini pour le pays '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Erreur, l'enregistrement du fichier a échoué.
 SetDate=Définir date
 SelectDate=Sélectionnez une date
@@ -302,7 +302,7 @@ UnitPriceTTC=Prix unitaire TTC
 PriceU=P.U.
 PriceUHT=P.U. HT
 AskPriceSupplierUHT=Prix unitaire net requis
-PriceUTTC=P.U. TTC
+PriceUTTC=U.P. (inc. tax)
 Amount=Montant
 AmountInvoice=Montant facture
 AmountPayment=Montant paiement
@@ -339,6 +339,7 @@ IncludedVAT=Dont TVA
 HT=HT
 TTC=TTC
 VAT=TVA
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Taux TVA
diff --git a/htdocs/langs/fr_FR/members.lang b/htdocs/langs/fr_FR/members.lang
index c04ae00f4745a109acf664b88fd6b06bbf46e36c..f74a0f028a229f7c2d3a175846b1f503f82c3fa3 100644
--- a/htdocs/langs/fr_FR/members.lang
+++ b/htdocs/langs/fr_FR/members.lang
@@ -199,7 +199,8 @@ Entreprises=Entreprises
 DOLIBARRFOUNDATION_PAYMENT_FORM=Pour réaliser le paiement de votre cotisation par virement bancaire ou par chèque, consultez la page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Adh%C3%A9rer#Pour_une_adh.C3.A9sion_par_ch.C3.A8que">http://wiki.dolibarr.org/index.php/Adhérer</a>.<br>Pour payer dès maintenant par Carte Bancaire ou Paypal, cliquez sur le bouton au bas de cette page.<br>
 ByProperties=Par caractéristiques
 MembersStatisticsByProperties=Statistiques des adhérents par caractéristiques
-MembersByNature=Adhérents par nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Taux de TVA pour les adhésions
 NoVatOnSubscription=Pas de TVA sur les adhésions
 MEMBER_PAYONLINE_SENDEMAIL=Email à avertir en cas de retour de paiement validé pour une cotisation
diff --git a/htdocs/langs/fr_FR/printing.lang b/htdocs/langs/fr_FR/printing.lang
index 503c1f0786b4e9f13178136e5b1a620441dc6ffd..083e259d8ef7f431f237c79197e194893f490546 100644
--- a/htdocs/langs/fr_FR/printing.lang
+++ b/htdocs/langs/fr_FR/printing.lang
@@ -18,7 +18,7 @@ PRINTGCP=Impression Google Cloud Print
 PrintGCPDesc=Ce driver permet d'envoyer des documents directement à l'imprimante via Google Cloud Print
 PrintingDriverDescprintgcp=Paramètres de configuration pour l'impression Google Cloud Print
 PrintTestDescprintgcp=Liste des imprimantes pour Google Cloud Print
-PRINTGCP_LOGIN=Compte login google
+PRINTGCP_LOGIN=Identifiant Compte Google
 PRINTGCP_PASSWORD=Mot de passe compte Google
 STATE_ONLINE=En ligne
 STATE_UNKNOWN=Inconnu
@@ -46,7 +46,7 @@ PrintTestDescprintipp=Liste des imprimantes du driver PrintIPP
 PRINTIPP_ENABLED=Afficher l'icône « Impression directe » dans les listes de documents
 PRINTIPP_HOST=Serveur d'impression
 PRINTIPP_PORT=Port
-PRINTIPP_USER=Login
+PRINTIPP_USER=Identifiant
 PRINTIPP_PASSWORD=Mot de passe
 NoPrinterFound=Aucune imprimante trouvée (vérifiez votre configuration CUPS)
 NoDefaultPrinterDefined=Il n'y a pas d'imprimante définie par défaut
diff --git a/htdocs/langs/fr_FR/products.lang b/htdocs/langs/fr_FR/products.lang
index 1062b149cd97d8a88c0047b86bac207e904f3a4b..c3e20457a798b25add0be69e371709946901ee12 100644
--- a/htdocs/langs/fr_FR/products.lang
+++ b/htdocs/langs/fr_FR/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Dernière mise à jour
 CorrectlyUpdated=Mise à jour avec succès
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/fr_FR/projects.lang b/htdocs/langs/fr_FR/projects.lang
index f672e81731b1ccc21bb29558d816ebb8a45e4bea..b04f53809a12f9642ec37c24a36535b2a1598d06 100644
--- a/htdocs/langs/fr_FR/projects.lang
+++ b/htdocs/langs/fr_FR/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Cette vue est restreinte aux projets et tâches pour lesquels vous 
 OnlyOpenedProject=Seuls les projets ouverts sont visibles (les projets à l'état brouillon ou fermé ne sont pas visibles).
 TasksPublicDesc=Cette vue présente tous les projets et tâches pour lesquels vous êtes habilité à avoir une visibilité.
 TasksDesc=Cette vue présente tous les projets et tâches (vos habilitations vous offrant une vue exhaustive).
-AllTaskVisibleButEditIfYouAreAssigned=Toutes les tâches de ce projet sont visibles, mais vous pouvez entrer le temps seulement pour une tâche à laquelle vous êtes affecté.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Espace projet
 NewProject=Nouveau projet
 AddProject=Créer projet
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Liste des notes de frais associées avec ce
 ListDonationsAssociatedProject=Liste des dons associés au projet
 ListActionsAssociatedProject=Liste des événements associés au projet
 ListTaskTimeUserProject=Liste du temps consommé sur les tâches d'un projet
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activité sur les projets cette semaine
 ActivityOnProjectThisMonth=Activité sur les projets ce mois
 ActivityOnProjectThisYear=Activité sur les projets cette année
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projets avec cet utilisateur comme contact
 TasksWithThisUserAsContact=Tâches assignées à cet utilisateur
 ResourceNotAssignedToProject=Non assigné à un projet
 ResourceNotAssignedToTask=Non assigné à une tâche
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/fr_FR/trips.lang b/htdocs/langs/fr_FR/trips.lang
index b5e794dad781eba26e4aecc9930860b29f07fa00..7ae8f1cabccf40b44496e850d5713bc91bd4e0a8 100644
--- a/htdocs/langs/fr_FR/trips.lang
+++ b/htdocs/langs/fr_FR/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Réouvrir
 SendToValid=Sent on approval
 ModifyInfoGen=Editer
 ValidateAndSubmit=Valider et envoyer pour approbation
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=Vous n'êtes pas autorisé a approuver cette note de frais
 NOT_AUTHOR=Vous n'êtes pas l'auteur de cette note de frais. Opération annulé.
diff --git a/htdocs/langs/fr_FR/withdrawals.lang b/htdocs/langs/fr_FR/withdrawals.lang
index 71dbbdedcc9366ec44b1e6c0d8f5a52e02e65568..8ef2fb06878ad9f2209cf5a51dc395eb4ef5fa17 100644
--- a/htdocs/langs/fr_FR/withdrawals.lang
+++ b/htdocs/langs/fr_FR/withdrawals.lang
@@ -84,8 +84,11 @@ WithdrawalFile=Fichier de prélèvement
 SetToStatusSent=Mettre au statut "Fichier envoyé"
 ThisWillAlsoAddPaymentOnInvoice=Ceci créera également les paiements sur les factures et les classera payées
 StatisticsByLineStatus=Statistiques par statut des lignes
-WithdrawRequestAmount=Montant de la demande de prélèvement :
-WithdrawRequestErrorNilAmount=Impossible de créer une demande de prélèvement avec un montant nul.
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Crédit prélèvement %s à la banque
diff --git a/htdocs/langs/fr_FR/workflow.lang b/htdocs/langs/fr_FR/workflow.lang
index ea5e6a4fdf53b299d5c6aacb0a0ebbeddb9b720b..1c96f5273ed2aca4216801574d369a5e45b72bdb 100644
--- a/htdocs/langs/fr_FR/workflow.lang
+++ b/htdocs/langs/fr_FR/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Configuration du module workflow
 WorkflowDesc=Ce module est conçu pour modifier le comportement des actions automatiques dans l'application. Par défaut, le workflow est ouvert (vous pouvez faire les choses dans l'ordre que vous voulez). Vous pouvez toutefois activer des actions automatiques qui vous intéressent.
-ThereIsNoWorkflowToModify=Il n'y a aucune modification de workflow disponible avec les modules actifs
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Créer une commande client automatiquement à la signature d'une proposition commerciale
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/he_IL/admin.lang b/htdocs/langs/he_IL/admin.lang
index c4e610b62f2643fb012d5988b3d9d664afe0ae18..d842026aa20afacd077b2b7afcaba39833c40247 100644
--- a/htdocs/langs/he_IL/admin.lang
+++ b/htdocs/langs/he_IL/admin.lang
@@ -429,8 +429,8 @@ Module20Name=הצעות
 Module20Desc=ההצעה המסחרית של ההנהלה
 Module22Name=Mass E-דיוור
 Module22Desc=Mass E-הדיוור של ההנהלה
-Module23Name= אנרגיה
-Module23Desc= מעקב אחר צריכת האנרגיה
+Module23Name=אנרגיה
+Module23Desc=מעקב אחר צריכת האנרגיה
 Module25Name=הזמנות של לקוחות
 Module25Desc=כדי לקוחות של ההנהלה
 Module30Name=חשבוניות
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=לוח השנה
 Module410Desc=שילוב לוח השנה
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=הודעות
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=תרומות
 Module700Desc=התרומה של ההנהלה
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=צור / לשנות מוצרים
 Permission34=מחק מוצרים
 Permission36=ראה / ניהול מוצרים מוסתרים
 Permission38=ייצוא מוצרים
-Permission41=קרא פרויקטים (פרויקט משותף פרויקטים אני לפנות לקבלת)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=צור / לשנות פרויקטים (פרויקט משותף פרויקטים אני לפנות לקבלת)
 Permission44=מחק פרויקטים (פרויקט משותף פרויקטים אני לפנות לקבלת)
 Permission61=לקרוא התערבויות
@@ -600,10 +600,10 @@ Permission86=שלח הזמנות הלקוחות
 Permission87=סגור לקוחות הזמנות
 Permission88=ביטול הזמנות הלקוחות
 Permission89=מחק הזמנות הלקוחות
-Permission91=קרא לביטוח הלאומי ומס ערך מוסף
-Permission92=צור / לשנות לביטוח הלאומי ומס ערך מוסף
-Permission93=מחק לביטוח הלאומי ומס ערך מוסף
-Permission94=ייצוא הפרשות סוציאליות
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=לקרוא דוחות
 Permission101=לקרוא sendings
 Permission102=צור / לשנות sendings
@@ -621,9 +621,9 @@ Permission121=לקרוא לצדדים שלישיים הקשורים המשתמש
 Permission122=ליצור / לשנות צדדים שלישיים קשורה המשתמש
 Permission125=מחק צדדים שלישיים הקשורים המשתמש
 Permission126=ייצוא צדדים שלישיים
-Permission141=קרא פרויקטים (גם פרטיות אני לא מתכוון לפנות ל)
-Permission142=ליצור / לשנות פרויקטים (גם פרטיות אני לא מתכוון לפנות לקבלת)
-Permission144=מחיקת פרויקטים (גם פרטיות אני לא מתכוון לפנות ל)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=לקרוא ספקי
 Permission147=קרא את סטטיסטיקת
 Permission151=לקרוא הוראות קבע
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=הגדרת הציל
 BackToModuleList=חזרה לרשימת מודולים
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=האם אתה בטוח שברצונך למחוק כניסה <b
 DeleteLine=מחק את השורה
 ConfirmDeleteLine=האם אתה בטוח שברצונך למחוק את הקו הזה?
 ##### Tax #####
-TaxSetup=מסים, הפרשות סוציאליות וחלוקת דיבידנד ההתקנה מודול
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=בגלל המע&quot;מ
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=לקוחות סבון חייב לשלוח את בקשותיהם עד
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=בנק ההתקנה מודול
 FreeLegalTextOnChequeReceipts=טקסט חופשי על קבלות הסימון
@@ -1596,6 +1599,7 @@ ProjectsSetup=מודול פרויקט ההתקנה
 ProjectsModelModule=מסמך דו&quot;ח פרויקט של מודל
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/he_IL/agenda.lang b/htdocs/langs/he_IL/agenda.lang
index ba1542e483f8b00c832370a5458d6fddbc7be6a4..da104f9daa673c97c47505c1e9e1a969fad03371 100644
--- a/htdocs/langs/he_IL/agenda.lang
+++ b/htdocs/langs/he_IL/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/he_IL/banks.lang b/htdocs/langs/he_IL/banks.lang
index ae04f77fe5afdf06bab4d576b105bf5f710e6b61..818edc1039a19147fb9baef908881038309065a0 100644
--- a/htdocs/langs/he_IL/banks.lang
+++ b/htdocs/langs/he_IL/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/he_IL/bills.lang b/htdocs/langs/he_IL/bills.lang
index 9a947603b9c4894cf2d6d18f6e43f775d19f8d40..af3dd9c7f8c5765e526da26e8964f9729d839845 100644
--- a/htdocs/langs/he_IL/bills.lang
+++ b/htdocs/langs/he_IL/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb of invoices
 NumberOfBillsByMonth=Nb of invoices by month
 AmountOfBills=Amount of invoices
 AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Show invoice
 ShowInvoice=Show invoice
 ShowInvoiceReplace=Show replacing invoice
@@ -270,7 +270,7 @@ BillAddress=Bill address
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Payment id
 InvoiceId=Invoice id
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/he_IL/companies.lang b/htdocs/langs/he_IL/companies.lang
index 3a3f068d0ef0d62915f3031954aad2df90bc601f..6e5bd6b3c335150f490a30d9ed00a49f9f800311 100644
--- a/htdocs/langs/he_IL/companies.lang
+++ b/htdocs/langs/he_IL/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Third party contact/address
 StatusContactValidated=Status of contact/address
 Company=חברה
 CompanyName=Company name
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Companies
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Third party name
diff --git a/htdocs/langs/he_IL/compta.lang b/htdocs/langs/he_IL/compta.lang
index 69bba17ae4c10ab6e675d8267c001e7aa98135a2..4be25a4555b38b0f1a81fc6b5f1afaa7163c5b8c 100644
--- a/htdocs/langs/he_IL/compta.lang
+++ b/htdocs/langs/he_IL/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/he_IL/cron.lang b/htdocs/langs/he_IL/cron.lang
index 0aa4bcc5ea1f9a2b5270ac029275d5aaea7680af..008010d0fec89c509dbb2c75ac2d15b41e9b0d11 100644
--- a/htdocs/langs/he_IL/cron.lang
+++ b/htdocs/langs/he_IL/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/he_IL/ecm.lang b/htdocs/langs/he_IL/ecm.lang
index 7fddd1d7a83f1fbbbdc71e6f1227c1cb145c028d..52e981a1780afdf5a140947033494319caa65eb7 100644
--- a/htdocs/langs/he_IL/ecm.lang
+++ b/htdocs/langs/he_IL/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/he_IL/errors.lang b/htdocs/langs/he_IL/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/he_IL/errors.lang
+++ b/htdocs/langs/he_IL/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/he_IL/holiday.lang b/htdocs/langs/he_IL/holiday.lang
index 0b2eb810e678bb3421745d3c2b2822ef06db51c3..3ef5bb6a0e8e91e1dd526915246c5ea8f5228969 100644
--- a/htdocs/langs/he_IL/holiday.lang
+++ b/htdocs/langs/he_IL/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/he_IL/mails.lang b/htdocs/langs/he_IL/mails.lang
index 65d774ce3c31e7ed184c2db66257802588513ab7..cbd4a7ce45903c85cebb444824000a591499a3f5 100644
--- a/htdocs/langs/he_IL/mails.lang
+++ b/htdocs/langs/he_IL/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=הודעות
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/he_IL/main.lang b/htdocs/langs/he_IL/main.lang
index 4bbb60de97d4698e6a7a5473c610b6152a8e2b7a..997904e9d86476c8f0f72e864e196de8e872db64 100644
--- a/htdocs/langs/he_IL/main.lang
+++ b/htdocs/langs/he_IL/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/he_IL/members.lang b/htdocs/langs/he_IL/members.lang
index ee28fcb125c49e57d1ac13be8bd43cc0dc149926..ec1b7a9daee2cafcd76abda56909260523d182a0 100644
--- a/htdocs/langs/he_IL/members.lang
+++ b/htdocs/langs/he_IL/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/he_IL/products.lang b/htdocs/langs/he_IL/products.lang
index 014d0ff96d7a379a9f29656734d5d39cac700838..d7acb3d35e36cf46eb67a1602a4c3d466d0081e3 100644
--- a/htdocs/langs/he_IL/products.lang
+++ b/htdocs/langs/he_IL/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/he_IL/projects.lang b/htdocs/langs/he_IL/projects.lang
index e78ad60f02b6944c05c026d436e48866e69b4250..fcd5d5d63ec4866a879a683ef6a428536eb23042 100644
--- a/htdocs/langs/he_IL/projects.lang
+++ b/htdocs/langs/he_IL/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/he_IL/trips.lang b/htdocs/langs/he_IL/trips.lang
index 76c6508a40617e36f56d5c042d8b853440c2966e..3ce8065bb038b785aac379d75555201fe8c287ce 100644
--- a/htdocs/langs/he_IL/trips.lang
+++ b/htdocs/langs/he_IL/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/he_IL/withdrawals.lang b/htdocs/langs/he_IL/withdrawals.lang
index 44d9dcee2e09150ba79742e0b80cb61965703caf..a2a9af94bca9d20a65cf3fcd66c0d1732ea183c5 100644
--- a/htdocs/langs/he_IL/withdrawals.lang
+++ b/htdocs/langs/he_IL/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/he_IL/workflow.lang b/htdocs/langs/he_IL/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/he_IL/workflow.lang
+++ b/htdocs/langs/he_IL/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/hr_HR/admin.lang b/htdocs/langs/hr_HR/admin.lang
index 5a96bec17575a6ab7dff3da8874bfd00873184b9..cfb2eac28b3ec3ba17ba500a30a09ac9288eb7b2 100644
--- a/htdocs/langs/hr_HR/admin.lang
+++ b/htdocs/langs/hr_HR/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposals
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energy
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Customer Orders
 Module25Desc=Customer order management
 Module30Name=Invoices
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donations
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/hr_HR/agenda.lang b/htdocs/langs/hr_HR/agenda.lang
index 8e49047bf96fa9a3bd022668a68eae3fea71ed18..b437288ac719aa2439ea40cd9e33f7f2abf281ca 100644
--- a/htdocs/langs/hr_HR/agenda.lang
+++ b/htdocs/langs/hr_HR/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Narudžba %s odobrena
 OrderRefusedInDolibarr=Narudžba %s je odbijena
 OrderBackToDraftInDolibarr=Narudžba %s vraćena u status skice
-OrderCanceledInDolibarr=Narudžba %s otkazana
 ProposalSentByEMail=Komercijalni prijedlog %s poslan putem Emaila
 OrderSentByEMail=Narudžba kupca %s poslana putem Emaila
 InvoiceSentByEMail=Račun kupca %s poslan Emailom
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/hr_HR/banks.lang b/htdocs/langs/hr_HR/banks.lang
index 55e09ab1d86b459e8c5b8762926f7833e7513ca0..196425be787769576d5bbe1128dcd33030c35f2b 100644
--- a/htdocs/langs/hr_HR/banks.lang
+++ b/htdocs/langs/hr_HR/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Plaćanje dobavljaču
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bankovni transfer
 BankTransfers=Bankovni transferi
diff --git a/htdocs/langs/hr_HR/bills.lang b/htdocs/langs/hr_HR/bills.lang
index 59059e04caeff07ab586a6884342d5fea9547019..b61ffde1b3319a0a2b1dddac5f6d0c830c02d7de 100644
--- a/htdocs/langs/hr_HR/bills.lang
+++ b/htdocs/langs/hr_HR/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Broj računa
 NumberOfBillsByMonth=Broj računa po mjesecu
 AmountOfBills=Iznos računa
 AmountOfBillsByMonthHT=Iznos računa po mjesecu (bez PDV-a)
-ShowSocialContribution=Pokazuje društveni doprinos
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Prikaži račun
 ShowInvoice=Prikaži račun
 ShowInvoiceReplace=Prikaži zamjenski računa
@@ -270,7 +270,7 @@ BillAddress=Adresa za naplatu
 HelpEscompte=Ovaj popust zajamčen je jer je kupac izvršio plaćanje prije roka.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Oznaka plaćanja
 InvoiceId=Oznaka računa
 InvoiceRef=Broj računa
diff --git a/htdocs/langs/hr_HR/companies.lang b/htdocs/langs/hr_HR/companies.lang
index 80bc673c157841346e222e41edde979937667c2f..2b7392a227cd808303076ab48c68955346806344 100644
--- a/htdocs/langs/hr_HR/companies.lang
+++ b/htdocs/langs/hr_HR/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Stranka kontakt / adresa
 StatusContactValidated=Status of contact/address
 Company=Kompanija
 CompanyName=Ime kompanije 
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Kompanije
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Ime treće stranke
diff --git a/htdocs/langs/hr_HR/compta.lang b/htdocs/langs/hr_HR/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/hr_HR/compta.lang
+++ b/htdocs/langs/hr_HR/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/hr_HR/cron.lang b/htdocs/langs/hr_HR/cron.lang
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..bd85715642ec700a51b7365535762b2760ae54e5 100644
--- a/htdocs/langs/hr_HR/cron.lang
+++ b/htdocs/langs/hr_HR/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/hr_HR/ecm.lang b/htdocs/langs/hr_HR/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/hr_HR/ecm.lang
+++ b/htdocs/langs/hr_HR/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/hr_HR/errors.lang b/htdocs/langs/hr_HR/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/hr_HR/errors.lang
+++ b/htdocs/langs/hr_HR/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/hr_HR/holiday.lang b/htdocs/langs/hr_HR/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/hr_HR/holiday.lang
+++ b/htdocs/langs/hr_HR/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/hr_HR/mails.lang b/htdocs/langs/hr_HR/mails.lang
index 001b237ca8c71c5d3e7f887ac925918c2945842e..3bebb0c2affc38b9bbebbfcea18d063764227e1e 100644
--- a/htdocs/langs/hr_HR/mails.lang
+++ b/htdocs/langs/hr_HR/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/hr_HR/main.lang b/htdocs/langs/hr_HR/main.lang
index 699a8f2b15b20e52df9d886f102c51ffcbed2d2e..d32c863260b11ba48710f36ad2d2b87994e92007 100644
--- a/htdocs/langs/hr_HR/main.lang
+++ b/htdocs/langs/hr_HR/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/hr_HR/members.lang b/htdocs/langs/hr_HR/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/hr_HR/members.lang
+++ b/htdocs/langs/hr_HR/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/hr_HR/products.lang b/htdocs/langs/hr_HR/products.lang
index 1c0bb8c1103837af58d288bd1ccae31f2ebfddc2..6603ec0ce1499fe48473d0c73109a69d2284e0b3 100644
--- a/htdocs/langs/hr_HR/products.lang
+++ b/htdocs/langs/hr_HR/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/hr_HR/projects.lang b/htdocs/langs/hr_HR/projects.lang
index 41b7158d748720d613f1138d4793053309c5c90c..e0090714ec85c3c41ffc6f06b831b752757e0fcc 100644
--- a/htdocs/langs/hr_HR/projects.lang
+++ b/htdocs/langs/hr_HR/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=Novi projekt
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/hr_HR/trips.lang b/htdocs/langs/hr_HR/trips.lang
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..a5b2569942e59a3ba91fad3ce0820a24731105cd 100644
--- a/htdocs/langs/hr_HR/trips.lang
+++ b/htdocs/langs/hr_HR/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/hr_HR/withdrawals.lang b/htdocs/langs/hr_HR/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/hr_HR/withdrawals.lang
+++ b/htdocs/langs/hr_HR/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/hr_HR/workflow.lang b/htdocs/langs/hr_HR/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/hr_HR/workflow.lang
+++ b/htdocs/langs/hr_HR/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/hu_HU/accountancy.lang b/htdocs/langs/hu_HU/accountancy.lang
index 40e2b65db428b63a8284c581d898cb9731aac9f8..0f0e6dfdce8c169e5a7d90575d0b2244a1be2d42 100644
--- a/htdocs/langs/hu_HU/accountancy.lang
+++ b/htdocs/langs/hu_HU/accountancy.lang
@@ -8,18 +8,18 @@ ACCOUNTING_EXPORT_LABEL=Export the label ?
 ACCOUNTING_EXPORT_AMOUNT=Export the amount ?
 ACCOUNTING_EXPORT_DEVISE=Export the devise ?
 
-Accounting=Accounting
-Globalparameters=Global parameters
+Accounting=Könyvelés
+Globalparameters=Globális beállítások
 Chartofaccounts=Chart of accounts
-Fiscalyear=Fiscal years
+Fiscalyear=Pénzügyi év
 Menuaccount=Accounting accounts
 Menuthirdpartyaccount=Thirdparty accounts
-MenuTools=Tools
+MenuTools=Eszközök
 
 ConfigAccountingExpert=Configuration of the module accounting expert
 Journaux=Journals
 JournalFinancial=Financial journals
-Exports=Exports
+Exports=Export
 Export=Export
 Modelcsv=Model of export
 OptionsDeactivatedForThisExportModel=For this export model, options are deactivated
@@ -27,11 +27,11 @@ Selectmodelcsv=Select a model of export
 Modelcsv_normal=Classic export
 Modelcsv_CEGID=Export towards CEGID Expert
 BackToChartofaccounts=Return chart of accounts
-Back=Return
+Back=Megtérülés
 
 Definechartofaccounts=Define a chart of accounts
 Selectchartofaccounts=Select a chart of accounts
-Validate=Validate
+Validate=Érvényesít
 Addanaccount=Add an accounting account
 AccountAccounting=Accounting account
 Ventilation=Breakdown
@@ -41,13 +41,13 @@ Dispatched=Dispatched
 CustomersVentilation=Breakdown customers
 SuppliersVentilation=Breakdown suppliers
 TradeMargin=Trade margin
-Reports=Reports
+Reports=Riportok
 ByCustomerInvoice=By invoices customers
-ByMonth=By Month
+ByMonth=Havonta
 NewAccount=New accounting account
-Update=Update
-List=List
-Create=Create
+Update=Frissítés
+List=Lista
+Create=Készít
 UpdateAccount=Modification of an accounting account
 UpdateMvts=Modification of a movement
 WriteBookKeeping=Record accounts in general ledger
@@ -57,7 +57,7 @@ AccountBalanceByMonth=Account balance by month
 AccountingVentilation=Breakdown accounting
 AccountingVentilationSupplier=Breakdown accounting supplier
 AccountingVentilationCustomer=Breakdown accounting customer
-Line=Line
+Line=Sor
 
 CAHTF=Total purchase supplier HT
 InvoiceLines=Lines of invoice to be ventilated
@@ -70,8 +70,8 @@ VentilationAuto=Automatic breakdown
 Processing=Processing
 EndProcessing=The end of processing
 AnyLineVentilate=Any lines to ventilate
-SelectedLines=Selected lines
-Lineofinvoice=Line of invoice
+SelectedLines=Kválasztott sorok
+Lineofinvoice=Számlasor
 VentilatedinAccount=Ventilated successfully in the accounting account
 NotVentilatedinAccount=Not ventilated in the accounting account
 
@@ -101,14 +101,14 @@ ACCOUNTING_SERVICE_BUY_ACCOUNT=Accounting account by default for the bought serv
 ACCOUNTING_SERVICE_SOLD_ACCOUNT=Accounting account by default for the sold services (if not defined in the service sheet)
 
 Doctype=Type of document
-Docdate=Date
-Docref=Reference
-Numerocompte=Account
-Code_tiers=Thirdparty
+Docdate=Dátum
+Docref=Hivatkozás
+Numerocompte=Számla
+Code_tiers=Partner
 Labelcompte=Label account
 Debit=Debit
 Credit=Credit
-Amount=Amount
+Amount=Összeg
 Sens=Sens
 Codejournal=Journal
 
@@ -128,29 +128,29 @@ CashPayment=Cash Payment
 SupplierInvoicePayment=Payment of invoice supplier
 CustomerInvoicePayment=Payment of invoice customer
 
-ThirdPartyAccount=Thirdparty account
+ThirdPartyAccount=Partner számla
 
-NewAccountingMvt=New movement
-NumMvts=Number of movement
-ListeMvts=List of the movement
+NewAccountingMvt=Új mozgás
+NumMvts=Mozgások száma
+ListeMvts=Mozgások Listája
 ErrorDebitCredit=Debit and Credit cannot have a value at the same time
 
-ReportThirdParty=List thirdparty account
+ReportThirdParty=Partnerek számláinak listája
 DescThirdPartyReport=Consult here the list of the thirdparty customers and the suppliers and their accounting accounts
 
 ListAccounts=List of the accounting accounts
 
-Pcgversion=Version of the plan
-Pcgtype=Class of account
+Pcgversion=Terv verziója
+Pcgtype=Számlaosztály
 Pcgsubtype=Under class of account
 Accountparent=Root of the account
-Active=Statement
+Active=Kivonat
 
-NewFiscalYear=New fiscal year
+NewFiscalYear=Új pénzügyi év
 
 DescVentilCustomer=Consult here the annual breakdown accounting of your invoices customers
 TotalVente=Total turnover HT
-TotalMarge=Total sales margin
+TotalMarge=Teljes eladási marzs
 DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their accounting account
 DescVentilTodoCustomer=Ventilate your lines of customer invoice with an accounting account
 ChangeAccount=Change the accounting account for lines selected by the account:
diff --git a/htdocs/langs/hu_HU/admin.lang b/htdocs/langs/hu_HU/admin.lang
index 39520fe3c982c2ba19d6412b45ff48f1d4c0a564..c9e1fbfc09be71dd5c05c3d9151420589d3ae779 100644
--- a/htdocs/langs/hu_HU/admin.lang
+++ b/htdocs/langs/hu_HU/admin.lang
@@ -294,12 +294,12 @@ ModuleFamilyFinancial=Pénzügyi modulok (Számviteli / Kincstár)
 ModuleFamilyECM=Elektronikus Content Management (ECM)
 MenuHandlers=Menü rakodók
 MenuAdmin=Menu Editor
-DoNotUseInProduction=Do not use in production
+DoNotUseInProduction=Ne használd a terméket
 ThisIsProcessToFollow=Ez a beállítási folyamat:
 ThisIsAlternativeProcessToFollow=This is an alternative setup to process:
 StepNb=Step %s
 FindPackageFromWebSite=Keressen olyan csomag, amely biztosítja a kívánt funkciót (például a hivatalos honlapján %s).
-DownloadPackageFromWebSite=Download package (for example from official web site %s).
+DownloadPackageFromWebSite=Csomag letöltése (pl. a havatalos oldalról %s)
 UnpackPackageInDolibarrRoot=Unpack package file into Dolibarr server directory dedicated to external modules: <b>%s</b>
 SetupIsReadyForUse=Telepítése befejeződött, és Dolibarr kész, hogy ehhez az új alkatrész.
 NotExistsDirect=Nincs megadva az alternatív gyökérkönyvtár. <br>
@@ -362,20 +362,20 @@ PDFAddressForging=Szabályok kovácsolni címre dobozok
 HideAnyVATInformationOnPDF=Hide kapcsolatos minden információt áfa generált PDF
 HideDescOnPDF=Termékleírás elrejtése a generált PDF fájlban
 HideRefOnPDF=Termékreferencia elrejtése a generált PDF fájlban
-HideDetailsOnPDF=Hide products lines details on generated PDF
+HideDetailsOnPDF=A terméksorok részleteinek elrejtése a PDF-ben
 Library=Könyvtár
 UrlGenerationParameters=URL paraméterek biztosítása
 SecurityTokenIsUnique=Használjunk olyan egyedi securekey paraméter az URL
 EnterRefToBuildUrl=Adja meg az objektum referencia %s
 GetSecuredUrl=Get URL számított
 ButtonHideUnauthorized=Hide buttons for unauthorized actions instead of showing disabled buttons
-OldVATRates=Old VAT rate
-NewVATRates=New VAT rate
+OldVATRates=Régi ÁFA-kulcs
+NewVATRates=Új ÁFA-kulcs
 PriceBaseTypeToChange=Modify on prices with base reference value defined on
-MassConvert=Launch mass convert
+MassConvert=Tömeges konvertálás indítása
 String=Húr
-TextLong=Long text
-Int=Integer
+TextLong=Hosszú szöveg
+Int=Egész
 Float=Float
 DateAndTime=Dátum és idő
 Unique=Egyedi
@@ -383,8 +383,8 @@ Boolean=Boolean (Checkbox)
 ExtrafieldPhone = Telefon
 ExtrafieldPrice = Ár
 ExtrafieldMail = E-mail
-ExtrafieldSelect = Select list
-ExtrafieldSelectList = Select from table
+ExtrafieldSelect = Vlassz listát
+ExtrafieldSelectList = Válassz a táblából
 ExtrafieldSeparator=Elválasztó
 ExtrafieldCheckBox=Jelölőnégyzet
 ExtrafieldRadio=Választógomb
@@ -429,8 +429,8 @@ Module20Name=Javaslatok
 Module20Desc=Üzleti ajánlat vezetése
 Module22Name=Tömeges e-levelek
 Module22Desc=Tömeges e-mail vezetése
-Module23Name= Energia
-Module23Desc= Ellenőrzése fogyasztása energiák
+Module23Name=Energia
+Module23Desc=Ellenőrzése fogyasztása energiák
 Module25Name=Vevői megrendelések
 Module25Desc=Ügyfél érdekében vezetése
 Module30Name=Számlák
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=WebCalendar
 Module410Desc=WebCalendar integráció
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Értesítések
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Adományok
 Module700Desc=Adomány vezetése
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -558,7 +558,7 @@ Module55000Name=Open Poll
 Module55000Desc=Module to make online polls (like Doodle, Studs, Rdvz, ...)
 Module59000Name=Margins
 Module59000Desc=Module to manage margins
-Module60000Name=Commissions
+Module60000Name=Jogosultságok
 Module60000Desc=Module to manage commissions
 Permission11=Olvassa vevői számlák
 Permission12=Létrehozza / módosítja vevői számlák
@@ -579,7 +579,7 @@ Permission32=Létrehozza / módosítja termékek
 Permission34=Törlés termékek
 Permission36=Lásd / kezelhetik rejtett termékek
 Permission38=Export termékek
-Permission41=Olvassa projektek (közös projekt és a projektek vagyok contact)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Létrehozza / módosítja projektek (közös projekt és a projektek vagyok contact)
 Permission44=Törlés projektek (közös projekt és a projektek vagyok contact)
 Permission61=Olvassa beavatkozások
@@ -600,10 +600,10 @@ Permission86=Küldje ügyfelek megrendelések
 Permission87=Bezár az ügyfelek megrendelések
 Permission88=Mégsem ügyfelek megrendelések
 Permission89=Törlés ügyfelek megrendelések
-Permission91=Olvassa el a társadalombiztosítási járulékok és áfa
-Permission92=Létrehozza / módosítja a társadalombiztosítási járulékok és áfa
-Permission93=Törlés társadalombiztosítási járulékok és az áfa
-Permission94=Export társadalombiztosítási járulékok
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Olvassa jelentések
 Permission101=Olvassa küldések
 Permission102=Létrehozza / módosítja küldések
@@ -621,9 +621,9 @@ Permission121=Olvassa harmadik fél kapcsolódó felhasználói
 Permission122=Létrehozza / módosítja harmadik fél kapcsolódó felhasználói
 Permission125=Törlés harmadik fél kapcsolódó felhasználói
 Permission126=Export harmadik fél
-Permission141=Olvassa projektek (szintén magán nem vagyok kapcsolatba a)
-Permission142=Létrehozza / módosítja projektek (szintén magán nem vagyok kapcsolatba a)
-Permission144=Törlés projektek (szintén magán nem vagyok kapcsolatba a)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Olvassa szolgáltatók
 Permission147=Olvassa statisztika
 Permission151=Olvassa házszabályok
@@ -801,7 +801,7 @@ DictionaryCountry=Országok
 DictionaryCurrency=Pénznemek
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=E-mail sablonok
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Beállítás mentett
 BackToModuleList=Visszalép a modulok listáját
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Biztos benne, hogy törli menübejegyzést <b>%s?</b>
 DeleteLine=Törlés vonal
 ConfirmDeleteLine=Biztosan törölni szeretné ezt a vonalat?
 ##### Tax #####
-TaxSetup=Az adók, társadalombiztosítási járulékok és osztalék modul beállítása
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=ÁFA miatt
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP kliens kell küldeni a kérelmeket az Dolibarr végpont elérhet
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank modul beállítása
 FreeLegalTextOnChequeReceipts=Szabad szöveg ellenőrzés bevételek
@@ -1596,6 +1599,7 @@ ProjectsSetup=Projekt modul beállítása
 ProjectsModelModule=Projektjének dokumentum modellje
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/hu_HU/agenda.lang b/htdocs/langs/hu_HU/agenda.lang
index b3144ba2bd2bf5909493f89c2885c2989be43963..87d8b88001159db3bb8050b62dc9b89fe9722962 100644
--- a/htdocs/langs/hu_HU/agenda.lang
+++ b/htdocs/langs/hu_HU/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Rendelés %s jóváhagyott
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Rendelés %s menj vissza vázlat
-OrderCanceledInDolibarr=Rendelés %s törölt
 ProposalSentByEMail=Üzleti ajánlat %s postáztuk
 OrderSentByEMail=Ügyfél érdekében %s postáztuk
 InvoiceSentByEMail=Az ügyfél számlát postáztuk %s
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/hu_HU/banks.lang b/htdocs/langs/hu_HU/banks.lang
index b8f43439f3aa1c242fbdd3d8068fcd3ca27c1a4d..6443ac1cb187575f426301f8045e651ca65f09e8 100644
--- a/htdocs/langs/hu_HU/banks.lang
+++ b/htdocs/langs/hu_HU/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Ügyfél fizetési
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Szállító kifizetése
 WithdrawalPayment=Élelmezés-egészségügyi várakozási fizetés
-SocialContributionPayment=Társadalombiztosítási járulék fizetési
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Pénzügyi mérleg folyóirat
 BankTransfer=Banki átutalás
 BankTransfers=Banki átutalás
diff --git a/htdocs/langs/hu_HU/bills.lang b/htdocs/langs/hu_HU/bills.lang
index 15cde28574dfbdaf4dc05aafbe33e6d172d24ee9..ce5185ab4df76cf54bad9da941535d9ed29bde43 100644
--- a/htdocs/langs/hu_HU/bills.lang
+++ b/htdocs/langs/hu_HU/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb számlák
 NumberOfBillsByMonth=Nb a számlák hónap
 AmountOfBills=Számlák összege
 AmountOfBillsByMonthHT=Összege a számlák havonta (adózott)
-ShowSocialContribution=Mutasd társadalombiztosítási járulék
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Mutasd számla
 ShowInvoice=Mutasd számla
 ShowInvoiceReplace=Megjelenítése helyett számlát
@@ -270,7 +270,7 @@ BillAddress=Bill cím
 HelpEscompte=Ez a kedvezmény egy engedmény a vevő, mert a kifizetés előtt távon.
 HelpAbandonBadCustomer=Ez az összeg már elhagyott (ügyfél azt mondta, hogy egy rossz ügyfél), és van úgy, mint egy kivételes laza.
 HelpAbandonOther=Ez az összeg már elhagyni, mivel ez volt a hiba (hibás számla vagy ügyfél helyébe egy másik, például)
-IdSocialContribution=Társadalombiztosítási járulék id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Fizetés id
 InvoiceId=Számla id
 InvoiceRef=Számla ref.
diff --git a/htdocs/langs/hu_HU/boxes.lang b/htdocs/langs/hu_HU/boxes.lang
index 8ab3bb01264b07d62c5f9a7fafd1dba597763ca9..b048e792333d79f054ce32bcd0d34dbaba2bc60d 100644
--- a/htdocs/langs/hu_HU/boxes.lang
+++ b/htdocs/langs/hu_HU/boxes.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - boxes
 BoxLastRssInfos=Rss Információk
 BoxLastProducts=Utolsó %s termék / szolgáltatás
-BoxProductsAlertStock=Products in stock alert
+BoxProductsAlertStock=Készlet figyelmeztetés
 BoxLastProductsInContract=Utolsó %s leszerződött termék / szolgáltatás
 BoxLastSupplierBills=Utolsó beszállítói számlák
 BoxLastCustomerBills=Utolsó ügyfél számlák
@@ -18,8 +18,8 @@ BoxLastActions=Utolsó cselekvések
 BoxLastContracts=Utolsó szerződések
 BoxLastContacts=Utolsó kapcsolatok / címek
 BoxLastMembers=Utolsó tagok
-BoxFicheInter=Last interventions
-BoxCurrentAccounts=Open accounts balance
+BoxFicheInter=Utolsó beavatkozás
+BoxCurrentAccounts=Nyitott számla egyenleg
 BoxSalesTurnover=Értékesítési forgalom
 BoxTotalUnpaidCustomerBills=Összes ki nem fizetett ügyfél számla
 BoxTotalUnpaidSuppliersBills=Összes ki nem fizetett beszállító számla
@@ -27,32 +27,32 @@ BoxTitleLastBooks=Utolsó %s jegyzett könyvek
 BoxTitleNbOfCustomers=Ügyfelek száma
 BoxTitleLastRssInfos=Utolsó %s hír a(z) %s -ról
 BoxTitleLastProducts=Utolsó %s módosított termék / szolgáltatás
-BoxTitleProductsAlertStock=Products in stock alert
-BoxTitleLastCustomerOrders=Last %s customer orders
+BoxTitleProductsAlertStock=Készlet figyelmeztetés
+BoxTitleLastCustomerOrders=Utolsó %s vevői megrendelés
 BoxTitleLastModifiedCustomerOrders=Last %s modified customer orders
 BoxTitleLastSuppliers=Utolsó %s jegyzett beszállító
-BoxTitleLastCustomers=Utolsó %s jegyzett ügyfél
+BoxTitleLastCustomers=Utolsó %s jegyzett vevő
 BoxTitleLastModifiedSuppliers=Utolsó %s módosított beszállító
-BoxTitleLastModifiedCustomers=Utolsó %s módosított ügyfél
-BoxTitleLastCustomersOrProspects=Last %s customers or prospects
-BoxTitleLastPropals=Last %s proposals
+BoxTitleLastModifiedCustomers=Utolsó %s módosított vevő
+BoxTitleLastCustomersOrProspects=Utolsó %s vevő vagy jelentkező
+BoxTitleLastPropals=Utolsó %s jelentkező
 BoxTitleLastModifiedPropals=Last %s modified proposals
-BoxTitleLastCustomerBills=Utolsó %s ügyfél számla
+BoxTitleLastCustomerBills=Utolsó %s vevő számla
 BoxTitleLastModifiedCustomerBills=Last %s modified customer invoices
-BoxTitleLastSupplierBills=Utolsó %s beszállító számla
+BoxTitleLastSupplierBills=Utolsó %s szállító számla
 BoxTitleLastModifiedSupplierBills=Last %s modified supplier invoices
-BoxTitleLastModifiedProspects=Utolsó %s módosított kilátás
+BoxTitleLastModifiedProspects=Utolsó %s módosított jelentkező
 BoxTitleLastProductsInContract=Utolsó %s termékek / szolgáltatások szerződésbe foglalva
-BoxTitleLastModifiedMembers=Last %s members
+BoxTitleLastModifiedMembers=Utolsó %s tag
 BoxTitleLastFicheInter=Last %s modified intervention
-BoxTitleOldestUnpaidCustomerBills=Oldest %s unpaid customer invoices
-BoxTitleOldestUnpaidSupplierBills=Oldest %s unpaid supplier invoices
-BoxTitleCurrentAccounts=Open accounts balances
+BoxTitleOldestUnpaidCustomerBills=Legrégebbi %s nyitott vevői számla
+BoxTitleOldestUnpaidSupplierBills=Legrégebbi %s nyitott szállítói számla
+BoxTitleCurrentAccounts=Nyitott számlaegyenleg
 BoxTitleSalesTurnover=Értékesítési forgalom
-BoxTitleTotalUnpaidCustomerBills=Unpaid customer invoices
-BoxTitleTotalUnpaidSuppliersBills=Unpaid supplier invoices
-BoxTitleLastModifiedContacts=Utolsó módosítás %s kapcsolatok / címek
-BoxMyLastBookmarks=%s utolsó könyvjelzőim
+BoxTitleTotalUnpaidCustomerBills=Nyiott vevőszámlák
+BoxTitleTotalUnpaidSuppliersBills=Nyitott szállító számlák
+BoxTitleLastModifiedContacts=Utolsó %s módosított kapcsolat / cím
+BoxMyLastBookmarks=%s utolsó könyvjelzőm
 BoxOldestExpiredServices=Legrégebbi aktív lejárt szolgáltatások
 BoxLastExpiredServices=Utolsó %s legidősebb aktív kapcsolatot lejárt szolgáltatások
 BoxTitleLastActionsToDo=Utolsó %s végrehatjtásra váró cselekvés
diff --git a/htdocs/langs/hu_HU/companies.lang b/htdocs/langs/hu_HU/companies.lang
index 38c27b81fedd352d52e9e9294a1d0eef049469c7..6627613b7a53863fae24bb642f4c817e7db30712 100644
--- a/htdocs/langs/hu_HU/companies.lang
+++ b/htdocs/langs/hu_HU/companies.lang
@@ -1,65 +1,66 @@
 # Dolibarr language file - Source file is en_US - companies
 ErrorCompanyNameAlreadyExists=Cégnév %s már létezik. Válasszon egy másikat.
 ErrorPrefixAlreadyExists=Prefix %s már létezik. Válasszon egy másikat.
-ErrorSetACountryFirst=1. Állítsa be az országot
-SelectThirdParty=Válasszon egy harmadik fél
-DeleteThirdParty=Törlése egy harmadik fél
-ConfirmDeleteCompany=Biztos benne, hogy törli a vállalat és az összes öröklött információt?
+ErrorSetACountryFirst=Először állítsa be az országot
+SelectThirdParty=Válasszon egy partnert
+DeleteThirdParty=Partner törlése
+ConfirmDeleteCompany=Biztos benne, hogy törli a céget és az összes örökölt információt?
 DeleteContact=Kapcsolat törlése
-ConfirmDeleteContact=Biztosan törölni akarja ezt a kapcsolatot és az összes öröklött információt?
-MenuNewThirdParty=Új harmadik fél
+ConfirmDeleteContact=Biztosan törölni akarja ezt a kapcsolatot és az összes örökölt információt?
+MenuNewThirdParty=Új partner
 MenuNewCompany=Új cég
-MenuNewCustomer=Új ügyfél
-MenuNewProspect=Új kilátások
+MenuNewCustomer=Új vevő
+MenuNewProspect=Új jelentkező
 MenuNewSupplier=Új beszállító
 MenuNewPrivateIndividual=Új magánszemély
 MenuSocGroup=Csoportok
-NewCompany=Új cég (kilátás, vevő, szállító)
-NewThirdParty=Új harmadik fél (kilátás, vevő, szállító)
+NewCompany=Új cég (jelentkező, vevő, szállító)
+NewThirdParty=Új partner (jelentkező, vevő, szállító)
 NewSocGroup=Új cégcsoport
-NewPrivateIndividual=Új magánszemély (kilátás, vevő, szállító)
-CreateDolibarrThirdPartySupplier=Create a third party (supplier)
-ProspectionArea=Bányászati ​​terület
+NewPrivateIndividual=Új magánszemély (jelentkező, vevő, szállító)
+CreateDolibarrThirdPartySupplier=Parnter (szállító) létrehozása
+ProspectionArea=Potenciális ​​terület
 SocGroup=Cégcsoport
-IdThirdParty=Id harmadik fél
-IdCompany=ISZ
+IdThirdParty=Partner ID
+IdCompany=Cég ID
 IdContact=Contact ID
 Contacts=Kapcsolatok
-ThirdPartyContacts=Harmadik fél kapcsolatok
-ThirdPartyContact=Harmadik fél Kapcsolat
-StatusContactValidated=Állapot kapcsolattartó
-Company=Vállalat
+ThirdPartyContacts=Partner kapcsolatok
+ThirdPartyContact=Paertner Kapcsolat/Cím
+StatusContactValidated=Kapcsolat/Cím állapota
+Company=Cég
 CompanyName=Cégnév
+AliasNames=Alias név (kereskedelmi, márkanév, ...)
 Companies=Cégek
-CountryIsInEEC=Ország belül van az Európai Gazdasági Közösség
-ThirdPartyName=Harmadik fél neve
-ThirdParty=Harmadik fél
-ThirdParties=Harmadik fél
-ThirdPartyAll=Harmadik felek (összes)
-ThirdPartyProspects=Kilátások
-ThirdPartyProspectsStats=Kilátások
-ThirdPartyCustomers=Az ügyfelek
-ThirdPartyCustomersStats=Ügyfelek
-ThirdPartyCustomersWithIdProf12=Ügyfelek vagy %s %s
-ThirdPartySuppliers=Beszállítók
-ThirdPartyType=Harmadik fél típusa
-Company/Fundation=Company / Alapítvány
+CountryIsInEEC=EU tagország
+ThirdPartyName=Partner neve
+ThirdParty=Partner
+ThirdParties=Partner
+ThirdPartyAll=Partnerek (összes)
+ThirdPartyProspects=Jelentkezők
+ThirdPartyProspectsStats=Jelentkezők
+ThirdPartyCustomers=Vevők
+ThirdPartyCustomersStats=Vevők
+ThirdPartyCustomersWithIdProf12=Vevők %s vagy %s
+ThirdPartySuppliers=Szállítók
+ThirdPartyType=Partner típusa
+Company/Fundation=Cég / Alapítvány
 Individual=Magánszemély
-ToCreateContactWithSameName=Automatikusan létrehoz egy fizikai érintkezés ugyanolyan információk
+ToCreateContactWithSameName=Automatikus fizikai kapcsolatot hoz létre ugyanazokkal az információkkal
 ParentCompany=Anyavállalat
 Subsidiary=Leányvállalat
 Subsidiaries=Leányvállalatok
 NoSubsidiary=Nincs leányvállalata
-ReportByCustomers=Jelentés az ügyfeleknek
-ReportByQuarter=Jelentése ráta
-CivilityCode=Udvariasság kód
+ReportByCustomers=Jelentés vevőnként
+ReportByQuarter=Jelentés %-onként
+CivilityCode=Udvariassági kód
 RegisteredOffice=Bejegyzett iroda
 Name=Név
 Lastname=Vezetéknév
 Firstname=Keresztnév
-PostOrFunction=Hozzászólás / Function
-UserTitle=Cím
-Surname=Vezetéknév / Pszeudo
+PostOrFunction=Beosztás / Szerepkör
+UserTitle=Titulus
+Surname=Vezetéknév / Becenév
 Address=Cím
 State=Állam / Tartomány
 Region=Régió
@@ -68,53 +69,53 @@ CountryCode=Az ország hívószáma
 CountryId=Ország id
 Phone=Telefon
 Skype=Skype
-Call=Call
+Call=Hívás
 Chat=Chat
-PhonePro=Prof. telefon
+PhonePro=Hivatali telefon
 PhonePerso=Szem. telefon
-PhoneMobile=Mozgó
-No_Email=Don't send mass e-mailings
+PhoneMobile=Mobil
+No_Email=Tömeges e-mail nem küldhető
 Fax=Fax
 Zip=Irányítószám
-Town=City
+Town=Város
 Web=Web
 Poste= Pozíció
 DefaultLang=Nyelv alapértelmezés szerint
-VATIsUsed=ÁFÁ-t használnak
-VATIsNotUsed=ÁFÁ-t nem használják
-CopyAddressFromSoc=Fill address with thirdparty address
-NoEmailDefined=There is no email defined
+VATIsUsed=ÁFÁ-t használandó
+VATIsNotUsed=ÁFÁ-t nem használandó
+CopyAddressFromSoc=Cím kitöltése a partner címével
+NoEmailDefined=Nincs e-mail megadva
 ##### Local Taxes #####
-LocalTax1IsUsedES= RE használják
-LocalTax1IsNotUsedES= RE nem használják
-LocalTax2IsUsedES= IRPF használják
-LocalTax2IsNotUsedES= IRPF nem használják
+LocalTax1IsUsedES= RE használandó
+LocalTax1IsNotUsedES= RE nem használandó
+LocalTax2IsUsedES= IRPF használandó
+LocalTax2IsNotUsedES= IRPF nem használandó
 LocalTax1ES=RE
 LocalTax2ES=IRPF
-TypeLocaltax1ES=RE Type
-TypeLocaltax2ES=IRPF Type
-TypeES=Type
+TypeLocaltax1ES=RE típus
+TypeLocaltax2ES=IRPF típus
+TypeES=Típus
 ThirdPartyEMail=%s
-WrongCustomerCode=Ügyfél kód érvénytelen
+WrongCustomerCode=Vevőkód érvénytelen
 WrongSupplierCode=Szállító kód érvénytelen
-CustomerCodeModel=Ügyfél kód modell
+CustomerCodeModel=Vevőkód modell
 SupplierCodeModel=Szállító kód modell
 Gencod=Vonalkód
 ##### Professional ID #####
-ProfId1Short=Prof. ID 1
-ProfId2Short=Prof. ID 2
-ProfId3Short=Prof. ID 3
-ProfId4Short=Prof. ID 4
-ProfId5Short=Prof. id 5
-ProfId6Short=Prof. id 5
-ProfId1=Szakmai ID 1
-ProfId2=Szakmai ID 2
-ProfId3=Szakmai ID 3
-ProfId4=Szakmai ID 4
-ProfId5=Szakmai ID 5
-ProfId6=Professional ID 6
-ProfId1AR=Prof ID 1 (CUIL)
-ProfId2AR=Prof ID 2 (revenu barmok)
+ProfId1Short=Szakma ID 1
+ProfId2Short=Szakma ID 2
+ProfId3Short=Szakma ID 3
+ProfId4Short=Szakma ID 4
+ProfId5Short=Szakma id 5
+ProfId6Short=Szakma id 5
+ProfId1=Szakma ID 1
+ProfId2=Szakma ID 2
+ProfId3=Szakma ID 3
+ProfId4=Szakma ID 4
+ProfId5=Szakma ID 5
+ProfId6=Szakma ID 6
+ProfId1AR=Szakma ID 1 (CUIL)
+ProfId2AR=Szakma ID 2 (bruttó jövedelem)
 ProfId3AR=-
 ProfId4AR=-
 ProfId5AR=-
@@ -125,53 +126,53 @@ ProfId3AU=-
 ProfId4AU=-
 ProfId5AU=-
 ProfId6AU=-
-ProfId1BE=Prof ID 1 (Professional szám)
+ProfId1BE=Szakma ID 1 (Szakma szám)
 ProfId2BE=-
 ProfId3BE=-
 ProfId4BE=-
 ProfId5BE=-
 ProfId6BE=-
 ProfId1BR=-
-ProfId2BR=IE (Inscricao Estadual)
-ProfId3BR=IM (Inscricao Municipal)
+ProfId2BR=RÁ (Regisztrált Állam)
+ProfId3BR=RV (Regisztrált város)
 ProfId4BR=CPF
 #ProfId5BR=CNAE
 #ProfId6BR=INSS
 ProfId1CH=-
 ProfId2CH=-
-ProfId3CH=Prof ID 1 (Federal szám)
-ProfId4CH=Prof ID 2 (Record Kereskedelmi szám)
+ProfId3CH=Szakma ID 1 (szövetségi szám)
+ProfId4CH=Szakma ID 2 (Kereskedelmi azonosító)
 ProfId5CH=-
 ProfId6CH=-
-ProfId1CL=Prof ID 1 (RUT)
+ProfId1CL=Szakma ID 1 (RUT)
 ProfId2CL=-
 ProfId3CL=-
 ProfId4CL=-
 ProfId5CL=-
 ProfId6CL=-
-ProfId1CO=Prof ID 1 (RUT)
+ProfId1CO=Szakma ID 1 (RUT)
 ProfId2CO=-
 ProfId3CO=-
 ProfId4CO=-
 ProfId5CO=-
 ProfId6CO=-
-ProfId1DE=Prof ID 1 (USt.-IdNr)
-ProfId2DE=Prof Id 2 (USt.-Nr)
-ProfId3DE=Prof Id 3 (Handelsregister-Nr.)
+ProfId1DE=Szakma ID 1 (USt.-IdNr)
+ProfId2DE=Szakma Id 2 (USt.-Nr)
+ProfId3DE=Szakma Id 3 (Kereskedelm kamarai szám)
 ProfId4DE=-
 ProfId5DE=-
 ProfId6DE=-
-ProfId1ES=Prof ID 1 (CIF / NIF)
-ProfId2ES=Prof ID 2 (Társadalombiztosítási szám)
-ProfId3ES=Prof Id 3 (CNAE)
-ProfId4ES=Prof Id 4 (Collegiate szám)
+ProfId1ES=Szakma ID 1 (CIF / NIF)
+ProfId2ES=Szakma ID 2 (Társadalombiztosítási szám)
+ProfId3ES=Szakma Id 3 (CNAE)
+ProfId4ES=Szakma Id 4 (Collegiate szám)
 ProfId5ES=-
 ProfId6ES=-
-ProfId1FR=Prof ID 1 (kürt)
-ProfId2FR=Prof ID 2 (SIRET)
-ProfId3FR=Prof Id 3 (NAF, régi APE)
-ProfId4FR=Prof Id 4 (RCS / RM)
-ProfId5FR=Prof Id 5
+ProfId1FR=Szakma ID 1 (SIREN)
+ProfId2FR=Szakma ID 2 (SIRET)
+ProfId3FR=Szakma Id 3 (NAF, régi APE)
+ProfId4FR=Szakma Id 4 (RCS / RM)
+ProfId5FR=Szakma Id 5
 ProfId6FR=-
 ProfId1GB=Regisztrációs szám
 ProfId2GB=-
@@ -179,40 +180,40 @@ ProfId3GB=SIC
 ProfId4GB=-
 ProfId5GB=-
 ProfId6GB=-
-ProfId1HN=Id prof. 1 (RTN)
+ProfId1HN=Szakma di. 1 (RTN)
 ProfId2HN=-
 ProfId3HN=-
 ProfId4HN=-
 ProfId5HN=-
 ProfId6HN=-
-ProfId1IN=Prof ID 1 (TIN)
-ProfId2IN=Prof ID 2
-ProfId3IN=Prof ID 3
-ProfId4IN=Prof Id 4
-ProfId5IN=Prof Id 5
+ProfId1IN=Szakma ID 1 (TIN)
+ProfId2IN=Szakma ID 2 (PAN)
+ProfId3IN=Szakma ID 3 (SRVC TAX)
+ProfId4IN=Szakma Id 4
+ProfId5IN=Szakma Id 5
 ProfId6IN=-
-ProfId1MA=Id prof. 1 (RC)
-ProfId2MA=Id prof. 2 (Patente)
-ProfId3MA=Id prof. 3 (IF)
-ProfId4MA=Id prof. 4 (CNSS)
+ProfId1MA=Szakma id 1 (RC)
+ProfId2MA=Szakma id 2 (Patente)
+ProfId3MA=Szakma id 3 (IF)
+ProfId4MA=Szakma id 4 (CNSS)
 ProfId5MA=-
 ProfId6MA=-
-ProfId1MX=Prof ID 1 (RFC).
-ProfId2MX=Prof ID 2 (R.. P. IMSS)
-ProfId3MX=Prof Id 3 (Profesional Charta)
+ProfId1MX=Szakma ID 1 (RFC).
+ProfId2MX=Szakma ID 2 (R.. P. IMSS)
+ProfId3MX=Szakma Id 3 (Profesional Charta)
 ProfId4MX=-
 ProfId5MX=-
 ProfId6MX=-
-ProfId1NL=KVK Nummer
+ProfId1NL=KVK Szám
 ProfId2NL=-
 ProfId3NL=-
-ProfId4NL=-
+ProfId4NL=Burgerservicenummer (BSN)
 ProfId5NL=-
 ProfId6NL=-
-ProfId1PT=Prof ID 1 (NIPC)
-ProfId2PT=Prof ID 2 (Társadalombiztosítási szám)
-ProfId3PT=Prof Id 3 (Kereskedelmi Rekord szám)
-ProfId4PT=Prof Id 4 (Konzervatórium)
+ProfId1PT=Szakma ID 1 (NIPC)
+ProfId2PT=Szakma ID 2 (Társadalombiztosítási szám)
+ProfId3PT=Szakma Id 3 (Kereskedelmi azonosító szám)
+ProfId4PT=Szakma Id 4 (Konzervatórium)
 ProfId5PT=-
 ProfId6PT=-
 ProfId1SN=RC
@@ -221,16 +222,16 @@ ProfId3SN=-
 ProfId4SN=-
 ProfId5SN=-
 ProfId6SN=-
-ProfId1TN=Prof ID 1 (RC)
-ProfId2TN=Prof ID 2 (Fiscal matricule)
-ProfId3TN=Prof Id 3 (Douane kód)
-ProfId4TN=Prof Id 4 (BAN)
+ProfId1TN=Szakma ID 1 (RC)
+ProfId2TN=Szakma ID 2 (Fiscal matricule)
+ProfId3TN=Szakma Id 3 (Douane kód)
+ProfId4TN=Szakma Id 4 (BAN)
 ProfId5TN=-
 ProfId6TN=-
-ProfId1RU=Prof ID 1 (OGRN)
-ProfId2RU=Prof ID 2 (INN)
-ProfId3RU=Prof Id 3 (KKP)
-ProfId4RU=Prof Id 4 (OKPO)
+ProfId1RU=Szakma ID 1 (OGRN)
+ProfId2RU=Szakma ID 2 (INN)
+ProfId3RU=Szakma Id 3 (KKP)
+ProfId4RU=Szakma Id 4 (OKPO)
 ProfId5RU=-
 ProfId6RU=-
 VATIntra=Adószám
@@ -238,139 +239,139 @@ VATIntraShort=Adószám
 VATIntraVeryShort=Áfa
 VATIntraSyntaxIsValid=Szintaxis érvényes
 VATIntraValueIsValid=Az érték érvényes
-ProspectCustomer=Prospect / Ügyfél
-Prospect=Kilátás
-CustomerCard=Ügyfél-kártya
+ProspectCustomer=Jelentkező / Vevő
+Prospect=Jelentkező
+CustomerCard=Vevő-kártya
 Customer=Vevő
 CustomerDiscount=Vásárlói kedvezmény
 CustomerRelativeDiscount=Relatív vásárlói kedvezmény
 CustomerAbsoluteDiscount=Abszolút vásárlói kedvezmény
 CustomerRelativeDiscountShort=Relatív kedvezmény
 CustomerAbsoluteDiscountShort=Abszolút kedvezmény
-CompanyHasRelativeDiscount=Ez az ügyfél egy alapértelmezett kedvezményt <b>%s%%</b>
-CompanyHasNoRelativeDiscount=Ez az ügyfél nem rendelkezik a relatív kedvezményes alapértelmezésben
-CompanyHasAbsoluteDiscount=Ez az ügyfél továbbra is kedvezményes hitel vagy betét <b>%s %s</b>
-CompanyHasCreditNote=Ez az ügyfél még a jóváírási <b>%s %s</b>
-CompanyHasNoAbsoluteDiscount=Ez az ügyfélnek nincs kedvezmény hitel áll rendelkezésre
+CompanyHasRelativeDiscount=A vevő alapértelmezett kedvezménye <b>%s%%</b>
+CompanyHasNoRelativeDiscount=A vevő nem rendelkezik relatív kedvezménnyel alapértelmezésben
+CompanyHasAbsoluteDiscount=A vevő továbbra is kedvezményt kap hitel vagy betét <b>%s %s</b>-ig
+CompanyHasCreditNote=Ez a vevő még hitellel rendelkezik <b>%s %s</b>-ig
+CompanyHasNoAbsoluteDiscount=A vevőnek nincs kedvezménye vagy hitele
 CustomerAbsoluteDiscountAllUsers=Abszolút kedvezmények (minden felhasználó által megadott)
 CustomerAbsoluteDiscountMy=Abszolút kedvezmények (által nyújtott magad)
 DefaultDiscount=Alapértelmezett kedvezmény
 AvailableGlobalDiscounts=Abszolút kedvezmények
-DiscountNone=Egyik sem
+DiscountNone=Nincs
 Supplier=Szállító
-CompanyList=Vállalat lista
-AddContact=Create contact
-AddContactAddress=Create contact/address
-EditContact=Szerk / cím
-EditContactAddress=Edit contact/address
+CompanyList=Cégek listája
+AddContact=Kapcsolat létrehozása
+AddContactAddress=Kapcsolat/cím létrehozása
+EditContact=Kapcsoalt szerkesztése
+EditContactAddress=Kapcsolat/cím szerkesztése
 Contact=Kapcsolat
-ContactsAddresses=Kapcsolat / címek
-NoContactDefinedForThirdParty=No contact defined for this third party
-NoContactDefined=Nincs kapcsolat az erre a harmadik fél
+ContactsAddresses=Kapcsolatok / címek
+NoContactDefinedForThirdParty=Nincs szerződés ehhez a partnerhez
+NoContactDefined=Nincs kapcsolat megadva
 DefaultContact=Alapértelmezett kapcsolat
-AddCompany=Create company
-AddThirdParty=Create third party
-DeleteACompany=Törlése cég
+AddCompany=Cég létrehozása
+AddThirdParty=Parnter létrehozása (harmadik fél)
+DeleteACompany=Cég törlése
 PersonalInformations=Személyes adatok
 AccountancyCode=Számviteli kód
-CustomerCode=Ügyfél kód
+CustomerCode=Vevőkód
 SupplierCode=Szállító kódja
-CustomerAccount=Ügyfélszámla
-SupplierAccount=Szállító számla
-CustomerCodeDesc=Ügyfél kód, egyedi minden ügyfele számára
+CustomerAccount=Vevő számlája
+SupplierAccount=Szállító számlája
+CustomerCodeDesc=Vevőkód, egyedi minden vevő számára
 SupplierCodeDesc=Szállító kódja, egyedi minden szolgáltató
-RequiredIfCustomer=Kötelező, ha harmadik fél, vagy egy ügyfél kilátásba
+RequiredIfCustomer=Kötelező, ha a partner vevő vagy jelentkező
 RequiredIfSupplier=Kötelező, ha harmadik fél a szállító
-ValidityControledByModule=Érvényességi vezérli a modul
-ThisIsModuleRules=Ez a modul szabályok
+ValidityControledByModule=Érvényességi a modulban beállítva
+ThisIsModuleRules=A modul szabályai
 LastProspect=Utolsó
-ProspectToContact=Prospect kapcsolatba
-CompanyDeleted=Társaság &quot;%s&quot; törölve az adatbázisból.
+ProspectToContact=Jelentkező a kapcsolat felvételre
+CompanyDeleted="%s" cég törölve az adatbázisból.
 ListOfContacts=Névjegyek / címek
-ListOfContactsAddresses=List of contacts/adresses
-ListOfProspectsContacts=Kilátás kapcsolatok listája
+ListOfContactsAddresses=Kapcsolatok listája
+ListOfProspectsContacts=Jelentkezők kapcsolatainak listája
 ListOfCustomersContacts=Ügyfél kapcsolatok listája
-ListOfSuppliersContacts=Beszállítói kapcsolatok listája
-ListOfCompanies=Társaságok listája
-ListOfThirdParties=Harmadik személyek listája
-ShowCompany=Mutasd cég
-ShowContact=Mutasd a kontaktus
+ListOfSuppliersContacts=Szállítói kapcsolatok listája
+ListOfCompanies=Cégek listája
+ListOfThirdParties=Partnerek listája
+ShowCompany=Cég mutatása
+ShowContact=Kapcsolat mutatása
 ContactsAllShort=Minden (nincs szűrő)
 ContactType=Kapcsolat típusa
-ContactForOrders=Rend Kapcsolat
-ContactForProposals=Javaslat kapcsolattartó
-ContactForContracts=A szerződés a kapcsolattartó
+ContactForOrders=Megrendelés kapcsolattartó
+ContactForProposals=Jelentkező kapcsolattartó
+ContactForContracts=Szerződéses kapcsolattartó
 ContactForInvoices=Számla kapcsolattartó
-NoContactForAnyOrder=Ez a kapcsolat nem kapcsolat bármilyen sorrendben
-NoContactForAnyProposal=Ez a kapcsolat nem kapcsolat bármilyen kereskedelmi javaslat
-NoContactForAnyContract=Ez a kapcsolat nem kapcsolat bármely szerződéses
-NoContactForAnyInvoice=Ez a kapcsolat nem kapcsolat bármilyen számla
-NewContact=Új kapcsolat / cím
-NewContactAddress=New contact/address
+NoContactForAnyOrder=Egyetlen megrdelésben sem kapcsolattartó
+NoContactForAnyProposal=Nem kapcsolattartó egyik kereskedelmi javaslatnál sem
+NoContactForAnyContract=Nem kapcsolattartó egyetlen szerződésnél sem
+NoContactForAnyInvoice=Nem kapcsolattartó egyik számlánál sem
+NewContact=Új kapcsolat
+NewContactAddress=Új kapcsolat/cím
 LastContacts=Utolsó kapcsolatok
-MyContacts=Saját kapcsolatok
+MyContacts=Kapcsolataim
 Phones=Telefonok
 Capital=Tőke
-CapitalOf=Fővárosa %s
-EditCompany=Cégadatok
+CapitalOf=%s tőkéje
+EditCompany=Cég szerkesztése
 EditDeliveryAddress=Szállítási cím szerkesztése
-ThisUserIsNot=Ez a felhasználó nem egy jelölt, sem a vevő szállító
-VATIntraCheck=Check
-VATIntraCheckDesc=A link <b>%s</b> lehetővé teszi, hogy kérje az európai HÉA-ellenőrző szolgáltatás. Egy külső internetezhetnek Server szükséges ez a szolgáltatás működjön.
+ThisUserIsNot=A felhasználó nem jelentkező, vevő vagy szállító
+VATIntraCheck=Csekk
+VATIntraCheckDesc=A link <b>%s</b> lehetővé teszi, hogy kérje az európai adószám ellenőrzését. Internet kapcsolat szükséges.
 VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do
-VATIntraCheckableOnEUSite=Ellenőrizze Intracomunnautary ÁFA jutalék európai helyszínen
-VATIntraManualCheck=Ön is ellenőrizheti manuálisan európai honlapján <a href="%s" target="_blank">%s</a>
-ErrorVATCheckMS_UNAVAILABLE=Ellenőrizze nem lehetséges. Ellenőrizze a szolgáltatást nem az érintett tagállam (%s).
-NorProspectNorCustomer=Sem kilátás, sem a vevő
+VATIntraCheckableOnEUSite=Ellenőrizze a közösségen belüli ÁFA-t az európai bizottság oldalán.
+VATIntraManualCheck=Ön is ellenőrizheti manuálisan az EU honlapján <a href="%s" target="_blank">%s</a>
+ErrorVATCheckMS_UNAVAILABLE=Ellenőrzés nem lehetséges. A szolgáltatást a tagállam nem teszi lehetővé (%s).
+NorProspectNorCustomer=Nem jelentkező vagy vevő
 JuridicalStatus=Jogi státusz
 Staff=Személyzet
 ProspectLevelShort=Potenciális
-ProspectLevel=Prospect potenciális
+ProspectLevel=Jelentkezői potenciál
 ContactPrivate=Magán
 ContactPublic=Megosztott
 ContactVisibility=Láthatóság
-OthersNotLinkedToThirdParty=Mások, nem kapcsolódik egy harmadik fél
-ProspectStatus=Prospect állapot
+OthersNotLinkedToThirdParty=Más, nem  partnerhez kapcsolt
+ProspectStatus=Jelentkező állapota
 PL_NONE=Egyik sem
 PL_UNKNOWN=Ismeretlen
 PL_LOW=Alacsony
 PL_MEDIUM=Közepes
-PL_HIGH=Nagy
+PL_HIGH=Magas
 TE_UNKNOWN=-
-TE_STARTUP=Indítás
+TE_STARTUP=Induló vállalkozás
 TE_GROUP=Nagyvállalat
-TE_MEDIUM=Közepes cég
+TE_MEDIUM=Közepes vállalat
 TE_ADMIN=Kormányzati
-TE_SMALL=Kis cég
-TE_RETAIL=Kiskereskedő
-TE_WHOLE=Wholetailer
+TE_SMALL=Kisvállalat
+TE_RETAIL=Viszonteladó
+TE_WHOLE=Nagykereskedő
 TE_PRIVATE=Magánszemély
 TE_OTHER=Más
-StatusProspect-1=Ne forduljon
-StatusProspect0=Soha kapcsolatot
+StatusProspect-1=Nincs kapcsolatfelvétel
+StatusProspect0=Kapcsolatfelvétel nem volt
 StatusProspect1=A kapcsolatfelvételhez
 StatusProspect2=Kapcsolat folyamatban
-StatusProspect3=Kapcsolat történt
-ChangeDoNotContact=Megváltoztatják státuszukat &quot;Ne keresse&quot;
-ChangeNeverContacted=Megváltoztatják státuszukat &quot;Soha kapcsolatot&quot;
-ChangeToContact=Megváltoztatják státuszukat &quot;Kapcsolat&quot;
-ChangeContactInProcess=Állapot módosítása a &quot;Kapcsolat folyamatban&quot;
-ChangeContactDone=Állapot módosítása a &quot;Kapcsolat tenni&quot;
-ProspectsByStatus=Kilátások állapot szerint
+StatusProspect3=Kapcsolatfelévétel történt
+ChangeDoNotContact=Megváltoztás erre: &quot;Ne keresse&quot;
+ChangeNeverContacted=Megváltoztatás erre: &quot;Soha kapcsolatot&quot;
+ChangeToContact=Megváltoztás erre: &quot;Kapcsolat&quot;
+ChangeContactInProcess=Megváltoztatás erre: &quot;Kapcsolat folyamatban&quot;
+ChangeContactDone=Megváltoztatás erre: &quot;Kapcsolat tenni&quot;
+ProspectsByStatus=Jelentkezők állapot szerint
 BillingContact=Számlázási kapcsolat
 NbOfAttachedFiles=A csatolt fájlok száma
 AttachANewFile=Új fájl csatolása
-NoRIB=Nem tiltják meg
+NoRIB=Nincs BAN megadva
 NoParentCompany=Egyik sem
 ExportImport=Import-Export
-ExportCardToFormat=Export kártya formátumú
-ContactNotLinkedToCompany=Kapcsolat nem kapcsolódik semmilyen harmadik fél
+ExportCardToFormat=Kártya exportálása formázással
+ContactNotLinkedToCompany=Kapcsolat nincs partnerhez csatolva
 DolibarrLogin=Dolibarr bejelentkezés
 NoDolibarrAccess=Nem Dolibarr hozzáférés
-ExportDataset_company_1=Third parties (Companies/foundations/physical people) and properties
+ExportDataset_company_1=Partner (Cég/alapítvány/magánszemély) és tulajdonságok
 ExportDataset_company_2=Kapcsolatok és tulajdonságai
-ImportDataset_company_1=Third parties (Companies/foundations/physical people) and properties
-ImportDataset_company_2=Contacts/Addresses (of thirdparties or not) and attributes
+ImportDataset_company_1=Partner (Cég/alapítvány/magánszemély) és tulajdonságok
+ImportDataset_company_2=Kapcsolatok/címek (partner vagy nem) és attribútumok
 ImportDataset_company_3=Banki adatok
 PriceLevel=Árszint
 DeliveriesAddress=Szállítási címek
@@ -379,41 +380,41 @@ DeliveryAddressLabel=Szállítási cím címke
 DeleteDeliveryAddress=Szállítási cím törlése
 ConfirmDeleteDeliveryAddress=Biztosan törölni akarja ezt a szállítási címet?
 NewDeliveryAddress=Új szállítási cím
-AddDeliveryAddress=Create address
-AddAddress=Create address
-NoOtherDeliveryAddress=Nincs olyan alternatív szállítási cím határozza meg
-SupplierCategory=Beszállítói kategória
+AddDeliveryAddress=Cím létrehozása
+AddAddress=Cím létrehozása
+NoOtherDeliveryAddress=Nincs alternatív szállítási cím megadva
+SupplierCategory=Szállítói kategória
 JuridicalStatus200=Független
 DeleteFile=Fájl törlése
 ConfirmDeleteFile=Biztosan törölni akarja ezt a fájlt?
-AllocateCommercial=Lefoglalni egy kereskedelmi
+AllocateCommercial=Kereskedelmi képviselőhöz rendelve
 SelectCountry=Válasszon országot
-SelectCompany=Válasszon egy harmadik fél
+SelectCompany=Válasszon partnert
 Organization=Szervezet
 AutomaticallyGenerated=Automatikusan generált
-FiscalYearInformation=Tájékoztatás a költségvetési évben
-FiscalMonthStart=Kezdő hónapban az üzleti év
-YouMustCreateContactFirst=Létre kell hoznia e-mail kapcsolatokat a harmadik párt első, hogy képes legyen felvenni e-mail értesítéseket.
-ListSuppliersShort=Beszállítók listája
-ListProspectsShort=Listája kilátások
-ListCustomersShort=Ügyfelek listája
-ThirdPartiesArea=Third parties and contact area
-LastModifiedThirdParties=Utolsó módosítás %s harmadik fél
-UniqueThirdParties=Összesen egyedi harmadik fél
-InActivity=Nyitva
-ActivityCeased=Zárva
-ActivityStateFilter=Gazdasági aktivitás
-ProductsIntoElements=List of products into %s
-CurrentOutstandingBill=Current outstanding bill
-OutstandingBill=Max. for outstanding bill
-OutstandingBillReached=Reached max. for outstanding bill
-MonkeyNumRefModelDesc=Vissza a numero formátumban %syymm-nnnn kódot, és az ügyfelek %syymm-nnnn kódot, ahol a szállító yy év, hónap és mm nnnn sorozata szünet nélkül, és nincs visszaút 0-ra.
-LeopardNumRefModelDesc=Vevő / szállító kód ingyenes. Ez a kód lehet bármikor módosítható.
-ManagingDirectors=Manager(s) name (CEO, director, president...)
-SearchThirdparty=Search third party
-SearchContact=Search contact
-MergeOriginThirdparty=Duplicate third party (third party you want to delete)
-MergeThirdparties=Merge third parties
-ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one ? All linked objects (invoices, orders, ...) will be moved to current third party so you will be able to delete the duplicate one.
-ThirdpartiesMergeSuccess=Thirdparties have been merged
-ErrorThirdpartiesMerge=There was an error when deleting the thirdparties. Please check the log. Changes have been reverted.
+FiscalYearInformation=Információ a pénzügyi évről
+FiscalMonthStart=Pénzügyi év kezdő hónapja
+YouMustCreateContactFirst=E-mail értesítő hozzáadásához létre kell hozni egy e-mail kapcsolatot a partnerhez.
+ListSuppliersShort=Szállítók listája
+ListProspectsShort=Jelenkezők listája
+ListCustomersShort=Vevők listája
+ThirdPartiesArea=Partner és a szerződés helye
+LastModifiedThirdParties=Utolsó %s módosított partner
+UniqueThirdParties=Összes egyedi parnter
+InActivity=Nyitott
+ActivityCeased=Lezárt
+ActivityStateFilter=Aktivitás állapota
+ProductsIntoElements=Termékek listája ide: %s
+CurrentOutstandingBill=Jelenlegi kintlévőség
+OutstandingBill=Maximális kintlévőség
+OutstandingBillReached=Elérte a kintlévőség felső határát
+MonkeyNumRefModelDesc=Szám formátumban %syymm-nnnn vevőkód, és %syymm-nnnn szállítóküd, ahol yy év, mm a hónap és nnnn sorfolytonosan növekvő számsor, ami nem lehet nulla.
+LeopardNumRefModelDesc=A kód szabad. Ez a kód bármikor módosítható.
+ManagingDirectors=Vezető(k) neve (ügyvezető, elnök, igazgató)
+SearchThirdparty=Partner keresése
+SearchContact=Szerződés keresése
+MergeOriginThirdparty=Duplikált partner (a partnert törlésre kerül)
+MergeThirdparties=Partnerek egyesítése
+ConfirmMergeThirdparties=Biztos hogy egyesíteni szeretnéd ezt a partnert az aktuális partnerrel? Minden kapcsolt objektum (számlák, megrendelések, ...) átkerülnek a jelenlegi partnerhez, így a másik törölhetővé válik.
+ThirdpartiesMergeSuccess=Partnerek egyesítése megtörtént
+ErrorThirdpartiesMerge=Hiba történt a partner törlésekor. Ellenőrizd a log-ban. A változtatás visszavonva.
diff --git a/htdocs/langs/hu_HU/compta.lang b/htdocs/langs/hu_HU/compta.lang
index 13b4925f02c7f236f55233a25865999bab077551..882c69ef05df37cfc4d64254d762b92446996974 100644
--- a/htdocs/langs/hu_HU/compta.lang
+++ b/htdocs/langs/hu_HU/compta.lang
@@ -56,23 +56,23 @@ VATCollected=Beszedett HÉA
 ToPay=Fizetni
 ToGet=Ahhoz, hogy vissza
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Adó, társadalombiztosítási járulékok és osztalék terület
-SocialContribution=Társadalombiztosítási járulék
-SocialContributions=Társadalombiztosítási hozzájárulások
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Adók és osztalék
 MenuSalaries=Salaries
-MenuSocialContributions=Társadalombiztosítási hozzájárulások
-MenuNewSocialContribution=Új hozzájárulás
-NewSocialContribution=Új társadalombiztosítási járulék
-ContributionsToPay=Hozzájárulás fizetni
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Számviteli / Treasury területén
 AccountancySetup=Számviteli setup
 NewPayment=Új fizetési
 Payments=Kifizetések
 PaymentCustomerInvoice=Ügyfél számla fizetési
 PaymentSupplierInvoice=Szállító számla fizetési
-PaymentSocialContribution=Társadalombiztosítási járulék fizetési
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=ÁFA-fizetés
 PaymentSalary=Salary payment
 ListPayment=A fizetési lista
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=ÁFA fizetés
 VATPayments=ÁFA kifizetések
-SocialContributionsPayments=Társadalombiztosítási hozzájárulások kifizetések
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Mutasd ÁFA fizetési
 TotalToPay=Összes fizetni
 TotalVATReceived=Teljes ÁFA kapott
@@ -116,11 +116,11 @@ NewCheckDepositOn=Készítsen nyugtát letét számla: %s
 NoWaitingChecks=Nem ellenőrzi vár betét.
 DateChequeReceived=Ellenőrizze a fogadás dátumát
 NbOfCheques=Nb ellenőrzések
-PaySocialContribution=Fizetnek társadalombiztosítási járulék
-ConfirmPaySocialContribution=Biztosan meg akarja minősíteni ezt a társadalmi hozzájárulást fizetni?
-DeleteSocialContribution=Törlése társadalombiztosítási járulék
-ConfirmDeleteSocialContribution=Biztosan törölni kívánja ezt a társadalmi hozzájárulás?
-ExportDataset_tax_1=Társadalombiztosítási hozzájárulások és a kifizetések
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/hu_HU/contracts.lang b/htdocs/langs/hu_HU/contracts.lang
index 426c7a37859f3466af438e26f5672dd297174f7b..3f46617780e96c927756c6c000fe6a5c2447493a 100644
--- a/htdocs/langs/hu_HU/contracts.lang
+++ b/htdocs/langs/hu_HU/contracts.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - contracts
 ContractsArea=Szerzősdések terólet
 ListOfContracts=Szerződések listája
-LastModifiedContracts=Last %s modified contracts
+LastModifiedContracts=Utolsó %s módosított szerződés
 AllContracts=Minden szerződés
 ContractCard=Szerződés kártya
 ContractStatus=Szerződés állpaot
@@ -19,7 +19,7 @@ ServiceStatusLateShort=Lejárt
 ServiceStatusClosed=Lezárva
 ServicesLegend=Szolgáltatások magyarázat
 Contracts=Szerződések
-ContractsAndLine=Contracts and line of contracts
+ContractsAndLine=Szerződések és a szerződések sorai
 Contract=Szerződés
 NoContracts=Nincs szerződés
 MenuServices=Szolgáltatás
@@ -28,7 +28,7 @@ MenuRunningServices=Futó szolgáltatások
 MenuExpiredServices=Lejárt szolgáltatások
 MenuClosedServices=Lezárt szolgáltatások
 NewContract=Új szerződés
-AddContract=Create contract
+AddContract=Szerződés hozzáadása
 SearchAContract=Szerződés keresése
 DeleteAContract=Szerződés törlése
 CloseAContract=Szerződés lezárása
@@ -39,14 +39,14 @@ ConfirmCloseService=Biztos le akarja zárni a <b>%s</b> dátummal ellátott szol
 ValidateAContract=Szerződés hitelesítése
 ActivateService=Aktív szolgáltatás
 ConfirmActivateService=Biztos aktiválni akarja a <b>%s</b> dátummal ellátott szolgáltatást?
-RefContract=Contract reference
+RefContract=Szerződés azonosító
 DateContract=Szerződés dátuma
 DateServiceActivate=Szolgáltatás aktiválásának dátuma
 DateServiceUnactivate=Szolgáltatás deaktiválásának dátuma
 DateServiceStart=Szolgáltatás kezdetének a dátuma
 DateServiceEnd=Szolgáltatás végének a dátuma
 ShowContract=Szerződés mutatása
-ListOfServices=List of services
+ListOfServices=Szolgáltatások listája
 ListOfInactiveServices=Nem aktív szolágltatások listája
 ListOfExpiredServices=Lejárt, de még aktív szolgáltatások listája
 ListOfClosedServices=Lezárt szolgáltatások listája
@@ -54,7 +54,7 @@ ListOfRunningContractsLines=Futó szerződések listája
 ListOfRunningServices=Futó szolgáltatások listája
 NotActivatedServices=Inaktív szolgáltatások (a hitelesített szerződések között)
 BoardNotActivatedServices=Hitelesített szerződésekhez tartozó aktiválandó szolgáltatások
-LastContracts=Last %s contracts
+LastContracts=Utolsó %s szerződés
 LastActivatedServices=Utolós %s aktivált szolgáltatás
 LastModifiedServices=Utolsó %s módosított szolgáltatás
 EditServiceLine=Szolgáltatás sor szerkesztése
@@ -70,7 +70,7 @@ DateEndReal=Tényleges befejezési dátum
 DateEndRealShort=Tényleges befejezési dátum
 NbOfServices=Szolgáltatások száma
 CloseService=Szolgáltatás lezárása
-ServicesNomberShort=%s szolgáltatás(ok)
+ServicesNomberShort=%s szolgáltatás
 RunningServices=Futó szolgáltatások
 BoardRunningServices=Lejárt futó szolgáltatások
 ServiceStatus=Szolgáltatások állapota
@@ -86,18 +86,18 @@ PaymentRenewContractId=Szerződés sor megújítása (%s)
 ExpiredSince=Lejárati dátum
 RelatedContracts=Csatlakozó szerződések
 NoExpiredServices=Nincs lejárt aktív szolgáltatások
-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:
-OnlyLinesWithTypeServiceAreUsed=Only lines with type "Service" will be cloned.
+ListOfServicesToExpireWithDuration=%s napon belül lejáró szolgáltatások
+ListOfServicesToExpireWithDurationNeg=%s napon túl lejáró szolgáltatások
+ListOfServicesToExpire=Lejáró szolgáltatások
+NoteListOfYourExpiredServices=Ez a lista csak azoknak a szerződéseknek a szolgáltatásait tartalmazza, amik harmadik félhez mint kereskedelmi képviselőhöz lettek linkelve.
+StandardContractsTemplate=Általános szerződés minta
+ContactNameAndSignature=A %s-hez név és aláírás
+OnlyLinesWithTypeServiceAreUsed=Csak a "Service" szolgáltatás sorok lesznek klónozva.
 
 ##### Types de contacts #####
 TypeContact_contrat_internal_SALESREPSIGN=Értékesítési képviselő a szerződés aláírásakor
 TypeContact_contrat_internal_SALESREPFOLL=Értékesítési képviselő a szerződés követésekor
 TypeContact_contrat_external_BILLING=Számlázandó ügyfél
 TypeContact_contrat_external_CUSTOMER=Ügyfél kapcsolat tartó
-TypeContact_contrat_external_SALESREPSIGN=A szerződést aláíró ügyfél
+TypeContact_contrat_external_SALESREPSIGN=A szerződést aláíró személy
 Error_CONTRACT_ADDON_NotDefined=Állandó CONTRACT_ADDON nincs definiálva
diff --git a/htdocs/langs/hu_HU/cron.lang b/htdocs/langs/hu_HU/cron.lang
index 0ccb33d5ea36dac5e8298f9f1ba1f2962161647b..79fb9737d527b6fcdf4c1b1372db844be0122297 100644
--- a/htdocs/langs/hu_HU/cron.lang
+++ b/htdocs/langs/hu_HU/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/hu_HU/dict.lang b/htdocs/langs/hu_HU/dict.lang
index 538de8583332888c9cdac3c0951f1e25275c1b66..5cfd1f7c31ec08c7c34a1192972a085a25e9ee91 100644
--- a/htdocs/langs/hu_HU/dict.lang
+++ b/htdocs/langs/hu_HU/dict.lang
@@ -6,7 +6,7 @@ CountryES=Spanyolország
 CountryDE=Németország
 CountryCH=Svájc
 CountryGB=Nagy-Britannia
-# CountryUK=United Kingdom
+CountryUK=Egyesült Királyság
 CountryIE=Írország
 CountryCN=Kína
 CountryTN=Tunézia
@@ -252,8 +252,7 @@ CivilityMME=Asszony
 CivilityMR=Úr
 CivilityMLE=Kisasszony
 CivilityMTRE=Mester
-# CivilityDR=Doctor
-
+CivilityDR=Doktor
 ##### Currencies #####
 Currencyeuros=Euró
 CurrencyAUD=AU dollár
@@ -290,10 +289,10 @@ CurrencyXOF=CFA frank BCEAO
 CurrencySingXOF=CFA frank BCEAO
 CurrencyXPF=CFP frank
 CurrencySingXPF=CFP frank
-
-# CurrencyCentSingEUR=cent
-# CurrencyThousandthSingTND=thousandth
-
+CurrencyCentSingEUR=cent
+CurrencyCentINR=paisa
+CurrencyCentSingINR=paise
+CurrencyThousandthSingTND=ezer
 #### Input reasons #####
 DemandReasonTypeSRC_INTE=Internet
 DemandReasonTypeSRC_CAMP_MAIL=Levelezési kampányban
@@ -302,28 +301,27 @@ DemandReasonTypeSRC_CAMP_PHO=Telefon kampány
 DemandReasonTypeSRC_CAMP_FAX=Fax kampány
 DemandReasonTypeSRC_COMM=Kereskedelmi kapcsolat
 DemandReasonTypeSRC_SHOP=Shop kapcsolatban
-# DemandReasonTypeSRC_WOM=Word of mouth
-# DemandReasonTypeSRC_PARTNER=Partner
-# DemandReasonTypeSRC_EMPLOYEE=Employee
-# DemandReasonTypeSRC_SPONSORING=Sponsorship
-
+DemandReasonTypeSRC_WOM=Word of mouth
+DemandReasonTypeSRC_PARTNER=Parner
+DemandReasonTypeSRC_EMPLOYEE=Foglalkoztató
+DemandReasonTypeSRC_SPONSORING=Szponoráció
 #### Paper formats ####
-# PaperFormatEU4A0=Format 4A0
-# PaperFormatEU2A0=Format 2A0
-# PaperFormatEUA0=Format A0
-# PaperFormatEUA1=Format A1
-# PaperFormatEUA2=Format A2
-# PaperFormatEUA3=Format A3
-# PaperFormatEUA4=Format A4
-# PaperFormatEUA5=Format A5
-# PaperFormatEUA6=Format A6
-# PaperFormatUSLETTER=Format Letter US
-# PaperFormatUSLEGAL=Format Legal US
-# PaperFormatUSEXECUTIVE=Format Executive US
-# PaperFormatUSLEDGER=Format Ledger/Tabloid
-# PaperFormatCAP1=Format P1 Canada
-# PaperFormatCAP2=Format P2 Canada
-# PaperFormatCAP3=Format P3 Canada
-# PaperFormatCAP4=Format P4 Canada
-# PaperFormatCAP5=Format P5 Canada
-# PaperFormatCAP6=Format P6 Canada
+PaperFormatEU4A0=Format 4A0
+PaperFormatEU2A0=Format 2A0
+PaperFormatEUA0=Format A0
+PaperFormatEUA1=Format A1
+PaperFormatEUA2=Format A2
+PaperFormatEUA3=Format A3
+PaperFormatEUA4=Format A4
+PaperFormatEUA5=Format A5
+PaperFormatEUA6=Format A6
+PaperFormatUSLETTER=Format Letter US
+PaperFormatUSLEGAL=Format Legal US
+PaperFormatUSEXECUTIVE=Format Executive US
+PaperFormatUSLEDGER=Format Ledger/Tabloid
+PaperFormatCAP1=Format P1 Canada
+PaperFormatCAP2=Format P2 Canada
+PaperFormatCAP3=Format P3 Canada
+PaperFormatCAP4=Format P4 Canada
+PaperFormatCAP5=Format P5 Canada
+PaperFormatCAP6=Format P6 Canada
diff --git a/htdocs/langs/hu_HU/ecm.lang b/htdocs/langs/hu_HU/ecm.lang
index 19ae18f33b9da4fd52e84925a0e94d95906beda6..9468e1f599020bb2cd6c3ee24193c495353b3a04 100644
--- a/htdocs/langs/hu_HU/ecm.lang
+++ b/htdocs/langs/hu_HU/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Objektum alapjáni keresés
 ECMSectionOfDocuments=Dokumentumok könyvtárai
 ECMTypeManual=Kézi
 ECMTypeAuto=Automatikus
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Harmadik féllel kapcsolatban álló dokumentumok
 ECMDocsByProposals=Ajánlatokkat kapcsolatban álló dokumentumok
 ECMDocsByOrders=Megrendelésekkel kapcsolatban álló dokumentumok
diff --git a/htdocs/langs/hu_HU/errors.lang b/htdocs/langs/hu_HU/errors.lang
index dbf83f5d4338132da19f09d8d55fed0ab67265a3..c889d4b181496176c2680f2db24af3efae3f0c23 100644
--- a/htdocs/langs/hu_HU/errors.lang
+++ b/htdocs/langs/hu_HU/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/hu_HU/holiday.lang b/htdocs/langs/hu_HU/holiday.lang
index 6b94d93f203ece147ed76db4a12a0430a70a2c31..d631d4ec8a798b492d1c6128c01ca95cbb8fedc9 100644
--- a/htdocs/langs/hu_HU/holiday.lang
+++ b/htdocs/langs/hu_HU/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Ok
 UserCP=Felhasználó
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Érték
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/hu_HU/incoterm.lang b/htdocs/langs/hu_HU/incoterm.lang
index 3065894865eb025934632d737bd394fb529876ed..7fa55d7079b1d970c75d64b2a60827714656d5d9 100644
--- a/htdocs/langs/hu_HU/incoterm.lang
+++ b/htdocs/langs/hu_HU/incoterm.lang
@@ -1,7 +1,7 @@
 Module62000Name=Incoterm
 Module62000Desc=Add features to manage Incoterm
 IncotermLabel=Incoterms
-IncotermSetupTitle1=Feature
-IncotermSetupTitle2=Status
+IncotermSetupTitle1=Tulajdonság
+IncotermSetupTitle2=Státusz
 IncotermSetup=Setup of module Incoterm
 IncotermFunctionDesc=Activate Incoterm feature (Thirdparty, Proposal, Customer Order, Customer Invoice, Shipment, Supplier order)
diff --git a/htdocs/langs/hu_HU/install.lang b/htdocs/langs/hu_HU/install.lang
index 77a4d258087f8f2b6a415e0a123a82e945960ba3..050873201b68bedc93288db21b79a8426eb429a9 100644
--- a/htdocs/langs/hu_HU/install.lang
+++ b/htdocs/langs/hu_HU/install.lang
@@ -25,14 +25,14 @@ ErrorGoBackAndCorrectParameters=Menjen vissza és javítsa ki a rossz paraméter
 ErrorWrongValueForParameter=Lehet, hogy rossz értéket adott meg a(z) '%s' paraméter számára.
 ErrorFailedToCreateDatabase=Nem sikerült létrehozni a(z) '%s' adatbázist.
 ErrorFailedToConnectToDatabase=Nem sikerült csatlakozni a(z) '%s' adatbázishoz.
-ErrorDatabaseVersionTooLow=Database version (%s) too old. Version %s or higher is required.
+ErrorDatabaseVersionTooLow=Az adatbázis (%s) verziója túl alacsony. %s verzió vagy magasabb szükséges
 ErrorPHPVersionTooLow=Túl régi a PHP verzió. Legalább %s kell.
 WarningPHPVersionTooLow=PHP verzió túl régi. %s vagy több verzió várható. Ez a változat lehetővé teszi telepíteni, de nem támogatott.
 ErrorConnectedButDatabaseNotFound=Sikeres kapcsolódás az adatbázis szerverhez, de a(z) '%s' adatbázis nincs meg.
 ErrorDatabaseAlreadyExists='%s' adatbázis már létezik.
 IfDatabaseNotExistsGoBackAndUncheckCreate=Ha az adatbázis nem létezik akkor menjen vissza és jelölje ki az "Adatbázis létrehozása" opciót.
 IfDatabaseExistsGoBackAndCheckCreate=Ha az adatbázis már létezik, menjen vissza és ne válassza az "Adatbázis létrehozása" opciót.
-WarningBrowserTooOld=Too old version of browser. Upgrading your browser to a recent version of Firefox, Chrome or Opera is highly recommanded.
+WarningBrowserTooOld=A böngésző verziója túl alacsony. A legfrissebb verziójú Firefox, Chrome vagy Opera használata erősen ajánlott. 
 PHPVersion=PHP Verzió
 YouCanContinue=Folytathatja...
 PleaseBePatient=Kerjük legyen türelemmel...
@@ -64,7 +64,7 @@ DatabaseSuperUserAccess=Adatbázis szerver - Superuser hozzáférés
 CheckToCreateDatabase=Pipálja ki a dobozt ha szeretné, hogy a rendszer létrehozza az adatbázist.<br>Ebbben az esetben a SuperUser bejelentkezési adatai ki kell tölteni az oldal alján.
 CheckToCreateUser=Pipálja ki a dobozt ha szeretné, hogy a rendszer létrehozza az adatbázis tulajdonos.<br>Ebbben az esetben a SuperUser bejelentkezési adatai ki kell tölteni az oldal alján. A a doboz nincs kipipálva akkor az adatbázisnak és a tulajdonosának léteznie kell.
 Experimental=(kísérleti)
-Deprecated=(deprecated)
+Deprecated=(elavult)
 DatabaseRootLoginDescription=A felhasználó jogosúlt új adatbázisok vagy új felhasználók létrehozására, felesleges ha a szolgáltatás hostolt formában veszik igénybe.
 KeepEmptyIfNoPassword=Hagyja üresen ha a felhasználónak nincs jelszava (az ilyet jobb elkerülni)
 SaveConfigurationFile=Értékek mentése
@@ -155,9 +155,9 @@ MigrationShippingDelivery2=Szállítási tárló frissítése 2
 MigrationFinished=Migráció befejezte
 LastStepDesc=<strong>Utolsó lépés:</strong> Adjuk meg itt bejelentkezési név és jelszó használatát tervezi, hogy csatlakozik a szoftver. Ne laza ez, mivel a számla beadására az összes többi.
 ActivateModule=Modul aktiválása %s
-ShowEditTechnicalParameters=Click here to show/edit advanced parameters (expert mode)
-WarningUpgrade=Warning:\nDid your run a database backup first ?\nThis is highly recommanded: for example, due to some bugs into databases systems (for example mysql version 5.5.40), some data or tables may be lost during this process, so it is highly recommanded to have a complete dump of your database before starting migration.\n\nClick OK to start migration process...
-ErrorDatabaseVersionForbiddenForMigration=Your database version is %s. It has a critical bug making data loss if you make structure change on your database, like it is required by the migration process. For his reason, migration will not be allowed until you upgrade your database to a higher fixed version (list of known bugged version: %s)
+ShowEditTechnicalParameters=Klikkelj ide a haladó beállítasok megtekintéséhez/szerkezstéséhez. (szakértő mód)
+WarningUpgrade=Figyelem!\nKészült biztonsági másolat az adatbázisról?\nErősen ajánlott: például az adatbázis rendszer hibája miatt a folyamat során néhány adat vagy tábla elveszhet, ezért erősen ajánlott egy teljes másolat készítése az adatbázisról, mielött a migráció elindul.\n\nVálaszd az OK gombot a migráció elindításához
+ErrorDatabaseVersionForbiddenForMigration=Az adatbázis verziója %s. Ez a verzió kritikus hibát tartalmaz az az adatbis struktúrájának megváltoztatásakor, ami a migrációs folyamat során szükséges. Ennek elkerülése érdekében a migráció nem engedélyezett, amíg az adatbázis nem kerül frissítésre egy magasabb stabil verzióra. (Az ismert hibás verziókat lásd itt:%s)
 
 #########
 # upgrade
@@ -208,8 +208,8 @@ MigrationProjectUserResp=Adatok migrálása fk_user_resp/llx_projet llx_element_
 MigrationProjectTaskTime=Frissítési idõ másodpercekben
 MigrationActioncommElement=Frissítés adatok akciók
 MigrationPaymentMode=Adatmigráció fizetési mód
-MigrationCategorieAssociation=Migration of categories
-MigrationEvents=Migration of events to add event owner into assignement table
+MigrationCategorieAssociation=Kategória migrálása
+MigrationEvents=Az események migrálásához az események tulajdonosát be kell állítani a szükséges táblában
 
-ShowNotAvailableOptions=Show not available options
-HideNotAvailableOptions=Hide not available options
+ShowNotAvailableOptions=Nem elérhető opciók mutatása
+HideNotAvailableOptions=Nem elérhető opciók elrejtése
diff --git a/htdocs/langs/hu_HU/mails.lang b/htdocs/langs/hu_HU/mails.lang
index f91e3f5cabadffa1e15f2465669aff4dc68f0559..226b4b503e28be004fbb75a153a361963e1ed320 100644
--- a/htdocs/langs/hu_HU/mails.lang
+++ b/htdocs/langs/hu_HU/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Értesítések
 NoNotificationsWillBeSent=Nincs e-mail értesítést terveznek erre az eseményre és vállalati
diff --git a/htdocs/langs/hu_HU/main.lang b/htdocs/langs/hu_HU/main.lang
index 9b6eee3f8e25bdd04eda00efbb948088c36ad733..58046e6a3e83567cbb0bd5417ad73d960a5b07ff 100644
--- a/htdocs/langs/hu_HU/main.lang
+++ b/htdocs/langs/hu_HU/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Nehány hibát találtunk. Visszafordítju
 ErrorConfigParameterNotDefined=<b>%s</b> paraméter nincs definiálva a Dolibarr configurációs fájlban (<b>conf.php</b>).
 ErrorCantLoadUserFromDolibarrDatabase=<b>%s</b> felhasználó nem található a Dolibarr adatbázisban.
 ErrorNoVATRateDefinedForSellerCountry=Hiba '%s' számára nincs Áfa meghatározva.
-ErrorNoSocialContributionForSellerCountry=Hiba, nincs szociális hozzájárulás meghatározva '%s' számára.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Hiba, nem sikerült a fájl mentése.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Egység ár
 PriceU=E.Á.
 PriceUHT=E.Á. (nettó)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=E.Á.
+PriceUTTC=U.P. (inc. tax)
 Amount=Mennyiség
 AmountInvoice=Számla mennyiség
 AmountPayment=Fizetés mennyiség
@@ -339,6 +339,7 @@ IncludedVAT=ÁFÁ-val
 HT=Nettó
 TTC=Bruttó
 VAT=ÁFA
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=ÁFA érték
diff --git a/htdocs/langs/hu_HU/members.lang b/htdocs/langs/hu_HU/members.lang
index bdac075a8b435e5a353827b416e5d412f0230265..9458170a7ecc8a8dc965c272e27f3dddef469d20 100644
--- a/htdocs/langs/hu_HU/members.lang
+++ b/htdocs/langs/hu_HU/members.lang
@@ -199,7 +199,8 @@ Entreprises=Cégek
 DOLIBARRFOUNDATION_PAYMENT_FORM=Ahhoz, hogy az előfizetés befizetését a banki átutalást, lásd <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Fizetni hitelkártyával vagy PayPal, kattintson gombra a lap alján. <br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/hu_HU/other.lang b/htdocs/langs/hu_HU/other.lang
index 3a2c3fb5d3818931ae92f5f9a78eb1ed21ae5cae..d79d3d03b48a53808c2c726f02f9965ec691d596 100644
--- a/htdocs/langs/hu_HU/other.lang
+++ b/htdocs/langs/hu_HU/other.lang
@@ -9,10 +9,10 @@ DateToBirth=Dátum a születési
 BirthdayAlertOn= Születésnaposok aktív
 BirthdayAlertOff= Születésnaposok inaktív
 Notify_FICHINTER_VALIDATE=Beavatkozás validált
-Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail
+Notify_FICHINTER_SENTBYMAIL=Beavatkozás küldése e-mailben
 Notify_BILL_VALIDATE=Ügyfél számla hitelesített
-Notify_BILL_UNVALIDATE=Customer invoice unvalidated
-Notify_ORDER_SUPPLIER_VALIDATE=Supplier order recorded
+Notify_BILL_UNVALIDATE=Vevőszámla nincs érvényesítve
+Notify_ORDER_SUPPLIER_VALIDATE=Szállítói megrendelés rögzítve
 Notify_ORDER_SUPPLIER_APPROVE=Szállító érdekében elfogadott
 Notify_ORDER_SUPPLIER_REFUSE=Szállító érdekében hajlandó
 Notify_ORDER_VALIDATE=Ügyfél érdekében érvényesített
@@ -29,12 +29,12 @@ Notify_PROPAL_SENTBYMAIL=Kereskedelmi által küldött javaslatban mail
 Notify_BILL_PAYED=Az ügyfél számlát fizetni
 Notify_BILL_CANCEL=Az ügyfél számlát törölt
 Notify_BILL_SENTBYMAIL=Az ügyfél számlát postai úton
-Notify_ORDER_SUPPLIER_VALIDATE=Supplier order recorded
+Notify_ORDER_SUPPLIER_VALIDATE=Szállítói megrendelés rögzítve
 Notify_ORDER_SUPPLIER_SENTBYMAIL=Szállító érdekében postai úton
 Notify_BILL_SUPPLIER_VALIDATE=Szállító számlát érvényesített
 Notify_BILL_SUPPLIER_PAYED=Szállító számlát fizetni
 Notify_BILL_SUPPLIER_SENTBYMAIL=Szállító számlát postai úton
-Notify_BILL_SUPPLIER_CANCELED=Supplier invoice cancelled
+Notify_BILL_SUPPLIER_CANCELED=Szállítói számla visszavonva
 Notify_CONTRACT_VALIDATE=A szerződés a validált
 Notify_FICHEINTER_VALIDATE=Beavatkozás érvényesített
 Notify_SHIPPING_VALIDATE=Szállítás validált
@@ -48,14 +48,14 @@ Notify_PROJECT_CREATE=Project creation
 Notify_TASK_CREATE=Task created
 Notify_TASK_MODIFY=Task modified
 Notify_TASK_DELETE=Task deleted
-SeeModuleSetup=See setup of module %s
+SeeModuleSetup=Lásd a %s modul beállításait
 NbOfAttachedFiles=Száma csatolt fájlok / dokumentumok
 TotalSizeOfAttachedFiles=Teljes méretű csatolt fájlok / dokumentumok
 MaxSize=Maximális méret
 AttachANewFile=Helyezzen fel egy új file / dokumentum
 LinkedObject=Csatolt objektum
 Miscellaneous=Vegyes
-NbOfActiveNotifications=Number of notifications (nb of recipient emails)
+NbOfActiveNotifications=Figyelmeztetések száma (nyugtázott emailek száma)
 PredefinedMailTest=Ez egy teszt mailt. \\ NA két vonal választja el egymástól kocsivissza.
 PredefinedMailTestHtml=Ez egy <b>teszt</b> mail (a szó vizsgálatot kell vastagon). <br> A két vonal választja el egymástól kocsivissza.
 PredefinedMailContentSendInvoice=__CONTACTCIVNAME__\n\nYou will find here the invoice __FACREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
@@ -82,16 +82,16 @@ ModifiedBy=Módosította %s
 ValidatedBy=Érvényesíti %s
 CanceledBy=Megszakította %s
 ClosedBy=Lezárta %s
-CreatedById=User id who created
-ModifiedById=User id who made last change
-ValidatedById=User id who validated
-CanceledById=User id who canceled
-ClosedById=User id who closed
-CreatedByLogin=User login who created
-ModifiedByLogin=User login who made last change
-ValidatedByLogin=User login who validated
-CanceledByLogin=User login who canceled
-ClosedByLogin=User login who closed
+CreatedById=Étrehozó ID
+ModifiedById=Utoljára módosító ID-ja
+ValidatedById=Jóváhagyó ID
+CanceledById=Visszavonó ID
+ClosedById=Lezáró ID
+CreatedByLogin=Létrehozó
+ModifiedByLogin=Utolsjára módosította
+ValidatedByLogin=Jóváhagyta
+CanceledByLogin=Visszavonta
+ClosedByLogin=Lezárta
 FileWasRemoved=Fájl %s eltávolították
 DirWasRemoved=Directory %s eltávolították
 FeatureNotYetAvailableShort=Elérhető a következő verziója
@@ -208,21 +208,21 @@ SourcesRepository=Repository for sources
 
 ##### Calendar common #####
 AddCalendarEntry=Add bejegyzés a naptárban %s
-NewCompanyToDolibarr=Company %s added
-ContractValidatedInDolibarr=Contract %s validated
-ContractCanceledInDolibarr=Contract %s canceled
-ContractClosedInDolibarr=Contract %s closed
-PropalClosedSignedInDolibarr=Proposal %s signed
+NewCompanyToDolibarr=%s cég hozzáadva
+ContractValidatedInDolibarr=%s szerződés jóváhagyva
+ContractCanceledInDolibarr=%s szerződés visszavonva
+ContractClosedInDolibarr=%s szerződés lezárva
+PropalClosedSignedInDolibarr=A %s javaslat alárva
 PropalClosedRefusedInDolibarr=Proposal %s refused
 PropalValidatedInDolibarr=Proposal %s validated
 PropalClassifiedBilledInDolibarr=Proposal %s classified billed
-InvoiceValidatedInDolibarr=Invoice %s validated
-InvoicePaidInDolibarr=Invoice %s changed to paid
-InvoiceCanceledInDolibarr=Invoice %s canceled
-PaymentDoneInDolibarr=Payment %s done
-CustomerPaymentDoneInDolibarr=Customer payment %s done
-SupplierPaymentDoneInDolibarr=Supplier payment %s done
-MemberValidatedInDolibarr=Member %s validated
+InvoiceValidatedInDolibarr=%s számla jóváhagyva
+InvoicePaidInDolibarr=%s számla fizetettre változott
+InvoiceCanceledInDolibarr=%s számla visszavonva
+PaymentDoneInDolibarr=%s fizetés rendben
+CustomerPaymentDoneInDolibarr=Vevői %s fizetés rendben
+SupplierPaymentDoneInDolibarr=Szállítói %s fizetés rendben
+MemberValidatedInDolibarr=%s tag jóváhagyva
 MemberResiliatedInDolibarr=Member %s resiliated
 MemberDeletedInDolibarr=Member %s deleted
 MemberSubscriptionAddedInDolibarr=Subscription for member %s added
diff --git a/htdocs/langs/hu_HU/products.lang b/htdocs/langs/hu_HU/products.lang
index d2056bd656c656d1ebd27ad24b672342cae84972..d9a655f8b1f72aae1a1636a97f98f74f05a6dfe3 100644
--- a/htdocs/langs/hu_HU/products.lang
+++ b/htdocs/langs/hu_HU/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/hu_HU/projects.lang b/htdocs/langs/hu_HU/projects.lang
index ea77296edf0f9c1fd3a64dc26903c531fb98e251..1098f057f1c67e3f27a06486ae2f114eb628a456 100644
--- a/htdocs/langs/hu_HU/projects.lang
+++ b/htdocs/langs/hu_HU/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Ez a nézet azokra a projektekre van korlátozva amivel valamilyen 
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Ez a nézet minden az ön által megtekinthető projektre van korlátozva.
 TasksDesc=Ez a nézet minden projektet tartalmaz.
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projektek terület
 NewProject=Új projekt
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=A projekthez tartozó cselekvések listája
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Heti projekt aktivitás
 ActivityOnProjectThisMonth=Havi projekt aktivitás
 ActivityOnProjectThisYear=Évi projekt aktivitás
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/hu_HU/suppliers.lang b/htdocs/langs/hu_HU/suppliers.lang
index 296c32467d4f0982b9f9fa6552ba20c9d5d6fbfe..217b047aec6f5a2f90c00ec00eabd99a843713d1 100644
--- a/htdocs/langs/hu_HU/suppliers.lang
+++ b/htdocs/langs/hu_HU/suppliers.lang
@@ -1,46 +1,46 @@
 # Dolibarr language file - Source file is en_US - suppliers
-Suppliers=Beszállítók
-AddSupplier=Create a supplier
-SupplierRemoved=Beszállító eltávolítva
-SuppliersInvoice=Beszállító számla
-NewSupplier=Új beszállító
+Suppliers=Szállítók
+AddSupplier=Szállító létrehozása\n
+SupplierRemoved=Szállító eltávolítva
+SuppliersInvoice=Szállítói számla
+NewSupplier=Új szállító
 History=Történet
-ListOfSuppliers=Beszállító listája
-ShowSupplier=Beszállító mutatása
+ListOfSuppliers=Szállítók listája
+ShowSupplier=Szállító mutatása
 OrderDate=Megrendelés dátuma
-BuyingPrice=Vásárlási ár
-BuyingPriceMin=Minimális felvásárlási árat
-BuyingPriceMinShort=Min felvásárlási ár
-TotalBuyingPriceMin=Total of subproducts buying prices
-SomeSubProductHaveNoPrices=Some sub-products have no price defined
-AddSupplierPrice=Beszállítói ár hozzáadása
-ChangeSupplierPrice=Beszállítói ár megváltoztatása
+BuyingPrice=Vételár
+BuyingPriceMin=Minimális vételár
+BuyingPriceMinShort=Min vételár
+TotalBuyingPriceMin=Az altermékek vételára összesen
+SomeSubProductHaveNoPrices=Néhány altermékhez nincs ár megadva
+AddSupplierPrice=Szállítói ár hozzáadása
+ChangeSupplierPrice=Szállítói ár megváltoztatása
 ErrorQtyTooLowForThisSupplier=A mennyiség túl kicsi ehhez a beszállítóhoz vagy nincs ár meghatározva erre a termékre ettől beszállítótól.
 ErrorSupplierCountryIsNotDefined=A beszállító országa nincs meghatárzova. Először ezt javítsa ki.
-ProductHasAlreadyReferenceInThisSupplier=Ennek a terméknek már van referenciája ennél a beszállítónál
-ReferenceSupplierIsAlreadyAssociatedWithAProduct=Ez a beszállító már assziciálva van ehhez: %s
-NoRecordedSuppliers=Nincs beszállító bejegyezve
-SupplierPayment=Beszállító fizetés
-SuppliersArea=Beszállítói Terület
-RefSupplierShort=Beszállító #
+ProductHasAlreadyReferenceInThisSupplier=Ennek a terméknek már van azonosítója ennél a szállítónál
+ReferenceSupplierIsAlreadyAssociatedWithAProduct=Ez a beszállító már hozzá van rendelve van ehhez az azonosítóhoz: %s
+NoRecordedSuppliers=Nincs szállító bejegyezve
+SupplierPayment=Szállítói kifizetés
+SuppliersArea=Szállítói Terület
+RefSupplierShort=Szállítói Ref.
 Availability=Elérhetőség
-ExportDataset_fournisseur_1=Beszállítói számla lista és számla sorok
-ExportDataset_fournisseur_2=Beszállítói számlák és fizetések
-ExportDataset_fournisseur_3=Supplier orders and order lines
+ExportDataset_fournisseur_1=Szállítói számla lista és számla sorok
+ExportDataset_fournisseur_2=Szállítói számlák és fizetések
+ExportDataset_fournisseur_3=Szállítói rendelések és sorok
 ApproveThisOrder=Megrendelés jóváhagyása
 ConfirmApproveThisOrder=Biztos jóvá akarja hagyni a megrendelést?
-DenyingThisOrder=Deny this order
+DenyingThisOrder=Megrendelés elutasítása
 ConfirmDenyingThisOrder=Biztos el akarja utasítani a megrendelést?
 ConfirmCancelThisOrder=Biztos meg akarja szakítani a megrendelést?
-AddCustomerOrder=Ügyfél megrendelés létrehozása
-AddCustomerInvoice=Ügyfél számla létrehozása
-AddSupplierOrder=Beszállítói megrendelés létrehozása
-AddSupplierInvoice=Beszállítói számla létrehozása
-ListOfSupplierProductForSupplier=<b>%s</b> beszállító termékei és árai
+AddCustomerOrder=Vevői megrendelés létrehozása
+AddCustomerInvoice=Vevői számla létrehozása
+AddSupplierOrder=Szállítói megrendelés létrehozása
+AddSupplierInvoice=Szállítói számla létrehozása
+ListOfSupplierProductForSupplier=<b>%s</b> szállító termékei és árai
 NoneOrBatchFileNeverRan=Nincs vagy a <b>%s</b> batch fájl nem futott az utóbbi időben
-SentToSuppliers=Sent to suppliers
-ListOfSupplierOrders=List of supplier orders
-MenuOrdersSupplierToBill=Supplier orders to invoice
-NbDaysToDelivery=Delivery delay in days
-DescNbDaysToDelivery=The biggest deliver delay of the products from this order
-UseDoubleApproval=Use double approval (the second approval can be done by any user with the dedicated permission)
+SentToSuppliers=Küldés a szállítónak
+ListOfSupplierOrders=Szállítói rendelések listája
+MenuOrdersSupplierToBill=Szállítói rendelések számlázáshoz
+NbDaysToDelivery=Szállítási késedelem napokban
+DescNbDaysToDelivery=A megrendelésben lévő termékek legnagyobb késedelme.
+UseDoubleApproval=Kettős jóváhagyás (a második jóváhagyást bármelyik felhasználó megteheti, akinek jogosultsága van.)
diff --git a/htdocs/langs/hu_HU/trips.lang b/htdocs/langs/hu_HU/trips.lang
index 8b4204d071b13022ade0b9ed498430f7b481219f..072ec37213fd98682db298967063610da46692d8 100644
--- a/htdocs/langs/hu_HU/trips.lang
+++ b/htdocs/langs/hu_HU/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/hu_HU/users.lang b/htdocs/langs/hu_HU/users.lang
index 310b43b0646958fa94bb5148f16f97b6bdf0e056..34864bf48dcff774bd238232e0b70e920d987073 100644
--- a/htdocs/langs/hu_HU/users.lang
+++ b/htdocs/langs/hu_HU/users.lang
@@ -1,5 +1,5 @@
 # Dolibarr language file - Source file is en_US - users
-HRMArea=HRM area
+HRMArea=HRM terület
 UserCard=Felhasználó kártya
 ContactCard=Kapcsolat kártya
 GroupCard=Csoport kártya
@@ -9,10 +9,10 @@ Permissions=Engedélyek
 EditPassword=Jelszó szerkesztése
 SendNewPassword=Jelszó újragenerálása és küldése
 ReinitPassword=Jelszó újragenerálása
-PasswordChangedTo=%s -ra lett megváltoztatva a jelszó
+PasswordChangedTo=A jelszó erre változott: %s
 SubjectNewPassword=Az új jelszava
 AvailableRights=Elérhető engedélyek
-OwnedRights=Tulajdonolt engedélyek
+OwnedRights=Meglévő engedélyek
 GroupRights=Csoport engedélyek
 UserRights=Felhasználói engedélyek
 UserGUISetup=Felhasználó megjelenésének beállításai
@@ -57,7 +57,7 @@ RemoveFromGroup=Eltávolítás a csoportból
 PasswordChangedAndSentTo=A jelszó megváltoztatva és elküldve: <b>%s</b>.
 PasswordChangeRequestSent=<b>%s</b> által kért jelszóváltoztatás el lett küldve ide: <b>%s</b>.
 MenuUsersAndGroups=Felhasználók és csoportok
-MenuMyUserCard=My user card
+MenuMyUserCard=Az én felhasználói kártyám
 LastGroupsCreated=Utolsó %s létrehozott csoport
 LastUsersCreated=Utolsó %s létrehozott felhasználó
 ShowGroup=Csoport mutatása
@@ -87,7 +87,7 @@ MyInformations=Adataim
 ExportDataset_user_1=Dolibarr felhasználók és tulajdonságaik
 DomainUser=Domain felhasználók %s
 Reactivate=Újra aktiválás
-CreateInternalUserDesc=This form allows you to create an user internal to your company/foundation. To create an external user (customer, supplier, ...), use the button 'Create Dolibarr user' from third party's contact card.
+CreateInternalUserDesc=Ezzel az űrlappal saját felhasználót hozhatsz létre a cégednek/alapítványodnak. Külső flehasználó létrehozásához (vevő, szállító, ...) használd a "Create Dolibarr user" űrlapot a partner kapcsolati kártyájánál.
 InternalExternalDesc=A <b>belső</b> felhasználó része a cégnek/alapítványnak.<br>A <b>külső</b> felhasználó lehet ügyfél, beszállító vagy bármi egyéb.<br><br>Minden esetben az engedélyek adják a jogokat, és a külső felasználók használhatnak más megjelenésü interfészt
 PermissionInheritedFromAGroup=Engedélyek megadva mert örökölte az egyik csoporttól.
 Inherited=Örökölve
@@ -103,7 +103,7 @@ UserDisabled=Felhasználó %s kikapcsolva
 UserEnabled=Felhasználó %s aktiválva
 UserDeleted=Felhasználó %s eltávolítva
 NewGroupCreated=Csoport %s létrehozva
-GroupModified=Group %s modified
+GroupModified=%s csoport módosítva
 GroupDeleted=Csoport %s eltávolítva
 ConfirmCreateContact=Biztos szeretne Dolibarr fiókot létrehozni ehhez a kapcsolathoz?
 ConfirmCreateLogin=Biztos szeretne Dolibarr fiókot létrehozni ennek a tagnak?
@@ -114,10 +114,10 @@ YourRole=Szerepkörei
 YourQuotaOfUsersIsReached=Aktív felhasználói kvóta elérve!
 NbOfUsers=Nb felhasználók
 DontDowngradeSuperAdmin=Csak egy superadmin lehet downgrade 1 superadmin
-HierarchicalResponsible=Supervisor
-HierarchicView=Hierarchical view
-UseTypeFieldToChange=Use field Type to change
+HierarchicalResponsible=Felettes
+HierarchicView=Hierachia nézet
+UseTypeFieldToChange=Hansználd a mezőt a módosításhoz
 OpenIDURL=OpenID URL
-LoginUsingOpenID=Use OpenID to login
-WeeklyHours=Weekly hours
-ColorUser=Color of the user
+LoginUsingOpenID=Használd az OpenID-t a belépéshez
+WeeklyHours=Heti munkaóra
+ColorUser=A felhasználó színe
diff --git a/htdocs/langs/hu_HU/withdrawals.lang b/htdocs/langs/hu_HU/withdrawals.lang
index ff8da6841585392d0c74b524c2c8e8851feabb72..088aeebfbee0bf43a2507af8049e2e6e99f4e7c8 100644
--- a/htdocs/langs/hu_HU/withdrawals.lang
+++ b/htdocs/langs/hu_HU/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Kifizetése érdekében állt a bank által %s
diff --git a/htdocs/langs/hu_HU/workflow.lang b/htdocs/langs/hu_HU/workflow.lang
index 7d2de176f27ab16f502bf26f9f4ebdb608b5965b..93b342229609b37f1afc06cf56af2e0e3182071b 100644
--- a/htdocs/langs/hu_HU/workflow.lang
+++ b/htdocs/langs/hu_HU/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow modul beállítása
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/id_ID/admin.lang b/htdocs/langs/id_ID/admin.lang
index 5a42d4d3cd29937e5f835cc92a035d786a3d2037..73a7a22f30191e6c08e08f1584df712590bb9c0b 100644
--- a/htdocs/langs/id_ID/admin.lang
+++ b/htdocs/langs/id_ID/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposal
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energi
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energi
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Pesanan Pelanggan
 Module25Desc=Customer order management
 Module30Name=Nota
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifikasi
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Sumbangan
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Membuat/Merubah produk
 Permission34=Menghapus Produk
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Mengirim Pesanan Pelanggan
 Permission87=Menutup Pesanan Pelanggan
 Permission88=Membatalkan Pesanan Pelanggan
 Permission89=Menghapus Pesanan Pelanggan
-Permission91=Membaca Kontribusi Sosial dan VAT
-Permission92=Membuat/Merubah Kontribusi Sosial dan VAT
-Permission93=Menghapus Kontribusi Sosial dan VAT
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Membaca Laporan
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Kembali Ke Daftar Modul
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/id_ID/agenda.lang b/htdocs/langs/id_ID/agenda.lang
index 5f9bc8f8e5e26dc7e054db6b5229561b45abdaf6..cc227b5d310cbe712caa8b13cea1b89124fd0db6 100644
--- a/htdocs/langs/id_ID/agenda.lang
+++ b/htdocs/langs/id_ID/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/id_ID/banks.lang b/htdocs/langs/id_ID/banks.lang
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..d12f45387d6b4649f2face75d8646935a7c16c33 100644
--- a/htdocs/langs/id_ID/banks.lang
+++ b/htdocs/langs/id_ID/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/id_ID/bills.lang b/htdocs/langs/id_ID/bills.lang
index 1c8a7acb1ded03017119229895d93d21ed5c8a29..7498ce844833c3babe9dcfc16c5d5d4b300515e0 100644
--- a/htdocs/langs/id_ID/bills.lang
+++ b/htdocs/langs/id_ID/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb of invoices
 NumberOfBillsByMonth=Nb of invoices by month
 AmountOfBills=Amount of invoices
 AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Show invoice
 ShowInvoice=Show invoice
 ShowInvoiceReplace=Show replacing invoice
@@ -270,7 +270,7 @@ BillAddress=Bill address
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Payment id
 InvoiceId=Invoice id
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/id_ID/companies.lang b/htdocs/langs/id_ID/companies.lang
index 3dedafb526fa3392b57333ed4f2ffd4633d7db78..030c17faacc4c8eeb1829f4d5773e635d14c1578 100644
--- a/htdocs/langs/id_ID/companies.lang
+++ b/htdocs/langs/id_ID/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Third party contact/address
 StatusContactValidated=Status of contact/address
 Company=Perusahaan
 CompanyName=Nama Perusahaan
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Perusahaan
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Third party name
diff --git a/htdocs/langs/id_ID/compta.lang b/htdocs/langs/id_ID/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/id_ID/compta.lang
+++ b/htdocs/langs/id_ID/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/id_ID/cron.lang b/htdocs/langs/id_ID/cron.lang
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..bd85715642ec700a51b7365535762b2760ae54e5 100644
--- a/htdocs/langs/id_ID/cron.lang
+++ b/htdocs/langs/id_ID/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/id_ID/ecm.lang b/htdocs/langs/id_ID/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/id_ID/ecm.lang
+++ b/htdocs/langs/id_ID/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/id_ID/errors.lang b/htdocs/langs/id_ID/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/id_ID/errors.lang
+++ b/htdocs/langs/id_ID/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/id_ID/holiday.lang b/htdocs/langs/id_ID/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/id_ID/holiday.lang
+++ b/htdocs/langs/id_ID/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/id_ID/mails.lang b/htdocs/langs/id_ID/mails.lang
index 001b237ca8c71c5d3e7f887ac925918c2945842e..3bebb0c2affc38b9bbebbfcea18d063764227e1e 100644
--- a/htdocs/langs/id_ID/mails.lang
+++ b/htdocs/langs/id_ID/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/id_ID/main.lang b/htdocs/langs/id_ID/main.lang
index d6ea85849e3f1f431e280ce90182e830a5aa561a..68e8ec31f638280f3e597c6341a939d2ec794b6f 100644
--- a/htdocs/langs/id_ID/main.lang
+++ b/htdocs/langs/id_ID/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/id_ID/members.lang b/htdocs/langs/id_ID/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/id_ID/members.lang
+++ b/htdocs/langs/id_ID/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/id_ID/products.lang b/htdocs/langs/id_ID/products.lang
index f0d56c4904962a8bef1b4844a3fddb86b322d8fb..55b1d016827f1eda96e4f8861becf006341e5974 100644
--- a/htdocs/langs/id_ID/products.lang
+++ b/htdocs/langs/id_ID/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/id_ID/projects.lang b/htdocs/langs/id_ID/projects.lang
index 4f8c3d6eb2a49e2723ebefc954c2d59700d8b7da..7a2688a44612f8e647ea4feda51e4f47fcb9b3ec 100644
--- a/htdocs/langs/id_ID/projects.lang
+++ b/htdocs/langs/id_ID/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/id_ID/trips.lang b/htdocs/langs/id_ID/trips.lang
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..a5b2569942e59a3ba91fad3ce0820a24731105cd 100644
--- a/htdocs/langs/id_ID/trips.lang
+++ b/htdocs/langs/id_ID/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/id_ID/withdrawals.lang b/htdocs/langs/id_ID/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/id_ID/withdrawals.lang
+++ b/htdocs/langs/id_ID/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/id_ID/workflow.lang b/htdocs/langs/id_ID/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/id_ID/workflow.lang
+++ b/htdocs/langs/id_ID/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/is_IS/admin.lang b/htdocs/langs/is_IS/admin.lang
index e0615aa6de09fce418a64df61fd0d16119705f8d..bf7be81325b71776e349a045f49736946d3c5a8a 100644
--- a/htdocs/langs/is_IS/admin.lang
+++ b/htdocs/langs/is_IS/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Tillögur
 Module20Desc=Auglýsing tillögunnar stjórnun
 Module22Name=Mass E-pósti
 Module22Desc=Mass E-póstur í stjórnun
-Module23Name= Orka
-Module23Desc= Eftirlit með notkun orku
+Module23Name=Orka
+Module23Desc=Eftirlit með notkun orku
 Module25Name=Viðskiptavinur Pantanir
 Module25Desc=Viðskiptavinur röð er stjórnun
 Module30Name=Kvittanir
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar sameining
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Tilkynningar
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Fjárframlög
 Module700Desc=Framlög í stjórnun
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Búa til / breyta vörur
 Permission34=Eyða vöru
 Permission36=Sjá / stjórna falinn vörur
 Permission38=Útflutningur vöru
-Permission41=Lesa verkefni (sameiginleg verkefni og verkefnum sem ég hef samband vegna)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Búa til / breyta verkefnum (sameiginleg verkefni og verkefnum sem ég hef samband vegna)
 Permission44=Eyða verkefni (sameiginleg verkefni og verkefnum sem ég hef samband vegna)
 Permission61=Lesa inngrip
@@ -600,10 +600,10 @@ Permission86=Senda viðskiptavinum pantanir
 Permission87=Loka viðskiptavinum pantanir
 Permission88=Hætta við viðskiptavini pantanir
 Permission89=Eyða viðskiptavinum pantanir
-Permission91=Lesa félagsleg framlög og VSK
-Permission92=Búa til / breyta félagslegum framlögum og VSK
-Permission93=Eyða félagsleg framlög og VSK
-Permission94=Útflutningur tryggingagjöld
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Lesa skýrslur
 Permission101=Lesa sendings
 Permission102=Búa til / breyta sendings
@@ -621,9 +621,9 @@ Permission121=Lesa þriðja aðila sem tengist notandi
 Permission122=Búa til / breyta þriðja aðila sem tengist notandi
 Permission125=Eyða þriðja aðila sem tengist notandi
 Permission126=Útflutningur þriðja aðila
-Permission141=Lesa verkefni
-Permission142=Búa til / breyta verkefni
-Permission144=Eyða verkefni
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Lesa þjónustuveitenda
 Permission147=Lesa Stats
 Permission151=Lesa standa pantanir
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Skipulag vistuð
 BackToModuleList=Til baka í mát lista
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Ertu viss um að þú viljir eyða Valmynd <b>færslu %s ?</b>
 DeleteLine=Eyða línu
 ConfirmDeleteLine=Ertu viss um að þú viljir eyða þessari línu?
 ##### Tax #####
-TaxSetup=Skattar og félagsleg framlög og arður mát skipulag
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VSK vegna
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP viðskiptavini verður að senda beiðni sinni til Dolibarr enda
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank einingu skipulag
 FreeLegalTextOnChequeReceipts=Frjáls texti á kvittunum athuga
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project mát skipulag
 ProjectsModelModule=Project Skýrsla skjal líkan
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/is_IS/agenda.lang b/htdocs/langs/is_IS/agenda.lang
index 057e39f0584d06ef465e9e882b0448fa8d25b3f4..21bea4a8dce52aad0a09f3ad9976003db5058cdd 100644
--- a/htdocs/langs/is_IS/agenda.lang
+++ b/htdocs/langs/is_IS/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Panta %s samþykkt
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Panta %s fara aftur til drög að stöðu
-OrderCanceledInDolibarr=Panta %s niður
 ProposalSentByEMail=Verslunarhúsnæði %s tillaga send með tölvupósti
 OrderSentByEMail=Viðskiptavinur röð %s send með tölvupósti
 InvoiceSentByEMail=Viðskiptavinur vörureikningi %s send með tölvupósti
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/is_IS/banks.lang b/htdocs/langs/is_IS/banks.lang
index 6810c60c503ebbb3e24594c49babb90d30e15c39..7799c6e4393589495b99d0d6eeb2eb43d86d7d35 100644
--- a/htdocs/langs/is_IS/banks.lang
+++ b/htdocs/langs/is_IS/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Viðskiptavinur greiðslu
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Birgir greiðslu
 WithdrawalPayment=Afturköllun greiðslu
-SocialContributionPayment=Félagslegt framlag greiðslu
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial reikning Journal
 BankTransfer=Millifærslu
 BankTransfers=Millifærslur
diff --git a/htdocs/langs/is_IS/bills.lang b/htdocs/langs/is_IS/bills.lang
index 12385cac80708c8d6260c32ae03eaf9f736e1ad6..460c731775966ce021f116b5868e736febc427a1 100644
--- a/htdocs/langs/is_IS/bills.lang
+++ b/htdocs/langs/is_IS/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=NB af reikningum
 NumberOfBillsByMonth=Nb reikninga eftir mánuði
 AmountOfBills=Upphæð á reikningi
 AmountOfBillsByMonthHT=Upphæð á reikningi eftir mánuði (eftir skatta)
-ShowSocialContribution=Sýna félagslegum mörkum
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Sýna reikning
 ShowInvoice=Sýna reikning
 ShowInvoiceReplace=Sýna skipta Reikningar
@@ -270,7 +270,7 @@ BillAddress=Bill heimilisfang
 HelpEscompte=Þessi afsláttur er afsláttur veittur til viðskiptavina vegna greiðslu þess var áður litið.
 HelpAbandonBadCustomer=Þessi upphæð hefur verið yfirgefin (viðskiptavinur til vera a slæmur viðskiptavina) og er talið að sérstakar lausir.
 HelpAbandonOther=Þessi upphæð hefur verið yfirgefin síðan það var villa (vitlaust viðskiptavinar eða reikning í stað með öðrum til dæmis)
-IdSocialContribution=Félagslegt framlag persónuskilríki
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Greiðsla persónuskilríki
 InvoiceId=Invoice persónuskilríki
 InvoiceRef=Invoice dómari.
diff --git a/htdocs/langs/is_IS/companies.lang b/htdocs/langs/is_IS/companies.lang
index 1f0feac7c1fbb442c82d7668a0d86d5a0272cbae..2e7be412a34698668db3847a6a92db53a8fdf689 100644
--- a/htdocs/langs/is_IS/companies.lang
+++ b/htdocs/langs/is_IS/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Í þriðja aðila samband
 StatusContactValidated=Staða Hafðu samband
 Company=Fyrirtæki
 CompanyName=Nafn fyrirtækis
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Stofnanir
 CountryIsInEEC=Landið er inni Evrópubandalagið
 ThirdPartyName=Í þriðja aðila Nafn
diff --git a/htdocs/langs/is_IS/compta.lang b/htdocs/langs/is_IS/compta.lang
index beea1abbfa11480d5604809b984cb3e111ce36c5..2e4edbaa52ebbc247f7b09a3f012ef62fdd22fab 100644
--- a/htdocs/langs/is_IS/compta.lang
+++ b/htdocs/langs/is_IS/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VSK safnað
 ToPay=Til að borga
 ToGet=Til að fá til baka
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Innheimtu-, félags-Framlög og arður area
-SocialContribution=Félagslegt framlag
-SocialContributions=Tryggingagjöld
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Skattar og arður
 MenuSalaries=Salaries
-MenuSocialContributions=Tryggingagjöld
-MenuNewSocialContribution=New framlag
-NewSocialContribution=New félagslegum mörkum
-ContributionsToPay=Framlög til að greiða
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Bókhalds / ríkissjóðs area
 AccountancySetup=Bókhalds skipulag
 NewPayment=Ný greiðsla
 Payments=Greiðslur
 PaymentCustomerInvoice=Viðskiptavinur Reikningar greiðslu
 PaymentSupplierInvoice=Birgir Reikningar greiðslu
-PaymentSocialContribution=Félagslegt framlag greiðslu
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VSK-greiðslu
 PaymentSalary=Salary payment
 ListPayment=Listi yfir greiðslur
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VSK Greiðsla
 VATPayments=VSK Greiðslur
-SocialContributionsPayments=Tryggingagjöld greiðslur
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Sýna VSK greiðslu
 TotalToPay=Samtals borga
 TotalVATReceived=Samtals VSK móttekin
@@ -116,11 +116,11 @@ NewCheckDepositOn=Búa til kvittun fyrir innborgun á reikning: %s
 NoWaitingChecks=Engar athuganir sem bíður fyrir afhendingu.
 DateChequeReceived=Athugaðu móttöku inntak dagsetningu
 NbOfCheques=ATH eftirlit
-PaySocialContribution=Borga félagslegt framlag
-ConfirmPaySocialContribution=Ertu viss um að þú viljir að flokka þessa félags framlag sem greitt?
-DeleteSocialContribution=Eyða félagslegum mörkum
-ConfirmDeleteSocialContribution=Ertu viss um að þú viljir eyða þessum félagslega framlag?
-ExportDataset_tax_1=Félagsleg framlög og greiðslur
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/is_IS/cron.lang b/htdocs/langs/is_IS/cron.lang
index cde8942167fc23066ac5bf7efdc610d38362b7b3..05174a31df7cb6ab8a1b63a32dbf10b19d5e4a18 100644
--- a/htdocs/langs/is_IS/cron.lang
+++ b/htdocs/langs/is_IS/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/is_IS/ecm.lang b/htdocs/langs/is_IS/ecm.lang
index 7172369ece167ab1874ae4c87cdfd99bcb0136f9..ba2f240f51ae351bc24da288b430fea0b50c23be 100644
--- a/htdocs/langs/is_IS/ecm.lang
+++ b/htdocs/langs/is_IS/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Leita eftir hlut
 ECMSectionOfDocuments=Möppur skjöl
 ECMTypeManual=Handbók
 ECMTypeAuto=Sjálfvirk
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Skjöl sem tengjast þriðju aðila
 ECMDocsByProposals=Skjöl tengd tillögum
 ECMDocsByOrders=Skjöl tengd viðskiptavinum pantanir
diff --git a/htdocs/langs/is_IS/errors.lang b/htdocs/langs/is_IS/errors.lang
index 9b5fa2bce80623625686bd1914f4eea5b102b91d..3f002cb7c3a77b6e9366469b5017bc2c25ed8951 100644
--- a/htdocs/langs/is_IS/errors.lang
+++ b/htdocs/langs/is_IS/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/is_IS/holiday.lang b/htdocs/langs/is_IS/holiday.lang
index a29a400f47d968166f95827f61a40e7f0288892e..1404bc447d4acf146df4df4fe71aa04f488e6e97 100644
--- a/htdocs/langs/is_IS/holiday.lang
+++ b/htdocs/langs/is_IS/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Ástæða
 UserCP=Notandi
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Gildi
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/is_IS/mails.lang b/htdocs/langs/is_IS/mails.lang
index b399083fb49da350a5ef4d0cd5d02f290e3f07f5..58098106d3f382888a498a15e9dfde459dedb6be 100644
--- a/htdocs/langs/is_IS/mails.lang
+++ b/htdocs/langs/is_IS/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Tilkynningar
 NoNotificationsWillBeSent=Engar tilkynningar í tölvupósti er mjög spennandi fyrir þennan atburð og fyrirtæki
diff --git a/htdocs/langs/is_IS/main.lang b/htdocs/langs/is_IS/main.lang
index 844717bd4a271a1583359e0e1e5fae9ae9cf587d..42675df8b2b880714cf4907a420211f4f19a7dc6 100644
--- a/htdocs/langs/is_IS/main.lang
+++ b/htdocs/langs/is_IS/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Villur fundust. Við rollback breytingar.
 ErrorConfigParameterNotDefined=<b>Viðfang %s </b> er ekki skilgreind innan Dolibarr config skrá <b>conf.php.</b>
 ErrorCantLoadUserFromDolibarrDatabase=Gat ekki fundið <b>notandann %s </b> í Dolibarr gagnagrunninum.
 ErrorNoVATRateDefinedForSellerCountry=Villa, enginn VSK hlutfall er skilgreind fyrir% landsins.
-ErrorNoSocialContributionForSellerCountry=Villa, engin félagsleg framlag tegund er skilgreind fyrir% landsins.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Villa tókst að vista skrána.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Eining verðs
 PriceU=UPP
 PriceUHT=UP (nettó)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=UPP
+PriceUTTC=U.P. (inc. tax)
 Amount=Upphæð
 AmountInvoice=Invoice upphæð
 AmountPayment=Upphæð greiðslu
@@ -339,6 +339,7 @@ IncludedVAT=Innifalið VSK
 HT=Frádregnum skatti
 TTC=Inc VSK
 VAT=VSK
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=VSK-hlutfall
diff --git a/htdocs/langs/is_IS/members.lang b/htdocs/langs/is_IS/members.lang
index a151150fd4c8392e6d7ba70236584aa6078b2191..5eeeaefd87eaa4a56ff6e31245aa2623fdfd64b6 100644
--- a/htdocs/langs/is_IS/members.lang
+++ b/htdocs/langs/is_IS/members.lang
@@ -199,7 +199,8 @@ Entreprises=Stofnanir
 DOLIBARRFOUNDATION_PAYMENT_FORM=Til að gera áskrift greiðslu með millifærslu, sjá síðu <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe~~dobj</a> . <br> Til að greiða með kreditkorti eða PayPal, smelltu á hnappinn neðst á síðunni. <br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/is_IS/products.lang b/htdocs/langs/is_IS/products.lang
index 69e907f738ab8f73b8489b65c27223b7e60c89a1..7e79b37df4099307275973e47d085b5a0304d42d 100644
--- a/htdocs/langs/is_IS/products.lang
+++ b/htdocs/langs/is_IS/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/is_IS/projects.lang b/htdocs/langs/is_IS/projects.lang
index c50b79420ab89aa9e9c1a8434d5e697566576dd1..464d92df7d8bc6c516ef541605440ccf745b38dc 100644
--- a/htdocs/langs/is_IS/projects.lang
+++ b/htdocs/langs/is_IS/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Þessi skoðun er takmörkuð við verkefni eða verkefni sem þú e
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Þetta sýnir öll verkefni og verkefni sem þú ert að fá að lesa.
 TasksDesc=Þetta sýnir öll verkefni og verkefni (notandi heimildir veita þér leyfi til að skoða allt).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Verkefni area
 NewProject=Ný verkefni
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=Listi yfir aðgerðir í tengslum við verkefnið
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Afþreying á verkefni í þessari viku
 ActivityOnProjectThisMonth=Afþreying á verkefni í þessum mánuði
 ActivityOnProjectThisYear=Afþreying á verkefni á þessu ári
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/is_IS/trips.lang b/htdocs/langs/is_IS/trips.lang
index 1243c0ca105d3467310fc69178d9a67859784138..da674e0aeea6c32087e209826460bf4e7e96afa2 100644
--- a/htdocs/langs/is_IS/trips.lang
+++ b/htdocs/langs/is_IS/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/is_IS/withdrawals.lang b/htdocs/langs/is_IS/withdrawals.lang
index 5f10f1a6d0e8c33c545c533c7b49444aed3502f9..cefa106700c708c10db78f07cd07c020475a7d14 100644
--- a/htdocs/langs/is_IS/withdrawals.lang
+++ b/htdocs/langs/is_IS/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Greiðsla standa röð %s af bankanum
diff --git a/htdocs/langs/is_IS/workflow.lang b/htdocs/langs/is_IS/workflow.lang
index 318c4eeedb3748d95caa729527a70ada519f4275..edb4afc7f07df147e3734dfbdf18e6a21095d541 100644
--- a/htdocs/langs/is_IS/workflow.lang
+++ b/htdocs/langs/is_IS/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Vinnuflæði mát skipulag
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/it_IT/admin.lang b/htdocs/langs/it_IT/admin.lang
index 3210a2e91fe3e434b9d73da6b0ff22c3c9cace42..6529bc8cc788b6b42a3e679c89478545392a3478 100644
--- a/htdocs/langs/it_IT/admin.lang
+++ b/htdocs/langs/it_IT/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposte
 Module20Desc=Gestione proposte commerciali
 Module22Name=Posta massiva
 Module22Desc=Gestione posta massiva
-Module23Name= Energia
-Module23Desc= Monitoraggio del consumo energetico
+Module23Name=Energia
+Module23Desc=Monitoraggio del consumo energetico
 Module25Name=Ordini clienti
 Module25Desc=Gestione ordini clienti
 Module30Name=Fatture
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Calendario web
 Module410Desc=Integrazione calendario web
 Module500Name=Spese speciali
-Module500Desc=Amministrazione delle spese speciali quali tasse, contributi sociali, dividendi e salari.
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Stipendi
 Module510Desc=Management of employees salaries and payments
 Module520Name=Prestito
@@ -501,7 +501,7 @@ Module600Name=Notifiche
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donazioni
 Module700Desc=Gestione donazioni
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Creare/modificare  prodotti
 Permission34=Eliminare prodotti
 Permission36=Vedere/gestire prodotti nascosti
 Permission38=Esportare prodotti
-Permission41=Vedere progetti (i progetti condivisi e quelli di cui sono un contatto)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Creare/modificare progetti
 Permission44=Eliminare progetti
 Permission61=Vedere gli interventi
@@ -600,10 +600,10 @@ Permission86=Inviare ordini clienti
 Permission87=Chiudere gli ordini clienti
 Permission88=Annullare ordini clienti
 Permission89=Eliminare ordini clienti
-Permission91=Vedere contributi e iva
-Permission92=Creare/modificare contributi e iva
-Permission93=Eliminare contributi e iva
-Permission94=Esportare contributi
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Vedere report
 Permission101=Vedere invii
 Permission102=Creare/modificare spedizioni
@@ -621,9 +621,9 @@ Permission121=Vedere soggetti terzi collegati all'utente
 Permission122=Creare/modificare terzi legati all'utente
 Permission125=Eliminare terzi legati all'utente
 Permission126=Esportare terzi
-Permission141=Vedere progetti (anche privati)
-Permission142=Creare/modificare progetti (anche privati)
-Permission144=Eliminare progetti (anche privati)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Vedere provider
 Permission147=Vedere statistiche
 Permission151=Vedere ordini permanenti
@@ -801,7 +801,7 @@ DictionaryCountry=Paesi
 DictionaryCurrency=Valute
 DictionaryCivility=Titoli civili
 DictionaryActions=Tipi di azioni/eventi
-DictionarySocialContributions=Tipi di contributi
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=Aliquote IVA o Tasse di vendita
 DictionaryRevenueStamp=Ammontare dei valori bollati
 DictionaryPaymentConditions=Termini di pagamento
@@ -812,7 +812,7 @@ DictionaryPaperFormat=Formati di carta
 DictionaryFees=Tipi di tasse
 DictionarySendingMethods=Metodi di spedizione
 DictionaryStaff=Personale
-DictionaryAvailability=Ritardo di consegna
+DictionaryAvailability=Tempi di consegna
 DictionaryOrderMethods=Metodi di ordinazione
 DictionarySource=Origine delle proposte/ordini
 DictionaryAccountancyplan=Piano dei conti
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Modelli per piano dei conti
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Unità
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Impostazioni salvate
 BackToModuleList=Torna alla lista moduli
 BackToDictionaryList=Torna alla lista dei dizionari
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Eliminare definitivamente la voce di menu <b>%s</b>?
 DeleteLine=Elimina riga
 ConfirmDeleteLine=Vuoi davvero eliminare definitivamente questa riga?
 ##### Tax #####
-TaxSetup=Modulo impostazioni Tasse, contributi e dividendi
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Esigibilità dell'IVA
 OptionVATDefault=Contabilità per cassa
 OptionVATDebitOption=Contabilità per competenza
@@ -1564,9 +1565,11 @@ EndPointIs=I client possono indirizzare le loro richieste SOAP all'endpoint disp
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=È possibile accedere alle API all'indirizzo
 ApiExporerIs=È possibile esplorare le API all'indirizzo
 OnlyActiveElementsAreExposed=Vengono esposti solo elementi correlati ai moduli abilitati
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Impostazioni modulo banca/cassa
 FreeLegalTextOnChequeReceipts=Testo libero sulle ricevute assegni
@@ -1596,6 +1599,7 @@ ProjectsSetup=Impostazioni modulo progetti
 ProjectsModelModule=Modelli dei rapporti dei progetti
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = Impostazioni GED
 ECMAutoTree = Albero automatico delle cartelle e dei documenti
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/it_IT/agenda.lang b/htdocs/langs/it_IT/agenda.lang
index 7629981d59b29e1089915da8283d41dca1315d58..2ab6962524abda24e7c223f212603b721e4f653e 100644
--- a/htdocs/langs/it_IT/agenda.lang
+++ b/htdocs/langs/it_IT/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Ordine %s classificato fatturato
 OrderApprovedInDolibarr=Ordine %s approvato
 OrderRefusedInDolibarr=Ordine %s rifiutato
 OrderBackToDraftInDolibarr=Ordine %s riportato allo stato di bozza
-OrderCanceledInDolibarr=ordine %s annullato
 ProposalSentByEMail=Proposta commerciale %s inviata per email
 OrderSentByEMail=Ordine cliente %s inviato per email
 InvoiceSentByEMail=Fattura attiva %s inviata per email
@@ -96,3 +95,5 @@ AddEvent=Crea evento
 MyAvailability=Mie disponibilità
 ActionType=Tipo di evento
 DateActionBegin=Data di inizio evento
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/it_IT/banks.lang b/htdocs/langs/it_IT/banks.lang
index fcf0c840bdcb363257860509dde50b3e04552e2a..89953f2b5bd0786cc82215a81744e4b7b062e9ae 100644
--- a/htdocs/langs/it_IT/banks.lang
+++ b/htdocs/langs/it_IT/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Pagamento fattura attiva
 CustomerInvoicePaymentBack=Rimborso cliente
 SupplierInvoicePayment=Pagamento fattura fornitore
 WithdrawalPayment=Ritiro pagamento
-SocialContributionPayment=Versamento contributi
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Diario del conto finanziario
 BankTransfer=Bonifico bancario
 BankTransfers=Bonifici e giroconti
diff --git a/htdocs/langs/it_IT/bills.lang b/htdocs/langs/it_IT/bills.lang
index 89528bc4d23331bc131535ef8713fed6309db1c0..97406941957b287bbd2a02c7639088684bb2e075 100644
--- a/htdocs/langs/it_IT/bills.lang
+++ b/htdocs/langs/it_IT/bills.lang
@@ -135,7 +135,7 @@ ErrorInvoiceAvoirMustBeNegative=Errore, la fattura a correzione deve avere un im
 ErrorInvoiceOfThisTypeMustBePositive=Errore, questo tipo di fattura deve avere importo positivo
 ErrorCantCancelIfReplacementInvoiceNotValidated=Errore, non si può annullare una fattura che è stato sostituita da un'altra fattura non ancora convalidata
 BillFrom=Da
-BillTo=Fattura a
+BillTo=A
 ActionsOnBill=Azioni su fattura
 NewBill=Nuova fattura
 LastBills=Ultime %s fatture
@@ -178,7 +178,7 @@ NumberOfBills=Numero di fatture
 NumberOfBillsByMonth=Numero di fatture per mese
 AmountOfBills=Importo delle fatture
 AmountOfBillsByMonthHT=Importo delle fatture per mese (al netto delle imposte)
-ShowSocialContribution=Visualizza contributi
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Visualizza fattura
 ShowInvoice=Visualizza fattura
 ShowInvoiceReplace=Visualizza la fattura sostitutiva
@@ -270,7 +270,7 @@ BillAddress=Indirizzo di fatturazione
 HelpEscompte=Questo sconto è concesso al cliente perché il suo pagamento è stato effettuato prima del termine.
 HelpAbandonBadCustomer=Tale importo è stato abbandonato (cattivo cliente) ed è considerato come un abbandono imprevisto.
 HelpAbandonOther=Tale importo è stato abbandonato dal momento che è stato un errore (cliente errato o fattura sostituita da altra, per esempio)
-IdSocialContribution=Id contributo
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Id Pagamento
 InvoiceId=Id fattura
 InvoiceRef=Rif. Fattura
@@ -430,5 +430,5 @@ NotLastInCycle=Questa fattura non è l'ultima del ciclo e non deve essere modifi
 DisabledBecauseNotLastInCycle=Il prossimo avanzamento lavori esiste già
 DisabledBecauseFinal=Questo è l'avanzamento lavori finale
 CantBeLessThanMinPercent=Il valore dell'avanzamento non può essere inferiore al valore precedente.
-NoSituations=Nessun avanzamento lavori aperto
+NoSituations=No open situations
 InvoiceSituationLast=Fattura a conclusione lavori
diff --git a/htdocs/langs/it_IT/companies.lang b/htdocs/langs/it_IT/companies.lang
index 11bb799f7c11ff4baf3f24e47bcbda5cb139cc96..4c90e34ab7486aab1f6972f805f759d384c1cf6b 100644
--- a/htdocs/langs/it_IT/companies.lang
+++ b/htdocs/langs/it_IT/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Contatto soggetto terzo
 StatusContactValidated=Stato del contatto/indirizzo
 Company=Società
 CompanyName=Ragione Sociale
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Società
 CountryIsInEEC=Paese appartenente alla Comunità Economica Europea
 ThirdPartyName=Nome soggetto terzo
diff --git a/htdocs/langs/it_IT/compta.lang b/htdocs/langs/it_IT/compta.lang
index 5f848643fd7bc45a992f9647344be60d8f7a1f8e..59fe6eac3284786bc211a621aa7adaf749d278c1 100644
--- a/htdocs/langs/it_IT/compta.lang
+++ b/htdocs/langs/it_IT/compta.lang
@@ -56,23 +56,23 @@ VATCollected=IVA incassata
 ToPay=Da pagare
 ToGet=Da riscuotere
 SpecialExpensesArea=Area per pagamenti straordinari
-TaxAndDividendsArea=Area imposte, contributi e dividendi
-SocialContribution=Contributo
-SocialContributions=Contributi
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Spese straordinarie
 MenuTaxAndDividends=Imposte e dividendi
 MenuSalaries=Stipendi
-MenuSocialContributions=Contributi
-MenuNewSocialContribution=Nuovo contributo
-NewSocialContribution=Nuovo contributo
-ContributionsToPay=Contributi da pagare
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Area contabilità/tesoreria
 AccountancySetup=Configurazione contabilità
 NewPayment=Nuovo pagamento
 Payments=Pagamenti
 PaymentCustomerInvoice=Pagamento fattura attiva
 PaymentSupplierInvoice=Pagamento fattura fornitori
-PaymentSocialContribution=Pagamento contributi
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Pagamento IVA
 PaymentSalary=Pagamento stipendio
 ListPayment=Elenco dei pagamenti
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=Pagamento IVA
 VATPayments=Pagamenti IVA
-SocialContributionsPayments=Pagamenti contributi
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Visualizza pagamento IVA
 TotalToPay=Totale da pagare
 TotalVATReceived=Totale IVA incassata
@@ -116,11 +116,11 @@ NewCheckDepositOn=Nuovo deposito sul conto: %s
 NoWaitingChecks=Nessun assegno in attesa di deposito.
 DateChequeReceived=Data di ricezione assegno
 NbOfCheques=Numero di assegni
-PaySocialContribution=Versare un contributo sociale
-ConfirmPaySocialContribution=Vuoi davvero classificare questo contributo come pagato?
-DeleteSocialContribution=Eliminazione di un contributo sociale
-ConfirmDeleteSocialContribution=Vuoi davvero eliminare questo contributo?
-ExportDataset_tax_1=Contributi e pagamenti
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Calcola <b>%sIVA su entrate-uscite%s</b>
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=in accordo con il fornitore, scegliere il metodo app
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Metodo di calcolo
 AccountancyJournal=Codice del giornale di contabilità
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clona contributo sociale
-ConfirmCloneTax=Conferma la clonazione del contributo sociale
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clona nel mese successivo
diff --git a/htdocs/langs/it_IT/cron.lang b/htdocs/langs/it_IT/cron.lang
index 1acffd5b3e1a46bedf3bfa083f8c178343f8a4f8..c158d62ff93c7a4d2d84895732556c748539453e 100644
--- a/htdocs/langs/it_IT/cron.lang
+++ b/htdocs/langs/it_IT/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=Nome del metodo dell'oggetto da eseguire. <BR>Per esempio per ott
 CronArgsHelp=Argomenti del metodo.<br/> Per esempio per ottenere il metodo corretto dell'oggetto /htdocs/product/class/<u>product.class.php</u>, il valore dei parametri può essere <i>0, ProductRef</i>
 CronCommandHelp=Il comando da eseguire sul sistema
 CronCreateJob=Crea nuovo job programmato
+CronFrom=From
 # Info
 CronInfoPage=Informazioni
 # Common
diff --git a/htdocs/langs/it_IT/ecm.lang b/htdocs/langs/it_IT/ecm.lang
index 9db118a44c295407985e6b463a881365593e8c57..167334eca82b9785629e714ee2fbedd4f9e545d3 100644
--- a/htdocs/langs/it_IT/ecm.lang
+++ b/htdocs/langs/it_IT/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Ricerca per oggetto
 ECMSectionOfDocuments=Directory dei documenti
 ECMTypeManual=Manuale
 ECMTypeAuto=Automatico
-ECMDocsBySocialContributions=Documenti collegati ai contributi
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documenti collegati a soggetti terzi
 ECMDocsByProposals=Documenti collegati alle proposte
 ECMDocsByOrders=Documenti collegati agli ordini clienti
diff --git a/htdocs/langs/it_IT/errors.lang b/htdocs/langs/it_IT/errors.lang
index 06f9f8c0faaf90787b38f6e7b50919998a5b3801..4c64f6e8e3ffb0b6335d5ca12797ed4503e24585 100644
--- a/htdocs/langs/it_IT/errors.lang
+++ b/htdocs/langs/it_IT/errors.lang
@@ -170,6 +170,7 @@ ErrorGlobalVariableUpdater4=SOAP client failed with error '%s'
 ErrorGlobalVariableUpdater5=No global variable selected
 ErrorFieldMustBeANumeric=Il campo <b>%s</b> deve essere un valore numerico
 ErrorFieldMustBeAnInteger=Il campo <b>%s</b> deve essere un numero intero
+ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided
 
 # Warnings
 WarningMandatorySetupNotComplete=I parametri di configurazione obbligatori non sono ancora stati definiti
@@ -190,3 +191,4 @@ WarningNotRelevant=Operazione irrilevante per questo dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Funzione disabilitata quando le impostazioni di visualizzazione sono ottimizzate per persone non vedenti o browser testuali.
 WarningPaymentDateLowerThanInvoiceDate=La scadenza del pagamento (%s) risulta antecedente alla data di fatturazione (%s) per la fattura %s
 WarningTooManyDataPleaseUseMoreFilters=Troppi risultati. Per favore applica filtri più restrittivi
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/it_IT/holiday.lang b/htdocs/langs/it_IT/holiday.lang
index b1ffbd72fb48cfcd0589d1333ece82b8e6e56759..be602691ee2c218e1afd5180c522709ee4a39001 100644
--- a/htdocs/langs/it_IT/holiday.lang
+++ b/htdocs/langs/it_IT/holiday.lang
@@ -3,7 +3,7 @@ HRM=Risorse umane
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Estratto conto mensile
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Motivo
 UserCP=Utente
 ErrorAddEventToUserCP=Si è verificato un errore nell'assegnazione del permesso straordinario.
 AddEventToUserOkCP=Permesso straordinario assegnato correttamente.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Eseguito da
 UserUpdateCP=Per l'utente
@@ -93,6 +93,7 @@ ValueOptionCP=Valore
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Convalida la configurazione
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Aggiornato con successo
 ErrorUpdateConfCP=Si è verificato un errore nell'aggiornamento, riprovare.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Si è verificato un errore nell'invio dell'email:
 NoCPforMonth=Nessun permesso questo mese.
 nbJours=Numero di giorni
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Salve
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/it_IT/mails.lang b/htdocs/langs/it_IT/mails.lang
index 572de0f80a3c4196d2005d6ed0380e295022d723..32be6a92307e67a690334a184c63accd69bf306e 100644
--- a/htdocs/langs/it_IT/mails.lang
+++ b/htdocs/langs/it_IT/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Traccia apertura mail
 TagUnsubscribe=Link di cancellazione alla mailing list
 TagSignature=Firma di invio per l'utente
 TagMailtoEmail=Mail destinatario
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifiche
 NoNotificationsWillBeSent=Non sono previste notifiche per questo evento o società
diff --git a/htdocs/langs/it_IT/main.lang b/htdocs/langs/it_IT/main.lang
index 8ca81970a235ab857a1100b52f7346f7928d94e6..2c105ceed166db1311c806735716bf03a4aeb333 100644
--- a/htdocs/langs/it_IT/main.lang
+++ b/htdocs/langs/it_IT/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Si sono verificati degli errori. Effettuat
 ErrorConfigParameterNotDefined=Il parametro <b>%s</b> non è stato definito nel file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Impossibile trovare l'utente <b>%s</b> nel database dell'applicazione.
 ErrorNoVATRateDefinedForSellerCountry=Errore, non sono state definite le aliquote IVA per: <b>%s</b>.
-ErrorNoSocialContributionForSellerCountry=Errore, non sono stati definiti i tipi di contributi per: <b>%s</b>.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Errore, file non salvato.
 SetDate=Imposta data
 SelectDate=Seleziona una data
@@ -302,7 +302,7 @@ UnitPriceTTC=Prezzo unitario (lordo)
 PriceU=P.U.
 PriceUHT=P.U.(netto)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=P.U.(lordo)
+PriceUTTC=U.P. (inc. tax)
 Amount=Importo
 AmountInvoice=Importo della fattura
 AmountPayment=Importo del pagamento
@@ -339,6 +339,7 @@ IncludedVAT=IVA inclusa
 HT=Al netto delle imposte
 TTC=IVA inclusa
 VAT=IVA
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Aliquota IVA
diff --git a/htdocs/langs/it_IT/members.lang b/htdocs/langs/it_IT/members.lang
index 4211f89127cc1b98995d727d60b97f0ad9a02de0..61e3a8e7b6f00fdc17324f2945e159dbda9f5f0d 100644
--- a/htdocs/langs/it_IT/members.lang
+++ b/htdocs/langs/it_IT/members.lang
@@ -199,7 +199,8 @@ Entreprises=Imprese
 DOLIBARRFOUNDATION_PAYMENT_FORM=Per effettuare il pagamento dell'adesione tramite bonifico bancario, vedi <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br/>Per pagare con carta di credito o Paypal, clicca sul pulsante in fondo a questa pagina.<br/>
 ByProperties=Per natura
 MembersStatisticsByProperties=Statistiche dei membri per natura
-MembersByNature=Membri per natura
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Aliquota IVA in uso per le sottoscrizioni
 NoVatOnSubscription=Nessuna IVA per gli abbonamenti
 MEMBER_PAYONLINE_SENDEMAIL=Email di avviso quando Dolibarr riceve la conferma della validazione di un pagamento per adesione
diff --git a/htdocs/langs/it_IT/products.lang b/htdocs/langs/it_IT/products.lang
index 56c53b4d8a58e984b7caacef66f62238a4046e4b..9a79f0768bcbda993fe73911de4f82d6d1afee8e 100644
--- a/htdocs/langs/it_IT/products.lang
+++ b/htdocs/langs/it_IT/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Ultimo aggiornamento
 CorrectlyUpdated=Aggiornato correttamente
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/it_IT/projects.lang b/htdocs/langs/it_IT/projects.lang
index f6917209f5b99dd93e50463e6feeb21e90cdcd60..1246098a6c9491330fed7cd2013c97dce5ef8669 100644
--- a/htdocs/langs/it_IT/projects.lang
+++ b/htdocs/langs/it_IT/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Questa visualizzazione mostra solo i progetti o i compiti in cui sei
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Questa visualizzazione mostra tutti i progetti e i compiti che hai il permesso di vedere.
 TasksDesc=Questa visualizzazione mostra tutti i progetti e i compiti (hai i privilegi per vedere tutto).
-AllTaskVisibleButEditIfYouAreAssigned=Tutti i compiti per questo progetto sono visibili ma è possibile inserire del tempo impiegato solo per compiti a cui sei assegnato. 
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Area progetti
 NewProject=Nuovo progetto
 AddProject=Crea progetto
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Lista delle note spese associate con il prog
 ListDonationsAssociatedProject=Lista delle donazioni associate al progetto
 ListActionsAssociatedProject=Elenco delle azioni associate al progetto
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Operatività sul progetto questa settimana
 ActivityOnProjectThisMonth=Operatività sul progetto questo mese
 ActivityOnProjectThisYear=Operatività sul progetto nell'anno in corso
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/it_IT/propal.lang b/htdocs/langs/it_IT/propal.lang
index 3f95de1af2219c7ed1cf278b2d48c22bc4b407e5..eccab59827abdf67bc7f72f22e71212c8c83231d 100644
--- a/htdocs/langs/it_IT/propal.lang
+++ b/htdocs/langs/it_IT/propal.lang
@@ -79,9 +79,9 @@ ConfirmClonePropal=Vuoi davvero clonare la proposta <b>%s</b>?
 ConfirmReOpenProp=Vuoi davvero riaprire la proposta <b>%s</b>?
 ProposalsAndProposalsLines=Proposta commerciale e le linee
 ProposalLine=Linea della proposta
-AvailabilityPeriod=Disponibilità ritardo
-SetAvailability=Imposta la disponibilità di ritardo
-AfterOrder=dopo la fine
+AvailabilityPeriod=Tempi di consegna
+SetAvailability=Imposta i tempi di consegna
+AfterOrder=dopo ordine
 ##### Availability #####
 AvailabilityTypeAV_NOW=Immediato
 AvailabilityTypeAV_1W=1 settimana
diff --git a/htdocs/langs/it_IT/trips.lang b/htdocs/langs/it_IT/trips.lang
index d6bb40c60fd4f515693ae55250d79198f9424f06..ad511b990badb1a2a50cf2fc4939f98e33553f73 100644
--- a/htdocs/langs/it_IT/trips.lang
+++ b/htdocs/langs/it_IT/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Riapri
 SendToValid=Sent on approval
 ModifyInfoGen=Modifica
 ValidateAndSubmit=Convalida e proponi per l'approvazione
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=Non sei autorizzato ad approvare questa nota spese
 NOT_AUTHOR=Non sei l'autore di questa nota spese. Operazione annullata.
diff --git a/htdocs/langs/it_IT/withdrawals.lang b/htdocs/langs/it_IT/withdrawals.lang
index 45609ec17bb6477fb85aa79d51fbdf9e5ce8fee5..398a854928e7e047c26b20cf515083782fd7192f 100644
--- a/htdocs/langs/it_IT/withdrawals.lang
+++ b/htdocs/langs/it_IT/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Ricevuta bancaria
 SetToStatusSent=Imposta stato come "file inviato"
 ThisWillAlsoAddPaymentOnInvoice=Verranno anche creati dei pagamenti tra le ricevuti e saranno classificati come pagati
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Il pagamento dell'ordine permanente %s da parte della banca
diff --git a/htdocs/langs/it_IT/workflow.lang b/htdocs/langs/it_IT/workflow.lang
index 1b675835eb24b37efe0e44d95bf7308de064603d..b9ea449d79a0aae5ceb9662beee1f0aa0853b93d 100644
--- a/htdocs/langs/it_IT/workflow.lang
+++ b/htdocs/langs/it_IT/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Impostazioni flusso di lavoro
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/ja_JP/admin.lang b/htdocs/langs/ja_JP/admin.lang
index 739431987ab0d9083de809f540e161386ca06474..9cff17cb77690310f0f4406febde4b0b9aa65936 100644
--- a/htdocs/langs/ja_JP/admin.lang
+++ b/htdocs/langs/ja_JP/admin.lang
@@ -429,8 +429,8 @@ Module20Name=提案
 Module20Desc=商業的な提案の管理
 Module22Name=大量の電子郵便
 Module22Desc=大量の電子メールの管理
-Module23Name= エネルギー
-Module23Desc= エネルギーの消費量を監視する
+Module23Name=エネルギー
+Module23Desc=エネルギーの消費量を監視する
 Module25Name=顧客からの注文
 Module25Desc=顧客の注文の管理
 Module30Name=請求書
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=のwebcalendar
 Module410Desc=のwebcalendar統合
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=通知
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=寄付
 Module700Desc=寄付金の管理
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=製品を作成/変更
 Permission34=製品を削除します。
 Permission36=隠された製品を参照してください/管理
 Permission38=輸出製品
-Permission41=プロジェクトを読んで(私が連絡している共有プロジェクトとプロジェクト)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=プロジェクトを(私が連絡している共有プロジェクトとプロジェクト)を作成/変更
 Permission44=(私が連絡している共有プロジェクトとプロジェクト)のプロジェクトを削除します。
 Permission61=介入を読む
@@ -600,10 +600,10 @@ Permission86=お客様の注文を送る
 Permission87=閉じるお客さまの注文
 Permission88=お客様の注文を取り消す
 Permission89=お客様の注文を削除する
-Permission91=社会貢献とバットを読む
-Permission92=社会貢献とバットを作成/変更
-Permission93=社会貢献とバットを削除します。
-Permission94=社会貢献をエクスポートします。
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=レポートを読む
 Permission101=sendingsを読む
 Permission102=sendingsを作成/変更
@@ -621,9 +621,9 @@ Permission121=ユーザーにリンクされている第三者を読む
 Permission122=ユーザーにリンクされている第三者が作成/変更
 Permission125=ユーザーにリンクされている第三者を削除します。
 Permission126=第三者をエクスポートします。
-Permission141=(私は連絡ないですまた、民間)のプロジェクトを読む
-Permission142=変更/作成プロジェクト(プライベート私は連絡はありません)
-Permission144=(また、私は連絡ないですプライベート)プロジェクトを削除します。
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=プロバイダを読む
 Permission147=統計を読む
 Permission151=立って注文を読み取る
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=セットアップは、保存された
 BackToModuleList=モジュールリストに戻る
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=あなたは、メニューエントリ<b>%sを</b>削除し<b
 DeleteLine=行を削除します
 ConfirmDeleteLine=あなたは、この行を削除してもよろしいですか?
 ##### Tax #####
-TaxSetup=税金、社会貢献や配当モジュールのセットアップ
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=により、付加価値税
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAPクライアントは、URLで入手できますDolibarrエンド
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=銀行のモジュールのセットアップ
 FreeLegalTextOnChequeReceipts=チェック領収書上のフリーテキスト
@@ -1596,6 +1599,7 @@ ProjectsSetup=プロジェクトモジュールのセットアップ
 ProjectsModelModule=プロジェクトの報告書ドキュメントモデル
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/ja_JP/agenda.lang b/htdocs/langs/ja_JP/agenda.lang
index 24c589e4fb19104d3a2d9fe9ed211fab469dc68f..923ec5966343cd4d2316f088cd1f4e56bace93e8 100644
--- a/htdocs/langs/ja_JP/agenda.lang
+++ b/htdocs/langs/ja_JP/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=注文%sは、承認された
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=注文%sは、ドラフトの状態に戻って
-OrderCanceledInDolibarr=ご注文はキャンセル%s
 ProposalSentByEMail=電子メールで送信商業提案%s
 OrderSentByEMail=電子メールで送信、顧客の注文%s
 InvoiceSentByEMail=電子メールで送信顧客の請求書%s
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/ja_JP/banks.lang b/htdocs/langs/ja_JP/banks.lang
index e900a9c981a7b4fb2acc0569aeb50db7807a3e84..8391fc36a0a2a916813333bf2ca6a1e8dcd11e0c 100644
--- a/htdocs/langs/ja_JP/banks.lang
+++ b/htdocs/langs/ja_JP/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=顧客の支払い
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=サプライヤーの支払い
 WithdrawalPayment=撤退の支払い
-SocialContributionPayment=社会貢献の支払い
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=金融口座のジャーナル
 BankTransfer=銀行の転送
 BankTransfers=銀行振込
diff --git a/htdocs/langs/ja_JP/bills.lang b/htdocs/langs/ja_JP/bills.lang
index 49cac07b6466d99d13c67b98fa72b8c602753596..a9bd63245efb27af73aba1cf26ab6a82804a9889 100644
--- a/htdocs/langs/ja_JP/bills.lang
+++ b/htdocs/langs/ja_JP/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=請求書のNb
 NumberOfBillsByMonth=月別請求書のNb
 AmountOfBills=請求書の金額
 AmountOfBillsByMonthHT=月別請求書の金額(税引後)
-ShowSocialContribution=社会貢献を示す
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=請求書を表示する
 ShowInvoice=請求書を表示する
 ShowInvoiceReplace=請求書を交換見せる
@@ -270,7 +270,7 @@ BillAddress=ビル·アドレス
 HelpEscompte=この割引は、その支払いが長期前に行われたため、顧客に付与された割引です。
 HelpAbandonBadCustomer=この金額は、放棄されている(顧客が悪い顧客であると)と卓越した緩いとみなされます。
 HelpAbandonOther=それはエラーが発生しましたので、この量は、(例えば、他に置き換え間違った顧客または請求書)放棄されている
-IdSocialContribution=社会貢献のid
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=お支払い番号
 InvoiceId=請求書のID
 InvoiceRef=請求書参照。
diff --git a/htdocs/langs/ja_JP/companies.lang b/htdocs/langs/ja_JP/companies.lang
index 507b59efa280da7d50b172eb82598b10ceb1baa4..9d2fbdcc3532a792515dc584efded724f86be0c6 100644
--- a/htdocs/langs/ja_JP/companies.lang
+++ b/htdocs/langs/ja_JP/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=サードパーティの連絡先
 StatusContactValidated=接点の状態
 Company=会社
 CompanyName=会社名
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=企業
 CountryIsInEEC=国が欧州経済共同体の内部にある
 ThirdPartyName=サードパーティの名前
diff --git a/htdocs/langs/ja_JP/compta.lang b/htdocs/langs/ja_JP/compta.lang
index fd4e88db8a84275bbf7d57cadc51431a15b81e72..2372b3c2bb2ef2eed56d4cbffeefcb80af27f0c3 100644
--- a/htdocs/langs/ja_JP/compta.lang
+++ b/htdocs/langs/ja_JP/compta.lang
@@ -56,23 +56,23 @@ VATCollected=付加価値税回収した
 ToPay=支払いに
 ToGet=戻って取得するには
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=税金、社会貢献と配当のエリア
-SocialContribution=社会貢献
-SocialContributions=社会貢献
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=税金と配当金
 MenuSalaries=Salaries
-MenuSocialContributions=社会貢献
-MenuNewSocialContribution=新しい貢献
-NewSocialContribution=新しい社会貢献
-ContributionsToPay=支払うために貢献
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=会計/財務エリア
 AccountancySetup=会計のセットアップ
 NewPayment=新しいお支払い
 Payments=支払い
 PaymentCustomerInvoice=顧客の請求書の支払い
 PaymentSupplierInvoice=サプライヤの請求書の支払い
-PaymentSocialContribution=社会貢献の支払い
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=付加価値税の支払い
 PaymentSalary=Salary payment
 ListPayment=支払いのリスト
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=付加価値税の支払い
 VATPayments=付加価値税の支払い
-SocialContributionsPayments=社会貢献の支払い
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=付加価値税の支払いを表示する
 TotalToPay=支払いに合計
 TotalVATReceived=総付加価値税は、受信
@@ -116,11 +116,11 @@ NewCheckDepositOn=%s:アカウント上で預金の領収書を作成する
 NoWaitingChecks=入金を待ってはチェックしません。
 DateChequeReceived=受付の日付を確認してください
 NbOfCheques=小切手のNb
-PaySocialContribution=社会貢献を支払う
-ConfirmPaySocialContribution=あなたが支払ったとしてこの社会貢献を分類してもよろしいですか?
-DeleteSocialContribution=社会貢献を削除します。
-ConfirmDeleteSocialContribution=あなたはこの社会貢献を削除してもよろしいですか?
-ExportDataset_tax_1=社会貢献と支払い
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/ja_JP/cron.lang b/htdocs/langs/ja_JP/cron.lang
index 06f05c2791c949b3a3eb0d319daf5b52192e28fc..a1629861fac705839f7fb110c27832d319360697 100644
--- a/htdocs/langs/ja_JP/cron.lang
+++ b/htdocs/langs/ja_JP/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/ja_JP/ecm.lang b/htdocs/langs/ja_JP/ecm.lang
index d0c719668db3f11b3f3de2524579329b194926d4..a89908b2924bad8913db9d982b814bb33c5f0369 100644
--- a/htdocs/langs/ja_JP/ecm.lang
+++ b/htdocs/langs/ja_JP/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=オブジェクトで検索
 ECMSectionOfDocuments=ドキュメントのディレクトリ
 ECMTypeManual=マニュアル
 ECMTypeAuto=自動
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=第三者にリンクされたドキュメント
 ECMDocsByProposals=提案にリンクされたドキュメント
 ECMDocsByOrders=顧客の注文にリンクされたドキュメント
diff --git a/htdocs/langs/ja_JP/errors.lang b/htdocs/langs/ja_JP/errors.lang
index f4fa4b112ae6b716fe304a99bdf44c23a2d0ca5f..ce2a0613a2f62d272cbe4d03405e8b123c99a3d6 100644
--- a/htdocs/langs/ja_JP/errors.lang
+++ b/htdocs/langs/ja_JP/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/ja_JP/holiday.lang b/htdocs/langs/ja_JP/holiday.lang
index 53fdbe451e8c86caa5bf9bb666d1dcd7c4de5fe5..ccceec3f089f2659a4abf238bc8021b23b98f1c8 100644
--- a/htdocs/langs/ja_JP/holiday.lang
+++ b/htdocs/langs/ja_JP/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=理由
 UserCP=ユーザー
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=値
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/ja_JP/mails.lang b/htdocs/langs/ja_JP/mails.lang
index eb34b9e6a5572a1b40245c1437ad6b87c306c315..1ea790190c9ed060ba2599cdedce2b1f06c7d890 100644
--- a/htdocs/langs/ja_JP/mails.lang
+++ b/htdocs/langs/ja_JP/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=通知
 NoNotificationsWillBeSent=いいえ電子メール通知は、このイベントや会社のために計画されていません
diff --git a/htdocs/langs/ja_JP/main.lang b/htdocs/langs/ja_JP/main.lang
index ac5257f603e5598fea9e69f33d50e3432346f08c..d2c33dd1e446038cda763e74cfbf00887697ff9b 100644
--- a/htdocs/langs/ja_JP/main.lang
+++ b/htdocs/langs/ja_JP/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=いくつかのエラーが検出されま
 ErrorConfigParameterNotDefined=パラメータ<b>%sは</b> Dolibarr configファイル<b>conf.php</b>内で定義されていません。
 ErrorCantLoadUserFromDolibarrDatabase=Dolibarrデータベース内のユーザーの<b>%sを</b>見つけることができませんでした。
 ErrorNoVATRateDefinedForSellerCountry=エラー、国%s 'に対して定義されていないのVAT率。
-ErrorNoSocialContributionForSellerCountry=エラー、国%s 'に対して定義されていない社会貢献型。
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=エラーは、ファイルを保存に失敗しました。
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=単価
 PriceU=UP
 PriceUHT=UP(純額)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=UP
+PriceUTTC=U.P. (inc. tax)
 Amount=量
 AmountInvoice=請求額
 AmountPayment=支払金額
@@ -339,6 +339,7 @@ IncludedVAT=税込み
 HT=税引き
 TTC=税込
 VAT=売上税
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=税率
diff --git a/htdocs/langs/ja_JP/members.lang b/htdocs/langs/ja_JP/members.lang
index 7455ea4d526cd74d1a346da51b15a27af6eb576f..77822333b0136d0cae7fef60700c40d13d6875a6 100644
--- a/htdocs/langs/ja_JP/members.lang
+++ b/htdocs/langs/ja_JP/members.lang
@@ -199,7 +199,8 @@ Entreprises=企業
 DOLIBARRFOUNDATION_PAYMENT_FORM=銀行振込を使用してサブスクリプション費用の支払いを行うには、ページ参照<a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribeを</a> 。 <br>クレジットカードまたはPayPalでお支払いには、このページの下部にあるボタンをクリックします。 <br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/ja_JP/products.lang b/htdocs/langs/ja_JP/products.lang
index f6f409b9559dc3c3e526f1a96459049bb3ed74b4..6796d67e83abea003c5af8824dddb692978d9179 100644
--- a/htdocs/langs/ja_JP/products.lang
+++ b/htdocs/langs/ja_JP/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/ja_JP/projects.lang b/htdocs/langs/ja_JP/projects.lang
index 223ae1ab1cec12c31863e7bad2640cdc5c01e5e3..6dc68fd0b8222d60de54cac8b498417092d7e3c7 100644
--- a/htdocs/langs/ja_JP/projects.lang
+++ b/htdocs/langs/ja_JP/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=このビューは、連絡先の(種類は何でも)がプロ
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=このビューには、読み取りを許可されているすべてのプロジェクトやタスクを示します。
 TasksDesc=このビューは、すべてのプロジェクトとタスク(あなたのユーザー権限はあなたに全てを表示する権限を付与)を提示します。
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=プロジェクトエリア
 NewProject=新しいプロジェクト
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=プロジェクトに関連付けられているイベントのリスト
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=プロジェクト今週のアクティビティ
 ActivityOnProjectThisMonth=プロジェクトの活動今月
 ActivityOnProjectThisYear=プロジェクトの活動は今年
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/ja_JP/trips.lang b/htdocs/langs/ja_JP/trips.lang
index 9d73b61bfef1589237296c7157b593f609dba4a3..620a2f386b6dc353affb2e1e137b90e313a3a16b 100644
--- a/htdocs/langs/ja_JP/trips.lang
+++ b/htdocs/langs/ja_JP/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/ja_JP/withdrawals.lang b/htdocs/langs/ja_JP/withdrawals.lang
index 195977c403107aa2f14c928cf1cd06b247cb5f0c..446a348c29ca156d3a823d5dbe55cb4fb8f84119 100644
--- a/htdocs/langs/ja_JP/withdrawals.lang
+++ b/htdocs/langs/ja_JP/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=銀行によって立っている順序%sの支払い
diff --git a/htdocs/langs/ja_JP/workflow.lang b/htdocs/langs/ja_JP/workflow.lang
index 6e73334f0b3029a5f427397cd5179d6f6c0c7131..78ddb584315fd31e55b5cecf4e0c82d7d0129aeb 100644
--- a/htdocs/langs/ja_JP/workflow.lang
+++ b/htdocs/langs/ja_JP/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=ワークフローモジュールのセットアップ
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/ka_GE/admin.lang b/htdocs/langs/ka_GE/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..13f7eb7c6ec5abbbd16fbfef6aca5771a693bf8d 100644
--- a/htdocs/langs/ka_GE/admin.lang
+++ b/htdocs/langs/ka_GE/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposals
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energy
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Customer Orders
 Module25Desc=Customer order management
 Module30Name=Invoices
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donations
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/ka_GE/agenda.lang b/htdocs/langs/ka_GE/agenda.lang
index 55fde86864be72919aece662743c649732414ebc..3e8b2309f8f645e35862d5934010712bf4b07300 100644
--- a/htdocs/langs/ka_GE/agenda.lang
+++ b/htdocs/langs/ka_GE/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/ka_GE/banks.lang b/htdocs/langs/ka_GE/banks.lang
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..d12f45387d6b4649f2face75d8646935a7c16c33 100644
--- a/htdocs/langs/ka_GE/banks.lang
+++ b/htdocs/langs/ka_GE/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/ka_GE/bills.lang b/htdocs/langs/ka_GE/bills.lang
index b5c8d3b6653e731416674d9a9e3085b726a41f8b..3210e0bf51731a2e1e91e0c26d72245194b15b60 100644
--- a/htdocs/langs/ka_GE/bills.lang
+++ b/htdocs/langs/ka_GE/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb of invoices
 NumberOfBillsByMonth=Nb of invoices by month
 AmountOfBills=Amount of invoices
 AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Show invoice
 ShowInvoice=Show invoice
 ShowInvoiceReplace=Show replacing invoice
@@ -270,7 +270,7 @@ BillAddress=Bill address
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Payment id
 InvoiceId=Invoice id
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/ka_GE/companies.lang b/htdocs/langs/ka_GE/companies.lang
index ad9980cb0552d268ab543108eb80064004ba1ebc..42a9a884c761ad3b3be0f8d92cc5fdde6e580137 100644
--- a/htdocs/langs/ka_GE/companies.lang
+++ b/htdocs/langs/ka_GE/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Third party contact/address
 StatusContactValidated=Status of contact/address
 Company=Company
 CompanyName=Company name
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Companies
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Third party name
diff --git a/htdocs/langs/ka_GE/compta.lang b/htdocs/langs/ka_GE/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/ka_GE/compta.lang
+++ b/htdocs/langs/ka_GE/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/ka_GE/cron.lang b/htdocs/langs/ka_GE/cron.lang
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..bd85715642ec700a51b7365535762b2760ae54e5 100644
--- a/htdocs/langs/ka_GE/cron.lang
+++ b/htdocs/langs/ka_GE/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/ka_GE/ecm.lang b/htdocs/langs/ka_GE/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/ka_GE/ecm.lang
+++ b/htdocs/langs/ka_GE/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/ka_GE/errors.lang b/htdocs/langs/ka_GE/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/ka_GE/errors.lang
+++ b/htdocs/langs/ka_GE/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/ka_GE/holiday.lang b/htdocs/langs/ka_GE/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/ka_GE/holiday.lang
+++ b/htdocs/langs/ka_GE/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/ka_GE/mails.lang b/htdocs/langs/ka_GE/mails.lang
index 001b237ca8c71c5d3e7f887ac925918c2945842e..3bebb0c2affc38b9bbebbfcea18d063764227e1e 100644
--- a/htdocs/langs/ka_GE/mails.lang
+++ b/htdocs/langs/ka_GE/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/ka_GE/main.lang b/htdocs/langs/ka_GE/main.lang
index b8eb245ac6f9db066cf1e787653db490228fb3b3..12d9337641dee7e99af97216c364fe1d4070586e 100644
--- a/htdocs/langs/ka_GE/main.lang
+++ b/htdocs/langs/ka_GE/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/ka_GE/members.lang b/htdocs/langs/ka_GE/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/ka_GE/members.lang
+++ b/htdocs/langs/ka_GE/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/ka_GE/products.lang b/htdocs/langs/ka_GE/products.lang
index f0d56c4904962a8bef1b4844a3fddb86b322d8fb..55b1d016827f1eda96e4f8861becf006341e5974 100644
--- a/htdocs/langs/ka_GE/products.lang
+++ b/htdocs/langs/ka_GE/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/ka_GE/projects.lang b/htdocs/langs/ka_GE/projects.lang
index 4f8c3d6eb2a49e2723ebefc954c2d59700d8b7da..7a2688a44612f8e647ea4feda51e4f47fcb9b3ec 100644
--- a/htdocs/langs/ka_GE/projects.lang
+++ b/htdocs/langs/ka_GE/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/ka_GE/trips.lang b/htdocs/langs/ka_GE/trips.lang
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..a5b2569942e59a3ba91fad3ce0820a24731105cd 100644
--- a/htdocs/langs/ka_GE/trips.lang
+++ b/htdocs/langs/ka_GE/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/ka_GE/withdrawals.lang b/htdocs/langs/ka_GE/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/ka_GE/withdrawals.lang
+++ b/htdocs/langs/ka_GE/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/ka_GE/workflow.lang b/htdocs/langs/ka_GE/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/ka_GE/workflow.lang
+++ b/htdocs/langs/ka_GE/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/kn_IN/admin.lang b/htdocs/langs/kn_IN/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..13f7eb7c6ec5abbbd16fbfef6aca5771a693bf8d 100644
--- a/htdocs/langs/kn_IN/admin.lang
+++ b/htdocs/langs/kn_IN/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposals
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energy
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Customer Orders
 Module25Desc=Customer order management
 Module30Name=Invoices
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donations
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/kn_IN/agenda.lang b/htdocs/langs/kn_IN/agenda.lang
index 55fde86864be72919aece662743c649732414ebc..3e8b2309f8f645e35862d5934010712bf4b07300 100644
--- a/htdocs/langs/kn_IN/agenda.lang
+++ b/htdocs/langs/kn_IN/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/kn_IN/banks.lang b/htdocs/langs/kn_IN/banks.lang
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..d12f45387d6b4649f2face75d8646935a7c16c33 100644
--- a/htdocs/langs/kn_IN/banks.lang
+++ b/htdocs/langs/kn_IN/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/kn_IN/bills.lang b/htdocs/langs/kn_IN/bills.lang
index b5c8d3b6653e731416674d9a9e3085b726a41f8b..3210e0bf51731a2e1e91e0c26d72245194b15b60 100644
--- a/htdocs/langs/kn_IN/bills.lang
+++ b/htdocs/langs/kn_IN/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb of invoices
 NumberOfBillsByMonth=Nb of invoices by month
 AmountOfBills=Amount of invoices
 AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Show invoice
 ShowInvoice=Show invoice
 ShowInvoiceReplace=Show replacing invoice
@@ -270,7 +270,7 @@ BillAddress=Bill address
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Payment id
 InvoiceId=Invoice id
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/kn_IN/companies.lang b/htdocs/langs/kn_IN/companies.lang
index 3a51ff1c513f63e2d42fa79e5849cab5a53fb105..18dd00f389d30b264efa69997e9b4b89e2109bb5 100644
--- a/htdocs/langs/kn_IN/companies.lang
+++ b/htdocs/langs/kn_IN/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=ತೃತೀಯ ಸಂಪರ್ಕ / ವಿಳಾಸ
 StatusContactValidated=ಸಂಪರ್ಕ / ವಿಳಾಸದ ಸ್ಥಿತಿ
 Company=ಸಂಸ್ಥೆ
 CompanyName=ಸಂಸ್ಥೆಯ ಹೆಸರು
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=ಕಂಪನಿಗಳು
 CountryIsInEEC=ದೇಶವು ಯುರೋಪಿಯನ್ ಎಕನಾಮಿಕ್ ಕಮ್ಯುನಿಟಿಯಲ್ಲಿದೆ
 ThirdPartyName=ಮೂರನೇ ಪಾರ್ಟಿ ಹೆಸರು
diff --git a/htdocs/langs/kn_IN/compta.lang b/htdocs/langs/kn_IN/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/kn_IN/compta.lang
+++ b/htdocs/langs/kn_IN/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/kn_IN/cron.lang b/htdocs/langs/kn_IN/cron.lang
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..bd85715642ec700a51b7365535762b2760ae54e5 100644
--- a/htdocs/langs/kn_IN/cron.lang
+++ b/htdocs/langs/kn_IN/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/kn_IN/ecm.lang b/htdocs/langs/kn_IN/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/kn_IN/ecm.lang
+++ b/htdocs/langs/kn_IN/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/kn_IN/errors.lang b/htdocs/langs/kn_IN/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/kn_IN/errors.lang
+++ b/htdocs/langs/kn_IN/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/kn_IN/holiday.lang b/htdocs/langs/kn_IN/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/kn_IN/holiday.lang
+++ b/htdocs/langs/kn_IN/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/kn_IN/mails.lang b/htdocs/langs/kn_IN/mails.lang
index 001b237ca8c71c5d3e7f887ac925918c2945842e..3bebb0c2affc38b9bbebbfcea18d063764227e1e 100644
--- a/htdocs/langs/kn_IN/mails.lang
+++ b/htdocs/langs/kn_IN/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/kn_IN/main.lang b/htdocs/langs/kn_IN/main.lang
index b8eb245ac6f9db066cf1e787653db490228fb3b3..12d9337641dee7e99af97216c364fe1d4070586e 100644
--- a/htdocs/langs/kn_IN/main.lang
+++ b/htdocs/langs/kn_IN/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/kn_IN/members.lang b/htdocs/langs/kn_IN/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/kn_IN/members.lang
+++ b/htdocs/langs/kn_IN/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/kn_IN/products.lang b/htdocs/langs/kn_IN/products.lang
index f0d56c4904962a8bef1b4844a3fddb86b322d8fb..55b1d016827f1eda96e4f8861becf006341e5974 100644
--- a/htdocs/langs/kn_IN/products.lang
+++ b/htdocs/langs/kn_IN/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/kn_IN/projects.lang b/htdocs/langs/kn_IN/projects.lang
index 4f8c3d6eb2a49e2723ebefc954c2d59700d8b7da..7a2688a44612f8e647ea4feda51e4f47fcb9b3ec 100644
--- a/htdocs/langs/kn_IN/projects.lang
+++ b/htdocs/langs/kn_IN/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/kn_IN/trips.lang b/htdocs/langs/kn_IN/trips.lang
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..a5b2569942e59a3ba91fad3ce0820a24731105cd 100644
--- a/htdocs/langs/kn_IN/trips.lang
+++ b/htdocs/langs/kn_IN/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/kn_IN/withdrawals.lang b/htdocs/langs/kn_IN/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/kn_IN/withdrawals.lang
+++ b/htdocs/langs/kn_IN/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/kn_IN/workflow.lang b/htdocs/langs/kn_IN/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/kn_IN/workflow.lang
+++ b/htdocs/langs/kn_IN/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/ko_KR/admin.lang b/htdocs/langs/ko_KR/admin.lang
index ed7684213c43a3c221fcaa01971d7a8420325762..da09266e2e7e6612b759960f72b4a8a223affcfa 100644
--- a/htdocs/langs/ko_KR/admin.lang
+++ b/htdocs/langs/ko_KR/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposals
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energy
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Customer Orders
 Module25Desc=Customer order management
 Module30Name=Invoices
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donations
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/ko_KR/agenda.lang b/htdocs/langs/ko_KR/agenda.lang
index 06b08f185612f456acfdaee2c18fd69383d2047f..5b7760cb52968d18705aafb5b66242ef07e201a0 100644
--- a/htdocs/langs/ko_KR/agenda.lang
+++ b/htdocs/langs/ko_KR/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/ko_KR/banks.lang b/htdocs/langs/ko_KR/banks.lang
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..d12f45387d6b4649f2face75d8646935a7c16c33 100644
--- a/htdocs/langs/ko_KR/banks.lang
+++ b/htdocs/langs/ko_KR/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/ko_KR/bills.lang b/htdocs/langs/ko_KR/bills.lang
index b5c8d3b6653e731416674d9a9e3085b726a41f8b..3210e0bf51731a2e1e91e0c26d72245194b15b60 100644
--- a/htdocs/langs/ko_KR/bills.lang
+++ b/htdocs/langs/ko_KR/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb of invoices
 NumberOfBillsByMonth=Nb of invoices by month
 AmountOfBills=Amount of invoices
 AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Show invoice
 ShowInvoice=Show invoice
 ShowInvoiceReplace=Show replacing invoice
@@ -270,7 +270,7 @@ BillAddress=Bill address
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Payment id
 InvoiceId=Invoice id
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/ko_KR/companies.lang b/htdocs/langs/ko_KR/companies.lang
index ad9980cb0552d268ab543108eb80064004ba1ebc..42a9a884c761ad3b3be0f8d92cc5fdde6e580137 100644
--- a/htdocs/langs/ko_KR/companies.lang
+++ b/htdocs/langs/ko_KR/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Third party contact/address
 StatusContactValidated=Status of contact/address
 Company=Company
 CompanyName=Company name
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Companies
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Third party name
diff --git a/htdocs/langs/ko_KR/compta.lang b/htdocs/langs/ko_KR/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/ko_KR/compta.lang
+++ b/htdocs/langs/ko_KR/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/ko_KR/cron.lang b/htdocs/langs/ko_KR/cron.lang
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..bd85715642ec700a51b7365535762b2760ae54e5 100644
--- a/htdocs/langs/ko_KR/cron.lang
+++ b/htdocs/langs/ko_KR/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/ko_KR/ecm.lang b/htdocs/langs/ko_KR/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/ko_KR/ecm.lang
+++ b/htdocs/langs/ko_KR/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/ko_KR/errors.lang b/htdocs/langs/ko_KR/errors.lang
index 4cb6551a37071b139544db4411c5bd2fc734af36..5bfd08fa79bfcb5bcc38a189b64a96f7ea0ba17a 100644
--- a/htdocs/langs/ko_KR/errors.lang
+++ b/htdocs/langs/ko_KR/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/ko_KR/holiday.lang b/htdocs/langs/ko_KR/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/ko_KR/holiday.lang
+++ b/htdocs/langs/ko_KR/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/ko_KR/mails.lang b/htdocs/langs/ko_KR/mails.lang
index 74ab445aaa9f1fc794b0c187cf0f5bec02e51f25..ef5aa82d53266dd5897ad5a7b838bac6821902db 100644
--- a/htdocs/langs/ko_KR/mails.lang
+++ b/htdocs/langs/ko_KR/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/ko_KR/main.lang b/htdocs/langs/ko_KR/main.lang
index 1da1a0621988bac86a61f6c152e76c49bf4d7dcd..083779a848d28d8b1b8c35793769055eb377bc4b 100644
--- a/htdocs/langs/ko_KR/main.lang
+++ b/htdocs/langs/ko_KR/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=오류가 있습니다. 변경을 하지 
 ErrorConfigParameterNotDefined=<b>%s</b> 매개변수를 Dolibarr 설정 파일 <b>conf.php</b> 내에서 지정할 수 없습니다.
 ErrorCantLoadUserFromDolibarrDatabase=Dolibarr 데이타베이스에서 <b>%s</b>유저를 찾을 수 없습니다.
 ErrorNoVATRateDefinedForSellerCountry=오류, '%s' 국가의 부가세율이 정의되지 않았습니다.
-ErrorNoSocialContributionForSellerCountry=오류, '%s' 국가의 사회 기여 종류가 지정되지 않았습니다.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=오류, 파일을 저장할 수 없습니다.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/ko_KR/members.lang b/htdocs/langs/ko_KR/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/ko_KR/members.lang
+++ b/htdocs/langs/ko_KR/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/ko_KR/products.lang b/htdocs/langs/ko_KR/products.lang
index f0d56c4904962a8bef1b4844a3fddb86b322d8fb..55b1d016827f1eda96e4f8861becf006341e5974 100644
--- a/htdocs/langs/ko_KR/products.lang
+++ b/htdocs/langs/ko_KR/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/ko_KR/projects.lang b/htdocs/langs/ko_KR/projects.lang
index 4f8c3d6eb2a49e2723ebefc954c2d59700d8b7da..7a2688a44612f8e647ea4feda51e4f47fcb9b3ec 100644
--- a/htdocs/langs/ko_KR/projects.lang
+++ b/htdocs/langs/ko_KR/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/ko_KR/trips.lang b/htdocs/langs/ko_KR/trips.lang
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..a5b2569942e59a3ba91fad3ce0820a24731105cd 100644
--- a/htdocs/langs/ko_KR/trips.lang
+++ b/htdocs/langs/ko_KR/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/ko_KR/withdrawals.lang b/htdocs/langs/ko_KR/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/ko_KR/withdrawals.lang
+++ b/htdocs/langs/ko_KR/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/ko_KR/workflow.lang b/htdocs/langs/ko_KR/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/ko_KR/workflow.lang
+++ b/htdocs/langs/ko_KR/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/lo_LA/admin.lang b/htdocs/langs/lo_LA/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..13f7eb7c6ec5abbbd16fbfef6aca5771a693bf8d 100644
--- a/htdocs/langs/lo_LA/admin.lang
+++ b/htdocs/langs/lo_LA/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposals
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energy
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Customer Orders
 Module25Desc=Customer order management
 Module30Name=Invoices
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donations
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/lo_LA/agenda.lang b/htdocs/langs/lo_LA/agenda.lang
index 55fde86864be72919aece662743c649732414ebc..3e8b2309f8f645e35862d5934010712bf4b07300 100644
--- a/htdocs/langs/lo_LA/agenda.lang
+++ b/htdocs/langs/lo_LA/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/lo_LA/banks.lang b/htdocs/langs/lo_LA/banks.lang
index 6437dedf00425022ab12062ae0eead2688c2bba0..1d9f48ac794611be82d830fb8d03ee075ad47185 100644
--- a/htdocs/langs/lo_LA/banks.lang
+++ b/htdocs/langs/lo_LA/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/lo_LA/bills.lang b/htdocs/langs/lo_LA/bills.lang
index b5c8d3b6653e731416674d9a9e3085b726a41f8b..3210e0bf51731a2e1e91e0c26d72245194b15b60 100644
--- a/htdocs/langs/lo_LA/bills.lang
+++ b/htdocs/langs/lo_LA/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb of invoices
 NumberOfBillsByMonth=Nb of invoices by month
 AmountOfBills=Amount of invoices
 AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Show invoice
 ShowInvoice=Show invoice
 ShowInvoiceReplace=Show replacing invoice
@@ -270,7 +270,7 @@ BillAddress=Bill address
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Payment id
 InvoiceId=Invoice id
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/lo_LA/companies.lang b/htdocs/langs/lo_LA/companies.lang
index ad9980cb0552d268ab543108eb80064004ba1ebc..42a9a884c761ad3b3be0f8d92cc5fdde6e580137 100644
--- a/htdocs/langs/lo_LA/companies.lang
+++ b/htdocs/langs/lo_LA/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Third party contact/address
 StatusContactValidated=Status of contact/address
 Company=Company
 CompanyName=Company name
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Companies
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Third party name
diff --git a/htdocs/langs/lo_LA/compta.lang b/htdocs/langs/lo_LA/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/lo_LA/compta.lang
+++ b/htdocs/langs/lo_LA/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/lo_LA/cron.lang b/htdocs/langs/lo_LA/cron.lang
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..bd85715642ec700a51b7365535762b2760ae54e5 100644
--- a/htdocs/langs/lo_LA/cron.lang
+++ b/htdocs/langs/lo_LA/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/lo_LA/ecm.lang b/htdocs/langs/lo_LA/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/lo_LA/ecm.lang
+++ b/htdocs/langs/lo_LA/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/lo_LA/errors.lang b/htdocs/langs/lo_LA/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/lo_LA/errors.lang
+++ b/htdocs/langs/lo_LA/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/lo_LA/holiday.lang b/htdocs/langs/lo_LA/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/lo_LA/holiday.lang
+++ b/htdocs/langs/lo_LA/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/lo_LA/mails.lang b/htdocs/langs/lo_LA/mails.lang
index 001b237ca8c71c5d3e7f887ac925918c2945842e..3bebb0c2affc38b9bbebbfcea18d063764227e1e 100644
--- a/htdocs/langs/lo_LA/mails.lang
+++ b/htdocs/langs/lo_LA/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/lo_LA/main.lang b/htdocs/langs/lo_LA/main.lang
index b8eb245ac6f9db066cf1e787653db490228fb3b3..12d9337641dee7e99af97216c364fe1d4070586e 100644
--- a/htdocs/langs/lo_LA/main.lang
+++ b/htdocs/langs/lo_LA/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/lo_LA/members.lang b/htdocs/langs/lo_LA/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/lo_LA/members.lang
+++ b/htdocs/langs/lo_LA/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/lo_LA/products.lang b/htdocs/langs/lo_LA/products.lang
index f0d56c4904962a8bef1b4844a3fddb86b322d8fb..55b1d016827f1eda96e4f8861becf006341e5974 100644
--- a/htdocs/langs/lo_LA/products.lang
+++ b/htdocs/langs/lo_LA/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/lo_LA/projects.lang b/htdocs/langs/lo_LA/projects.lang
index 4f8c3d6eb2a49e2723ebefc954c2d59700d8b7da..7a2688a44612f8e647ea4feda51e4f47fcb9b3ec 100644
--- a/htdocs/langs/lo_LA/projects.lang
+++ b/htdocs/langs/lo_LA/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/lo_LA/trips.lang b/htdocs/langs/lo_LA/trips.lang
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..a5b2569942e59a3ba91fad3ce0820a24731105cd 100644
--- a/htdocs/langs/lo_LA/trips.lang
+++ b/htdocs/langs/lo_LA/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/lo_LA/withdrawals.lang b/htdocs/langs/lo_LA/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/lo_LA/withdrawals.lang
+++ b/htdocs/langs/lo_LA/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/lo_LA/workflow.lang b/htdocs/langs/lo_LA/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/lo_LA/workflow.lang
+++ b/htdocs/langs/lo_LA/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/lt_LT/admin.lang b/htdocs/langs/lt_LT/admin.lang
index 6cfc7a013469e57369323d9493b8c3afebb3ced1..6709bf8e3adaff0784006ec7f72c7901973a9923 100644
--- a/htdocs/langs/lt_LT/admin.lang
+++ b/htdocs/langs/lt_LT/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Pasiūlymai
 Module20Desc=Komercinių pasiūlymų valdymas
 Module22Name=Masiniai el. laiškai
 Module22Desc=Masinių el. laiškų valdymas
-Module23Name= Energija
-Module23Desc= Stebėti energijos suvartojimą
+Module23Name=Energija
+Module23Desc=Stebėti energijos suvartojimą
 Module25Name=Klientų užsakymai
 Module25Desc=Klientų užsakymų valdymas
 Module30Name=Sąskaitos
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Web kalendorius
 Module410Desc=Web kalendoriaus integracija
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Atlyginimai
 Module510Desc=Darbuotojų darbo užmokesčio ir išmokų valdymas
 Module520Name=Paskola
@@ -501,7 +501,7 @@ Module600Name=Pranešimai
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Parama
 Module700Desc=Paramos valdymas
-Module770Name=Išlaidų ataskaita
+Module770Name=Expense reports
 Module770Desc=Valdymo ir pretenzijų išlaidų ataskaitos (transportas, maistas, ...)
 Module1120Name=Tiekėjo komercinis pasiūlymas
 Module1120Desc=Prašyti tiekėjo komercinio pasiūlymo ir kainų
@@ -579,7 +579,7 @@ Permission32=Sukurti/pakeisti produktus
 Permission34=Ištrinti produktus
 Permission36=Žiūrėti/tvarkyti paslėptus produktus
 Permission38=Eksportuoti produktus
-Permission41=Skaityti projektus (bendrus projektus ir projektus, apie kuriuos kalbama)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Sukurti/keisti projektus (bendrus projektus ir projektus, apie kuriuos kalbama)
 Permission44=Ištrinti projektus (bendrus projektus ir projektus, apie kuriuos kalbama)
 Permission61=Skaityti intervencijas
@@ -600,10 +600,10 @@ Permission86=Siųsti klientų užsakymus
 Permission87=Uždaryti klientų užsakymus
 Permission88=Atšaukti klientų užsakymus
 Permission89=Ištrinti klientų užsakymus
-Permission91=Skaityti socialines įmokas ir PVM
-Permission92=Sukurti/keisti socialines įmokas ir PVM
-Permission93=Ištrinti socialines įmokas ir PVM
-Permission94=Eksportuoti socialinės įmokas
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Skaityti ataskaitas
 Permission101=Skaityti siuntinius
 Permission102=Sukurti/keisti siuntinius
@@ -621,9 +621,9 @@ Permission121=Skaityti trečiąsias šalis, susijusias su vartotoju
 Permission122=Sukurti/pakeisti trečiąsias šalis, susijusias su vartotoju
 Permission125=Ištrinti trečiąsias šalis, susijusias su vartotoju
 Permission126=Eksportuoti trečiąsias šalis
-Permission141=Skaityti projektus (taip pat privačius, dėl kurių nesikreipiame)
-Permission142=Sukurti/keisti projektus (taip pat privačius, dėl kurių nesikreipiame)
-Permission144=Ištrinti projektus (taip pat privačius, dėl kurių nesikreipiame)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Skaityti teikėjus
 Permission147=Skaityti statistinius duomenis
 Permission151=Skaityti pastovius užsakymus
@@ -801,7 +801,7 @@ DictionaryCountry=Šalys
 DictionaryCurrency=Valiutos
 DictionaryCivility=Mandagumo antraštė
 DictionaryActions=Darbotvarkės įvykių tipas
-DictionarySocialContributions=Socialinių įmokų tipai
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=PVM tarifai ar Pardavimo mokesčio tarifai
 DictionaryRevenueStamp=Pajamų rūšių kiekis
 DictionaryPaymentConditions=Apmokėjimo terminai
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Sąskaitų plano modeliai
 DictionaryEMailTemplates=El.pašto pranešimų šablonai
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Nustatymai išsaugoti
 BackToModuleList=Atgal į modulių sąrašą
 BackToDictionaryList=Atgal į žodynų sąrašą
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Ar tikrai norite ištrinti meniu įrašą <b>%s</b> ?
 DeleteLine=Ištrinti eilutę
 ConfirmDeleteLine=Ar tikrai norite ištrinti šią eilutę?
 ##### Tax #####
-TaxSetup=Mokesčių, socialinio draudimo išmokų ir dividendų modulio nustatymai
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Mokėtinas PVM
 OptionVATDefault=Grynųjų pinigų principas
 OptionVATDebitOption=Kaupimo principas
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP klientai turi siųsti savo prašymus į Dolibarr galinį įrengi
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Banko modulio nustatymas
 FreeLegalTextOnChequeReceipts=Laisvas tekstas čekių kvituose
@@ -1596,6 +1599,7 @@ ProjectsSetup=Projekto modulio nustatymas
 ProjectsModelModule=Projekto ataskaitų dokumento modelis
 TasksNumberingModules=Užduočių numeracijos modulis
 TaskModelModule=Užduočių ataskaitų dokumento modelis
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED nustatymas
 ECMAutoTree = Automatinis medžio aplankas ir dokumentas
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/lt_LT/agenda.lang b/htdocs/langs/lt_LT/agenda.lang
index 1de038b38be7a69c3bda063844f800c5ad0fda91..70aa64479496d7c7b827532bd9f6e9bdff0abc66 100644
--- a/htdocs/langs/lt_LT/agenda.lang
+++ b/htdocs/langs/lt_LT/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Užsakymas %s klasifikuojamas kaip su išrašyta sąskaita
 OrderApprovedInDolibarr=Užsakymas %s patvirtintas
 OrderRefusedInDolibarr=Užsakymas %s atmestas
 OrderBackToDraftInDolibarr=Užsakymas %s grąžintas į projektinę būklę
-OrderCanceledInDolibarr=Užsakymas %s atšauktas
 ProposalSentByEMail=Komercinis pasiūlymas %s išsiųstas e-paštu
 OrderSentByEMail=Kliento užsakymas %s atsiųstas e-paštu
 InvoiceSentByEMail=Kliento sąskaita-faktūra %s išsiųsta e-paštu
@@ -96,3 +95,5 @@ AddEvent=Sukurti įvykį
 MyAvailability=Mano eksploatacinė parengtis
 ActionType=Įvykio tipas
 DateActionBegin=Pradėti įvykio datą
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/lt_LT/banks.lang b/htdocs/langs/lt_LT/banks.lang
index ef26df2b3f215e00b0b4320bf1f08733fcdf3ce7..bd44d59466b85c9b1709792d4d5679aba2bfa5e9 100644
--- a/htdocs/langs/lt_LT/banks.lang
+++ b/htdocs/langs/lt_LT/banks.lang
@@ -94,12 +94,12 @@ Conciliate=Suderinti
 Conciliation=Suderinimas
 ConciliationForAccount=Suderinti šią sąskaitą
 IncludeClosedAccount=Įtraukti uždarytas sąskaitas
-OnlyOpenedAccount=Only open accounts
+OnlyOpenedAccount=Tik atidarytos sąskaitos
 AccountToCredit=Kredituoti sąskaitą
 AccountToDebit=Debetuoti sąskaitą
 DisableConciliation=Išjungti suderinimo funkciją šiai sąskaitai
 ConciliationDisabled=Suderinimo funkcija išjungta
-StatusAccountOpened=Open
+StatusAccountOpened=Atidaryta
 StatusAccountClosed=Uždaryta
 AccountIdShort=Skaičius
 EditBankRecord=Redaguoti įrašą
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Kliento mokėjimas
 CustomerInvoicePaymentBack=Kliento mokėjimas atgalinis
 SupplierInvoicePayment=Tiekėjo mokėjimas
 WithdrawalPayment=Išėmimo (withdrawal) mokėjimas
-SocialContributionPayment=Socialinės įmokos mokėjimas
+SocialContributionPayment=Socialinio / fiskalinio mokesčio mokėjimas
 FinancialAccountJournal=Finansinės sąskaitos žurnalas
 BankTransfer=Banko pervedimas
 BankTransfers=Banko pervedimai
diff --git a/htdocs/langs/lt_LT/bills.lang b/htdocs/langs/lt_LT/bills.lang
index 57060f21f19a0288fac43d8f0e0b1f1022886c1e..c3cc6870257e7fc4875030e7907511c2e1cc6b42 100644
--- a/htdocs/langs/lt_LT/bills.lang
+++ b/htdocs/langs/lt_LT/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Sąskaitų-faktūrų skaičius
 NumberOfBillsByMonth=Sąskaitų-faktūrų skaičius pagal mėnesius
 AmountOfBills=Sąskaitų-faktūrų suma
 AmountOfBillsByMonthHT=Sąskaitų-faktūrų suma pagal mėnesius (atskaičius mokesčius)
-ShowSocialContribution=Rodyti socialines įmokas
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Rodyti sąskaitą-faktūrą
 ShowInvoice=Rodyti sąskaitą-faktūrą
 ShowInvoiceReplace=Rodyti pakeičiančią sąskaitą-faktūrą
@@ -270,7 +270,7 @@ BillAddress=Sąskaitos adresas
 HelpEscompte=Ši nuolaida yra nuolaida suteikiama klientui, nes jo mokėjimas buvo atliktas prieš terminą.
 HelpAbandonBadCustomer=Šios sumos buvo atsisakyta (blogas klientas) ir ji yra laikoma išimtiniu nuostoliu.
 HelpAbandonOther=Šios sumos buvo atsisakyta, nes tai buvo klaida (pvz.: neteisingas klientas arba sąskaita-faktūra buvo pakeista kita)
-IdSocialContribution=Socialinių įmokų ID
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Mokėjimo ID
 InvoiceId=Sąskaitos-faktūros ID
 InvoiceRef=Sąskaitos-faktūros nuoroda
diff --git a/htdocs/langs/lt_LT/companies.lang b/htdocs/langs/lt_LT/companies.lang
index f4e9500ab65118a4f91eed5420352968f062b48b..e1b97bd0d133e4d30a031f05b1b28f0a31d83c83 100644
--- a/htdocs/langs/lt_LT/companies.lang
+++ b/htdocs/langs/lt_LT/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Trečiosios šalies kontaktas/adresas
 StatusContactValidated=Adresato/adreso būklė
 Company=Įmonė
 CompanyName=Įmonės pavadinimas
+AliasNames=Pseudonimai (komerciniai, prekių ženklų, ...)
 Companies=Įmonės
 CountryIsInEEC=Šalis yra Europos Ekonominėje Bendrijoje
 ThirdPartyName=Trečiosios šalies pavadinimas
@@ -410,10 +411,10 @@ OutstandingBillReached=Pasiekė neapmokėtų sąskaitų-faktūrų maksimumą
 MonkeyNumRefModelDesc=Gražinimo numeris formatu %syymm-nnnn kliento kodui ir %syymm-nnnn tiekėjo kodui, kur yy yra metai, mm yra mėnuo ir nnnn yra seka be pertrūkių ir be grąžinimo į 0.
 LeopardNumRefModelDesc=Kodas yra nemokamas. Šis kodas gali būti modifikuotas bet kada.
 ManagingDirectors=Vadovo (-ų) pareigos (Vykdantysis direktorius (CEO), direktorius, prezidentas ...)
-SearchThirdparty=Search third party
+SearchThirdparty=Trečios šalies paieška
 SearchContact=Ieškoti kontakto
-MergeOriginThirdparty=Duplicate third party (third party you want to delete)
-MergeThirdparties=Merge third parties
-ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one ? All linked objects (invoices, orders, ...) will be moved to current third party so you will be able to delete the duplicate one.
-ThirdpartiesMergeSuccess=Thirdparties have been merged
-ErrorThirdpartiesMerge=There was an error when deleting the thirdparties. Please check the log. Changes have been reverted.
+MergeOriginThirdparty=Dubliuoti trečiąją šalį (trečiąją šalį, kurią norite ištrinti)
+MergeThirdparties=Sujungti trečiąsias šalis
+ConfirmMergeThirdparties=Ar tikrai norite sujungti šią trečią šalį su dabartine ? Visi susiję objektai (sąskaitos faktūros, užsakymai, ...) bus perkelti į dabartinę trečiąją šalį, todėl jūs galėsite ištrinti pasikartojančius.
+ThirdpartiesMergeSuccess=Trečiosios šalys buvo sujungtos
+ErrorThirdpartiesMerge=Ištrinanat trečiąją šalį įvyko klaida. Prašome patikrinti žurnalą. Pakeitimai buvo panaikinti.
diff --git a/htdocs/langs/lt_LT/compta.lang b/htdocs/langs/lt_LT/compta.lang
index fd5be875da4d1d8436bd11d6ab74b34bf656e7e1..af7d6d866847d3410e4749c59f9f9025df67cbcf 100644
--- a/htdocs/langs/lt_LT/compta.lang
+++ b/htdocs/langs/lt_LT/compta.lang
@@ -56,23 +56,23 @@ VATCollected=Gautas PVM
 ToPay=Mokėti
 ToGet=Gauti atgal
 SpecialExpensesArea=Visų specialių atsiskaitymų sritis
-TaxAndDividendsArea=Mokesčių, socialinių įmokų ir dividendų sritis
-SocialContribution=Socialinė įmoka
-SocialContributions=Socialinės įmokos
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Specialios išlaidos
 MenuTaxAndDividends=Mokesčiai ir dividendai
 MenuSalaries=Atlyginimai
-MenuSocialContributions=Socialinės įmokos
-MenuNewSocialContribution=Nauja įmoka
-NewSocialContribution=Naujas socialinė įmoka
-ContributionsToPay=Įmokos mokėti
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Apskaitos/Iždo sritis
 AccountancySetup=Apskaitos nustatymai
 NewPayment=Naujas mokėjimas
 Payments=Mokėjimai
 PaymentCustomerInvoice=Kliento sąskaitos-faktūros mokėjimas
 PaymentSupplierInvoice=Tiekėjo sąskaitos-faktūros apmokėjimas
-PaymentSocialContribution=Socialinės įmokos mokėjimas
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=PVM mokėjimas
 PaymentSalary=Atlyginimo mokėjimas
 ListPayment=Mokėjimų sąrašas
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=PVM mokėjimas
 VATPayments=PVM mokėjimai
-SocialContributionsPayments=Socialinių įmokų mokėjimai
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Rodyti PVM mokėjimą
 TotalToPay=Iš viso mokėti
 TotalVATReceived=Gautas iš viso PVM
@@ -116,11 +116,11 @@ NewCheckDepositOn=Sukurti sąskaitos %s depozito kvitą
 NoWaitingChecks=Nėra čekių laukiančių depozito.
 DateChequeReceived=Čekio gavimo data
 NbOfCheques=Čekių skaičius
-PaySocialContribution=Mokėti socialinę įmoką
-ConfirmPaySocialContribution=Ar tikrai norite priskirti šią socialinę įmoką prie apmokėtų ?
-DeleteSocialContribution=Ištrinti socialinę įmoką
-ConfirmDeleteSocialContribution=Ar tikrai norite ištrinti šią socialinę įmoką ?
-ExportDataset_tax_1=Socialinės įmokos ir išmokos
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Režimas <b>%sPVM nuo įsipareigojimų apskaitos%s</b>.
 CalcModeVATEngagement=Režimas <b>%sPVM nuo pajamų-išlaidų%s</b>.
 CalcModeDebt=Režimas <b>%sPretenzijos-Skolos%s</b> nurodytas <b>Įsipareigojimų apskaita</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=Priklausomai nuo tiekėjo, pasirinkti tinkamą metod
 TurnoverPerProductInCommitmentAccountingNotRelevant=Apyvartos ataskaita pagal produktą, kai naudojamas <b>Pinigų apskaita</b> būdas nėra tinkamas. Ši ataskaita yra prieinama tik tada, kai naudojama <b>Įsipareigojimų apskaita</b> režimas (žr. Apskaitos modulio nustatymus).
 CalculationMode=Skaičiavimo metodas
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/lt_LT/cron.lang b/htdocs/langs/lt_LT/cron.lang
index 961a600574322e7ee36b70967b8ee9e566842fb4..b5c06f3b1e5b059a60776c5059544f023af0157b 100644
--- a/htdocs/langs/lt_LT/cron.lang
+++ b/htdocs/langs/lt_LT/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=Objekto metodas įkėlimui. <BR> Pvz.: Dolibarr Produkto objekto
 CronArgsHelp=Metodo argumentai. <BR> Pvz.: Dolibarr Produkto objekto patraukimo metodas /htdocs/product/class/product.class.php, parametrų reikšmė gali būti <i>0, ProductRef</i>
 CronCommandHelp=Sistemos komandinė eilutė vykdymui
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Informacija
 # Common
diff --git a/htdocs/langs/lt_LT/ecm.lang b/htdocs/langs/lt_LT/ecm.lang
index 5ce2723153cf9f7674bc1c7bb73156cd5d87a4d6..0533d3e47f4def02957b68594926c4600cdf4d82 100644
--- a/htdocs/langs/lt_LT/ecm.lang
+++ b/htdocs/langs/lt_LT/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Ieškoti pagal objektą
 ECMSectionOfDocuments=Dokumentų katalogai
 ECMTypeManual=Rankinis
 ECMTypeAuto=Automatinis
-ECMDocsBySocialContributions=Dokumentai, susiję su socialinėmis įmokomis
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Dokumentai, susiję su trečiosiomis šalimis
 ECMDocsByProposals=Dokumentai, susiję su pasiūlymais
 ECMDocsByOrders=Dokumentai, susiję su klientų užsakymais
diff --git a/htdocs/langs/lt_LT/errors.lang b/htdocs/langs/lt_LT/errors.lang
index 15a13405f258169f528dcc7112e8f42d2c28d0bd..f32a2d1615ace9f6759d6f36085627ff83a33bef 100644
--- a/htdocs/langs/lt_LT/errors.lang
+++ b/htdocs/langs/lt_LT/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Neaktuali operacija šiam duomenų rinkiniui
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/lt_LT/holiday.lang b/htdocs/langs/lt_LT/holiday.lang
index 597f964781a7604700cb912f64737d31b0ffe093..3040c0f259b1fae251455eadae188734517f1d48 100644
--- a/htdocs/langs/lt_LT/holiday.lang
+++ b/htdocs/langs/lt_LT/holiday.lang
@@ -3,7 +3,7 @@ HRM=Žmogiškųjų išteklių valdymas (HRM)
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Mėnesio suvestinė
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Priežastis
 UserCP=Vartotojas
 ErrorAddEventToUserCP=Pridedant išimtines atostogas įvyko klaida.
 AddEventToUserOkCP=Išimtinių atostogų pridėjimas baigtas.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Atlieka
 UserUpdateCP=Vartotojui
@@ -93,6 +93,7 @@ ValueOptionCP=Reikšmė
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Patvirtinti konfigūraciją
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Sėkmingai atnaujinta
 ErrorUpdateConfCP=Atnaujinimo metu įvyko klaida, prašome pabandyti dar kartą.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Siunčiant laišką įvyko klaida:
 NoCPforMonth=Šį mėnesį nėra išimtinių atostogų
 nbJours=Dienų skaičius
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Sveiki !
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/lt_LT/install.lang b/htdocs/langs/lt_LT/install.lang
index 1c1b7ff930b381dfdce8cca10564623ea45bae1e..851683d2de6c8f59c1533b421b7fab8804fb57bb 100644
--- a/htdocs/langs/lt_LT/install.lang
+++ b/htdocs/langs/lt_LT/install.lang
@@ -64,7 +64,7 @@ DatabaseSuperUserAccess=Duomenų bazės serveris - Superuser prieiga
 CheckToCreateDatabase=Žymėti langelį, jei duomenų bazės nėra ir ji turi būti sukurta. <br>Tokiu atveju, turite užpildyti prisijungimo/slaptažodį superuser sąskaitai šio puslapio apačioje.
 CheckToCreateUser=Žymėti langelį, jei duomenų bazės savininko nėra ir jis turi būti sukurtas. <br>Šiuo atveju, jūs turite pasirinkti jo prisijungimo vardą ir slaptažodį ir užpildyti prisijungimo/slaptažodžio superuser sąskaitai šio puslapio apačioje. Jei šis langelis nepažymėtas, savininko duomenų bazė ir jos slaptažodis jau egzistuoja.
 Experimental=(eksperimentinis)
-Deprecated=(deprecated)
+Deprecated=(užprotestuotas)
 DatabaseRootLoginDescription=Prisijungimas vartotojui leidžia kurti naujas duomenų bazes arba naujus vartotojus. Tai privaloma, jei Jūsų duomenų bazė ar jos savininkas dar neegzistuoja.
 KeepEmptyIfNoPassword=Palikite tuščią, jei vartotojas neturi slaptažodžio (praleisti)
 SaveConfigurationFile=Išsaugoti reikšmes
@@ -156,7 +156,7 @@ MigrationFinished=Perkėlimas baigtas
 LastStepDesc=<strong>Paskutinis žingsnis</strong>: Nustatykite čia prisijungimo vardą ir slaptažodį, kuriuos planuojate naudoti prisijungimui prie programos. Nepameskite jų, nes tai yra administratoriaus, kuris administruoja visus kitus vartotojus, sąskaitos rekvizitai.
 ActivateModule=Įjungti modulį %s
 ShowEditTechnicalParameters=Spauskite čia, kad galėtumete matyti/redaguoti išplėstinius parametrus (eksperto režime)
-WarningUpgrade=Warning:\nDid your run a database backup first ?\nThis is highly recommanded: for example, due to some bugs into databases systems (for example mysql version 5.5.40), some data or tables may be lost during this process, so it is highly recommanded to have a complete dump of your database before starting migration.\n\nClick OK to start migration process...
+WarningUpgrade=Įspėjimas: Ar Jūs pasidarėte duomenų bazės atsarginę kopiją ? Tai labai rekomenduotina: pavyzdžiui, dėl kai kurių klaidų duomenų bazės sistemoje (pvz. mysql versija 5.5.40), kai kurie duomenys ar lentelės gali būti prarasti šio proceso metu, todėl, prieš pradedant perkėlimą primygtinai rekomenduojama pasidaryti pilną savo duomenų bazės kopiją. Spausti Gerai, kad pradėti perkėlimo procesą ...
 ErrorDatabaseVersionForbiddenForMigration=Jūsų duomenų bazės versija yra %s. Gali būti kritinė situacija su duomenų praradimu, jeigu pakeisite duomenų bazės struktūrą, kaip reikalaujama perkėlimo proceso metu. Šiuo tikslu perkėlimas nebus leidžiamas, kol nebus atliktas duomenų bazės programos atnaujinimas į aukštesnę versiją (žinomų klaidingų versijų sąrašas: %s)
 
 #########
diff --git a/htdocs/langs/lt_LT/mails.lang b/htdocs/langs/lt_LT/mails.lang
index 38e6b37ae2f8df02859c84f34dc9dadab99431d1..d8fbfa022d5ed5ed3cda4808c62f7427e17d3147 100644
--- a/htdocs/langs/lt_LT/mails.lang
+++ b/htdocs/langs/lt_LT/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Sekti pašto atidarymą
 TagUnsubscribe=Pašalinti sąsają
 TagSignature=Siuntimo vartotojo parašas
 TagMailtoEmail=Gavėjo e-paštas
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Pranešimai
 NoNotificationsWillBeSent=Nėra numatytų e-pašto pranešimų šiam įvykiui ir įmonei
diff --git a/htdocs/langs/lt_LT/main.lang b/htdocs/langs/lt_LT/main.lang
index a9c0dfa2371bc2720c9bbc0f3f4f6aadde5e83b1..2f83757a486c611a454546015fcf99572a7c9f98 100644
--- a/htdocs/langs/lt_LT/main.lang
+++ b/htdocs/langs/lt_LT/main.lang
@@ -14,7 +14,7 @@ FormatDateShortJava=MM/dd/yyyy
 FormatDateShortJavaInput=MM/dd/yyyy
 FormatDateShortJQuery=mm/dd/yy
 FormatDateShortJQueryInput=mm/dd/yy
-FormatHourShortJQuery=HH:MI
+FormatHourShortJQuery=val:min
 FormatHourShort=%I:%M %p
 FormatHourShortDuration=%H:%M
 FormatDateTextShort=%b %d, %Y
@@ -57,15 +57,15 @@ ErrorSomeErrorWereFoundRollbackIsDone=Rastos kai kurios klaidos. Pakeitimai atš
 ErrorConfigParameterNotDefined=Parametras <b>%s</b> nėra apibrėžta Dolibarr konfigūracijos faile <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Nepavyko rasti vartotojo <b>%s</b> Dolibarr duomenų bazėje.
 ErrorNoVATRateDefinedForSellerCountry=Klaida, nėra apibrėžtų PVM tarifų šaliai '%s'.
-ErrorNoSocialContributionForSellerCountry=Klaida, nėra apibrėžtų socialinių įmokų šaliai '%s'.
+ErrorNoSocialContributionForSellerCountry=Klaida, socialiniai / fiskaliniai mokesčiai neapibrėžti šaliai '%s'.
 ErrorFailedToSaveFile=Klaida, nepavyko išsaugoti failo.
 SetDate=Nustatyti datą
 SelectDate=Pasirinkti datą
 SeeAlso=Taip pat žiūrėkite %s
-SeeHere=See here
+SeeHere=Žiūrėkite čia
 BackgroundColorByDefault=Fono spalva pagal nutylėjimą
-FileNotUploaded=The file was not uploaded
-FileUploaded=The file was successfully uploaded
+FileNotUploaded=Failas nebuvo įkeltas
+FileUploaded=Failas buvo sėkmingai įkeltas
 FileWasNotUploaded=Failas prikabinimui pasirinktas, bet dar nebuvo įkeltas. Paspauskite tam "Pridėti failą".
 NbOfEntries=Įrašų skaičius
 GoToWikiHelpPage=Skaityti tiesioginės pagalbos žinyne (būtina interneto prieiga)
@@ -141,7 +141,7 @@ Cancel=Atšaukti
 Modify=Pakeisti
 Edit=Redaguoti
 Validate=Patvirtinti
-ValidateAndApprove=Validate and Approve
+ValidateAndApprove=Patvirtinti ir leisti
 ToValidate=Patvirtinti
 Save=Išsaugoti
 SaveAs=Įšsaugoti kaip
@@ -159,7 +159,7 @@ Search=Ieškoti
 SearchOf=Ieškoti
 Valid=Galiojantis
 Approve=Patvirtinti
-Disapprove=Disapprove
+Disapprove=Nepritarti
 ReOpen=Atidaryti iš naujo
 Upload=Siųsti failą
 ToLink=Nuoroda
@@ -173,7 +173,7 @@ User=Vartotojas
 Users=Vartotojai
 Group=Grupė
 Groups=Grupės
-NoUserGroupDefined=No user group defined
+NoUserGroupDefined=Nėra apibrėžtos vartotojų grupės
 Password=Slaptažodis
 PasswordRetype=Pakartokite slaptažodį
 NoteSomeFeaturesAreDisabled=Atkreipkite dėmesį, kad daug funkcijų/modulių yra išjungti šioje demonstracijoje.
@@ -211,7 +211,7 @@ Limit=Riba
 Limits=Ribos
 DevelopmentTeam=Vystymo komanda
 Logout=Atsijungti
-NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode <b>%s</b>
+NoLogoutProcessWithAuthMode=Nėra tinkamos atjungimo funkcijos su autentifikavimo režimu <b>%s</b>
 Connection=Sujungimas
 Setup=Nustatymai
 Alert=Įspėjimas
@@ -220,9 +220,9 @@ Next=Sekantis
 Cards=Kortelės
 Card=Kortelė
 Now=Dabar
-HourStart=Start hour
+HourStart=Pradėti valandą
 Date=Data
-DateAndHour=Date and hour
+DateAndHour=Data ir valanda
 DateStart=Pradžios data
 DateEnd=Pabaigos data
 DateCreation=Sukūrimo data
@@ -243,8 +243,8 @@ DatePlanShort=Suplanuota data
 DateRealShort=Reali data
 DateBuild=Ataskaitos sudarymo data
 DatePayment=Mokėjimo data
-DateApprove=Approving date
-DateApprove2=Approving date (second approval)
+DateApprove=Patvirtinimo data
+DateApprove2=Patvirtinimo data (antrasis patvirtinimas)
 DurationYear=metai
 DurationMonth=mėnuo
 DurationWeek=savaitė
@@ -267,7 +267,7 @@ days=dienos
 Hours=Valandos
 Minutes=Minutės
 Seconds=Sekundės
-Weeks=Weeks
+Weeks=Savaitės
 Today=Šiandien
 Yesterday=Vakar
 Tomorrow=Rytoj
@@ -276,7 +276,7 @@ Afternoon=Popietė
 Quadri=Ketur-
 MonthOfDay=Dienos mėnuo
 HourShort=H
-MinuteShort=mn
+MinuteShort=MN
 Rate=Norma
 UseLocalTax=Įtraukti mokestį
 Bytes=Baitų
@@ -301,8 +301,8 @@ UnitPriceHT=Vieneto kaina (grynoji)
 UnitPriceTTC=Vieneto kaina
 PriceU=U.P.
 PriceUHT=U.P. (grynasis)
-AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+AskPriceSupplierUHT=U.P. grynasis Prašomas
+PriceUTTC=U.P. (įsk. mokesčius)
 Amount=Suma
 AmountInvoice=Sąskaitos-faktūros suma
 AmountPayment=Mokėjimo suma
@@ -339,6 +339,7 @@ IncludedVAT=Įtraukta mokesčių
 HT=Atskaityta mokesčių
 TTC=Įtraukta mokesčių
 VAT=Pardavimo mokestis
+VATs=Pardavimų mokesčiai
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Mokesčio tarifas
@@ -352,10 +353,10 @@ FullList=Pilnas sąrašas
 Statistics=Statistika
 OtherStatistics=Kiti statistika
 Status=Būklė
-Favorite=Favorite
+Favorite=Favoritas
 ShortInfo=Informacija
 Ref=Nuoroda
-ExternalRef=Ref. extern
+ExternalRef=Nuoroda išorinė
 RefSupplier=Tiekėjo nuoroda
 RefPayment=Mokėjimo nuoroda
 CommercialProposalsShort=Komerciniai pasiūlymai
@@ -370,7 +371,7 @@ ActionNotApplicable=Netaikomas
 ActionRunningNotStarted=Pradėti
 ActionRunningShort=Pradėtas
 ActionDoneShort=Baigtas
-ActionUncomplete=Uncomplete
+ActionUncomplete=Nepilnas
 CompanyFoundation=Įmonė/Organizacija
 ContactsForCompany=Šios trečiosios šalies adresatas
 ContactsAddressesForCompany=Adresatai/adresai šiai trečiajai šaliai
@@ -379,7 +380,7 @@ ActionsOnCompany=Įvykiai su šia trečiają šalimi
 ActionsOnMember=Įvykiai su šiuo nariu
 NActions=%s įvykiai
 NActionsLate=%s vėluoja
-RequestAlreadyDone=Request already recorded
+RequestAlreadyDone=Prašymas jau įregistruotas
 Filter=Filtras
 RemoveFilter=Pašalinti filtrą
 ChartGenerated=Sukurta diagrama
@@ -411,10 +412,10 @@ OtherInformations=Kita informacija
 Quantity=Kiekis
 Qty=Kiekis
 ChangedBy=Pakeitė
-ApprovedBy=Approved by
-ApprovedBy2=Approved by (second approval)
-Approved=Approved
-Refused=Refused
+ApprovedBy=Patvirtinta (kieno)
+ApprovedBy2=Patvirtinta (antras patvirtinimas) (kieno)
+Approved=Patvirtinta
+Refused=Atmestas
 ReCalculate=Perskaičiuoti
 ResultOk=Sėkmė
 ResultKo=Nesėkmė
@@ -533,7 +534,7 @@ DateFromTo=Nuo %s į %s
 DateFrom=Nuo %s
 DateUntil=Iki %s
 Check=Patikrinti
-Uncheck=Uncheck
+Uncheck=Nuimkite žymę
 Internal=Vidinis
 External=Išorinis
 Internals=Vidinis
@@ -572,7 +573,7 @@ MailSentBy=E-Laišką atsiuntė
 TextUsedInTheMessageBody=E-laiško pagrindinė dalis
 SendAcknowledgementByMail=Siųsti patvirtinimą e-paštu
 NoEMail=E-laiškų nėra
-NoMobilePhone=No mobile phone
+NoMobilePhone=Nėra mobilaus telefono
 Owner=Savininkas
 DetectedVersion=Aptikta versija
 FollowingConstantsWillBeSubstituted=Šios konstantos bus pakeistos atitinkamomis reikšmėmis
@@ -628,7 +629,7 @@ AddNewLine=Pridėti naują eilutę
 AddFile=Pridėti failą
 ListOfFiles=Galimų failų sąrašas
 FreeZone=Laisvas įvedimas
-FreeLineOfType=Free entry of type
+FreeLineOfType=Nemokamas tipo įėjimas
 CloneMainAttributes=Klonuoti objektą su savo pagrindiniais atributais
 PDFMerge=PDF sujungimas
 Merge=Sujungti
@@ -665,7 +666,7 @@ OptionalFieldsSetup=Papildomų atributų nustatymas
 URLPhoto=Nuotraukos/logotipo URL
 SetLinkToThirdParty=Saitas į kitą trečiąją šalį
 CreateDraft=Sukurti projektą
-SetToDraft=Back to draft
+SetToDraft=Atgal į projektą
 ClickToEdit=Spausk redaguoti
 ObjectDeleted=Objektas %s ištrintas
 ByCountry=Pagal šalį
@@ -680,7 +681,7 @@ LinkedToSpecificUsers=Susieta su tam tikro vartotojo adresatu
 DeleteAFile=Ištrinti failą
 ConfirmDeleteAFile=Ar tikrai norite ištrinti failą ?
 NoResults=Nėra rezultatų
-SystemTools=System tools
+SystemTools=Sistemos įrankiai
 ModulesSystemTools=Modulių įrankiai
 Test=Bandymas
 Element=Elementas
@@ -694,21 +695,21 @@ HelpCopyToClipboard=Naudokite Ctrl+C kopijuoti į iškarpinę (clipboard)
 SaveUploadedFileWithMask=Išsaugokite failą serveryje su pavadinimu "<strong>%s</strong>" (kitaip "%s")
 OriginFileName=Originalus failo pavadinimas
 SetDemandReason=Nustatykite šaltinį
-SetBankAccount=Define Bank Account
-AccountCurrency=Account Currency
+SetBankAccount=Nustatykite banko sąskaitą
+AccountCurrency=Sąskaitos valiuta
 ViewPrivateNote=Peržiūrėti pastabas
 XMoreLines=%s paslėptos eilutės
 PublicUrl=Viešas URL
-AddBox=Add box
-SelectElementAndClickRefresh=Select an element and click Refresh
-PrintFile=Print File %s
-ShowTransaction=Show transaction
-GoIntoSetupToChangeLogo=Go into Home - Setup - Company to change logo or go into Home - Setup - Display to hide.
-Deny=Deny
-Denied=Denied
-ListOfTemplates=List of templates
-Genderman=Man
-Genderwoman=Woman
+AddBox=Pridėti langelį
+SelectElementAndClickRefresh=Pasirinkite elementą ir spustelėkite Atnaujinti
+PrintFile=Spausdinti failą %s
+ShowTransaction=Rodyti sandorį
+GoIntoSetupToChangeLogo=Eiti į Pradžia - Nustatymai - Bendrovė, kad pakeisti logotipą arba eikite į Pradžia - Nustatymai - Ekranas, kad paslėpti.
+Deny=Atmesti
+Denied=Atmestas
+ListOfTemplates=Šablonų sąrašas
+Genderman=Vyras
+Genderwoman=Moteris
 # Week day
 Monday=Pirmadienis
 Tuesday=Antradienis
@@ -738,4 +739,4 @@ ShortThursday=Ke
 ShortFriday=Pe
 ShortSaturday=Še
 ShortSunday=Se
-SelectMailModel=Select email template
+SelectMailModel=Pasirinkite el.pašto šabloną
diff --git a/htdocs/langs/lt_LT/members.lang b/htdocs/langs/lt_LT/members.lang
index 5169ac2887daf8a060bbaabc6ad53cc0728d3d5d..bfbe003a2c030353f623d0eb5e8c7a9ddde3cd1d 100644
--- a/htdocs/langs/lt_LT/members.lang
+++ b/htdocs/langs/lt_LT/members.lang
@@ -199,7 +199,8 @@ Entreprises=Įmonės
 DOLIBARRFOUNDATION_PAYMENT_FORM=Norint atlikti pasirašymo apmokėjimą naudojant banko pervedimą, žiūrėti psl.: <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br> Mokėti naudojant kreditinę kortelę arba PayPal, spauskite mygtuką šio puslapio apačioje.<br>
 ByProperties=Pagal savybes
 MembersStatisticsByProperties=Narių statistiniai duomenys pagal savybes
-MembersByNature=Nariai pagal kilmę
+MembersByNature=Šis ekranas rodo Jums statistinius duomenis apie narius pagal jų tipą.
+MembersByRegion=Šis ekranas rodo Jums statistinius duomenis apie narius pagal regionus.
 VATToUseForSubscriptions=Pasirašymams naudojamas PVM tarifas
 NoVatOnSubscription=Pasirašymams nėra PVM
 MEMBER_PAYONLINE_SENDEMAIL=Įspėti, kai Dolibarr gauna patvirtinimą apie mokėjimą už pasirašymą, nusiunčiant e-laišką
diff --git a/htdocs/langs/lt_LT/products.lang b/htdocs/langs/lt_LT/products.lang
index 9e833756889d1326782f5a6a2d49eaef0c685423..40e3b68307158c9ca143a92231726101f6bc7baf 100644
--- a/htdocs/langs/lt_LT/products.lang
+++ b/htdocs/langs/lt_LT/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/lt_LT/projects.lang b/htdocs/langs/lt_LT/projects.lang
index 56f87a68be606652c1070d20b2d541c43f5b14bb..718372d858444cdf440a793076379eb48e66f1d1 100644
--- a/htdocs/langs/lt_LT/projects.lang
+++ b/htdocs/langs/lt_LT/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Šis vaizdas yra ribotas projektams ar užduotims, kuriems Jūs esat
 OnlyOpenedProject=Matomi tik atidaryti projektai (projektai juodraščiai ar uždaryti projektai nematomi).
 TasksPublicDesc=Šis vaizdas rodo visus projektus ir užduotis, kuriuos Jums leidžiama skaityti.
 TasksDesc=Šis vaizdas rodo visus projektus ir užduotis (Jūsų vartotojo teisės leidžia matyti viską).
-AllTaskVisibleButEditIfYouAreAssigned=Visos šio projekto užduotys yra matomos, bet Jūs galite įvesti laiką tik užduotims, kurios priskirtos Jums.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projektų sritis
 NewProject=Naujas projektas
 AddProject=Sukurti projektą
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Išlaidų, susijusių su projektu, ataskait
 ListDonationsAssociatedProject=Paaukotų lėšų, susijusių su projektu, sąrašas.
 ListActionsAssociatedProject=Įvykių, susijusių su projektu, sąrašas
 ListTaskTimeUserProject=Projekto užduotims sunaudoto laiko sąrašas.
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Projekto aktyvumas šią savaitę
 ActivityOnProjectThisMonth=Projekto aktyvumas šį mėnesį
 ActivityOnProjectThisYear=Projekto aktyvumas šiais metais
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projektai su šiuo vartotoju kaip kontaktu.
 TasksWithThisUserAsContact=Užduotys, priskirtos šiam vartotojui
 ResourceNotAssignedToProject=Nepriskirtas projektui
 ResourceNotAssignedToTask=Nepriskirtas užduočiai
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/lt_LT/stocks.lang b/htdocs/langs/lt_LT/stocks.lang
index d7ee7a6f2b4a845bd27e2cb0a0146a180b730868..80eea875ee4a921264dfa578dc2b813d5581d97d 100644
--- a/htdocs/langs/lt_LT/stocks.lang
+++ b/htdocs/langs/lt_LT/stocks.lang
@@ -5,7 +5,7 @@ Warehouses=Sandėliai
 NewWarehouse=Naujas sandėlys / Atsargų sritis
 WarehouseEdit=Keisti sandėlį
 MenuNewWarehouse=Naujas sandėlys
-WarehouseOpened=Warehouse open
+WarehouseOpened=Sandėlis atidarytas
 WarehouseClosed=Sandėlis uždarytas
 WarehouseSource=Pradinis sandėlis
 WarehouseSourceNotDefined=Nėra apibrėžto sandėlio
@@ -24,7 +24,7 @@ ErrorWarehouseLabelRequired=Sandėlio etiketė būtina
 CorrectStock=Koreguoti atsargas
 ListOfWarehouses=Sandėlių sąrašas
 ListOfStockMovements=Atsargų judėjimų sąrašas
-StocksArea=Warehouses area
+StocksArea=Sandėlių plotas
 Location=Vieta
 LocationSummary=Trumpas vietos pavadinimas
 NumberOfDifferentProducts=Skirtingų produktų skaičius
@@ -63,11 +63,11 @@ ReStockOnValidateOrder=Padidinti realias atsargas tiekėjų užsakymų patvirtin
 ReStockOnDispatchOrder=Padidinti realias atsargas, rankiniu būdu atliekant išsiuntimą į sandėlius, gavus tiekėjo užsakymą
 ReStockOnDeleteInvoice=Padidinti realias atsargas ištrinant sąskaitą-faktūrą
 OrderStatusNotReadyToDispatch=Užsakymas dar neturi arba jau nebeturi statuso, kuris leidžia išsiųsti produktus į atsargų sandėlius.
-StockDiffPhysicTeoric=Explanation for difference between physical and theoretical stock
+StockDiffPhysicTeoric=Skirtumo tarp fizinių ir teorinių atsargų sandėlyje paaiškinimas
 NoPredefinedProductToDispatch=Nėra iš anksto nustatytų produktų šiam objektui. Atsargų siuntimas nėra reikalingas
 DispatchVerb=Išsiuntimas
-StockLimitShort=Limit for alert
-StockLimit=Stock limit for alert
+StockLimitShort=Riba perspėjimui
+StockLimit=Sandėlio riba perspėjimui
 PhysicalStock=Fizinės atsargos
 RealStock=Realios atsargos
 VirtualStock=Virtualios atsargos
@@ -95,7 +95,7 @@ SelectWarehouseForStockDecrease=Pasirinkite sandėlį atsargų sumažėjimui
 SelectWarehouseForStockIncrease=Pasirinkite sandėlį atsargų padidėjimui
 NoStockAction=Nėra veiksmų su atsargomis
 LastWaitingSupplierOrders=Užsakymai, laukiantys priėmimo
-DesiredStock=Desired minimum stock
+DesiredStock=Pageidaujamas atsargų minimalus kiekis
 DesiredMaxStock=Desired maximum stock
 StockToBuy=Užsakyti
 Replenishment=Papildymas
@@ -104,7 +104,7 @@ VirtualDiffersFromPhysical=According to increase/decrease stock options, physica
 UseVirtualStockByDefault=Papildymo funkcijas naudokite virtualias atsargas pagal nutylėjimą, o ne fizines turimas atsargas
 UseVirtualStock=Naudokite virtualias atsargas
 UsePhysicalStock=Naudoti fizines atsargas
-CurentSelectionMode=Current selection mode
+CurentSelectionMode=Dabartinis pasirinkimo režimas
 CurentlyUsingVirtualStock=Virtualios atsargos
 CurentlyUsingPhysicalStock=Fizinės atsargos
 RuleForStockReplenishment=Atsargų papildymo taisyklė
@@ -122,10 +122,10 @@ MassMovement=Mass movement
 MassStockMovement=Masinis atsargų judėjimas
 SelectProductInAndOutWareHouse=Pasirinkite produktą, kiekį, sandėlį šaltinį ir galutinį sandėlį, tada spauskite "%s". Kai tai bus padaryta visiems reikiamiems judėjimams, spauskite "%s".
 RecordMovement=Įrašyti perdavimą
-ReceivingForSameOrder=Receipts for this order
+ReceivingForSameOrder=Įplaukos už šį užsakymą
 StockMovementRecorded=Įrašyti atsargų judėjimai
-RuleForStockAvailability=Rules on stock requirements
-StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice
+RuleForStockAvailability=Atsargų reikalavimų taisyklės
+StockMustBeEnoughForInvoice=Atsargų kiekis turi būti pakankamas, kad įtraukti produktą / paslaugą į sąskaitą
 StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order
 StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment
 MovementLabel=Label of movement
diff --git a/htdocs/langs/lt_LT/trips.lang b/htdocs/langs/lt_LT/trips.lang
index 445d79e5f883f615ad0944c62362ead4309d3142..380ea6b08f8227ffa4a916795927b4c29ad1d336 100644
--- a/htdocs/langs/lt_LT/trips.lang
+++ b/htdocs/langs/lt_LT/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Atidaryti iš naujo
 SendToValid=Sent on approval
 ModifyInfoGen=Redaguoti
 ValidateAndSubmit=Įvertinti ir pateikti tvirtinimui
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=Jums neleidžiama patvirtinti šią išlaidų ataskaitą
 NOT_AUTHOR=Jūs nesate šios išlaidų ataskaitos autorius. Operacija nutraukta.
diff --git a/htdocs/langs/lt_LT/users.lang b/htdocs/langs/lt_LT/users.lang
index bf159a2515ffb1d1658267d2d5b0805e23b372e1..e2e1f2e8fdf523e0ab10c92476839dfafcbe0618 100644
--- a/htdocs/langs/lt_LT/users.lang
+++ b/htdocs/langs/lt_LT/users.lang
@@ -57,7 +57,7 @@ RemoveFromGroup=Pašalinti iš grupės
 PasswordChangedAndSentTo=Slaptažodis pakeistas ir išsiųstas į <b>%s</b>.
 PasswordChangeRequestSent=Prašymas pakeisti slaptažodį <b>%s</b> išsiųstą į <b>%s</b>
 MenuUsersAndGroups=Vartotojai ir grupės
-MenuMyUserCard=My user card
+MenuMyUserCard=Mano vartotojo kortelė
 LastGroupsCreated=Paskutinės %s sukurtos grupės
 LastUsersCreated=Paskutiniai %s sukurti vartotojai
 ShowGroup=Rodyti grupę
diff --git a/htdocs/langs/lt_LT/withdrawals.lang b/htdocs/langs/lt_LT/withdrawals.lang
index a2f6ea5a72000ab85c6e0893d7a0eab83cc6ce70..66cb34caf5791d2688d417b69c4dedef7819dbaf 100644
--- a/htdocs/langs/lt_LT/withdrawals.lang
+++ b/htdocs/langs/lt_LT/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Išėmimo failas
 SetToStatusSent=Nustatyti būklę "Failas išsiųstas"
 ThisWillAlsoAddPaymentOnInvoice=Tai taip pat taikoma sąskaitų-faktūrų mokėjimams ir jų priskyrimui "Apmokėtos"
 StatisticsByLineStatus=Eilučių būklės statistika
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Periodinio užsakymo %s banko mokėjimas
diff --git a/htdocs/langs/lt_LT/workflow.lang b/htdocs/langs/lt_LT/workflow.lang
index 3012aa615ae27909b95e5eb2eb2fd9859b8cb2ed..1e5600309c93223ece2f783705f300e0fd5326e0 100644
--- a/htdocs/langs/lt_LT/workflow.lang
+++ b/htdocs/langs/lt_LT/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow modulio nustatymas
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/lv_LV/admin.lang b/htdocs/langs/lv_LV/admin.lang
index 1eeb7cdf2d9b0e198f87330970687117dfbccede..d7c1d21053dfdbca5bd583108b4ad1d2895a0beb 100644
--- a/htdocs/langs/lv_LV/admin.lang
+++ b/htdocs/langs/lv_LV/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Priekšlikumi
 Module20Desc=Komerc priekšlikumu vadība
 Module22Name=Masveida e-pasta sūtījumi
 Module22Desc=Masu e-pasta vadība
-Module23Name= Enerģija
-Module23Desc= Uzraudzība patēriņu enerģijas
+Module23Name=Enerģija
+Module23Desc=Uzraudzība patēriņu enerģijas
 Module25Name=Klientu Pasūtījumi
 Module25Desc=Klientu pasūtījumu pārvaldīšana
 Module30Name=Rēķini
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Vebkalendārs
 Module410Desc=Web kalendāra integrācija
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Atalgojums
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Paziņojumi
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Ziedojumi
 Module700Desc=Ziedojumu pārvaldība
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Izveidot / mainīt produktus
 Permission34=Dzēst produktus
 Permission36=Skatīt/vadīt slēptos produktus
 Permission38=Eksportēt produktus
-Permission41=Lasīt projektus (dalīta projekts un projektu es esmu kontaktpersonai)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Izveidot / mainīt projektus (dalīta projekts un projektu es esmu kontaktpersonai)
 Permission44=Dzēst projektus (dalīta projekts un projektu es esmu kontaktpersonai)
 Permission61=Lasīt intervences
@@ -600,10 +600,10 @@ Permission86=Sūtīt klientu pasūtījumus
 Permission87=Slēgt klientu pasūtījumus
 Permission88=Atcelt klientu pasūtījumus
 Permission89=Dzēst klientu pasūtījumus
-Permission91=Lasīt sociālās iemaksas un PVN
-Permission92=Izveidot/labot sociālās iemaksas un PVN
-Permission93=Dzēst sociālās iemaksas un PVN
-Permission94=Eksportēt sociālās iemaksas
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Lasīt atskaites
 Permission101=Lasīt sūtījumus
 Permission102=Izveidot/mainīt sūtījumus
@@ -621,9 +621,9 @@ Permission121=Skatīt trešās personas, kas saistītas ar lietotāju
 Permission122=Izveidot/labot trešās personas, kas saistītas ar lietotāju
 Permission125=Dzēst trešās personas, kas saistītas ar lietotāju
 Permission126=Eksportēt trešās puses
-Permission141=Lasīt projektus (arī privāto es neesmu sazināties par)
-Permission142=Izveidot / mainīt projekti (arī privāto es neesmu kontaktpersonai)
-Permission144=Dzēst projekti (arī privāto es neesmu kontaktinformācija par)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Lasīt sniedzējiem
 Permission147=Lasīt statistiku
 Permission151=Lasīt pastāvīgos pieprasījumus
@@ -801,7 +801,7 @@ DictionaryCountry=Valstis
 DictionaryCurrency=Valūtas
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Apmaksas noteikumi
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=E-pastu paraugi
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Iestatījumi saglabāti
 BackToModuleList=Atpakaļ uz moduļu sarakstu
 BackToDictionaryList=Atpakaļ uz vārdnīcu sarakstu
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Vai tiešām vēlaties dzēst izvēlnes ierakstu <b>%s</b> ?
 DeleteLine=Dzēst līniju
 ConfirmDeleteLine=Vai jūs tiešām vēlaties izdzēst šo līniju?
 ##### Tax #####
-TaxSetup=Nodokļi, sociālās iemaksas un dividendes modulis uzstādīšana
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Maksājamais PVN
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP klientiem jānosūta savus lūgumus Dolibarr beigu pieejama Url
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bankas moduļa uzstādīšana
 FreeLegalTextOnChequeReceipts=Brīvais teksts uz čeku ieņēmumiem
@@ -1596,6 +1599,7 @@ ProjectsSetup=Projekta moduļa iestatījumi
 ProjectsModelModule=Projekta ziņojumi dokumenta paraugs
 TasksNumberingModules=Uzdevumi numerācijas modulis
 TaskModelModule=Uzdevumi ziņojumi dokumenta paraugs
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automātiska koku mapes un dokumentu
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/lv_LV/agenda.lang b/htdocs/langs/lv_LV/agenda.lang
index 362db73f511c259696a20e6bb9ab9eb101f662d7..606e66244748d690a9dae08be67b3233b35c9ce3 100644
--- a/htdocs/langs/lv_LV/agenda.lang
+++ b/htdocs/langs/lv_LV/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Pasūtījums %s apstiprināts
 OrderRefusedInDolibarr=Pasūtījums %s atteikts
 OrderBackToDraftInDolibarr=Pasūtījums %s doties atpakaļ uz melnrakstu
-OrderCanceledInDolibarr=Pasūtījums %s atcelts
 ProposalSentByEMail=Komerciālais priedāvājums %s nosūtīts pa e-pastu
 OrderSentByEMail=Klienta pasūtījums %s nosūtīts pa e-pastu
 InvoiceSentByEMail=Klienta rēķins %s nosūtīts pa e-pastu
@@ -96,3 +95,5 @@ AddEvent=Izveidot notikumu
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/lv_LV/banks.lang b/htdocs/langs/lv_LV/banks.lang
index 649eb139432562d469daf29a1a8473ce73c8c0d1..7e04e7f64dd2acaff72bfeebba9532dc0098dcca 100644
--- a/htdocs/langs/lv_LV/banks.lang
+++ b/htdocs/langs/lv_LV/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Klienta maksājums
 CustomerInvoicePaymentBack=Klienta maksājums atpakaļ
 SupplierInvoicePayment=Piegādātājs maksājums
 WithdrawalPayment=Izstāšanās maksājums
-SocialContributionPayment=Sociālo iemaksu maksājumi
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Finanšu konts žurnāls
 BankTransfer=Bankas pārskaitījums
 BankTransfers=Bankas pārskaitījumi
diff --git a/htdocs/langs/lv_LV/bills.lang b/htdocs/langs/lv_LV/bills.lang
index 03076a4d377dd3fa3a2e3190666538623cc1a193..66e807c0e8f1470d8de63b3c9b82c01ca93a8ee1 100644
--- a/htdocs/langs/lv_LV/bills.lang
+++ b/htdocs/langs/lv_LV/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Rēķinu skaits
 NumberOfBillsByMonth=Rēķinu skaits pa mēnešiem
 AmountOfBills=Rēķinu summa
 AmountOfBillsByMonthHT=Summa rēķini mēnesī (neto pēc nodokļiem)
-ShowSocialContribution=Rādīt sociālās iemaksas
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Rādīt rēķinu
 ShowInvoice=Rādīt rēķinu
 ShowInvoiceReplace=Rādīt aizstājošo rēķinu
@@ -270,7 +270,7 @@ BillAddress=Rēķina adrese
 HelpEscompte=Šī atlaide ir atlaide piešķirta, lai klientam, jo ​​tās maksājums tika veikts pirms termiņa.
 HelpAbandonBadCustomer=Šī summa ir pamests (klients teica, ka slikts klients), un tiek uzskatīts par ārkārtēju zaudēt.
 HelpAbandonOther=Šī summa ir atteikusies, jo tā bija kļūda (nepareizs klients vai rēķins aizstāt ar citiem, piemēram)
-IdSocialContribution=Sociālās iemaksas id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Maksājuma id
 InvoiceId=Rēķina id
 InvoiceRef=Rēķina ref.
@@ -430,5 +430,5 @@ NotLastInCycle=This invoice in not the last in cycle and must not be modified.
 DisabledBecauseNotLastInCycle=The next situation already exists.
 DisabledBecauseFinal=This situation is final.
 CantBeLessThanMinPercent=The progress can't be smaller than its value in the previous situation.
-NoSituations=No opened situations
+NoSituations=No open situations
 InvoiceSituationLast=Final and general invoice
diff --git a/htdocs/langs/lv_LV/companies.lang b/htdocs/langs/lv_LV/companies.lang
index 5f8b772af29bb109726f1f7a968183318be0d8b8..384651e615b249b59458f99f254a800a706429cc 100644
--- a/htdocs/langs/lv_LV/companies.lang
+++ b/htdocs/langs/lv_LV/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Trešās puses kontakts / adrese
 StatusContactValidated=Kontaktu/ adrešu statuss
 Company=Uzņēmums
 CompanyName=Uzņēmuma nosaukums
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Uzņēmumi
 CountryIsInEEC=Valsts ir Eiropas Ekonomikas kopienas dalībvalsts
 ThirdPartyName=Trešās puses nosaukums
diff --git a/htdocs/langs/lv_LV/compta.lang b/htdocs/langs/lv_LV/compta.lang
index d02a0c149974da7368bad53a894dbddd4d588d56..f6ef7913fd47c48e0216fd34da36520ed91e57ea 100644
--- a/htdocs/langs/lv_LV/compta.lang
+++ b/htdocs/langs/lv_LV/compta.lang
@@ -56,23 +56,23 @@ VATCollected=Iekasētais PVN
 ToPay=Jāsamaksā
 ToGet=Lai saņemtu atpakaļ
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Nodokļi, sociālās iemaksas un dividendes zona
-SocialContribution=Sociālās iemaksas
-SocialContributions=Sociālās iemaksas
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Īpašie izdevumi
 MenuTaxAndDividends=Nodokļi un dividendes
 MenuSalaries=Algas
-MenuSocialContributions=Sociālās iemaksas
-MenuNewSocialContribution=Jauns ieguldījums
-NewSocialContribution=Jauns sociālās iemaksas
-ContributionsToPay=Iemaksas, kas jāmaksā
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Grāmatvedība / kase laukums
 AccountancySetup=Grāmatvedība iestatīšana
 NewPayment=Jauns maksājums
 Payments=Maksājumi
 PaymentCustomerInvoice=Klienta rēķina apmaksa
 PaymentSupplierInvoice=Piegādātāja rēķina apmaksa
-PaymentSocialContribution=Sociālo iemaksu maksājumi
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=PVN maksājumi
 PaymentSalary=Algu maksājumi
 ListPayment=Maksājumu saraksts
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=PVN maksājums
 VATPayments=PVN Maksājumi
-SocialContributionsPayments=Sociālās iemaksas maksājumi
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Rādīt PVN maksājumu
 TotalToPay=Summa
 TotalVATReceived=Kopējais saņemtais PVN
@@ -116,11 +116,11 @@ NewCheckDepositOn=Izveidot kvīti par depozīta kontā: %s
 NoWaitingChecks=Nekādas pārbaudes gaida depozītu.
 DateChequeReceived=Pārbaudiet uzņemšanas datumu
 NbOfCheques=Nb Pārbaužu
-PaySocialContribution=Maksāt sociālās iemaksas
-ConfirmPaySocialContribution=Vai jūs tiešām vēlaties, lai klasificētu šo sociālo iemaksu, kas maksā?
-DeleteSocialContribution=Dzēst sociālo iemaksu
-ConfirmDeleteSocialContribution=Vai tiešām vēlaties dzēst sociālo iemaksu?
-ExportDataset_tax_1=Sociālās iemaksas un maksājumi
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT par saistību accounting%s.</b>
 CalcModeVATEngagement=Mode <b>%sVAT par ienākumu-expense%sS.</b>
 CalcModeDebt=Mode <b>%sClaims-Debt%sS</b> teica <b>Saistību uzskaite.</b>
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=no piegādātāja, izvēlēties piemērotu metodi pi
 TurnoverPerProductInCommitmentAccountingNotRelevant=Apgrozījums ziņojums par produktu, izmantojot <b>skaidras naudas uzskaites</b> režīmu nav nozīmes. Šis ziņojums ir pieejams tikai tad, ja izmanto <b>saderināšanās grāmatvedības</b> režīmu (skat. iestatīšanu grāmatvedības moduli).
 CalculationMode=Aprēķinu režīms
 AccountancyJournal=Kontu žurnāls
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/lv_LV/cron.lang b/htdocs/langs/lv_LV/cron.lang
index 0d23ffc44ec35aa01d275cde28e4954e8fe9b5c8..95e4a671665e7ddbbdc6a738881193f057c0743d 100644
--- a/htdocs/langs/lv_LV/cron.lang
+++ b/htdocs/langs/lv_LV/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=Objekts metode, lai palaistu. <BR> Par exemple atnest metodi Doli
 CronArgsHelp=Šī metode argumentus. <BR> Par exemple atnest metodi Dolibarr Produkta objekts / htdocs / produktu / klase / product.class.php, no paramters vērtība var būt <i>0, ProductRef</i>
 CronCommandHelp=Sistēma komandrindas izpildīt.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Informācija
 # Common
diff --git a/htdocs/langs/lv_LV/ecm.lang b/htdocs/langs/lv_LV/ecm.lang
index 0daca52e9c6b6882320a46000206ce63d2b6931c..6590d762f7ec014df8d26c12d9c8d69dd06a839f 100644
--- a/htdocs/langs/lv_LV/ecm.lang
+++ b/htdocs/langs/lv_LV/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Meklēt pēc objekta
 ECMSectionOfDocuments=Dokumentu sadaļas
 ECMTypeManual=Manuāli
 ECMTypeAuto=Automātiski
-ECMDocsBySocialContributions=Dokumenti, kas saistīti ar sociālajām iemaksām
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Dokumenti, kas saistīti ar trešajām personām
 ECMDocsByProposals=Dokumenti, kas saistīti ar priekšlikumiem
 ECMDocsByOrders=Dokumenti, kas saistīti ar klientu rīkojumiem
diff --git a/htdocs/langs/lv_LV/errors.lang b/htdocs/langs/lv_LV/errors.lang
index 32dd9ef19e6f93e1b6532552c9162607397a4cce..f8c0b87a9f4ecce6c62a3f5fed7a506b556cf251 100644
--- a/htdocs/langs/lv_LV/errors.lang
+++ b/htdocs/langs/lv_LV/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Nozīmes operācija šajā datu
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Iespēja bloķēta kad iestatījumi ir optimizēti aklai persionai vai teksta pārlūkprogrammām
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Par daudz datu, lūdzu izmantojiet vairāk filtru 
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/lv_LV/holiday.lang b/htdocs/langs/lv_LV/holiday.lang
index 358ca95141da8e397614bacc7db367defc22c150..c46fcf039f85dae42485c65b60e1797549e72d1e 100644
--- a/htdocs/langs/lv_LV/holiday.lang
+++ b/htdocs/langs/lv_LV/holiday.lang
@@ -3,7 +3,7 @@ HRM=CRV
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Ikmēneša paziņojums
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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=Jums nav nevienas brīvas dienas
@@ -71,7 +71,7 @@ MotifCP=Iemesls
 UserCP=Lietotājs
 ErrorAddEventToUserCP=Kļūda, pievienojot ārkārtas atvaļinājumu.
 AddEventToUserOkCP=Par ārkārtas atvaļinājumu papildinājums ir pabeigta.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Veic
 UserUpdateCP=Lietotājam
@@ -93,6 +93,7 @@ ValueOptionCP=Vērtība
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Apstiprināt konfigurāciju
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Veiksmīgi atjaunināta.
 ErrorUpdateConfCP=Kļūda atjaunināšanas laikā, lūdzu, mēģiniet vēlreiz.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Kļūda sūtot e-pastu:
 NoCPforMonth=Nē atstāt šo mēnesi.
 nbJours=Dienu skaits
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Sveiki
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Pieprasījums noraidīts
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/lv_LV/mails.lang b/htdocs/langs/lv_LV/mails.lang
index 7edda3d5cdacec5c6432aa6d930d04151d55db0c..de6d87243ae19d7e29f8ddd4e1bcce11b427876b 100644
--- a/htdocs/langs/lv_LV/mails.lang
+++ b/htdocs/langs/lv_LV/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Izsekot pasta atvēršanu
 TagUnsubscribe=Atrakstīšanās saite
 TagSignature=Paraksts sūtītājam
 TagMailtoEmail=Saņēmēja e-pasts
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Paziņojumi
 NoNotificationsWillBeSent=Nav e-pasta paziņojumi ir plānota šī notikuma, un uzņēmums
diff --git a/htdocs/langs/lv_LV/main.lang b/htdocs/langs/lv_LV/main.lang
index f8c8ef2142d60156260ecd7340c3768135af76e3..fb0d632905995fc3a431d30c073a342db7c66c86 100644
--- a/htdocs/langs/lv_LV/main.lang
+++ b/htdocs/langs/lv_LV/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Dažas kļūdas tika atrastas. Mēs atgrie
 ErrorConfigParameterNotDefined=Parametrs <b>%s</b> nav definētas Dolibarr konfigurācijas failā <b>conf.php.</b>
 ErrorCantLoadUserFromDolibarrDatabase=Neizdevās atrast lietotāju <b>%s</b> Dolibarr datu bāzē.
 ErrorNoVATRateDefinedForSellerCountry=Kļūda, PVN likme nav definēta sekojošai valstij '%s'.
-ErrorNoSocialContributionForSellerCountry=Kļūda, nav definēts sociālās iemaksas veids  valstī &quot;%s&quot;.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Kļūda, neizdevās saglabāt failu.
 SetDate=Iestatīt datumu
 SelectDate=Izvēlēties datumu
@@ -302,7 +302,7 @@ UnitPriceTTC=Vienības cena
 PriceU=UP
 PriceUHT=UP (neto)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=UP
+PriceUTTC=U.P. (inc. tax)
 Amount=Summa
 AmountInvoice=Rēķina summa
 AmountPayment=Maksājuma summa
@@ -339,6 +339,7 @@ IncludedVAT=Ar PVN
 HT=Bez PVN
 TTC=Ar PVN
 VAT=PVN
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Nodokļa likme
diff --git a/htdocs/langs/lv_LV/members.lang b/htdocs/langs/lv_LV/members.lang
index 027c6024f71f731af19cdb47d8ac5f8fac0fe9c7..cb9f5d4ee54726d4ea84aed2dbd12b6730d13fdf 100644
--- a/htdocs/langs/lv_LV/members.lang
+++ b/htdocs/langs/lv_LV/members.lang
@@ -199,7 +199,8 @@ Entreprises=Uzņēmumi
 DOLIBARRFOUNDATION_PAYMENT_FORM=Lai padarītu jūsu abonementa maksājumu, izmantojot bankas pārskaitījumu, skatiet lapu <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Maksāt, izmantojot kredītkarti vai Paypal, noklikšķiniet uz pogas šīs lapas apakšā. <br>
 ByProperties=Līdz raksturlielumu
 MembersStatisticsByProperties=Dalībnieku statistika pēc parametriem
-MembersByNature=Dalībnieki pēc būtības
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=PVN likme izmantot abonementu
 NoVatOnSubscription=Nav TVA par abonēšanu
 MEMBER_PAYONLINE_SENDEMAIL=E-pastu, lai brīdinātu, kad Dolibarr saņem apstiprinājumu par apstiprinātu maksājuma parakstīšanas
diff --git a/htdocs/langs/lv_LV/products.lang b/htdocs/langs/lv_LV/products.lang
index 5960d8343370a9a41513032e5f51b8c9c67f8901..e2c35f803f2bb5322f66e542d27b2f3a6e65af63 100644
--- a/htdocs/langs/lv_LV/products.lang
+++ b/htdocs/langs/lv_LV/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Pēdējo reizi atjaunots
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/lv_LV/projects.lang b/htdocs/langs/lv_LV/projects.lang
index 7be413492e5effe39198db59d690d3a67e9d1925..a6bdabb4d9b2159942879e4e8d5f70711551f866 100644
--- a/htdocs/langs/lv_LV/projects.lang
+++ b/htdocs/langs/lv_LV/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Šis skats ir tikai uz projektiem vai uzdevumus, jums ir kontakts (k
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Šo viedokli iepazīstina visus projektus un uzdevumus, jums ir atļauts lasīt.
 TasksDesc=Šo viedokli iepazīstina visus projektus un uzdevumus (jūsu lietotāja atļaujas piešķirt jums atļauju skatīt visu).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projektu sadaļa
 NewProject=Jauns projekts
 AddProject=Izveidot projektu
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=Saraksts ar notikumiem, kas saistīti ar projektu
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Aktivitāte projektu šonedēļ
 ActivityOnProjectThisMonth=Aktivitāte projektu šomēnes
 ActivityOnProjectThisYear=Aktivitāte projektā šogad
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/lv_LV/trips.lang b/htdocs/langs/lv_LV/trips.lang
index ef1d1ec283b05c42cdb2370a4843378b22b1a5ec..f5d82a8935c568cffe6a9ceda9b6b7fff60dbd19 100644
--- a/htdocs/langs/lv_LV/trips.lang
+++ b/htdocs/langs/lv_LV/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Atvērt pa jaunu
 SendToValid=Sent on approval
 ModifyInfoGen=Labot
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/lv_LV/withdrawals.lang b/htdocs/langs/lv_LV/withdrawals.lang
index a665f6ec085c5b09b0548995b5b103fa23a8b581..df355c3788bc07d252ecd63bd27c24f38e58ad84 100644
--- a/htdocs/langs/lv_LV/withdrawals.lang
+++ b/htdocs/langs/lv_LV/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Izstāšanās fails
 SetToStatusSent=Nomainīt uz statusu "Fails nosūtīts"
 ThisWillAlsoAddPaymentOnInvoice=This tab allows you to request a standing order. Once it is complete, you can type the payment to close the invoice.
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Maksājumu pastāvīgā rīkojuma %s banka
diff --git a/htdocs/langs/lv_LV/workflow.lang b/htdocs/langs/lv_LV/workflow.lang
index e359ac6f345b37bdf014ab45549670596571eb2a..bc48cb4f7e3f596c0a294a5cf115185cd84789cb 100644
--- a/htdocs/langs/lv_LV/workflow.lang
+++ b/htdocs/langs/lv_LV/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Darbplūsmu moduļa iestatīšana
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/mk_MK/admin.lang b/htdocs/langs/mk_MK/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..13f7eb7c6ec5abbbd16fbfef6aca5771a693bf8d 100644
--- a/htdocs/langs/mk_MK/admin.lang
+++ b/htdocs/langs/mk_MK/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposals
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energy
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Customer Orders
 Module25Desc=Customer order management
 Module30Name=Invoices
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donations
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/mk_MK/agenda.lang b/htdocs/langs/mk_MK/agenda.lang
index 55fde86864be72919aece662743c649732414ebc..3e8b2309f8f645e35862d5934010712bf4b07300 100644
--- a/htdocs/langs/mk_MK/agenda.lang
+++ b/htdocs/langs/mk_MK/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/mk_MK/banks.lang b/htdocs/langs/mk_MK/banks.lang
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..d12f45387d6b4649f2face75d8646935a7c16c33 100644
--- a/htdocs/langs/mk_MK/banks.lang
+++ b/htdocs/langs/mk_MK/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/mk_MK/bills.lang b/htdocs/langs/mk_MK/bills.lang
index b5c8d3b6653e731416674d9a9e3085b726a41f8b..3210e0bf51731a2e1e91e0c26d72245194b15b60 100644
--- a/htdocs/langs/mk_MK/bills.lang
+++ b/htdocs/langs/mk_MK/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb of invoices
 NumberOfBillsByMonth=Nb of invoices by month
 AmountOfBills=Amount of invoices
 AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Show invoice
 ShowInvoice=Show invoice
 ShowInvoiceReplace=Show replacing invoice
@@ -270,7 +270,7 @@ BillAddress=Bill address
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Payment id
 InvoiceId=Invoice id
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/mk_MK/companies.lang b/htdocs/langs/mk_MK/companies.lang
index ad9980cb0552d268ab543108eb80064004ba1ebc..42a9a884c761ad3b3be0f8d92cc5fdde6e580137 100644
--- a/htdocs/langs/mk_MK/companies.lang
+++ b/htdocs/langs/mk_MK/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Third party contact/address
 StatusContactValidated=Status of contact/address
 Company=Company
 CompanyName=Company name
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Companies
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Third party name
diff --git a/htdocs/langs/mk_MK/compta.lang b/htdocs/langs/mk_MK/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/mk_MK/compta.lang
+++ b/htdocs/langs/mk_MK/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/mk_MK/cron.lang b/htdocs/langs/mk_MK/cron.lang
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..bd85715642ec700a51b7365535762b2760ae54e5 100644
--- a/htdocs/langs/mk_MK/cron.lang
+++ b/htdocs/langs/mk_MK/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/mk_MK/ecm.lang b/htdocs/langs/mk_MK/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/mk_MK/ecm.lang
+++ b/htdocs/langs/mk_MK/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/mk_MK/errors.lang b/htdocs/langs/mk_MK/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/mk_MK/errors.lang
+++ b/htdocs/langs/mk_MK/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/mk_MK/holiday.lang b/htdocs/langs/mk_MK/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/mk_MK/holiday.lang
+++ b/htdocs/langs/mk_MK/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/mk_MK/mails.lang b/htdocs/langs/mk_MK/mails.lang
index 001b237ca8c71c5d3e7f887ac925918c2945842e..3bebb0c2affc38b9bbebbfcea18d063764227e1e 100644
--- a/htdocs/langs/mk_MK/mails.lang
+++ b/htdocs/langs/mk_MK/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/mk_MK/main.lang b/htdocs/langs/mk_MK/main.lang
index d6ea85849e3f1f431e280ce90182e830a5aa561a..68e8ec31f638280f3e597c6341a939d2ec794b6f 100644
--- a/htdocs/langs/mk_MK/main.lang
+++ b/htdocs/langs/mk_MK/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/mk_MK/members.lang b/htdocs/langs/mk_MK/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/mk_MK/members.lang
+++ b/htdocs/langs/mk_MK/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/mk_MK/products.lang b/htdocs/langs/mk_MK/products.lang
index f0d56c4904962a8bef1b4844a3fddb86b322d8fb..55b1d016827f1eda96e4f8861becf006341e5974 100644
--- a/htdocs/langs/mk_MK/products.lang
+++ b/htdocs/langs/mk_MK/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/mk_MK/projects.lang b/htdocs/langs/mk_MK/projects.lang
index 4f8c3d6eb2a49e2723ebefc954c2d59700d8b7da..7a2688a44612f8e647ea4feda51e4f47fcb9b3ec 100644
--- a/htdocs/langs/mk_MK/projects.lang
+++ b/htdocs/langs/mk_MK/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/mk_MK/trips.lang b/htdocs/langs/mk_MK/trips.lang
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..a5b2569942e59a3ba91fad3ce0820a24731105cd 100644
--- a/htdocs/langs/mk_MK/trips.lang
+++ b/htdocs/langs/mk_MK/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/mk_MK/withdrawals.lang b/htdocs/langs/mk_MK/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/mk_MK/withdrawals.lang
+++ b/htdocs/langs/mk_MK/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/mk_MK/workflow.lang b/htdocs/langs/mk_MK/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/mk_MK/workflow.lang
+++ b/htdocs/langs/mk_MK/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/nb_NO/accountancy.lang b/htdocs/langs/nb_NO/accountancy.lang
index ae2c610ba0770e5814e14dc5138f176340d3ae03..484fdcb5544f5be750b1a5c0329603adcfdfd6f5 100644
--- a/htdocs/langs/nb_NO/accountancy.lang
+++ b/htdocs/langs/nb_NO/accountancy.lang
@@ -1,104 +1,104 @@
 # Dolibarr language file - en_US - Accounting Expert
 CHARSET=UTF-8
-ACCOUNTING_EXPORT_SEPARATORCSV=Column separator for export file
-ACCOUNTING_EXPORT_DATE=Date format for export file
-ACCOUNTING_EXPORT_PIECE=Export the number of piece ?
-ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account ?
-ACCOUNTING_EXPORT_LABEL=Export the label ?
-ACCOUNTING_EXPORT_AMOUNT=Export the amount ?
-ACCOUNTING_EXPORT_DEVISE=Export the devise ?
+ACCOUNTING_EXPORT_SEPARATORCSV=Kolonneseparator for eksportfil
+ACCOUNTING_EXPORT_DATE=Datoformat for eksportfil
+ACCOUNTING_EXPORT_PIECE=Eksporter nummeret?
+ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Eksporter med global konto?
+ACCOUNTING_EXPORT_LABEL=Eksportere etiketten?
+ACCOUNTING_EXPORT_AMOUNT=Eksportere beløp?
+ACCOUNTING_EXPORT_DEVISE=Eksporter enheten?
 
 Accounting=Regnskap
 Globalparameters=Globale parametre
-Chartofaccounts=Chart of accounts
+Chartofaccounts=Diagram over kontoer
 Fiscalyear=Regnskapsår
 Menuaccount=Regnskapskonti
-Menuthirdpartyaccount=Thirdparty accounts
+Menuthirdpartyaccount=Tredjepart-kontoer
 MenuTools=Verktøy
 
-ConfigAccountingExpert=Configuration of the module accounting expert
-Journaux=Journals
-JournalFinancial=Financial journals
-Exports=Exports
-Export=Export
-Modelcsv=Model of export
-OptionsDeactivatedForThisExportModel=For this export model, options are deactivated
-Selectmodelcsv=Select a model of export
-Modelcsv_normal=Classic export
-Modelcsv_CEGID=Export towards CEGID Expert
-BackToChartofaccounts=Return chart of accounts
-Back=Return
-
-Definechartofaccounts=Define a chart of accounts
-Selectchartofaccounts=Select a chart of accounts
-Validate=Validate
-Addanaccount=Add an accounting account
-AccountAccounting=Accounting account
-Ventilation=Breakdown
-ToDispatch=To dispatch
-Dispatched=Dispatched
-
-CustomersVentilation=Breakdown customers
-SuppliersVentilation=Breakdown suppliers
-TradeMargin=Trade margin
-Reports=Reports
-ByCustomerInvoice=By invoices customers
-ByMonth=By Month
-NewAccount=New accounting account
-Update=Update
-List=List
-Create=Create
-UpdateAccount=Modification of an accounting account
-UpdateMvts=Modification of a movement
-WriteBookKeeping=Record accounts in general ledger
-Bookkeeping=General ledger
-AccountBalanceByMonth=Account balance by month
-
-AccountingVentilation=Breakdown accounting
-AccountingVentilationSupplier=Breakdown accounting supplier
-AccountingVentilationCustomer=Breakdown accounting customer
-Line=Line
-
-CAHTF=Total purchase supplier HT
-InvoiceLines=Lines of invoice to be ventilated
-InvoiceLinesDone=Ventilated lines of invoice
-IntoAccount=In the accounting account
-
-Ventilate=Ventilate
-VentilationAuto=Automatic breakdown
-
-Processing=Processing
-EndProcessing=The end of processing
-AnyLineVentilate=Any lines to ventilate
+ConfigAccountingExpert=Oppsett av regnskapsekspert-modulen
+Journaux=Journaler
+JournalFinancial=Finansjournaler
+Exports=Eksport
+Export=Eksport
+Modelcsv=Eksportmodell
+OptionsDeactivatedForThisExportModel=Ingen opsjoner for denne eksportmodellen
+Selectmodelcsv=Velg eksportmodell
+Modelcsv_normal=Klassisk eksport
+Modelcsv_CEGID=Eksport mot CEGID ekspert
+BackToChartofaccounts=Returner kontodiagrammer
+Back=Retur
+
+Definechartofaccounts=Definer et kontodiagram
+Selectchartofaccounts=Velg et kontodiagram
+Validate=Valider
+Addanaccount=Legg til regnskapskonto
+AccountAccounting=Regnskapskonto
+Ventilation=Fordeling
+ToDispatch=Skal sendes
+Dispatched=Sendt
+
+CustomersVentilation=Kundefordeling
+SuppliersVentilation=Leverandørfordeling
+TradeMargin=Handelsmargin
+Reports=Rapporter
+ByCustomerInvoice=Etter kundefakturaer
+ByMonth=Etter måned
+NewAccount=Ny regnskapskonto
+Update=Oppdater
+List=Liste
+Create=Opprett
+UpdateAccount=Endring av regnskapskonto
+UpdateMvts=Endring av bevegelse
+WriteBookKeeping=Legg til kontoer i hovedbok
+Bookkeeping=Hovedbok
+AccountBalanceByMonth=Kontobalanse etter måned
+
+AccountingVentilation=Regnskapsfordeling
+AccountingVentilationSupplier=Regnskapsfordeling leverandører
+AccountingVentilationCustomer=Regnskapsfordeling kunder
+Line=Linje
+
+CAHTF=Totalt innkjøp HT
+InvoiceLines=Fakturalinjer som skal ventileres
+InvoiceLinesDone=Ventilerte fakturalinjer
+IntoAccount=I regnskapskontoen
+
+Ventilate=Ventiler
+VentilationAuto=Automatisk fordeling
+
+Processing=Prosesserer
+EndProcessing=Slutt på prosessering
+AnyLineVentilate=Noen linjer å ventilere?
 SelectedLines=Valgte linjer
-Lineofinvoice=Line of invoice
-VentilatedinAccount=Ventilated successfully in the accounting account
-NotVentilatedinAccount=Not ventilated in the accounting account
+Lineofinvoice=Fakturalinje
+VentilatedinAccount=Vellykket ventilering i regnskapskonto
+NotVentilatedinAccount=Ikke ventilert i regnskapskontoen
 
-ACCOUNTING_SEPARATORCSV=Column separator in export file
+ACCOUNTING_SEPARATORCSV=Kolonneseparator i eksportfil
 
-ACCOUNTING_LIMIT_LIST_VENTILATION=Number of elements to be breakdown shown by page (maximum recommended : 50)
-ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the breakdown pages "Has to breakdown" by the most recent elements
-ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the breakdown pages "Breakdown" by the most recent elements
+ACCOUNTING_LIMIT_LIST_VENTILATION=Antall elementer å fordele på siden (maks anbefalt er 50)
+ACCOUNTING_LIST_SORT_VENTILATION_TODO=Start sortering av fordelingssidene "Må fordeles" etter nyeste elementer
+ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begynn sortering av fordelingssidene "Fordeling" etter de nyeste elementene
 
-AccountLength=Length of the accounting accounts shown in Dolibarr
-AccountLengthDesc=Function allowing to feign a length of accounting account by replacing spaces by the zero figure. This function touches only the display, it does not modify the accounting accounts registered in Dolibarr. For the export, this function is necessary to be compatible with certain software.
-ACCOUNTING_LENGTH_GACCOUNT=Length of the general accounts
-ACCOUNTING_LENGTH_AACCOUNT=Length of the third party accounts
+AccountLength=Lengde på regnskapskontoer vist i Dolibarr
+AccountLengthDesc=Funksjon for å redusere lengden på regnskapskontoene ved å erstatte mellomrom med null. Denne funksjonen berører bare visning, det endrer ikke regnskapskontoene registrert i Dolibarr. For eksport, er denne funksjonen nødvendig for å være kompatibel med enkelte programvarer.
+ACCOUNTING_LENGTH_GACCOUNT=Lengde på generelle kontoer
+ACCOUNTING_LENGTH_AACCOUNT=Lengde på tredjepartskontoer
 
-ACCOUNTING_SELL_JOURNAL=Sell journal
-ACCOUNTING_PURCHASE_JOURNAL=Purchase journal
-ACCOUNTING_MISCELLANEOUS_JOURNAL=Miscellaneous journal
-ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal
-ACCOUNTING_SOCIAL_JOURNAL=Social journal
+ACCOUNTING_SELL_JOURNAL=Salgsjournal
+ACCOUNTING_PURCHASE_JOURNAL=Innkjøpsjournal
+ACCOUNTING_MISCELLANEOUS_JOURNAL=Diverse-journal
+ACCOUNTING_EXPENSEREPORT_JOURNAL=Utgiftsjournal
+ACCOUNTING_SOCIAL_JOURNAL=Sosial-journal
 
-ACCOUNTING_ACCOUNT_TRANSFER_CASH=Account of transfer
-ACCOUNTING_ACCOUNT_SUSPENSE=Account of wait
+ACCOUNTING_ACCOUNT_TRANSFER_CASH=Overføringskonto
+ACCOUNTING_ACCOUNT_SUSPENSE=Ventekonto
 
-ACCOUNTING_PRODUCT_BUY_ACCOUNT=Accounting account by default for bought products (if not defined in the product sheet)
-ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Accounting account by default for the sold products (if not defined in the product sheet)
-ACCOUNTING_SERVICE_BUY_ACCOUNT=Accounting account by default for the bought services (if not defined in the service sheet)
-ACCOUNTING_SERVICE_SOLD_ACCOUNT=Accounting account by default for the sold services (if not defined in the service sheet)
+ACCOUNTING_PRODUCT_BUY_ACCOUNT=Standard regnskapskonto for kjøpte varer (hvis den ikke er definert i vareskjemaet)
+ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Standard regnskapskonto for solgte varer (hvis den ikke er definert i vareskjemaet)
+ACCOUNTING_SERVICE_BUY_ACCOUNT=Standard regnskapskonto for kjøpte tjenester (hvis den ikke er definert i vareskjemaet)
+ACCOUNTING_SERVICE_SOLD_ACCOUNT=Standard regnskapskonto for solgte tjenester (hvis den ikke er definert i vareskjemaet)
 
 Doctype=Dokumenttype
 Docdate=Dato
@@ -119,48 +119,48 @@ PurchasesJournal=Innkjøpsjournal
 DescSellsJournal=Salgsjournal
 DescPurchasesJournal=Innkjøpsjournal
 BankJournal=Bankjournal
-DescBankJournal=Bank journal including all the types of payments other than cash
+DescBankJournal=Bankjournal inkludert alle typer annet enn kontantbetalinger
 CashJournal=Kontantjournal
-DescCashJournal=Cash journal including the type of payment cash
+DescCashJournal=Kontantjournal med kontantbetalinger
 
 CashPayment=Kontant Betaling
 
-SupplierInvoicePayment=Payment of invoice supplier
-CustomerInvoicePayment=Payment of invoice customer
+SupplierInvoicePayment=Betaling av leverandørfaktura
+CustomerInvoicePayment=Betaling av kundefaktura
 
 ThirdPartyAccount=Tredjepart konto
 
 NewAccountingMvt=Ny bevegelse
-NumMvts=Number of movement
-ListeMvts=List of the movement
+NumMvts=Bevegelsesnummer
+ListeMvts=Liste over bevegelser
 ErrorDebitCredit=Debet og Kredit kan ikke ha en verdi samtidig
 
-ReportThirdParty=List thirdparty account
-DescThirdPartyReport=Consult here the list of the thirdparty customers and the suppliers and their accounting accounts
+ReportThirdParty=Liste over tredjepartskontoer
+DescThirdPartyReport=Liste over kunder og leverandører og deres regnskapskontoer
 
-ListAccounts=List of the accounting accounts
+ListAccounts=Liste over regnskapskontoer
 
-Pcgversion=Version of the plan
-Pcgtype=Class of account
-Pcgsubtype=Under class of account
-Accountparent=Root of the account
-Active=Statement
+Pcgversion=Planversjon
+Pcgtype=Kontoklasse
+Pcgsubtype=Konto underklasse
+Accountparent=Konto-base
+Active=Uttalelse
 
-NewFiscalYear=New fiscal year
+NewFiscalYear=Nytt regnskapsår
 
-DescVentilCustomer=Consult here the annual breakdown accounting of your invoices customers
-TotalVente=Total turnover HT
-TotalMarge=Total sales margin
-DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their accounting account
-DescVentilTodoCustomer=Ventilate your lines of customer invoice with an accounting account
-ChangeAccount=Change the accounting account for lines selected by the account:
+DescVentilCustomer=Årlig regnskapsfordelingfordeling over kundefakturaer
+TotalVente=Totalomsetning HT
+TotalMarge=Total salgsmargin
+DescVentilDoneCustomer=Liste over linjer på kundefakturaer og deres regnskapskontoer
+DescVentilTodoCustomer=Ventiler kundefaktura-linjer med en regnskapskonto
+ChangeAccount=Endre regnskapskontoen for valgte linjer til:
 Vide=-
-DescVentilSupplier=Consult here the annual breakdown accounting of your invoices suppliers
-DescVentilTodoSupplier=Ventilate your lines of invoice supplier with an accounting account
-DescVentilDoneSupplier=Consult here the list of the lines of invoices supplier and their accounting account
+DescVentilSupplier=Årlig regnskapsmessig fordeling av leverandørfakturaer
+DescVentilTodoSupplier=Ventiler leverandørfaktura-linjer med en regnskapskonto
+DescVentilDoneSupplier=Liste over linjer på leverandørfakturaer og deres regnskapskontoer
 
-ValidateHistory=Validate Automatically
+ValidateHistory=Valider automatisk
 
-ErrorAccountancyCodeIsAlreadyUse=Error, you cannot delete this accounting account because it is used
+ErrorAccountancyCodeIsAlreadyUse=Feil! Du kan ikke slette denne regnskapskontoen fordi den er i bruk
 
-FicheVentilation=Breakdown card
+FicheVentilation=Fordelingskort
diff --git a/htdocs/langs/nb_NO/admin.lang b/htdocs/langs/nb_NO/admin.lang
index a196975d35a4e56df792742132662a3499d7f24b..ab50e7ab89bacb899869d4dca098493d726fcffd 100644
--- a/htdocs/langs/nb_NO/admin.lang
+++ b/htdocs/langs/nb_NO/admin.lang
@@ -12,7 +12,7 @@ FileCheck=Filintegritet
 FilesMissing=Manglende filer
 FilesUpdated=Oppdaterte filer
 FileCheckDolibarr=Integritetssjekk av Dolibarrfiler
-XmlNotFound=Xml File of Dolibarr Integrity Not Found
+XmlNotFound=Xml-fil for Dolibarr-integritet ikke funnet
 SessionId=Økt-ID
 SessionSaveHandler=Håndterer for å lagre sesjoner
 SessionSavePath=Sted for lagring av økt 
@@ -56,13 +56,13 @@ ErrorReservedTypeSystemSystemAuto=Verdiene 'system' og 'systemauto' for type er
 ErrorCodeCantContainZero=Koden kan ikke inneholde verdien 0
 DisableJavascript=Deaktiver JavaScript og Ajax funksjoner (Anbefalt for tekstbaserte nettlesere og blinde)
 ConfirmAjax=Bruk bekreftelsesvinduer basert på Ajax
-UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
+UseSearchToSelectCompanyTooltip=Hvis du har et stort antall tredjeparter (> 100 000), kan du øke hastigheten ved å sette konstant COMPANY_DONOTSEARCH_ANYWHERE til 1 i Oppsett-> Annet. Søket vil da være begrenset til starten av strengen.
 UseSearchToSelectCompany=Bruk autofullfør-felt for å velge tredjepart, i stedet for å bruke listeboks.
 ActivityStateToSelectCompany= Legg til et filteralternativ for å vise/skjule tredjeparter som er aktivite eller ikke
-UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string.
+UseSearchToSelectContactTooltip=Hvis du har et stort antall tredjeparter (> 100 000), kan du øke hastigheten ved å sette konstant CONTACT_DONOTSEARCH_ANYWHERE til 1 i Oppsett-> Annet. Søket vil da være begrenset til starten av strengen.
 UseSearchToSelectContact=Bruk autofullfør-felt for å velge kontakt (i stedet for å bruke listeboks).
-DelaiedFullListToSelectCompany=Wait you press a key before loading content of thirdparties combo list (This may increase performance if you have a large number of thirdparties)
-DelaiedFullListToSelectContact=Wait you press a key before loading content of contact combo list (This may increase performance if you have a large number of contact)
+DelaiedFullListToSelectCompany=Vent med å trykke på noen taster før innholdet i tredjeparts-kombilisten er lastet (Dette kan øke ytelsen hvis du har et stort antall tredjeparter)
+DelaiedFullListToSelectContact=Vent med å trykke på noen taster før innholdet i kontakt-kombilisten er lastet (Dette kan øke ytelsen hvis du har et stort antall tredjeparter)
 SearchFilter=Alternativer for søkefiltre 
 NumberOfKeyToSearch=Antall tegn for å starte søk: %s
 ViewFullDateActions=Vis fulle datoer i tredje ark
@@ -75,7 +75,7 @@ PreviewNotAvailable=Forhåndsvisning ikke tilgjengelig
 ThemeCurrentlyActive=Gjeldende tema
 CurrentTimeZone=Tidssone for PHP (server)
 MySQLTimeZone=Tidssone MySql (database)
-TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submited string. The timezone has effect only when using UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered).
+TZHasNoEffect=Datoer lagres og returneres av databaseserver som innsendt streng. Tidssonen har kun effekt ved bruk av UNIX_TIMESTAMP funksjon (som ikke bør brukes av Dolibarr, slik database TZ ikke skal ha noen effekt, selv om den ble endret etter at data ble lagt inn).
 Space=Mellomrom
 Table=Tabell
 Fields=Felt
@@ -136,7 +136,7 @@ CurrentHour=PHP tid (server)
 CompanyTZ=Tidssone for firmaet (hovedkontoret)
 CompanyHour=Time selskap (firmaets)
 CurrentSessionTimeOut=Gjeldende økt-timeout
-YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a file .htacces with a line like this "SetEnv TZ Europe/Paris"
+YouCanEditPHPTZ=Hvis du vil angi en annen PHP tidssone (ikke nødvendig), kan du prøve å legge til filen  .htacces meddenne linjen "SetEnv TZ Europe/Oslo"
 OSEnv=OS-miljø
 Box=Boks
 Boxes=Bokser
@@ -214,7 +214,7 @@ ModulesJobDesc=Forretningsmoduler gir et enkelt forhåndsinnstilt oppsett av Dol
 ModulesMarketPlaceDesc=Du kan finne flere moduler for nedlasting på eksterne websider.
 ModulesMarketPlaces=Flere moduler ...
 DoliStoreDesc=DoliStore, den offisielle markedsplassen for eksterne moduler til Dolibarr ERP/CRM 
-DoliPartnersDesc=List with some companies that can provide/develop on-demand modules or features (Note: any Open Source company knowning PHP language can provide you specific development)
+DoliPartnersDesc=Liste med noen selskaper som kan gi/utvikle moduler eller funksjoner (Merk: Alle Open Source-selskaper som kan PHP, kan lage spesifikke egenskaper)
 WebSiteDesc=Web-leverandører du kan søke hos for å finne flere moduler.
 URL=Lenke
 BoxesAvailable=Tilgjengelige bokser
@@ -226,7 +226,7 @@ AutomaticIfJavascriptDisabled=Automatisk hvis Javascript er slått av
 AvailableOnlyIfJavascriptNotDisabled=Tilgjengelig bare hvis JavaScript er aktivert
 AvailableOnlyIfJavascriptAndAjaxNotDisabled=Tilgjengelig bare hvis Javascript og Ajax er aktivert
 Required=Påkrevet
-UsedOnlyWithTypeOption=Used by some agenda option only
+UsedOnlyWithTypeOption=Kun brukt i noen Agenda-opsjoner
 Security=Sikkerhet
 Passwords=Passord
 DoNotStoreClearPassword=Lagrer passord i krypert form og ikke i klartekst (Aktivering anbefales)
@@ -284,7 +284,7 @@ ModuleSetup=Modulinnstillinger
 ModulesSetup=Modulinnstillinger
 ModuleFamilyBase=System
 ModuleFamilyCrm=Kunderelasjonshåndtering (CRM)
-ModuleFamilyProducts=Produkthåndtering
+ModuleFamilyProducts=Varehåndtering
 ModuleFamilyHr=Personalhåndtering
 ModuleFamilyProjects=Prosjekter/Samarbeid
 ModuleFamilyOther=Annet
@@ -296,7 +296,7 @@ MenuHandlers=Menyhåndtering
 MenuAdmin=Menyredigering
 DoNotUseInProduction=Ikke bruk i produksjon
 ThisIsProcessToFollow=Dette er innstillinger for:
-ThisIsAlternativeProcessToFollow=This is an alternative setup to process:
+ThisIsAlternativeProcessToFollow=Alternativt oppsett for å prosessere:
 StepNb=Trinn %s
 FindPackageFromWebSite=Finn en pakke som inneholder funksjonen du vil bruke (for eksempel på nettsider %s).
 DownloadPackageFromWebSite=Last ned pakke (for eksempel fra den offisielle websiden %s).
@@ -315,7 +315,7 @@ GenericMaskCodes2=<b>{cccc}</b> Klientkoden på n karakterer<br><b>{cccc000}</b>
 GenericMaskCodes3=Alle andre tegn i masken vil være intakt. <br> Mellomrom er ikke tillatt. <br>
 GenericMaskCodes4a=<u>Eksempel på 99nde %s av tredje part TheCompany gjort 2007-01-31:</u> <br>
 GenericMaskCodes4b=<u>Eksempel på tredjeparts opprettet på 2007-03-01:</u> <br>
-GenericMaskCodes4c=<u>Eksempel på produkt opprettet 2007-03-01:</u><br>
+GenericMaskCodes4c=<u>Eksempel på vare opprettet 2007-03-01:</u><br>
 GenericMaskCodes5=<b>ABC{yy}{mm}-{000000}</b> vil gi <b>ABC0701-000099</b><br><b>{0000+100@1}-ZZZ/{dd}/XXX</b> vil gi <b>0199-ZZZ/31/XXX</b>
 GenericNumRefModelDesc=Gir et egendefinert nummer etter en definert mal.
 ServerAvailableOnIPOrPort=Serveren er tilgjengelig på adressen <b>%s</b> på port <b>%s</b>
@@ -323,7 +323,7 @@ ServerNotAvailableOnIPOrPort=Serveren er ikke tilgjengelig på adressen  <b>%s</
 DoTestServerAvailability=Test servertilkobling
 DoTestSend=Testsending
 DoTestSendHTML=Testsending HTML
-ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask.
+ErrorCantUseRazIfNoYearInMask=Feil! Kan ikke bruke opsjonen @ for å nullstille telleren hvert år, hvis ikke {åå} eller {åååå} er i masken.
 ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Feil: Kan ikke bruke valget @ hvis ikke sekvensen {yy}{mm} eller {yyyy}{mm} er i malen.
 UMask=UMaskparameter for nye filer på Unix/Linux/BSD filsystemer.
 UMaskExplanation=Denne instillingen lar deg angi filtillatelser som settes på filer opprettet på Dolibarrseveren (for eksempel ved opplastning).<br>Dette må være en oktal verdi (for eksempel 0666 betyr lese og skrive for alle).<br>Denne innstillingen brukes ikke på Windowsbaserte servere.
@@ -360,9 +360,9 @@ PDF=PDF
 PDFDesc=Du kan angi at hvert globale alternativer relatert til PDF generasjon
 PDFAddressForging=Regler for Forge Adresse bokser
 HideAnyVATInformationOnPDF=Skjul alle opplysninger knyttet til moms på genererte PDF
-HideDescOnPDF=Skjul produktbeskrivelse på generert PDF
-HideRefOnPDF=Skjul produkts ref. på generert PDF
-HideDetailsOnPDF=Skjul produktlinjedetaljer i generert PDF
+HideDescOnPDF=Skjul varebeskrivelse på generert PDF
+HideRefOnPDF=Skjul varereferanse på generert PDF
+HideDetailsOnPDF=Skjul varelinjedetaljer i generert PDF
 Library=Bibliotek
 UrlGenerationParameters=Parametre for å sikre nettadresser
 SecurityTokenIsUnique=Bruk en unik securekey parameter for hver webadresse
@@ -394,10 +394,10 @@ ExtrafieldParamHelpselect=Parameterlisten må settes opp med nøkkel,verdi<br><b
 ExtrafieldParamHelpcheckbox=Parameterlisten må settes opp med nøkkel,verdi<br><br> for eksempel: <br>1,verdi1<br>2,verdi2<br>3,verdi3<br>...
 ExtrafieldParamHelpradio=Parameterlisten må settes opp med nøkkel,verdi<br><br> for eksempel: <br>1,verdi1<br>2,verdi2<br>3,verdi3<br>...
 ExtrafieldParamHelpsellist=Parameterlisten kommer fra en tabell<br>Syntaks: table_name:label_field:id_field::filter<br>Eksempel : c_typent:libelle:id::filter<br><br>filteret kan være en enkel test (f.eks aktiv=1) for å kun vise de aktive verdiene <br> Hvis du vil bruke filter på ekstrafelt, bruk syntaksen extra.fieldcode=... (Der fieldcode er koden til ekstrafeltet)<br><br>For at denne listen skal være avhengig av en annen:<br>c_typent:libelle:id:parent_list_code|parent_column:filter
-ExtrafieldParamHelpchkbxlst=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
+ExtrafieldParamHelpchkbxlst=Parameterlisten kommer fra en tabell<br>Syntaks : table_name:label_field:id_field::filter<br>Eksempel : c_typent:libelle:id::filter<br><br>filteret kan være en enkel test (f.eks active=1) for kun å vise aktiv verdi <br> hvis du vil filtrere ekstrafelter, bruk extra.fieldcode=... (der fieldcode er koden for ekstrafeltet)<br><br>For at listen skal avhenge av en annen:<br>c_typent:libelle:id:parent_list_code|parent_column:filter
 LibraryToBuildPDF=Bibliotek som brukes til å bygge 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=Noen land gjelde to eller tre skatter på hver fakturalinje. Dersom dette er tilfelle, å velge type for andre og tredje skatt og dens hastighet. Mulig type: <br> 1: lokal skatt søke på produkter og tjenester uten mva (localtax er beregnet beløp uten mva) <br> 2: lokal skatt søke på produkter og tjenester, inkludert merverdiavgift (localtax beregnes på beløpet + hoved skatt ) <br> 3: lokal skatt søke på produkter uten mva (localtax er beregnet beløp uten mva) <br> 4: lokal skatt søke på produkter inkludert mva (localtax beregnes på beløpet + hoved moms) <br> 5: local skatt søke om tjenester uten moms (localtax er beregnet beløp uten mva) <br> 6: lokal skatt søke på tjenester inkludert mva (localtax beregnes på beløpet + mva)
+WarningUsingFPDF=Advarsel! <b>conf.php</b> inneholder direktivet <b>dolibarr_pdf_force_fpdf=1</b>. Dette betyr at du bruker FPDF biblioteket for å generere PDF-filer. Dette biblioteket er gammelt og støtter ikke en rekke funksjoner (Unicode, bilde-transparens, kyrillisk, arabiske og asiatiske språk, ...), så du kan oppleve feil under PDF generering. <br> For å løse dette, og ha full støtte ved PDF generering, kan du laste ned <a href="http://www.tcpdf.org/" target="_blank">TCPDF library</a>, deretter kommentere eller fjerne linjen <b>$dolibarr_pdf_force_fpdf=1</b>, og i stedet legge inn <b>$dolibarr_lib_TCPDF_PATH='path_to_TCPDF_dir'</b>
+LocalTaxDesc=Noen land gjelde to eller tre skatter på hver fakturalinje. Dersom dette er tilfelle, å velge type for andre og tredje skatt og dens hastighet. Mulig type: <br> 1: lokal skatt søke på varer og tjenester uten mva (localtax er beregnet beløp uten mva) <br> 2: lokal skatt søke på varer og tjenester, inkludert merverdiavgift (localtax beregnes på beløpet + hoved skatt ) <br> 3: lokal skatt søke på varer uten mva (localtax er beregnet beløp uten mva) <br> 4: lokal skatt søke på varer inkludert mva (localtax beregnes på beløpet + hoved moms) <br> 5: local skatt søke om tjenester uten moms (localtax er beregnet beløp uten mva) <br> 6: lokal skatt søke på tjenester inkludert mva (localtax beregnes på beløpet + mva)
 SMS=SMS
 LinkToTestClickToDial=Angi et telefonnummer å ringe for å vise en link for å teste ClickToDial url for <strong>bruker%s</strong>
 RefreshPhoneLink=Oppdater kobling
@@ -406,14 +406,14 @@ KeepEmptyToUseDefault=Hold tomt for å bruke standardverdien
 DefaultLink=Standard kobling
 ValueOverwrittenByUserSetup=Advarsel, denne verdien kan bli overskrevet av brukerspesifikke oppsett (hver bruker kan sette sitt eget clicktodial url)
 ExternalModule=Ekstern modul - Installert i katalog %s
-BarcodeInitForThirdparties=Mass barcode init for thirdparties
-BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services
-CurrentlyNWithoutBarCode=Currently, you have <strong>%s</strong> records on <strong>%s</strong> %s without barcode defined.
+BarcodeInitForThirdparties=Masseinitiering av strekkoder for tredjeparter
+BarcodeInitForProductsOrServices=Masseinitiering eller sletting av strekkoder for varer og tjenester
+CurrentlyNWithoutBarCode=For øyeblikket er det <strong>%s</strong> poster <strong>%s</strong> %s uten strekkode.
 InitEmptyBarCode=Startverdi for neste %s tomme post
 EraseAllCurrentBarCode=Slett alle gjeldende strekkode-verdier
 ConfirmEraseAllCurrentBarCode=Er di sikker på at du vil slette alle gjeldende strekkode-verdier?
 AllBarcodeReset=Alle strekkode-verdier er blitt slettet
-NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled into barcode module setup.
+NoBarcodeNumberingTemplateDefined=Ingen mal for strekkodenummerering er aktivert strekkodemodulen
 NoRecordWithoutBarcodeDefined=Ingen poster uten strekkode.
 
 # Modules
@@ -429,8 +429,8 @@ Module20Name=Tilbud
 Module20Desc=Behandling av tilbud
 Module22Name=E-postutsendelser
 Module22Desc=Behandling av e-postutsendelser
-Module23Name= Energi
-Module23Desc= Overvåking av energiforbruk
+Module23Name=Energi
+Module23Desc=Overvåking av energiforbruk
 Module25Name=Kundeordre
 Module25Desc=Behandling av kundeordre
 Module30Name=Fakturaer
@@ -441,8 +441,8 @@ Module42Name=Syslog
 Module42Desc=Loggefunksjoner (syslog)
 Module49Name=Editors
 Module49Desc=Editors' management
-Module50Name=Produkter
-Module50Desc=Behandling av produkter
+Module50Name=Varer
+Module50Desc=Behandling av varer
 Module51Name=Masseutsendelser
 Module51Desc=Masse papir post ledelse
 Module52Name=Beholdning
@@ -487,32 +487,32 @@ Module320Name=RSS nyhetsstrøm
 Module320Desc=Legg til RSS nyhetsstrøm på Dolibarrsider
 Module330Name=Bookmerker
 Module330Desc=Behandling av bokmerker
-Module400Name=Projects/Opportunities/Leads
-Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view.
+Module400Name=Prosjekter/Muligheter
+Module400Desc=Behandling av prosjekter og muligheter. Du kan deretter tildele elementer (faktura, ordre, tilbud, intervensjon, ...) til et prosjekt og få en bedre prosjekt-visning.
 Module410Name=Webkalender
 Module410Desc=Intergrasjon med webkalender
 Module500Name=Spesielle utgifter
-Module500Desc=Administrasjon av spesielle utgifter (skatt, sosiale bidrag, utbytte)
+Module500Desc=Behandling av spesielle utgifter (skatter og avgifter, utbytte mm)
 Module510Name=Lønn
-Module510Desc=Management of employees salaries and payments
+Module510Desc=Behandling av ansattes lønn og utbetalinger
 Module520Name=Lån
 Module520Desc=Administrering av lån
 Module600Name=Varselmeldinger
-Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
+Module600Desc=Send e-post notifikasjoner på Dolibarr-hendelser til tredjeparter (Settes opp hos den enkelte tredjepart)
 Module700Name=Donasjoner
 Module700Desc=Behandling av donasjoner
-Module770Name=Utgiftsrapport
-Module770Desc=Management and claim expense reports (transportation, meal, ...)
+Module770Name=Utgiftsrapporter
+Module770Desc=Håndtering av utgiftsrapporter (reise, diett, mm)
 Module1120Name=Leverandørtilbud
-Module1120Desc=Request supplier commercial proposal and prices
+Module1120Desc=Forespør leverandørtilbud og tilbud
 Module1200Name=Mantis
 Module1200Desc=Mantisintegrasjon
 Module1400Name=Regnskap
 Module1400Desc=Behandling av regnskapssopplysninger for eksperter (double parties)
 Module1520Name=Dokumentgenerering
-Module1520Desc=Mass mail document generation
+Module1520Desc=Masse-epost dokumentgenerering
 Module1780Name=Merker/kategorier
-Module1780Desc=Opprett merker/categorier (produkter, kunder, leverandører, kontakter eller medlemmer)
+Module1780Desc=Opprett merker/categorier (varer, kunder, leverandører, kontakter eller medlemmer)
 Module2000Name=WYSIWYG Editor
 Module2000Desc=Tillater å endre tekstområder med en avansert editor
 Module2200Name=Dynamiske priser
@@ -528,7 +528,7 @@ Module2600Desc=Aktiver Dolibarrs SOAP-server for å kunne bruke API-tjenester
 Module2610Name=API tjenester (Web tjenester REST)
 Module2610Desc=Aktiver Dolibarrs REST-server for å kunne bruke API-tjenester
 Module2650Name=Webservice (klient)
-Module2650Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Supplier orders supported only for the moment)
+Module2650Desc=Aktiver Dolibarr webtjenesteklient (Kan brukes til å sende data/forespørsler til eksterne servere. Bare leverandørordre støttes for øyeblikket)
 Module2700Name=Gravatar
 Module2700Desc=Bruke elektronisk Gravatar tjeneste (www.gravatar.com) for å vise bilde av brukere / medlemmer (funnet med e-post). Trenger du en Internett-tilgang
 Module2800Desc=FTP-klient
@@ -542,8 +542,8 @@ Module6000Name=Arbeidsflyt
 Module6000Desc=Behandling av arbeidsflyt
 Module20000Name=Administrasjon av ferieforespørsler
 Module20000Desc=Oppfølging av ansattes ferieforespørsler
-Module39000Name=Produkt LOT
-Module39000Desc=Oppsett av lot eller serienummer, best før og siste forbruksdag på produkter
+Module39000Name=Vare LOT
+Module39000Desc=Oppsett av lot eller serienummer, best før og siste forbruksdag på varer
 Module50000Name=PayBox
 Module50000Desc=Modul å tilby en online betaling side med kredittkort med PAYBOX
 Module50100Name=Kassaapparat
@@ -551,7 +551,7 @@ Module50100Desc=Kassaapparatmodul
 Module50200Name=Paypal
 Module50200Desc=Modul å tilby en online betaling side med kredittkort med Paypal
 Module50400Name=Regnskap (avansert)
-Module50400Desc=Accounting management (double parties)
+Module50400Desc=Regnskapshåndtering (doble parter)
 Module54000Name=PrintIPP
 Module54000Desc=Direkteutskrift (uten å åpne dokumentet)ved hjelp av CUPS IPP inteface (Skriveren må være synlig for serveren, og CUPS må være installert på serveren)
 Module55000Name=Åpne meningsmåling
@@ -574,12 +574,12 @@ Permission25=Send tilbud
 Permission26=Lukk tilbud
 Permission27=Slett tilbud
 Permission28=Eksporter tilbud
-Permission31=Les produkter
-Permission32=Opprett/endre produkter
-Permission34=Slett produkter
-Permission36=Se/administrer skjulte produkter
-Permission38=Eksporter produkter
-Permission41=Vis prosjekter(delte og de jeg er kontakt for)
+Permission31=Les varer
+Permission32=Opprett/endre varer
+Permission34=Slett varer
+Permission36=Se/administrer skjulte varer
+Permission38=Eksporter varer
+Permission41=Les prosjekter og oppgaver (delte prosjekter og de jeg er kontakt for). Her kan du også legge inn tidsbruk på tildelte oppgaver (timelister)
 Permission42=Opprett/endre prosjekter(delte og de jeg er kontakt for)
 Permission44=Slette prosjekter
 Permission61=Vis intervensjoner
@@ -600,10 +600,10 @@ Permission86=Send kundeordre
 Permission87=Lukk kundeordre
 Permission88=Avbryt kundeordre
 Permission89=Slett kundeordre
-Permission91=Les avgifter og MVA
-Permission92=Opprett/endre avgifter og MVA
-Permission93=Slett avgifter og MVA
-Permission94=Eksporter sosiale bidrag
+Permission91=Les sosial-/finansavgifter og MVA
+Permission92=Opprett/endre sosial-/finansavgifter og MVA
+Permission93=Slett sosial-/finansavgifter og MVA
+Permission94=Eksporter sosial-/finansavgifter og MVA
 Permission95=Les rapporter
 Permission101=Vis forsendelser
 Permission102=Opprett/endre forsendelser
@@ -612,7 +612,7 @@ Permission106=Eksporter forsendelser
 Permission109=Slette forsendelser
 Permission111=Vise kontoutdrag
 Permission112=Lage/endre/slette og sammenligne transaksjoner
-Permission113=Setup financial accounts (create, manage categories)
+Permission113=Oppsett av finanskontoer (Opprett, håndter kategorier)
 Permission114=Avstemming av transaksjoner
 Permission115=Eksportere transaksjoner og kontoutdrag
 Permission116=Overføringer mellom konti
@@ -621,9 +621,9 @@ Permission121=Les tredjeparter lenket til bruker
 Permission122=Opprett/endre tredjeparter lenket til bruker
 Permission125=Slett tredjeparter lenket til bruker
 Permission126=Eksportere tredjeparter
-Permission141=Les oppgaver
-Permission142=Opprett / endre oppgaver
-Permission144=Slett oppgaver
+Permission141=Les alle prosjekter og oppgaver (også prosjekter jeg ikke er kontakt for)
+Permission142=Opprett/endre alle prosjekter og oppgaver (også prosjekter jeg ikke er kontakt for)
+Permission144=Slett alle prosjekter og oppgaver (også prosjekter jeg ikke er kontakt for)
 Permission146=Les tilbydere
 Permission147=Les statistikk
 Permission151=Vise åpne ordre
@@ -632,7 +632,7 @@ Permission153=Vise kvitteringer for stående ordre
 Permission154=Kreditt/avslå kvitteringer fra faste ordre 
 Permission161=Les kontrakter/abonnementer
 Permission162=Opprett/endre kontrakter/abonnementer
-Permission163=Activate a service/subscription of a contract
+Permission163=Aktiver en tjeneste/abonnement i en kontrakt
 Permission164=Deaktiver en tjeneste/abonnement i en kontrakt
 Permission165=Slett kontrakter/abonnementer
 Permission171=Les reiser og utgifter (egne og underordnede)
@@ -801,7 +801,7 @@ DictionaryCountry=Land
 DictionaryCurrency=Valutaer
 DictionaryCivility=Sivilstatus
 DictionaryActions=Typer agendahendelser
-DictionarySocialContributions=Typer sosiale bidrag
+DictionarySocialContributions=Skatte- og avgiftstyper
 DictionaryVAT=MVA satser
 DictionaryRevenueStamp=Amount of revenue stamps - ikke i Norge
 DictionaryPaymentConditions=Betalingsbetingelser
@@ -819,13 +819,14 @@ DictionaryAccountancyplan=Graf over kontoer
 DictionaryAccountancysystem=Diagram-modeller for kontoer
 DictionaryEMailTemplates=E-postmaler
 DictionaryUnits=Enheter
-DictionaryProspectStatus=Prospection status
+DictionaryProspectStatus=Prospektstatus
+DictionaryHolidayTypes=Ferietyper
 SetupSaved=Innstillinger lagret
 BackToModuleList=Tilbake til moduloversikt
 BackToDictionaryList=Tilbake til ordliste
 VATReceivedOnly=Special rate not charged
 VATManagement=MVA-håndtering
-VATIsUsedDesc=Den MVA-sats som standard når du oppretter prospekter, fakturaer, ordre etc følger den aktive standard regel: <br> Dersom selgeren ikke utsettes for MVA, MVA  = 0. <br> Hvis ()selger og kjøper i samme land, MVA  = MVA på produktet i salgslandet. <br> Dersom selger og kjøper i EU og varene er transportprodukter (bil, båt, fly), MVA = 0 (MVA skal betales av kjøper ved Tollkontoret av sitt land og ikke på selger).  <br> Dersom selger og kjøper i EU og kjøperen ikke er et selskap, MVA  = moms av produktet som selges. <br> Dersom selger og kjøper i EU og kjøper er et selskap, MVA  = 0. Slutt på regelen. <br> Ellers er den foreslåtte standard MVA = 0.
+VATIsUsedDesc=Den MVA-sats som standard når du oppretter prospekter, fakturaer, ordre etc følger den aktive standard regel: <br> Dersom selgeren ikke utsettes for MVA, MVA  = 0. <br> Hvis ()selger og kjøper i samme land, MVA  = MVA på varen i salgslandet. <br> Dersom selger og kjøper i EU og varene er transportvarer (bil, båt, fly), MVA = 0 (MVA skal betales av kjøper ved Tollkontoret av sitt land og ikke på selger).  <br> Dersom selger og kjøper i EU og kjøperen ikke er et selskap, MVA  = moms av varen som selges. <br> Dersom selger og kjøper i EU og kjøper er et selskap, MVA  = 0. Slutt på regelen. <br> Ellers er den foreslåtte standard MVA = 0.
 VATIsNotUsedDesc=Som standard er den foreslåtte MVA 0 som kan brukes for tilfeller som foreninger, enkeltpersoner og små selskaper.
 VATIsUsedExampleFR=I Frankrike, betyr det bedrifter eller organisasjoner som har en reell finanssystem (Forenklet ekte eller normal real). Et system der MVA er deklarert.
 VATIsNotUsedExampleFR=I Frankrike, betyr det foreninger som ikke MVA erklært eller selskaper, organisasjoner eller liberale yrker som har valgt micro enterprise fiskale systemet (MVA i franchise) og betalte en franchise MVA uten MVA erklæring. Dette valget vil vise referansen "Non gjeldende MVA - kunst-293B av CGI" på fakturaene.
@@ -857,11 +858,11 @@ LocalTax2IsUsedExampleES= I Spania, frilansere og selvstendige fagfolk som lever
 LocalTax2IsNotUsedExampleES= I Spania er de bussines ikke skattepliktig system av moduler.
 CalcLocaltax=Rapport over lokale avgifter 
 CalcLocaltax1=Salg - Innkjøp
-CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases
+CalcLocaltax1Desc=Lokale skatter-rapporter kalkuleres med forskjellen mellom kjøp og salg
 CalcLocaltax2=Innkjøp
-CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases
+CalcLocaltax2Desc=Lokale skatter-rapportene viser totalt kjøp
 CalcLocaltax3=Salg
-CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales
+CalcLocaltax3Desc=Lokale skatter-rapportene viser totalt salg
 LabelUsedByDefault=Etiketten som brukes som standard hvis ingen oversettelse kan bli funnet for kode
 LabelOnDocuments=Etiketten på dokumenter
 NbOfDays=Ant dager
@@ -1003,7 +1004,7 @@ TriggerDisabledAsModuleDisabled=Utløserne i denne filen er slått av ettersom m
 TriggerAlwaysActive=Utløserne i denne filen er alltid slått på, uansett hvilke moduler som er slått på.
 TriggerActiveAsModuleActive=Utløserne i denne filen er slått på ettersom modulen <b>%s</b> er slått på.
 GeneratedPasswordDesc=Her angir du hvilken regel som skal generere nye passord dersom du ber om å ha automatisk opprettede passord
-DictionaryDesc=Define here all reference datas. You can complete predefined value with yours.
+DictionaryDesc=Her defineres alle referansedata. Du kan komplettere alle forhåndsdefinerte verdier med dine egne.
 ConstDesc=Her kan du endre innstillinger som ikke er tilgjengelige på de foregående sidene. Dette er reserverte parametere, for avanserte utviklere eller for feilsøking.
 OnceSetupFinishedCreateUsers=OBS! Du er Dolibarr-administrator. Administratorer er brukere som kan sette opp programmet. For vanlig bruk av Dolibarr bør du lage en bruker uten administratorrettigheter ( i Brukere og grupper ).
 MiscellaneousDesc=Her angir du sikkerhetsinnstillinger for Dolibarr.
@@ -1014,21 +1015,21 @@ MAIN_MAX_DECIMALS_TOT=Desimaler i totalpriser
 MAIN_MAX_DECIMALS_SHOWN=Desimaler for priser når de vises på skjerm  (Legg til <b>...</b> etter dette tallet dersom du ønsker å se <b>...</b> når et tall er forkortet i skjermvisning)
 MAIN_DISABLE_PDF_COMPRESSION=Bruk PDF-komprimering for genererte PDF-filer.
 MAIN_ROUNDING_RULE_TOT=Avrundingstrinn (for land der avrunding er gjort annerledes enn basis 10. For eksempel sett 0,05 hvis avrunding gjøres i trinn på 0,05)
-UnitPriceOfProduct=Netto enhet prisen på et produkt
+UnitPriceOfProduct=Netto enhet prisen på et vare
 TotalPriceAfterRounding=Total pris (netto / moms / inkl. moms) etter avrunding
 ParameterActiveForNextInputOnly=Innstillingene gjelder først fra neste inntasting
 NoEventOrNoAuditSetup=Ingen sikkerhetsinnstillinger er registrert ennå. Dette kan være normalt hvis revisjon ikke er slått på  ("innstillinger - sikkerhet - revisjon").
 NoEventFoundWithCriteria=Ingen søketreff i sikkerhetshendelser.
 SeeLocalSendMailSetup=Se lokalt sendmail-oppsett
 BackupDesc=For å lage en komplett sikkerhetskopi av Dolibarr, må du:
-BackupDesc2=Save content of documents directory (<b>%s</b>) that contains all uploaded and generated files (you can make a zip for example).
-BackupDesc3=Save content of your database (<b>%s</b>) into a dump file. For this, you can use following assistant.
+BackupDesc2=Lagre innhold av dokumentmappen (<b>%s</b>) som inneholder alle opplastede og genererte filer (du kan lage en zip for eksempel).
+BackupDesc3=Lagre innholdet i databasen (<b>%s</b>) i en dump-fil. For å gjøre dette, kan du bruke følgende assistent:
 BackupDescX=Arkiverte katalogen skal oppbevares på et trygt sted.
 BackupDescY=Den genererte dumpfil bør oppbevares på et trygt sted.
 BackupPHPWarning=Backup kan ikke garanteres med denne metoden. Foretrekker forrige
 RestoreDesc=Hvis du vil gjenopprette en Dolibarr sikkerhetskopi , må du:
-RestoreDesc2=Restore archive file (zip file for example) of documents directory to extract tree of files in documents directory of a new Dolibarr installation or into this current documents directoy (<b>%s</b>).
-RestoreDesc3=Restore the data, from a backup dump file, into the database of the new Dolibarr installation or into the database of this current installation (<b>%s</b>). Warning, once restore is finished, you must use a login/password, that existed when backup was made, to connect again. To restore a backup database into this current installation, you can follow this assistant.
+RestoreDesc2=Gjenopprett arkivfil (zip-fil for eksempel) av dokumentmappe for å hente ut filer til en ny Dolibarr-installasjon eller inn i gjeldende mappe (<b>%s</b>).
+RestoreDesc3=Gjenopprett data fra en backup-fil til databasen i den nye Dolibarr-installasjon eller til databasen av gjeldende installasjon (<b>%s</b>). Advarsel! Når gjenopprettingen er ferdig, må du bruke et brukernavn/passord, som fantes da sikkerhetskopien ble laget, for å koble til igjen. For å gjenopprette en sikkerhetskopiert database til gjeldende installasjon, kan du følge denne assistenten:
 RestoreMySQL=MySQL import
 ForcedToByAModule= Denne regelen er tvunget til å <b>%s</b> av en aktivert modul
 PreviousDumpFiles=Tilgjengelig database backup dump filer
@@ -1041,7 +1042,7 @@ SimpleNumRefModelDesc=Returner referansenummeret med format %syymm-nnnn der åå
 ShowProfIdInAddress=Vis Profesjonell id med adresser på dokumenter
 ShowVATIntaInAddress=Skjul MVA Intra num med adresser på dokumenter
 TranslationUncomplete=Delvis oversettelse
-SomeTranslationAreUncomplete=Some languages may be partially translated or may contains errors. If you detect some, you can fix language files registering to <a href="http://transifex.com/projects/p/dolibarr/" target="_blank">http://transifex.com/projects/p/dolibarr/</a>.
+SomeTranslationAreUncomplete=Noen språk kan være delvis oversatt eller inneholder feil. Hvis du oppdager noen, kan du redigere språkfiler ved å registrere deg her <a href="http://transifex.com/projects/p/dolibarr/" target="_blank"> http://transifex.com/projects/p/dolibarr/</a>.
 MenuUseLayout=Gjør vertikale menyen hidable (opsjon Javascript må ikke være deaktivert)
 MAIN_DISABLE_METEO=Deaktiver Meteo visning
 TestLoginToAPI=Test-innlogging til API
@@ -1086,19 +1087,19 @@ SuhosinSessionEncrypt=Session lagring kryptert av Suhosin
 ConditionIsCurrently=Tilstand er for øyeblikket %s
 YouUseBestDriver=Du bruker driveren %s, som er den beste tilgjengelige for øyeblikket.
 YouDoNotUseBestDriver=Du bruker driveren %s. Driver %s anbefales.
-NbOfProductIsLowerThanNoPb=Du har bare %s produkter/tjenester i database. Ingen optimalisering er påkrevet
+NbOfProductIsLowerThanNoPb=Du har bare %s varer/tjenester i database. Ingen optimalisering er påkrevet
 SearchOptim=Forbedre søket
-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.
+YouHaveXProductUseSearchOptim=Du har %s varer i databasen. Du bør legge til konstanten PRODUCT_DONOTSEARCH_ANYWHERE til 1 i Hjem-Oppsett-Annet for å begrense søket til begynnelsen av strenger. Dette gjør det mulig for databasen å bruke indeksen og du bør få en raskere respons.
 BrowserIsOK=Du bruker nettleseren %s. Denne nettleseren er ok for sikkerhet og ytelse.
-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.
+BrowserIsKO=Du bruker nettleseren %s. Denne nettleseren er kjent for å være et dårlig valg for sikkerhet, ytelse og pålitelighet. Vi anbefaler deg å bruke Firefox, Chrome, Opera eller Safari.
 XDebugInstalled=XDebug er lastet
 XCacheInstalled=XCache er lastet
-AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink. Third parties will appears with name "CC12345 - SC45678 - The big company coorp", instead of "The big company coorp".
+AddRefInList=Vis kunde/leverandør-ref i liste (velg liste eller kombinasjonsboks), og det meste av hyperkobling. Tredjepart vil vises med navnet "CC12345 - SC45678 - Digert selskap", i stedet for "Digert selskap".
 FieldEdition=Endre felt %s
 FixTZ=Tidssone offset
 FillThisOnlyIfRequired=Eksempel: +2 (brukes kun hvis du opplever problemer med tidssone offset)
 GetBarCode=Hent strekkode
-EmptyNumRefModelDesc=The code is free. This code can be modified at any time.
+EmptyNumRefModelDesc=Koden er gratis og kan endres når man vil.
 ##### Module password generation
 PasswordGenerationStandard=Gir et automatisk laget passord med 8 tegn (bokstaver og tall) i små bokstaver.
 PasswordGenerationNone=Ikke forslå noe passord. Passord må angis manuelt.
@@ -1119,11 +1120,11 @@ ModuleCompanyCodeAquarium=Return an accountancy code built by %s followed by thi
 ModuleCompanyCodePanicum=Return an empty accountancy code.
 ModuleCompanyCodeDigitaria=Accountancy code depends on third party code. The code is composed of the character "C" in the first position followed by the first 5 characters of the third party code.
 UseNotifications=Bruk beskjeder
-NotificationsDesc=EMails notifications feature allows you to silently send automatic mail, for some Dolibarr events. Targets of notifications can be defined:<br>* per third parties contacts (customers or suppliers), one contact at time.<br>* or by setting global target email addresses in module setup page.
+NotificationsDesc=E-postvarsling-funksjonen lar deg sende meldinger automatisk i bakgrunnen, for noen Dolibarrhendelser. Måladresser kan defineres:<br> * For hver tredjeparts-kontakt, en om gangen(kunder eller leverandører).<br> * eller ved å sette globale måladresser i oppsettmodulen
 ModelModules=Dokumenter maler
-DocumentModelOdt=Generate documents from OpenDocuments templates (.ODT or .ODS files for OpenOffice, KOffice, TextEdit,...)
+DocumentModelOdt=Generer dokumenter fra OpenDocument-maler (.ODT eller .ODS fra OpenOffice, KOffice, TextEdit, mm)
 WatermarkOnDraft=Vannmerke på utkast
-JSOnPaimentBill=Activate feature to autofill payment lines on payment form
+JSOnPaimentBill=Aktiver egenskap for å autoutfylle betalingslinjer i betalingsskjema
 CompanyIdProfChecker=Profesjonell Id unik
 MustBeUnique=Må være unik?
 MustBeMandatory=Obligatorisk for å opprette tredjeparter?
@@ -1173,24 +1174,24 @@ WatermarkOnDraftInvoices=Vannmerke på fakturakladder (ingen hvis tom)
 ##### Proposals #####
 PropalSetup=Innstillinger for tilbud
 CreateForm=Opprett skjemaer
-NumberOfProductLines=Antall produktlinjer
+NumberOfProductLines=Antall varelinjer
 ProposalsNumberingModules=Nummereringsmodul for tilbud
 ProposalsPDFModules=Tilbudsmaler
 ClassifiedInvoiced=Klassifiser fakturert
 HideTreadedPropal=Skjul behandlede tilbud i listen
 AddShippingDateAbility=Legg til felt for forsendelsesdato
 AddDeliveryAddressAbility=Legg til felt for leveringsdato
-UseOptionLineIfNoQuantity=En produkt/tjeneste med med null i kvantum blir betraktet som en valgmulighet
+UseOptionLineIfNoQuantity=En vare/tjeneste med med null i kvantum blir betraktet som en valgmulighet
 FreeLegalTextOnProposal=Fritekst på tilbud
 WatermarkOnDraftProposal=Vannmerke på tilbudskladder (ingen hvis tom)
-BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal
+BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Be om bakkonto for tilbudet
 ##### AskPriceSupplier #####
-AskPriceSupplierSetup=Price requests suppliers module setup
-AskPriceSupplierNumberingModules=Price requests suppliers numbering models
-AskPriceSupplierPDFModules=Price requests suppliers documents models
-FreeLegalTextOnAskPriceSupplier=Free text on price requests suppliers
-WatermarkOnDraftAskPriceSupplier=Watermark on draft price requests suppliers (none if empty)
-BANK_ASK_PAYMENT_BANK_DURING_ASKPRICESUPPLIER=Ask for bank account destination of price request
+AskPriceSupplierSetup=Oppsett av modulen leverandør-prisforespørsler
+AskPriceSupplierNumberingModules=Leverandør-prisforespørsel nummereringsmodeller
+AskPriceSupplierPDFModules=Leverandør-prisforespørsel dokumentmodeller
+FreeLegalTextOnAskPriceSupplier=Fritekst på leverandør-prisforespørsel
+WatermarkOnDraftAskPriceSupplier=Vannmerke på kladder av leverandør-prisforepørsler (ingen hvis tom)
+BANK_ASK_PAYMENT_BANK_DURING_ASKPRICESUPPLIER=Be  om bankkonto for prisforespørsel
 ##### Orders #####
 OrdersSetup=Innstillinger for ordre
 OrdersNumberingModules=Nummereringsmodul for ordre
@@ -1200,7 +1201,7 @@ ValidOrderAfterPropalClosed=Ordre krever godkjenning etter at tilbudet er lukket
 FreeLegalTextOnOrders=Fritekst på ordre
 WatermarkOnDraftOrders=Vannmerke på ordrekladder (ingen hvis tom)
 ShippableOrderIconInList=Legg til et ikon i ordrelisten for å vise om ordren kan sendes
-BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order
+BANK_ASK_PAYMENT_BANK_DURING_ORDER=Be om bankkontor for ordre
 ##### Clicktodial #####
 ClickToDialSetup='Click To Dial' modul
 ClickToDialUrlDesc=Url som hentes når brukeren trykker på telefonikonet.<br>Full url vil være: URL?login=...&password=...&caller=...&called=phonecalled
@@ -1366,11 +1367,11 @@ PerfDolibarr=Ytelse oppsett/optimaliseringsrapport
 YouMayFindPerfAdviceHere=På denne siden vil du finne noen sjekkpunkt og råd relatert til ytelse
 NotInstalled=Ikke installert, så serveren taper ikke ytelse pga. denne.
 ApplicativeCache=Applikasjons-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.
-MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete.
-MemcachedAvailableAndSetup=Module memcached dedicated to use memcached server is enabled.
+MemcachedNotAvailable=Ingen applikativ cache funnet. Du kan forbedre ytelsen ved å installere en cache-server Memcached og en modul som kan bruke denne cache-serveren. <br> Mer informasjon her <a href="http://wiki.dolibarr.org/index.php/Module_MemCached_EN">http://wiki.dolibarr.org/index.php/Module_MemCached_EN</a>.<br>Merk: Mange webhosting-leverandører har ikke en slik cache-server.
+MemcachedModuleAvailableButNotSetup=Modulen memcache er funnet, men oppsett er ikke komplett
+MemcachedAvailableAndSetup=Modulen memcache er aktivert
 OPCodeCache=OPCode cache
-NoOPCodeCacheFound=No OPCode cache found. May be you use another OPCode cache than XCache or eAccelerator (good), may be you don't have OPCode cache (very bad).
+NoOPCodeCacheFound=Ingen OPCode cache funnet. Kan være du bruker en annen OPCode-cache enn XCache eller eAccelerator (bra). Det kan også være at du ikke har OPCode-cache (svært dårlig).
 HTTPCacheStaticResources=HTTP cache for statiske ressurser (css, img, javascript)
 FilesOfTypeCached=Filtypene %s er cachet av HTTP-server
 FilesOfTypeNotCached=Filtypene %s er ikke cachet av HTTP-server
@@ -1381,23 +1382,23 @@ CacheByClient=Nettleser-cache
 CompressionOfResources=Undertrykkelse av HTTP-respons
 TestNotPossibleWithCurrentBrowsers=En slik automatisk deteksjon er ikke mulig med nåværende nettlesere
 ##### Products #####
-ProductSetup=Innstillinger for produktmodul
+ProductSetup=Innstillinger for varemodul
 ServiceSetup=Tjenester modul oppsett
-ProductServiceSetup=Produkter og tjenester moduler oppsett
-NumberOfProductShowInSelect=Maksantall produkter i utvalgslister (0=ingen grenser)
-ConfirmDeleteProductLineAbility=Bekreftelse kreves for fjerning av en produktlinje
+ProductServiceSetup=Varer og tjenester moduler oppsett
+NumberOfProductShowInSelect=Maksantall varer i utvalgslister (0=ingen grenser)
+ConfirmDeleteProductLineAbility=Bekreftelse kreves for fjerning av en varelinje
 ModifyProductDescAbility=Personalization of descriptions produced in the forms
 ViewProductDescInFormAbility=Visualization of product descriptions in the forms (otherwise as popup tooltip)
-MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal
-ViewProductDescInThirdpartyLanguageAbility=Visualisering av produkter beskrivelser i thirdparty språk
-UseSearchToSelectProductTooltip=Hvis du har mange produkter (>100 000), kan du øke hastigeten ved å sette konstanten PRODUCT_DONOTSEARCH_ANYWHERE til 1 i Oppsett->Annet. Søket vil da begrenses til starten av søkestrengen
-UseSearchToSelectProduct=Bruk et søkeskjema for å velge produkt (i stedet for en nedtrekksliste)
+MergePropalProductCard=I "Vedlagte filer"-fanen i "Varer og tjenester" kan du aktivere en opsjon for å flette PDF-varedokument til tilbud PDF-azur hvis varen/tjenesten er i tilbudet
+ViewProductDescInThirdpartyLanguageAbility=Visualisering av varer beskrivelser i thirdparty språk
+UseSearchToSelectProductTooltip=Hvis du har mange varer (>100 000), kan du øke hastigeten ved å sette konstanten PRODUCT_DONOTSEARCH_ANYWHERE til 1 i Oppsett->Annet. Søket vil da begrenses til starten av søkestrengen
+UseSearchToSelectProduct=Bruk et søkeskjema for å velge vare (i stedet for en nedtrekksliste)
 UseEcoTaxeAbility=Support Eco-Taxe (WEEE)
 SetDefaultBarcodeTypeProducts=Default barcode type to use for products
 SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties
 UseUnits=Støtter enheter
-ProductCodeChecker= Modul for produktkode-generering og kontroll (produkt eller tjeneste)
-ProductOtherConf= Oppsett av Produkter/Tjenester
+ProductCodeChecker= Modul for varekode-generering og kontroll (vare eller tjeneste)
+ProductOtherConf= Oppsett av Varer/Tjenester
 ##### Syslog #####
 SyslogSetup=Syslog module setup
 SyslogOutput=Log output
@@ -1442,17 +1443,17 @@ RSSUrlExample=En interessant RSS-feed
 MailingSetup=EMailing module setup
 MailingEMailFrom=Sender EMail (From) for emails sent by emailing module
 MailingEMailError=Tilbake e-post (Feil-til) for e-post med feil
-MailingDelay=Seconds to wait after sending next message
+MailingDelay=Sekunder å vente før utsendelse av neste melding
 ##### Notification #####
 NotificationSetup=Oppset av e-postvarsling-modulen
 NotificationEMailFrom=Sender EMail (From) for emails sent for notifications
 ListOfAvailableNotifications=Liste over hendelser du kan sette varsling på, for hver tredjepart (gå inn på tredjeparts-kortet for å sette opp), eller ved å sette en fast e-post (Liste avhenger av aktiverte moduler)
-FixedEmailTarget=Fixed email target
+FixedEmailTarget=Fast e-post mål
 ##### Sendings #####
 SendingsSetup=Sending module setup
 SendingsReceiptModel=Sending receipt model
 SendingsNumberingModules=Sendings nummerering moduler
-SendingsAbility=Support shipment sheets for customer deliveries
+SendingsAbility=Støtt forsendelsesskjema for kundeleveranser
 NoNeedForDeliveryReceipts=In most cases, sendings receipts are used both as sheets for customer deliveries (list of products to send) and sheets that is recevied and signed by customer. So product deliveries receipts is a duplicated feature and is rarely activated.
 FreeLegalTextOnShippings=Fritekst på leveringer
 ##### Deliveries #####
@@ -1465,7 +1466,7 @@ AdvancedEditor=Avansert redaktør
 ActivateFCKeditor=Activate FCKeditor for:
 FCKeditorForCompany=WYSIWIG creation/edition of companies' description and note
 FCKeditorForProduct=WYSIWIG creation/edition of products/services' description and note
-FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). <font class="warning">Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formating when building PDF files.</font>
+FCKeditorForProductDetails=WYSIWIG opprettelse/endring av varedetaljer for alle enheter (tilbud, ordre, fakturaer, osv ...). <font class="warning"> Advarsel! Bruk av dette alternativet er i dette tilfellet ikke anbefalt, da det kan skape problemer med spesialkarakterer og sideformatering ved opprettelse av PDF-filer.</font>
 FCKeditorForMailing= WYSIWIG creation/edition of mailings
 FCKeditorForUserSignature=WYSIWIG-opprettelse av signatur
 FCKeditorForMail=Bruk WYSIWIG ved opprettelse/endring av all e-post (med unntak av Outils->eMailing)
@@ -1477,7 +1478,7 @@ OSCommerceTestKo2=Connection to server '%s' with user '%s' failed.
 ##### Stock #####
 StockSetup=Oppsett av varehus-modulen
 UserWarehouse=Benytt bruker-valgte varehus 
-IfYouUsePointOfSaleCheckModule=If you use a Point of Sale module (POS module provided by default or another external module), this setup may be ignored by your Point Of Sale module. Most point of sales modules are designed to create immediatly an invoice and decrease stock by default whatever are options here. So, if you need or not to have a stock decrease when registering a sell from your Point Of Sale, check also your POS module set up.
+IfYouUsePointOfSaleCheckModule=Hvis du bruker en Point-of-Sale-modul (standard POS-modul eller en annen ekstern modul), kan dette oppsettet bli ignorert av din Point-Of-Sale modul. De fleste POS-moduler er designet for øyeblikkelig å lage faktura og redusere lager som standard, uansett hva som settes her. Så husk å sjekke hvordan POS-modulen er satt opp.
 ##### Menu #####
 MenuDeleted=Menyen er slettet
 TreeMenu=Tremenyer
@@ -1510,12 +1511,12 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Instillinger for avgifter og dividender
+TaxSetup=Modul for skatter,avgifter og utbytte
 OptionVatMode=Alternativ på grunn av MVA
 OptionVATDefault=Kontant-base
 OptionVATDebitOption=Periodisering
-OptionVatDefaultDesc=Mva skal beregnes:<br>- ved levering av produkter<br>- ved levering av tjenester
-OptionVatDebitOptionDesc=MVA skal beregnes: :<br>- ved levering av produkter<br>- ved fakturering av tjenester
+OptionVatDefaultDesc=Mva skal beregnes:<br>- ved levering av varer<br>- ved levering av tjenester
+OptionVatDebitOptionDesc=MVA skal beregnes: :<br>- ved levering av varer<br>- ved fakturering av tjenester
 SummaryOfVatExigibilityUsedByDefault=Tidspunkt for MVA-innbetaling som standard i henhold til valgt alternativ:
 OnDelivery=Ved levering
 OnPayment=På betaling
@@ -1533,24 +1534,24 @@ AccountancyCodeBuy=Kontokode for innkjøp
 AgendaSetup=Instillinger for modulen hendelser og agenda
 PasswordTogetVCalExport=Nøkkel for å autorisere eksportlenke
 PastDelayVCalExport=Må ikke eksportere hendelse eldre enn
-AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionary -> Type of agenda events)
-AGENDA_DEFAULT_FILTER_TYPE=Set automatically this type of event into search filter of agenda view
-AGENDA_DEFAULT_FILTER_STATUS=Set automatically this status for events into search filter of agenda view
-AGENDA_DEFAULT_VIEW=Which tab do you want to open by default when selecting menu Agenda
+AGENDA_USE_EVENT_TYPE=Bruk hendelsestyper (håndtert i menyen Oppsett -> Ordliste -> Agenda hendelsestyper)
+AGENDA_DEFAULT_FILTER_TYPE=Sett denne hendelsestypen automatisk i søkefilteret til Agenda-visning
+AGENDA_DEFAULT_FILTER_STATUS=Sett denne statustypen automatisk i søkefilteret til Agenda-visning
+AGENDA_DEFAULT_VIEW=Hvilken fane vil åpne som standard når du velger Agenda-menyen?
 ##### ClickToDial #####
 ClickToDialDesc=Denne modulen gir et telefonikon etter telefonnummeret til kontaktpersoner. Et trykk på dette ikonet vil kalle opp en egen server med en URL som du definerer nedenfor. Du kan da få et system som ringer opp kontaktpersonen automatisk for deg, for eksempel på et SIP-system.
 ##### Point Of Sales (CashDesk) #####
 CashDesk=Point of salg
 CashDeskSetup=Instillinger for modulen kassaapparat
-CashDeskThirdPartyForSell=Default generic third party to use for sells
+CashDeskThirdPartyForSell=Standard generisk tredjepart for salg
 CashDeskBankAccountForSell=Kassekonto som skal brukes til kontantsalg
 CashDeskBankAccountForCheque= Konto som skal brukes til å motta utbetalinger via sjekk
 CashDeskBankAccountForCB= Konto som skal brukes til å motta kontant betaling med kredittkort
-CashDeskDoNotDecreaseStock=Disable stock decrease when a sell is done from Point of Sale (if "no", stock decrease is done for each sell done from POS, whatever is option set into module Stock).
-CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease
-StockDecreaseForPointOfSaleDisabled=Stock decrease from Point Of Sale disabled
-StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with lot management
-CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sell from Point Of Sale. So a warehouse is required.
+CashDeskDoNotDecreaseStock=Deaktiver lagerreduksjon fra Poin-of-Sale (hvis "nei", vil lagerreduksjon bli utført for hvert salg utført fra POS, uansett hva som er innstilt i Lager-modulen).
+CashDeskIdWareHouse=Tving/begrens varehus til å bruke varereduksjon ved salg
+StockDecreaseForPointOfSaleDisabled=Lagerreduksjon fra Point-of-Sale deaktivert
+StockDecreaseForPointOfSaleDisabledbyBatch=Varereduksjon i POS er ikke kompatibel med lot-håndtering
+CashDeskYouDidNotDisableStockDecease=Lagerreduksjon ble ikke utført ved salg fra Point-of-Sale. Velg et varehus
 ##### Bookmark #####
 BookmarkSetup=Legg modul oppsett
 BookmarkDesc=Denne modulen kan du administrere bokmerker. Du kan også legge til snarveier til noen Dolibarr sider eller externale nettsteder på venstre meny.
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP klienter må sende sine forespørsler til Dolibarr endepunktet t
 ApiSetup=Oppsett av API-modul
 ApiDesc=Ved å  aktivere denne modulen, blir Dolibarr en REST-server for diverse web-tjenester
 KeyForApiAccess=Nøkkel for å bruke API (parameter "api_key")
+ApiProductionMode=Aktiver produksjonsmodus
 ApiEndPointIs=Url for adgang til API
 ApiExporerIs=Url for å utforske API
 OnlyActiveElementsAreExposed=Bare elementer fra aktiverte moduler er vist
+ApiKey=API-nøkkel
 ##### Bank #####
 BankSetupModule=Bank modul oppsett
 FreeLegalTextOnChequeReceipts=Fritekst på å finne kvitteringer
@@ -1582,10 +1585,10 @@ SuppliersSetup=Leverandør modulen oppsett
 SuppliersCommandModel=Komplett mal av leverandør rekkefølge (logo. ..)
 SuppliersInvoiceModel=Komplett mal av leverandør faktura (logo. ..)
 SuppliersInvoiceNumberingModel=Nummereringsmodel for leverandørfakturaer
-IfSetToYesDontForgetPermission=If set to yes, don't forget to provide permissions to groups or users allowed for the second approval
+IfSetToYesDontForgetPermission=Hvis ja, ikke glem å gi tillatelser til grupper eller brukere tillatt for 2. godkjenning
 ##### GeoIPMaxmind #####
 GeoIPMaxmindSetup=GeoIP Maxmind modul-oppsett
-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=Bane til fil som inneholder Maxmind IP til oversetting av land.<br>Eksempler:<br>/usr/local/share/GeoIP/GeoIP.dat<br>/usr/share/GeoIP/GeoIP.dat
 NoteOnPathLocation=Merk at din IP til land datafilen må være inne i en katalog på PHP kan lese (Sjekk din PHP open_basedir oppsett og filesystem tillatelser).
 YouCanDownloadFreeDatFileTo=Du kan laste ned en <b>gratis demoversjon</b> av Maxmind GeoIP landet arkiv for %s.
 YouCanDownloadAdvancedDatFileTo=Du kan også laste ned en mer <b>komplett utgave, med oppdateringer,</b> av Maxmind GeoIP landet arkiv for %s.
@@ -1596,6 +1599,7 @@ ProjectsSetup=Prosjekt modul oppsett
 ProjectsModelModule=Prosjektets rapport dokument modellen
 TasksNumberingModules=Modul for oppgavenummerering
 TaskModelModule=Dokumentmal for oppgaverapporter
+UseSearchToSelectProject=Bruk autokomplettering for å velge prosjekt (i stedet for listeboks)
 ##### ECM (GED) #####
 ECMSetup = GED oppsett
 ECMAutoTree = Automatisk mappetre og dokument
@@ -1612,31 +1616,37 @@ ConfirmDeleteFiscalYear=Er du sikker på at du vil slette dette regnskapsåret?
 Opened=Åpne
 Closed=Lukket
 AlwaysEditable=Kan alltid endres
-MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application)
+MAIN_APPLICATION_TITLE=Tving synlig navn på program (advarsel: Å sette ditt eget navn her kan fjerne autofyll logginn-funksjonen når du bruker DoliDroid mobilapplikasjon)
 NbMajMin=Minste antall store bokstaver
 NbNumMin=Minste antall numeriske tegn
 NbSpeMin=Minste antall spesial-tegn
 NbIteConsecutive=Maksimalt antall repeterte tegn
-NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation
+NoAmbiCaracAutoGeneration=Ikke bruk tvetydige tegn ("1","l","i","|","0","O") for automatisk generering
 SalariesSetup=Oppsett av lønnsmodulen
 SortOrder=Sorteringsrekkefølge
 Format=Format
 TypePaymentDesc=0:Kundebetaling, 1:Leverandørbetaling, 2:Både kunde- og leverandørbetaling
-IncludePath=Include path (defined into variable %s)
+IncludePath=Inkluder bane (definert i variael %s)
 ExpenseReportsSetup=Oppsett av utgiftsrapport-modulen
-TemplatePDFExpenseReports=Document templates to generate expense report document
-NoModueToManageStockDecrease=No module able to manage automatic stock decrease has been activated. Stock decrease will be done on manual input only.
-NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only.
+TemplatePDFExpenseReports=Dokumentmaler for å generere utgiftsrapporter
+NoModueToManageStockDecrease=Ingen modul i stand til å håndtere automatisk lagerreduksjon er blitt aktivert. Lagerreduksjon kan bare gjøres manuelt.
+NoModueToManageStockIncrease=Ingen modul i stand til å håndtere automatisk lagerøkning er blitt aktivert. Lagerøkning kan bare gjøres manuelt.
 YouMayFindNotificationsFeaturesIntoModuleNotification=Du kan finne alternativer for e-postmeldinger ved å aktivere og konfigurere modulen "Varslingen".
 ListOfNotificationsPerContact=Liste over varslinger per kontakt *
 ListOfFixedNotifications=Liste over faste varslinger
-GoOntoContactCardToAddMore=Go on the tab "Notifications" of a thirdparty contact to add or remove notifications for contacts/addresses
+GoOntoContactCardToAddMore=Gå på fanen "Meldinger" hos en tredjeparts-kontakt for å legge til eller fjerne varsler for kontakter/adresser
 Threshold=Terskel
-BackupDumpWizard=Wizard to build database backup dump file
-SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason:
-SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is only manual steps a privileged user can do.
-InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file <strong>%s</strong> to allow this feature.
-ConfFileMuseContainCustom=Installing an external module from application save the module files into directory <strong>%s</strong>. To have this directory processed by Dolibarr, you must setup your <strong>conf/conf.php</strong> to have option<br>- <strong>$dolibarr_main_url_root_alt</strong> enabled to value <strong>$dolibarr_main_url_root_alt="/custom"</strong><br>- <strong>$dolibarr_main_document_root_alt</strong> enabled to value <strong>"%s/custom"</strong>
+BackupDumpWizard=Veiviser for å bygge database-backup dumpfil
+SomethingMakeInstallFromWebNotPossible=Installasjon av ekstern modul er ikke mulig fra webgrensesnittet på grunn av:
+SomethingMakeInstallFromWebNotPossible2=På grunn av dette, er prosessen for å oppgradere beskrevet her, bare manuelle trinn en privilegert bruker kan gjøre.
+InstallModuleFromWebHasBeenDisabledByFile=Administrator har deaktivert muligheten for å installere eksterne moduler. Administrator må fjerne filen <strong>%s</strong> for å tillate dette.
+ConfFileMuseContainCustom=For å installere en modul må du lagre filene i mappen <strong>%s</strong>. For at Dolibarr skal behandle dette, må du først <strong>conf/conf.php</strong>for å ha opsjonen<br>- <strong>$dolibarr_main_url_root_alt</strong> aktivert med verdien <strong>$dolibarr_main_url_root_alt="/custom"</strong><br>- <strong>$dolibarr_main_document_root_alt</strong> aktivert med <strong>"%s/custom"</strong>
 HighlightLinesOnMouseHover=Fremhev tabellinjer når musen flyttes over
 PressF5AfterChangingThis=Trykk F5 etter å ha endret denne verdien for at endringene skal tre i kraft
 NotSupportedByAllThemes=Vil virke med Eldy-temaet men er ikke støttet av av alle temaer
+BackgroundColor=Bakgrunnsfarge
+TopMenuBackgroundColor=Bakgrunnsfarge for toppmeny
+LeftMenuBackgroundColor=Bakgrunnsfarge for venstre meny
+BackgroundTableTitleColor=Bakgrunnsfarge for tabell-tittellinje
+BackgroundTableLineOddColor=Bakgrunnsfarge for oddetalls-tabellinjer
+BackgroundTableLineEvenColor=Bakgrunnsfarge for partalls-tabellinjer
diff --git a/htdocs/langs/nb_NO/agenda.lang b/htdocs/langs/nb_NO/agenda.lang
index 6f6bf2951809ccb6849e9068c3568e1114a79091..fd2b5d7ecc0e7938c0cb9a2154f3dd33468819a1 100644
--- a/htdocs/langs/nb_NO/agenda.lang
+++ b/htdocs/langs/nb_NO/agenda.lang
@@ -8,7 +8,7 @@ Calendar=Kalender
 Calendars=Kalendre
 LocalAgenda=Intern kalender
 ActionsOwnedBy=Hendelse tilhører
-AffectedTo=Relatert til
+AffectedTo=Tildelt
 DoneBy=Utført av
 Event=Hendelse
 Events=Hendelser
@@ -25,7 +25,7 @@ MenuToDoMyActions=Mine åpne handlinger
 MenuDoneMyActions=Mine avsluttede handlinger
 ListOfEvents=Hendelsesliste (intern kalender)
 ActionsAskedBy=Handlinger registrert av
-ActionsToDoBy=Handlinger relatert til
+ActionsToDoBy=Handlinger tildelt
 ActionsDoneBy=Handlinger utført av
 ActionsForUser=Hendelser for brukere
 ActionsForUsersGroup=Hendelser for alle brukerene i gruppen
@@ -33,7 +33,7 @@ ActionAssignedTo=Hendelse tilordnet
 AllMyActions= Alle mine handlinger/oppgaver
 AllActions= Alle handlinger/oppgaver
 ViewList=Vis liste
-ViewCal=Vis kalender
+ViewCal=Månedsvisning
 ViewDay=Dagsvisning
 ViewWeek=Ukesvisning
 ViewPerUser=Visning pr. bruker
@@ -44,18 +44,17 @@ AgendaSetupOtherDesc= Her kan du gjøre andre innstillinger i agendamodulen.
 AgendaExtSitesDesc=Denne siden lar deg sette opp eksterne kalendere for å visning i Dolibarr agenda.
 ActionsEvents=Handlinger som Dolibarr automatisk registrerer i agendaen
 PropalValidatedInDolibarr=Tilbud godkjent
-InvoiceValidatedInDolibarr=Faktura godkjent
+InvoiceValidatedInDolibarr=Faktura %s validert
 InvoiceValidatedInDolibarrFromPos=Faktura %s godkjent fra POS
 InvoiceBackToDraftInDolibarr=Sett  faktura %s tilbake til utkaststatus
 InvoiceDeleteDolibarr=Faktura %s slettet
-OrderValidatedInDolibarr=Ordre godkjent
+OrderValidatedInDolibarr=Ordre %s validert
 OrderDeliveredInDolibarr=Ordre %s klassifisert som levert
 OrderCanceledInDolibarr=Ordre %s kansellert
 OrderBilledInDolibarr=Ordre %s klassifisert som fakturert
 OrderApprovedInDolibarr=Ordre %s godkjent
 OrderRefusedInDolibarr=Ordre %s avvist
 OrderBackToDraftInDolibarr=Sett ordre %s tilbake til utkaststatus
-OrderCanceledInDolibarr=Ordre %s kansellert
 ProposalSentByEMail=Kommersielle tilbud %s sendt på epost
 OrderSentByEMail=Kundeordrer %s sendt på epost
 InvoiceSentByEMail=Faktura %s sendt på epost
@@ -87,7 +86,7 @@ ExportCal=Eksporter kalender
 ExtSites=Importer eksterne kalendere
 ExtSitesEnableThisTool=Vis eksterne kalendere (definert i global setup) i agenda. Påvirker ikke eksterne kalendere definert av brukere.
 ExtSitesNbOfAgenda=Antall kalendere
-AgendaExtNb=Kalender nb %s
+AgendaExtNb=Kalender nummer %s
 ExtSiteUrlAgenda=URL til. ical-fil
 ExtSiteNoLabel=Ingen beskrivelse
 WorkingTimeRange=Arbeidstid
@@ -96,3 +95,5 @@ AddEvent=Opprett hendelse
 MyAvailability=Min tilgjengelighet
 ActionType=Hendelsestype
 DateActionBegin=Startdato for hendelse
+CloneAction=Klon hendelse
+ConfirmCloneEvent=Er du sikker på at du vil klone hendelsen <b>%s</b>?
diff --git a/htdocs/langs/nb_NO/banks.lang b/htdocs/langs/nb_NO/banks.lang
index 3610d249b27b010229878d774e470235d3e62897..d65f537dc40a8383a49172432b64be6a194e5436 100644
--- a/htdocs/langs/nb_NO/banks.lang
+++ b/htdocs/langs/nb_NO/banks.lang
@@ -4,8 +4,8 @@ Banks=Banker
 MenuBankCash=Bank/Kasse
 MenuSetupBank=Bank-/Kasseoppsett
 BankName=Banknavn
-FinancialAccount=Hovedbokskonto
-FinancialAccounts=Hovebokskonti
+FinancialAccount=Konto
+FinancialAccounts=Konti
 BankAccount=Bankkonto
 BankAccounts=Bankkonti
 ShowAccount=Vis konto
@@ -13,9 +13,9 @@ AccountRef=Kontonummer hovedbokskonto
 AccountLabel=Kontonavn hovedbokskonto
 CashAccount=Kassekonto
 CashAccounts=Kassekonti
-MainAccount=Hovedkonto (kassekreditt)
-CurrentAccount=Driftskonto
-CurrentAccounts=Driftskonti
+MainAccount=Hovedkonto
+CurrentAccount=Gjeldende konto
+CurrentAccounts=Gjeldende konti
 SavingAccount=Kapitalkonto
 SavingAccounts=Kapitalkonti
 ErrorBankLabelAlreadyExists=Hovedbokskonto med samme navn eksisterer fra før
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Kundeinnbetaling
 CustomerInvoicePaymentBack=Innbetaling fra kunde
 SupplierInvoicePayment=Leverandøbetaling
 WithdrawalPayment=Uttaksbetaling
-SocialContributionPayment=Social contribution payment (ikke i Norge)
+SocialContributionPayment=Betaling av skatter og avgifter
 FinancialAccountJournal=Utskrift hovedbok
 BankTransfer=Bankoverføring
 BankTransfers=Bankoverføringer
diff --git a/htdocs/langs/nb_NO/bills.lang b/htdocs/langs/nb_NO/bills.lang
index 107506774424f31b710dab2df4933464bb652c2f..5ecb7e6456882b7dddb89a3380be80f0643cb30c 100644
--- a/htdocs/langs/nb_NO/bills.lang
+++ b/htdocs/langs/nb_NO/bills.lang
@@ -165,7 +165,7 @@ ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Dette valget er kun mulig hv
 ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=I noen land er dette valget kun mulig hvis fakturaen inneholder en spesiell påskrift.
 ConfirmClassifyPaidPartiallyReasonAvoirDesc=Bruk dette valget hvis ingen av de andre passer
 ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=En <b>dårlig kunde</b> er en kunde som nekter å betale.
-ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Dette valger brukes når betalingen ikke er komplett fordi noen produkter er returnert
+ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Dette valger brukes når betalingen ikke er komplett fordi noen varer er returnert
 ConfirmClassifyPaidPartiallyReasonOtherDesc=Bruk dette valget hvis ingen av de andre passer, for eksempel i følgende situasjon:<br>- betaling ikke komplett fordi noen varer er sendt tilbake<br>- ikke betalt fullt ut fordi rabatt er uteglemt<br>I alle tilfelle må beløpet rettes i regnskapssystemet ved å lage en kreditnota.
 ConfirmClassifyAbandonReasonOther=Annen
 ConfirmClassifyAbandonReasonOtherDesc=Dette valger brukes i alle andre tilfeller. For eksempel fordi du vil lage en erstatningsfaktura.
@@ -178,7 +178,7 @@ NumberOfBills=Ant. fakturaer
 NumberOfBillsByMonth=Antall fakturaer pr. måned
 AmountOfBills=Totalbeløp fakturaer
 AmountOfBillsByMonthHT=Sum fakturaer pr. mnd (eks. MVA)
-ShowSocialContribution=Vis sosiale bidrag
+ShowSocialContribution=Vis skatter og avgifter
 ShowBill=Vis faktura
 ShowInvoice=Vis faktura
 ShowInvoiceReplace=Vis erstatningsfaktura
@@ -270,7 +270,7 @@ BillAddress=Fakturaadresse
 HelpEscompte=Denne rabatten er gitt fordi kunden betalte før forfall.
 HelpAbandonBadCustomer=Dette beløpet er tapsført (dårlig kunde) og betraktes som tap.
 HelpAbandonOther=Dette beløpet er tapsført på grunn av feil. (For eksempel feil kunde eller faktura er erstattet av en annen)
-IdSocialContribution=Sosiale bidrag -ID
+IdSocialContribution=Skatter og avgifter ID
 PaymentId=Betalings-ID
 InvoiceId=Faktura-ID
 InvoiceRef=Fakturareferanse
diff --git a/htdocs/langs/nb_NO/boxes.lang b/htdocs/langs/nb_NO/boxes.lang
index 8edbd718c56512c758a5a8c375b62eeffec76d9b..7dd81b9ab7976630fc200bd8cb7a52568d3b7edc 100644
--- a/htdocs/langs/nb_NO/boxes.lang
+++ b/htdocs/langs/nb_NO/boxes.lang
@@ -1,8 +1,8 @@
 # Dolibarr language file - Source file is en_US - boxes
 BoxLastRssInfos=Rss informasjon
-BoxLastProducts=Siste produkter/tjenester
-BoxProductsAlertStock=Varsel om produkter på lager
-BoxLastProductsInContract=Siste kontraktsinngåtte produkter/tjenester
+BoxLastProducts=Siste varer/tjenester
+BoxProductsAlertStock=Varsel om varer på lager
+BoxLastProductsInContract=Siste kontraktsinngåtte varer/tjenester
 BoxLastSupplierBills=Siste leverandørfakturaer
 BoxLastCustomerBills=Siste kundefakturaer
 BoxOldestUnpaidCustomerBills=Eldste ubetalte kundefakturaer
@@ -16,18 +16,18 @@ BoxLastValidatedCustomerOrders=Siste godkjente kundeordrer
 BoxLastBooks=Siste bøker
 BoxLastActions=Siste handlinger
 BoxLastContracts=Siste kontrakter
-BoxLastContacts=Siste kontakter / adresser
+BoxLastContacts=Siste kontakter/adresser
 BoxLastMembers=Siste medlemmer
 BoxFicheInter=Siste intervensjoner
-BoxCurrentAccounts=Åpnet kontobalanse
+BoxCurrentAccounts=Åpne kontobalanse
 BoxSalesTurnover=Omsetning
 BoxTotalUnpaidCustomerBills=Totalt utestående kundefakturaer
 BoxTotalUnpaidSuppliersBills=Totalt utestående leverandørfakturaer
 BoxTitleLastBooks=Siste %s registrerte bøker
 BoxTitleNbOfCustomers=Antall kunder
 BoxTitleLastRssInfos=Siste %s nyheter fra %s
-BoxTitleLastProducts=Siste %s endrede produkter/tjenester
-BoxTitleProductsAlertStock=Varsel om produkter på lager
+BoxTitleLastProducts=Siste %s endrede varer/tjenester
+BoxTitleProductsAlertStock=Varsel om varer på lager
 BoxTitleLastCustomerOrders=Siste %s kundeordre
 BoxTitleLastModifiedCustomerOrders=Siste %s endrede kundeordrer
 BoxTitleLastSuppliers=Siste %s registrerte leverandører
@@ -42,12 +42,12 @@ BoxTitleLastModifiedCustomerBills=Siste %s endrede kundefakturaer
 BoxTitleLastSupplierBills=Siste %s leverandørfakturaer
 BoxTitleLastModifiedSupplierBills=Siste %s endrede leverandørfakturaer
 BoxTitleLastModifiedProspects=Sist %s endrede prospekter
-BoxTitleLastProductsInContract=Siste %s produkter/tjenerster i kontrakter
+BoxTitleLastProductsInContract=Siste %s varer/tjenerster i kontrakter
 BoxTitleLastModifiedMembers=Siste %s endrede medlemmer
 BoxTitleLastFicheInter=Siste %s endrede intervensjon
 BoxTitleOldestUnpaidCustomerBills=Eldste %s ubetalte kundefakturaer
 BoxTitleOldestUnpaidSupplierBills=Eldste %s ubetalte leverandørfakturaer
-BoxTitleCurrentAccounts=Åpnede kontobalanser
+BoxTitleCurrentAccounts=Åpne kontobalanser
 BoxTitleSalesTurnover=Omsetning
 BoxTitleTotalUnpaidCustomerBills=Ubetalte kundefakturaer
 BoxTitleTotalUnpaidSuppliersBills=Ubetalte leverandørfakturaer
@@ -74,9 +74,9 @@ NoUnpaidCustomerBills=Ingen ubetalte kundefakturaer
 NoRecordedSupplierInvoices=Ingen registrte leverandørfakturaer
 NoUnpaidSupplierBills=Ingen ubetalte leverandørfakturaer
 NoModifiedSupplierBills=Ingen registrerte leverandørfakturaer
-NoRecordedProducts=Ingen registrerte produkter/tjenester
+NoRecordedProducts=Ingen registrerte varer/tjenester
 NoRecordedProspects=Ingen registrerte prospekter
-NoContractedProducts=Ingen innleide produkter/tjenester
+NoContractedProducts=Ingen innleide varer/tjenester
 NoRecordedContracts=Ingen registrerte kontrakter
 NoRecordedInterventions=Ingen registrerte intervensjoner
 BoxLatestSupplierOrders=Siste leverandørordrer
@@ -88,8 +88,8 @@ BoxSuppliersInvoicesPerMonth=Leverandørfakturaer pr. mnd.
 BoxCustomersOrdersPerMonth=Kundeordrer pr. mnd.
 BoxSuppliersOrdersPerMonth=Leverandørordrer pr. mnd.
 BoxProposalsPerMonth=Tilbud pr. mnd.
-NoTooLowStockProducts=Ingen produkter med for lav beholdning
-BoxProductDistribution=Fordeling produkter/tjenester
+NoTooLowStockProducts=Ingen varer med for lav beholdning
+BoxProductDistribution=Fordeling varer/tjenester
 BoxProductDistributionFor=Fordeling av %s for %s
 ForCustomersInvoices=Kundens fakturaer
 ForCustomersOrders=Kundeordrer
diff --git a/htdocs/langs/nb_NO/cashdesk.lang b/htdocs/langs/nb_NO/cashdesk.lang
index c01ee45a2c7207925112db7eb914865bf1808b9d..01de9fd4b36da727d2f3ad74b5f1d97b4e7d6091 100644
--- a/htdocs/langs/nb_NO/cashdesk.lang
+++ b/htdocs/langs/nb_NO/cashdesk.lang
@@ -8,7 +8,7 @@ CashDeskBankCB=Bankkonto (kort)
 CashDeskBankCheque=Bankkonto (sjekk)
 CashDeskWarehouse=Varehus
 CashdeskShowServices=Selgende tjenester
-CashDeskProducts=Produkter
+CashDeskProducts=Varer
 CashDeskStock=Lager
 CashDeskOn=på
 CashDeskThirdParty=Tredjepart
@@ -19,15 +19,15 @@ BackOffice=Administrasjonen
 AddThisArticle=Legg til denne artikkelen
 RestartSelling=Gå tilbake på salg
 SellFinished=Salg avsluttet
-PrintTicket=Skriv billett
+PrintTicket=Skriv kvittering
 NoProductFound=Ingen artikler funnet
-ProductFound=produktet funnet
-ProductsFound=produkter funnet
+ProductFound=vare funnet
+ProductsFound=varer funnet
 NoArticle=Ingen artikkel
 Identification=Identifisering
 Article=Artikkel
 Difference=Forskjell
-TotalTicket=Totalt billett
+TotalTicket=Totalt kvittering
 NoVAT=Ingen mva for dette salget
 Change=For mye mottatt
 CalTip=Klikk for å vise kalenderen
diff --git a/htdocs/langs/nb_NO/categories.lang b/htdocs/langs/nb_NO/categories.lang
index 63ed25b4296555eb532bda73e92ba24f89ebd58c..ad44e13c4cbb44b6157a93cb8cf340462ea6aa05 100644
--- a/htdocs/langs/nb_NO/categories.lang
+++ b/htdocs/langs/nb_NO/categories.lang
@@ -1,110 +1,110 @@
 # Dolibarr language file - Source file is en_US - categories
-Rubrique=Tag/Category
-Rubriques=Tags/Categories
-categories=tags/categories
-TheCategorie=The tag/category
-NoCategoryYet=No tag/category of this type created
+Rubrique=Merke/Kategori
+Rubriques=Merker/Kategorier
+categories=merker/kategorier
+TheCategorie=merket/kategorien
+NoCategoryYet=Ingen merker/kategorier av denne typen er opprettet
 In=I
 AddIn=Legg til i
 modify=endre
 Classify=Klassifiser
-CategoriesArea=Tags/Categories area
-ProductsCategoriesArea=Products/Services tags/categories area
-SuppliersCategoriesArea=Suppliers tags/categories area
-CustomersCategoriesArea=Customers tags/categories area
-ThirdPartyCategoriesArea=Third parties tags/categories area
-MembersCategoriesArea=Members tags/categories area
-ContactsCategoriesArea=Contacts tags/categories area
-MainCats=Main tags/categories
+CategoriesArea=Merker/Kategorier-område
+ProductsCategoriesArea=Område for varer/tjenester, merker/kategorier
+SuppliersCategoriesArea=Område for leverandør-merker/kategorier
+CustomersCategoriesArea=Område for kunde-merker/kategorier
+ThirdPartyCategoriesArea=Område for tredjepart-merker/kategorier
+MembersCategoriesArea=Område for medlems-merker/kategorier
+ContactsCategoriesArea=Område for kontakters merker/kategorier
+MainCats=Hoved-merker/kategorier
 SubCats=Underkategorier
 CatStatistics=Statistikk
-CatList=List of tags/categories
-AllCats=All tags/categories
-ViewCat=View tag/category
-NewCat=Add tag/category
-NewCategory=New tag/category
-ModifCat=Modify tag/category
-CatCreated=Tag/category created
-CreateCat=Create tag/category
-CreateThisCat=Create this tag/category
-ValidateFields=Godkjenn feltene
+CatList=Liste over merker/kategorier
+AllCats=Alle merker/kategorier
+ViewCat=Vis merke/kategori
+NewCat=Legg til merke/kategori
+NewCategory=Nytt merke/kategori
+ModifCat=Endre merke/kategori
+CatCreated=Merke/kategori opprettet
+CreateCat=Opprett merke/kategori
+CreateThisCat=Opprett merket/kategorien
+ValidateFields=Valider feltene
 NoSubCat=Ingen underkategori.
 SubCatOf=Undekategori
-FoundCats=Found tags/categories
-FoundCatsForName=Tags/categories found for the name :
-FoundSubCatsIn=Subcategories found in the tag/category
-ErrSameCatSelected=You selected the same tag/category several times
-ErrForgotCat=You forgot to choose the tag/category
+FoundCats=Funnet merker/kategorier
+FoundCatsForName=Merke/kategori funnet med navnet:
+FoundSubCatsIn=Underkategorier finnet i merket/kategorien
+ErrSameCatSelected=Du valgte samme merke/kategori flere ganger
+ErrForgotCat=Du glemte å velge merke/kategori
 ErrForgotField=Du glemte feltene
 ErrCatAlreadyExists=Dette navnet er allerede i bruk
-AddProductToCat=Add this product to a tag/category?
-ImpossibleAddCat=Impossible to add the tag/category
-ImpossibleAssociateCategory=Impossible to associate the tag/category to
+AddProductToCat=Legge denne varen til et merke/kategori?
+ImpossibleAddCat=Kan ikke legge til merke/kategori
+ImpossibleAssociateCategory=Kan ikke knytte merke/kategori til
 WasAddedSuccessfully=<b>%s</b> ble lagt til.
-ObjectAlreadyLinkedToCategory=Element is already linked to this tag/category.
-CategorySuccessfullyCreated=This tag/category %s has been added successfully.
-ProductIsInCategories=Product/service is linked to following tags/categories
-SupplierIsInCategories=Third party is linked to following suppliers tags/categories
-CompanyIsInCustomersCategories=This third party is linked to following customers/prospects tags/categories
-CompanyIsInSuppliersCategories=This third party is linked to following suppliers tags/categories
-MemberIsInCategories=This member is linked to following members tags/categories
-ContactIsInCategories=This contact is linked to following contacts tags/categories
-ProductHasNoCategory=This product/service is not in any tags/categories
-SupplierHasNoCategory=This supplier is not in any tags/categories
-CompanyHasNoCategory=This thirdparty is not in any tags/categories
-MemberHasNoCategory=This member is not in any tags/categories
-ContactHasNoCategory=This contact is not in any tags/categories
-ClassifyInCategory=Add to tag/category
+ObjectAlreadyLinkedToCategory=Elementet er allerede lenket til dette merket/kategorien
+CategorySuccessfullyCreated=Merket/kategorien %s ble lagt til
+ProductIsInCategories=Vare/tjeneste er lenket til følgende merker/kategorier
+SupplierIsInCategories=Tredjeparten er lenket til følgende merker/kategorier
+CompanyIsInCustomersCategories=Denne tredjeparten er lenket til følgende kunders/prospekters merker/kategorier
+CompanyIsInSuppliersCategories=Denne tredjeparten er lenket til følgende leverandørers merker/kategorier
+MemberIsInCategories=Dette medlemmet er lenket til følgende medlems-merker/kategorier
+ContactIsInCategories=Denne kontakten er lenket til følgende kunde-merker/kategorier
+ProductHasNoCategory=Denne varen/tjenesten har ikke noen merker/kategorier
+SupplierHasNoCategory=Denne leverandøren har ikke noen merker/kategorier
+CompanyHasNoCategory=Denne tredjepartenhar ikke noen merker/kategorier
+MemberHasNoCategory=Dette medlemmet har ikke noen merker/kategorier
+ContactHasNoCategory=Denne kontakten har ingen merker/kategorier
+ClassifyInCategory=Legg til i merke/kategori
 NoneCategory=Ingen
-NotCategorized=Without tag/category
+NotCategorized=Uten merke/kategori
 CategoryExistsAtSameLevel=Denne kategorien finnes allerede med denne referansen
-ReturnInProduct=Tilbake til produkt-/tjenestekort
+ReturnInProduct=Tilbake til vare-/tjenestekort
 ReturnInSupplier=Tilbake til leverandørkort
 ReturnInCompany=Tilbake til kunde-/prospektkort
-ContentsVisibleByAll=Inneholdet vil være synlig for alle
+ContentsVisibleByAll=Innholdet vil være synlig for alle
 ContentsVisibleByAllShort=Innhold synlig for alle
 ContentsNotVisibleByAllShort=Innhold ikke synlig for alle
-CategoriesTree=Tags/categories tree
-DeleteCategory=Delete tag/category
-ConfirmDeleteCategory=Are you sure you want to delete this tag/category ?
-RemoveFromCategory=Remove link with tag/category
-RemoveFromCategoryConfirm=Are you sure you want to unlink the transaction from the tag/category ?
-NoCategoriesDefined=No tag/category defined
-SuppliersCategoryShort=Suppliers tag/category
-CustomersCategoryShort=Customers tag/category
-ProductsCategoryShort=Products tag/category
-MembersCategoryShort=Members tag/category
-SuppliersCategoriesShort=Suppliers tags/categories
-CustomersCategoriesShort=Customers tags/categories
+CategoriesTree=Tre over merker/kategorier
+DeleteCategory=Slett merke/kategori
+ConfirmDeleteCategory=Er du sikke på at du vil slette dette merket/kategorien?
+RemoveFromCategory=Slett lenke med merke/kategori
+RemoveFromCategoryConfirm=Er du sikker på at du vil fjerne lenken mellom transaksjonen og merket/kategorien?
+NoCategoriesDefined=Ingen merke/kategori definert
+SuppliersCategoryShort=Leverandørs merke/kategori
+CustomersCategoryShort=Kundes merke/kategori
+ProductsCategoryShort=Vare merke/kategori
+MembersCategoryShort=Medlems merke/kategori
+SuppliersCategoriesShort=Levrandørers merker/kategorier
+CustomersCategoriesShort=Kunders merker/kategorier
 CustomersProspectsCategoriesShort=Kunde-/prospektkategorier
-ProductsCategoriesShort=Products tags/categories
-MembersCategoriesShort=Members tags/categories
-ContactCategoriesShort=Contacts tags/categories
-ThisCategoryHasNoProduct=Denne kategorien inneholder ingen produkter.
+ProductsCategoriesShort=Varenes merker/kategorier
+MembersCategoriesShort=Medlemmers merker/kategorier
+ContactCategoriesShort=Kontakters merker/kategorier
+ThisCategoryHasNoProduct=Denne kategorien inneholder ingen varer.
 ThisCategoryHasNoSupplier=Denne kategorien inneholder ingen leverandører.
 ThisCategoryHasNoCustomer=Denne kategorien inneholder ingen kunder.
-ThisCategoryHasNoMember=Denne kategorien inneholder ingen medlem.
+ThisCategoryHasNoMember=Denne kategorien inneholder ingen medlemmer.
 ThisCategoryHasNoContact=Denne kategorien inneholder ikke noen kontakt.
 AssignedToCustomer=Knyttet til en kunde
 AssignedToTheCustomer=Knyttet til kunden
 InternalCategory=Intern kategori
-CategoryContents=Tag/category contents
-CategId=Tag/category id
-CatSupList=List of supplier tags/categories
-CatCusList=List of customer/prospect tags/categories
-CatProdList=List of products tags/categories
-CatMemberList=List of members tags/categories
-CatContactList=List of contact tags/categories
-CatSupLinks=Links between suppliers and tags/categories
-CatCusLinks=Links between customers/prospects and tags/categories
-CatProdLinks=Links between products/services and tags/categories
-CatMemberLinks=Links between members and tags/categories
-DeleteFromCat=Remove from tags/category
-DeletePicture=Slette bilde 
+CategoryContents=Merkers/kategoriers innhold
+CategId=Merke/kategori-ID
+CatSupList=Liste over leverandør-merker/kategorier
+CatCusList=Liste over kunde/prospekt merker/kategorier
+CatProdList=Liste over vare-merker/kategorier
+CatMemberList=Liste over medlems-merker/kategorier
+CatContactList=Liste over kontakt-merker/kategorier
+CatSupLinks=Lenker mellom leverandører og merker/kategorier
+CatCusLinks=Lenker mellom kunder/prospekter og merker/kategorier
+CatProdLinks=Lenker mellom varer/tjenester og merker/kategorier
+CatMemberLinks=Lenker mellom medlemmer og merker/kategorier
+DeleteFromCat=Fjern fra merker/kategorier
+DeletePicture=Slett bilde 
 ConfirmDeletePicture=Bekreft bildesletting?
 ExtraFieldsCategories=Komplementære attributter
-CategoriesSetup=Tags/categories setup
-CategorieRecursiv=Link with parent tag/category automatically
-CategorieRecursivHelp=Hvis aktivert, vil produktet også knyttes til overordnet kategori når du legger inn en underkategori
-AddProductServiceIntoCategory=Legg til følgende produkt/tjeneste
-ShowCategory=Show tag/category
+CategoriesSetup=Oppsett av merker/kategorier
+CategorieRecursiv=Automatisk lenke til overordnet merke/kategori
+CategorieRecursivHelp=Hvis aktivert, vil varen også knyttes til overordnet kategori når du legger inn en underkategori
+AddProductServiceIntoCategory=Legg til følgende vare/tjeneste
+ShowCategory=Vis merke/kategori
diff --git a/htdocs/langs/nb_NO/companies.lang b/htdocs/langs/nb_NO/companies.lang
index 228fe132b2fb48dbeb3ff74602809656b1a183ef..6ddf62c4325766238005b79e4cb9605a664e8d6a 100644
--- a/htdocs/langs/nb_NO/companies.lang
+++ b/htdocs/langs/nb_NO/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Tredjepartskontakt
 StatusContactValidated=Status for kontakt
 Company=Bedrift
 CompanyName=Firmanavn
+AliasNames=Aliaser (kommersielle, varemerke, ...)
 Companies=Bedrifter
 CountryIsInEEC=Landet er en del av det europeiske økonomiske fellesskap
 ThirdPartyName=Tredjepart navn
@@ -403,7 +404,7 @@ UniqueThirdParties=Totalt antall unike tredjeparter
 InActivity=Åpen
 ActivityCeased=Stengt
 ActivityStateFilter=Aktivitetstatus
-ProductsIntoElements=Produktliste i %s
+ProductsIntoElements=Vareliste i %s
 CurrentOutstandingBill=Gjeldende utestående regning
 OutstandingBill=Max. utestående beløp
 OutstandingBillReached=Nådd maks. for utestående regning
diff --git a/htdocs/langs/nb_NO/compta.lang b/htdocs/langs/nb_NO/compta.lang
index e93afb8364d0e444e9fdc426bbed693b548bc59f..0e4651e511cb562546e813777f3170353d4f01dd 100644
--- a/htdocs/langs/nb_NO/compta.lang
+++ b/htdocs/langs/nb_NO/compta.lang
@@ -3,8 +3,8 @@ Accountancy=Revisjon
 AccountancyCard=Revisjon kort
 Treasury=Treasury
 MenuFinancial=Finansiell
-TaxModuleSetupToModifyRules=Go to <a href="%s">Taxes module setup</a> to modify rules for calculation
-TaxModuleSetupToModifyRulesLT=Go to <a href="%s">Company setup</a> to modify rules for calculation
+TaxModuleSetupToModifyRules=Gå til <a href="%s">Oppsett av Skatter/avgifter-modul</a> for å endre regler for utregning
+TaxModuleSetupToModifyRulesLT=Gå til <a href="%s">Firmaoppsett</a> for  å endre kalkulasjonsreglene
 OptionMode=Opsjon for regnskap
 OptionModeTrue=Alternativ input-output
 OptionModeVirtual=Alternativ Mynter-Debiteringer
@@ -12,15 +12,15 @@ OptionModeTrueDesc=I denne sammenheng er omsetningen beregnet over utbetalinger
 OptionModeVirtualDesc=I denne sammenheng er omsetningen beregnet over fakturaer (dato for validering). Når disse fakturaene er grunn, enten de er betalt eller ikke, er de oppført i omsetning produksjon.
 FeatureIsSupportedInInOutModeOnly=Funksjonen bare tilgjengelig i KREDITT-gjeld regnskapsføring modus (Se Regnskapsorganisasjon modul konfigurasjon)
 VATReportBuildWithOptionDefinedInModule=Beløp som vises her er beregnet ved hjelp av regler definert av Skatt modul oppsett.
-LTReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Company setup.
+LTReportBuildWithOptionDefinedInModule=Beløpene vist her er kalkulert ved hjelp av reglene som er definert i Firmaoppsett
 Param=Oppsett
 RemainingAmountPayment=Beløp betalingen som gjenstår:
 AmountToBeCharged=Totalt beløp å betale:
 AccountsGeneral=Kontoer
 Account=Konto
 Accounts=Kontoer
-Accountparent=Account parent
-Accountsparent=Accounts parent
+Accountparent=Overordnet konto
+Accountsparent=Overordnede kontoer
 BillsForSuppliers=Veksler for leverandører
 Income=Inntekt
 Outcome=Expense
@@ -29,11 +29,11 @@ ReportTurnover=Omsetning
 PaymentsNotLinkedToInvoice=Betalinger ikke knyttet til noen faktura, så ikke knyttet til noen tredje part
 PaymentsNotLinkedToUser=Betalinger ikke knyttet til noen bruker
 Profit=Profit
-AccountingResult=Accounting result
+AccountingResult=Regnskapsresultat
 Balance=Balanse
 Debit=Debet
 Credit=Kreditt
-Piece=Accounting Doc.
+Piece=Regnskapsdokument
 Withdrawal=Uttak
 Withdrawals=Uttak
 AmountHTVATRealReceived=Netto samlet
@@ -43,55 +43,55 @@ VATReceived=MVA mottatt
 VATToCollect=MVA kjøp
 VATSummary=MVA Balanse
 LT2SummaryES=IRPF Balanse
-LT1SummaryES=RE Balance
+LT1SummaryES=RE Balanse
 VATPaid=VAT paid
-SalaryPaid=Salary paid
+SalaryPaid=Lønn utbetalt
 LT2PaidES=IRPF Betalt
-LT1PaidES=RE Paid
+LT1PaidES=RE Betalt
 LT2CustomerES=IRPF salg
 LT2SupplierES=IRPF kjøp
-LT1CustomerES=RE sales
-LT1SupplierES=RE purchases
+LT1CustomerES=RE Salg
+LT1SupplierES=RE Kjøp
 VATCollected=MVA samlet
 ToPay=Å betale
 ToGet=Å komme tilbake
-SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Skatt, sosiale bidrag og utbytte området
-SocialContribution=Samfunnsbidrag
-SocialContributions=Sosiale bidrag
-MenuSpecialExpenses=Special expenses
+SpecialExpensesArea=Område for spesielle betalinger
+TaxAndDividendsArea=Område for MVA, skatter/avgifter og utbytte
+SocialContribution=Skatt eller avgift
+SocialContributions=Skatter eller avgifter
+MenuSpecialExpenses=Spesielle utgifter
 MenuTaxAndDividends=Skatter og utbytte
-MenuSalaries=Salaries
-MenuSocialContributions=Sosiale bidrag
-MenuNewSocialContribution=Nye bidrag
-NewSocialContribution=Nye sosiale bidrag
-ContributionsToPay=Bidrag til å betale
+MenuSalaries=Lønn
+MenuSocialContributions=Skatter/avgifter
+MenuNewSocialContribution=Ny skatteinnbetaling
+NewSocialContribution=Ny skatt/avgift
+ContributionsToPay=Skatter og avgifter som skal betales
 AccountancyTreasuryArea=Revisjon / finans-området
 AccountancySetup=Revisjon oppsett
 NewPayment=Ny betaling
 Payments=Betalinger
 PaymentCustomerInvoice=Kunden faktura betaling
 PaymentSupplierInvoice=Leverandørfaktura betaling
-PaymentSocialContribution=Sosiale bidrag betaling
+PaymentSocialContribution=Skatter- og avgiftsbetaling
 PaymentVat=MVA betaling
-PaymentSalary=Salary payment
+PaymentSalary=Lønnsutbetaling
 ListPayment=Liste over betalinger
 ListOfPayments=Liste over betalinger
 ListOfCustomerPayments=Liste over kundebetalinger
 ListOfSupplierPayments=Liste av leverandør betalinger
 DatePayment=Utbetalingsdato
-DateStartPeriod=Date start period
-DateEndPeriod=Date end period
+DateStartPeriod=Startdato
+DateEndPeriod=Sluttdato
 NewVATPayment=Nye MVA betaling
 newLT2PaymentES=Ny IRPF betaling
-newLT1PaymentES=New RE payment
+newLT1PaymentES=Ny RE Betaling
 LT2PaymentES=IRPF Betaling
 LT2PaymentsES=IRPF Betalinger
-LT1PaymentES=RE Payment
-LT1PaymentsES=RE Payments
+LT1PaymentES=RE Betaling
+LT1PaymentsES=RE Betalinger
 VATPayment=MVA Betaling
 VATPayments=MVA Betalinger
-SocialContributionsPayments=Sosiale bidrag betalinger
+SocialContributionsPayments=Skatter- og avgiftsbetalinger
 ShowVatPayment=Vis MVA betaling
 TotalToPay=Sum å betale
 TotalVATReceived=Sum MVA mottatt
@@ -101,62 +101,62 @@ AccountNumberShort=Kontonummer
 AccountNumber=Kontonummer
 NewAccount=Ny konto
 SalesTurnover=Salg omsetning
-SalesTurnoverMinimum=Minimum sales turnover
+SalesTurnoverMinimum=Minimums salgsomsetning
 ByThirdParties=Bu tredjeparter
 ByUserAuthorOfInvoice=Av faktura forfatter
 AccountancyExport=Revisjon eksport
 ErrorWrongAccountancyCodeForCompany=Dårlig kunde regnskap koden for %s
-SuppliersProductsSellSalesTurnover=Den genererte omsetningen av salg av leverandørens produkter.
+SuppliersProductsSellSalesTurnover=Den genererte omsetningen av salg av leverandørens varer.
 CheckReceipt=Sjekk innskudd
 CheckReceiptShort=Sjekk innskudd
-LastCheckReceiptShort=Last %s check receipts
+LastCheckReceiptShort=Siste %s sjekkvitteringer
 NewCheckReceipt=Nye rabatt
 NewCheckDeposit=Ny sjekk innskudd
 NewCheckDepositOn=Lag kvittering for innskudd på konto: %s
 NoWaitingChecks=Ingen sjekker venter på innskudd.
 DateChequeReceived=Sjekk mottak inngang dato
 NbOfCheques=Nb av sjekker
-PaySocialContribution=Betale et samfunnsbidrag
-ConfirmPaySocialContribution=Er du sikker på at du vil klassifisere dette sosiale bidrag som betalt?
-DeleteSocialContribution=Slette et samfunnsbidrag
-ConfirmDeleteSocialContribution=Er du sikker på at du vil slette denne samfunnsbidrag?
-ExportDataset_tax_1=Sosiale bidrag og utbetalinger
-CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
-CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
-CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
-CalcModeEngagement=Mode <b>%sIncomes-Expenses%s</b> said <b>cash accounting</b>
-CalcModeLT1= Mode <b>%sRE on customer invoices - suppliers invoices%s</b>
-CalcModeLT1Debt=Mode <b>%sRE on customer invoices%s</b>
-CalcModeLT1Rec= Mode <b>%sRE on suppliers invoices%s</b>
-CalcModeLT2= Mode <b>%sIRPF on customer invoices - suppliers invoices%s</b>
-CalcModeLT2Debt=Mode <b>%sIRPF on customer invoices%s</b>
-CalcModeLT2Rec= Mode <b>%sIRPF on suppliers invoices%s</b>
-AnnualSummaryDueDebtMode=Balance of income and expenses, annual summary
-AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
+PaySocialContribution=Betal skatt/avgift
+ConfirmPaySocialContribution=Er du sikker på at du vil klassifisere denne skatten/avgiften som betalt?
+DeleteSocialContribution=Slett en skatt eller avgift
+ConfirmDeleteSocialContribution=Er du sikker på at du vil slette denne skatten/avgiften?
+ExportDataset_tax_1=Skatte- og avgiftsbetalinger
+CalcModeVATDebt=Modus <b>%sMVA ved commitment regnskap%s</b>.
+CalcModeVATEngagement=Modus <b>%sMVA på inntekt-utgifter%s</b>.
+CalcModeDebt=Modus <b>%sKredit-Debet%s</b> sagt <b>Commitment regnskap</b>.
+CalcModeEngagement=Modus <b>%sInntekt-Utgifter%s</b> sagt <b>kassaregnskap</b>
+CalcModeLT1= Modus <b>%sRE på kundefakturaer - leverandørfakturaer%s</b>
+CalcModeLT1Debt=Modus <b>%sRE på kundefakturaer%s</b>
+CalcModeLT1Rec= Modus <b>%sRE på leverandørfakturaer%s</b>
+CalcModeLT2= Modus <b>%sIRPF på kundefakturaer - leverandørfakturaer%s</b>
+CalcModeLT2Debt=Modus <b>%sIRPF på kundefakturaer%s</b>
+CalcModeLT2Rec= Modus <b>%sIRPF på leverandørfakturaer%s</b>
+AnnualSummaryDueDebtMode=Inn/ut balanse. Årlig oppsummering
+AnnualSummaryInputOutputMode=Inn/ut balanse. Årlig oppsummering
 AnnualByCompaniesDueDebtMode=Balanse mellom inntekter og utgifter, detalj av tredjeparter, modus <b>%sClaims-Debts%s</b> sa <b>Engasjement regnskap.</b>
 AnnualByCompaniesInputOutputMode=Balanse mellom inntekter og utgifter, detalj av tredjeparter, modus <b>%sRevenues-Expenses%s</b> sa <b>kontant regnskap.</b>
 SeeReportInInputOutputMode=Se rapporten <b>%sIncomes-Expenses%s</b> sier <b>kontanter utgjør</b> en beregning for faktiske utbetalinger
 SeeReportInDueDebtMode=Se rapporten <b>%sClaims-Debts%s</b> sa <b>forpliktelse utgjør</b> en beregning på utstedte fakturaer
-RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
+RulesAmountWithTaxIncluded=- Viste beløp er inkludert alle avgifter
 RulesResultDue=- Beløp som vises er med alle avgifter inkludert <br> - Det inkluderer utestående fakturaer, utgifter og moms om de er betalt eller ikke. <br> - Det er basert på validering dato for fakturaer og moms, og ved forfall for utgifter.
-RulesResultInOut=- It includes the real payments made on invoices, expenses and VAT. <br>- It is based on the payment dates of the invoices, expenses and VAT.
+RulesResultInOut=- Det inkluderer de virkelige utbetalinger på fakturaer, utgifter og MVA. <br>- Den er basert på betalingstidspunktene av fakturaer, utgifter og MVA.
 RulesCADue=- Det inkluderer kundens forfalte fakturaer enten de er betalt eller ikke. <br> - Det er basert på validering dato for disse fakturaene. <br>
 RulesCAIn=- Det inkluderer alle effektive betaling av fakturaer mottatt fra klienter. <br> - Det er basert på utbetalingsdatoen for disse fakturaene <br>
 DepositsAreNotIncluded=- Deposit fakturaer er eller inngår
 DepositsAreIncluded=- Deposit fakturaer er inkludert
 LT2ReportByCustomersInInputOutputModeES=Rapport fra tredje part IRPF
-LT1ReportByCustomersInInputOutputModeES=Report by third party RE
-VATReportByCustomersInInputOutputMode=Report by the customer VAT collected and paid
-VATReportByCustomersInDueDebtMode=Report by the customer VAT collected and paid
-VATReportByQuartersInInputOutputMode=Report by rate of the VAT collected and paid
-LT1ReportByQuartersInInputOutputMode=Report by RE rate
-LT2ReportByQuartersInInputOutputMode=Report by IRPF rate
-VATReportByQuartersInDueDebtMode=Report by rate of the VAT collected and paid
-LT1ReportByQuartersInDueDebtMode=Report by RE rate
-LT2ReportByQuartersInDueDebtMode=Report by IRPF rate
+LT1ReportByCustomersInInputOutputModeES=Rapport etter tredjepart RE
+VATReportByCustomersInInputOutputMode=Rapport over innhentet og betalt MVA etter kunde
+VATReportByCustomersInDueDebtMode=Rapport over innhentet og betalt MVA etter kunde
+VATReportByQuartersInInputOutputMode=Rapport over innhentet og betalt MVA etter sats
+LT1ReportByQuartersInInputOutputMode=Rapport etter RE sats
+LT2ReportByQuartersInInputOutputMode=Rapport etter IRPF sats
+VATReportByQuartersInDueDebtMode=Rapport over innhentet og betalt MVA etter sats
+LT1ReportByQuartersInDueDebtMode=Rapport etter RE sats
+LT2ReportByQuartersInDueDebtMode=Rapport etter IRPF sats
 SeeVATReportInInputOutputMode=Se rapport <b>%sVAT encasement%s</b> for en standard utregning
 SeeVATReportInDueDebtMode=Se rapport <b>%sVAT om flow%s</b> for en beregning med en opsjon på flyten
-RulesVATInServices=- For services, the report includes the VAT regulations actually received or issued on the basis of the date of payment.
+RulesVATInServices=- For tjenester, omfatter rapporten MVA regnskap på grunnlag av betalingstidspunktet.
 RulesVATInProducts=- For materielle eiendeler, det inkluderer MVA fakturaer på grunnlag av faktura dato.
 RulesVATDueServices=- For tjenester, omfatter rapporten MVA fakturaer grunn, betalt eller ikke, basert på fakturadato.
 RulesVATDueProducts=- For materielle eiendeler, det inkluderer MVA fakturaene, basert på fakturadato.
@@ -179,29 +179,29 @@ CodeNotDef=Ikke definert
 AddRemind=Forsendelse tilgjengelig beløp
 RemainToDivide= Forbli til levering:
 WarningDepositsNotIncluded=Innskudd fakturaer er ikke inkludert i denne versjonen med dette regnskap modulen.
-DatePaymentTermCantBeLowerThanObjectDate=Payment term date can't be lower than object date.
-Pcg_version=Pcg version
-Pcg_type=Pcg type
-Pcg_subtype=Pcg subtype
-InvoiceLinesToDispatch=Invoice lines to dispatch
-InvoiceDispatched=Dispatched invoices
-AccountancyDashboard=Accountancy summary
-ByProductsAndServices=By products and services
-RefExt=External ref
-ToCreateAPredefinedInvoice=To create a predefined invoice, create a standard invoice then, without validating it, click onto button "Convert to predefined invoice".
-LinkedOrder=Link to order
-ReCalculate=Recalculate
-Mode1=Method 1
-Mode2=Method 2
-CalculationRuleDesc=To calculate total VAT, there is two methods:<br>Method 1 is rounding vat on each line, then summing them.<br>Method 2 is summing all vat on each line, then rounding result.<br>Final result may differs from few cents. Default mode is mode <b>%s</b>.
-CalculationRuleDescSupplier=according to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier.
-TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
-CalculationMode=Calculation mode
-AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
-ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
-ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
-ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
-CloneTaxForNextMonth=Clone it for next month
+DatePaymentTermCantBeLowerThanObjectDate=Betalingsdato kan ikke være før objektdato
+Pcg_version=Kontoplan versjon
+Pcg_type=Kontoplan type
+Pcg_subtype=Kontoplan undertype
+InvoiceLinesToDispatch=Fakturalinjer for utsendelse
+InvoiceDispatched=Utsendte fakturaer
+AccountancyDashboard=Regnskapssammendrag
+ByProductsAndServices=Etter varer og tjenester
+RefExt=Ekstern referanse
+ToCreateAPredefinedInvoice=For å opprette en forhåndsdefinert faktura: Opprett en standardfaktura, og uten å validere den, klikk på knappen "Konverter til forhåndsdefinert faktura".
+LinkedOrder=Lenke til ordre
+ReCalculate=Rekalkuler
+Mode1=Metode 1
+Mode2=Metode 2
+CalculationRuleDesc=For å beregne total MVA, er det to metoder:<br>Metode 1 er avrunding på hver linje, og deretter summere dem.<br>Metode 2 er å summere alle på hver linje, og deretter avrunde resultatet.<br>Endelig resultat kan variere noen få kroner. Standardmodusen er modusen <b>%s</b>.
+CalculationRuleDescSupplier=ifølge leverandøren, velg samme beregningsregel og få resultat som forventes av leverandøren.
+TurnoverPerProductInCommitmentAccountingNotRelevant=Omsetningsrapport pr. produkt, er ikke relevant når du bruker en <b>kontantregnskap</b>-modus. Denne rapporten er bare tilgjengelig når du bruker <b>engasjement regnskap</b> modus (se oppsett av regnskap modul).
+CalculationMode=Kalkuleringsmodus
+AccountancyJournal=Regnskapskode journal
+ACCOUNTING_VAT_SOLD_ACCOUNT=Standard regnskapskode for innhenting av MVA
+ACCOUNTING_VAT_BUY_ACCOUNT=Standard regnskapskode for betaling av MVA
+ACCOUNTING_ACCOUNT_CUSTOMER=Standard regnskapskode for kunder
+ACCOUNTING_ACCOUNT_SUPPLIER=Standard regnskapskode for leverandører
+CloneTax=Klon skatt/avgift
+ConfirmCloneTax=Bekreft kloning av skatt/avgiftsbetaling
+CloneTaxForNextMonth=Klon for neste måned
diff --git a/htdocs/langs/nb_NO/cron.lang b/htdocs/langs/nb_NO/cron.lang
index 3335c9a3ecb787cb89d2621cecd500366806f1a7..4e6d5835efabe9e461b07660ccb12b53fb36b425 100644
--- a/htdocs/langs/nb_NO/cron.lang
+++ b/htdocs/langs/nb_NO/cron.lang
@@ -69,13 +69,14 @@ CronTaskInactive=Denne jobben er deaktivert
 CronDtLastResult=Dato for siste resultat
 CronId=ID
 CronClassFile=Klasser (filnavn.klasse.php)
-CronModuleHelp=Navn på Dolibarr-modul katalogen (også arbeid med ekstern Dolibarr-modul). <BR> For eksempel hente-metode for Dolibarr Product objekt /htdocs/<u>product</u>/class/product.class.php, er verdien av modulen <i>produkt</i>
-CronClassFileHelp=Filnavn å laste. <BR> For eksempel hente metode for Dolibarr Produkt object/htdocs/produkt/klasse/<u>product.class.php</u>, er verdien av klassen filnavnet <i> product.class.php </i>
+CronModuleHelp=Navn på Dolibarr-modul katalogen (også arbeid med ekstern Dolibarr-modul). <BR> For eksempel hente-metode for Dolibarr Product objekt /htdocs/<u>product</u>/class/product.class.php, er verdien av modulen <i>vare</i>
+CronClassFileHelp=Filnavn å laste. <BR> For eksempel hente metode for Dolibarr Vare object/htdocs/vare/klasse/<u>product.class.php</u>, er verdien av klassen filnavnet <i> product.class.php </i>
 CronObjectHelp=Objektnavn som skal lastes.<BR> For eksempel metode for å hente Dolibarr Product object /htdocs/product/class/product.class.php, er verdien av klasse-filnavn <i>Product</i>
-CronMethodHelp=Objekt-metode for å starte. <BR> For eksempel hente Dolibarr Produkt objekt /htdocs/product/class/product.class.php, er verdien av metoden <i> fecth </i>
+CronMethodHelp=Objekt-metode for å starte. <BR> For eksempel hente Dolibarr Vare objekt /htdocs/product/class/product.class.php, er verdien av metoden <i> fecth </i>
 CronArgsHelp=Metode argumenter. <BR> For eksempel hent Dolibarr Product object /htdocs/product/class/product.class.php, kan parameterverdien være <i>0, ProductRef</i>
 CronCommandHelp=System kommandolinje som skal kjøres
 CronCreateJob=Opprett ny planlagt jobb
+CronFrom=Fra
 # Info
 CronInfoPage=Informasjon
 # Common
diff --git a/htdocs/langs/nb_NO/deliveries.lang b/htdocs/langs/nb_NO/deliveries.lang
index 35b61e36439baa47d2f982109f63c51af4279172..7fbc4e28424068b5091bec6a4f5ecac246beea58 100644
--- a/htdocs/langs/nb_NO/deliveries.lang
+++ b/htdocs/langs/nb_NO/deliveries.lang
@@ -10,7 +10,7 @@ CreateDeliveryOrder=Opprett leveringsordre
 QtyDelivered=Ant. levert
 SetDeliveryDate=Angi leveringsdato
 ValidateDeliveryReceipt=Godkjenn leveringskvittering
-ValidateDeliveryReceiptConfirm=Er du sikker på at du vil godkjenne denne leveringskvitteringen?
+ValidateDeliveryReceiptConfirm=Er du sikker på at du vil validere denne leveringskvitteringen?
 DeleteDeliveryReceipt=Slett leveringskvittering
 DeleteDeliveryReceiptConfirm=Er du sikker på at du vil slette leveringskvitteringen <b>%s?</b>
 DeliveryMethod=Leveringsmåte
diff --git a/htdocs/langs/nb_NO/donations.lang b/htdocs/langs/nb_NO/donations.lang
index e3a6f8f16570ca478600849f04321b8fce9e05fe..c1a8498daa871096d1547f1e033978e1d2f3b5b7 100644
--- a/htdocs/langs/nb_NO/donations.lang
+++ b/htdocs/langs/nb_NO/donations.lang
@@ -10,8 +10,8 @@ DeleteADonation=Slett en donasjon
 ConfirmDeleteADonation=Er du sikker på at du vil slette denne donasjonen?
 ShowDonation=Vis Donasjon
 DonationPromise=Lovet donasjon
-PromisesNotValid=Ikke godkjente løfter
-PromisesValid=Godkjente løfter
+PromisesNotValid=Ikke validerte løfter
+PromisesValid=Validerte løfter
 DonationsPaid=Betalte donasjoner
 DonationsReceived=Mottatte donasjoner
 PublicDonation=Offentlig donasjon
diff --git a/htdocs/langs/nb_NO/ecm.lang b/htdocs/langs/nb_NO/ecm.lang
index 5a56f6183f7fd11749d9b53d6360766ba52e077e..0701c248de4eaf045c2d65d88980086643316d5c 100644
--- a/htdocs/langs/nb_NO/ecm.lang
+++ b/htdocs/langs/nb_NO/ecm.lang
@@ -35,13 +35,13 @@ ECMSearchByEntity=Søk på objekt
 ECMSectionOfDocuments=Mapper med dokumenter
 ECMTypeManual=Manuell
 ECMTypeAuto=Automatisk
-ECMDocsBySocialContributions=Dokumenter relatert til sosiale bidrag
+ECMDocsBySocialContributions=Dokumenter lenket til skatter og avgifter
 ECMDocsByThirdParties=Dokumenter knyttet til tredjeparter
 ECMDocsByProposals=Dokumenter knyttet til tilbud
 ECMDocsByOrders=Dokumenter knyttet til kundeordre
 ECMDocsByContracts=Dokumenter knyttet til kontrakter
 ECMDocsByInvoices=Dokumenter knyttet til kundefakturaer
-ECMDocsByProducts=Dokumenter knyttet til produkter
+ECMDocsByProducts=Dokumenter knyttet til varer
 ECMDocsByProjects=Dokumenter relatert til prosjekter
 ECMDocsByUsers=Dokumenter relatert til brukere
 ECMDocsByInterventions=Dokumenter relatert til intervensjoner
diff --git a/htdocs/langs/nb_NO/errors.lang b/htdocs/langs/nb_NO/errors.lang
index c4f7d16eb230d282df1e8546415604def8598dc3..688f5f520b3d801f48fcec0a756a3894c4a1aa91 100644
--- a/htdocs/langs/nb_NO/errors.lang
+++ b/htdocs/langs/nb_NO/errors.lang
@@ -25,11 +25,11 @@ ErrorFromToAccountsMustDiffers=Kilde- og målkonto må være forskjellig.
 ErrorBadThirdPartyName=Ugyldig verdi for tredjepartens navn
 ErrorProdIdIsMandatory=%s er obligatorisk
 ErrorBadCustomerCodeSyntax=Ugyldig syntaks for kundekode
-ErrorBadBarCodeSyntax=Bad syntax for bar code. May be you set a bad barcode type or you defined a barcode mask for numbering that does not match value scanned.
+ErrorBadBarCodeSyntax=Feil syntaks for strekkode. Du kan ha satt en feil strekkodetype eller du kan ha definert en strekkode-maske som ikke passer verdien du har skannet
 ErrorCustomerCodeRequired=Kundekode påkrevet
-ErrorBarCodeRequired=Bar code required
+ErrorBarCodeRequired=Strekkode påkrevet
 ErrorCustomerCodeAlreadyUsed=Kundekoden er allerede benyttet
-ErrorBarCodeAlreadyUsed=Bar code already used
+ErrorBarCodeAlreadyUsed=Strekkode allerede brukt
 ErrorPrefixRequired=Prefiks påkrevet
 ErrorUrlNotValid=Nettstedsadressen er feil
 ErrorBadSupplierCodeSyntax=Ugyldig syntaks for leverandørkode
@@ -39,7 +39,7 @@ ErrorBadParameters=Ugyldige parametere
 ErrorBadValueForParameter=Feil verdi '%s' for parameter. Feil '%s'
 ErrorBadImageFormat=Bildeformatet støttes ikke (Din PHP støtter ikke konvertering av dette formatet)
 ErrorBadDateFormat=Verdien '%s' har feil datoformat
-ErrorWrongDate=Date is not correct!
+ErrorWrongDate=Dato er feil!
 ErrorFailedToWriteInDir=Kan ikke skrive til mappen %s
 ErrorFoundBadEmailInFile=Feil e-postsyntaks for %s linjer i filen (for eksempel linje %s med e-post=%s)
 ErrorUserCannotBeDelete=Brukeren kan ikke slettes. Det kan være at den er knyttet til elementer i Dolibarr.
@@ -49,56 +49,56 @@ ErrorNoMailDefinedForThisUser=Ingen e-post angitt for denne brukeren.
 ErrorFeatureNeedJavascript=Denne funksjonen krever javascript for å virke. Endre dette i innstillinger - visning.
 ErrorTopMenuMustHaveAParentWithId0=En meny av typen 'Topp' kan ikke ha noen foreldremeny. Skriv 0 i foreldremeny eller velg menytypen 'Venstre'.
 ErrorLeftMenuMustHaveAParentId=En meny av typen 'Venstre' må ha foreldre-ID.
-ErrorFileNotFound=Fant ikke filen (Feil sti, feil tillatelser eller access denied av openbasedir-parameter)
+ErrorFileNotFound=Fant ikke filen <b>%s</b> (Feil bane, feil tillatelser eller adgang nektet av PHP openbasedir eller safe_mode parameter)
 ErrorDirNotFound=Directory <b>%s</b> ble ikke funnet (feil bane, feil rettigheter eller ingen tilgang til PHP openbasedir eller safe_mode parameter)
 ErrorFunctionNotAvailableInPHP=Funksjonen <b>%s</b> kreves for denne funksjonen, men den er ikke tilgjengelig i denne versjonen/oppsettet av PHP.
 ErrorDirAlreadyExists=En mappe med dette navnet eksisterer allerede.
 ErrorFileAlreadyExists=En fil med dette navnet finnes allerede.
 ErrorPartialFile=Filen ble ikke fullstendig mottatt av server.
 ErrorNoTmpDir=Midlertidig mappe %s finnes ikke.
-ErrorUploadBlockedByAddon=Last opp blokkert av en PHP / Apache plugin.
+ErrorUploadBlockedByAddon=Opplastning blokkert av en PHP/Apache plugin.
 ErrorFileSizeTooLarge=Filstørrelsen er for stor.
 ErrorSizeTooLongForIntType=Størrelse for lang for int-type (%s sifre maksimum)
 ErrorSizeTooLongForVarcharType=Størrelse for lang for streng-type (%s tegn maksimum)
 ErrorNoValueForSelectType=Sett inn verdi for å velge liste
 ErrorNoValueForCheckBoxType=Sett inn verdi for å velge avkrysningsboks-liste
 ErrorNoValueForRadioType=Sett i verdi for radioknapp-liste
-ErrorBadFormatValueList=The list value cannot have more than one come : <u>%s</u>, but need at least one: llave,valores
+ErrorBadFormatValueList=Listeverdien kan ikke føres opp mer enn en gang: <u>%s</u>, men kreves minst en gang
 ErrorFieldCanNotContainSpecialCharacters=Feltet <b>%s</b> kan ikke inneholde spesialtegn.
-ErrorFieldCanNotContainSpecialNorUpperCharacters=Field <b>%s</b> must not contains special characters, nor upper case characters.
+ErrorFieldCanNotContainSpecialNorUpperCharacters=Feltet <b>%s</b> må ikke inneholde spesialtegn eller store bokstaver
 ErrorNoAccountancyModuleLoaded=Ingen regnskapsmodul aktivert
 ErrorExportDuplicateProfil=Profilnavnet til dette eksport-oppsettet finnes allerede
 ErrorLDAPSetupNotComplete=Dolibarr-LDAP oppsett er ikke komplett.
 ErrorLDAPMakeManualTest=En .ldif fil er opprettet i mappen %s. Prøv å lese den manuelt for å se mer informasjon om feil.
-ErrorCantSaveADoneUserWithZeroPercentage=Kan ikke lagre en handling med "ikke statut startet" hvis feltet "gjort av" er også fylt.
-ErrorRefAlreadyExists=Ref brukes til oppretting finnes allerede.
-ErrorPleaseTypeBankTransactionReportName=Vennligst skriv kvittering fra bank navnet der hvor transaksjonen er rapportert (Format ÅÅÅÅMM eller ÅÅÅÅMMDD)
-ErrorRecordHasChildren=Kunne ikke slette poster siden den har noen Childs.
-ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into other object.
-ErrorModuleRequireJavascript=Javascript må ikke deaktiveres å ha denne funksjonen fungerer. For å aktivere / deaktivere Javascript, gå til menyen Home-> Setup-> Display.
-ErrorPasswordsMustMatch=Begge har skrevet passord må samsvare med hverandre
-ErrorContactEMail=En teknisk feil oppsto. Vennligst kontakt administrator for å følge e <b>%s</b> no gi feilmeldingsnumrene <b>%s</b> i meldingen, eller enda bedre ved å legge til en skjerm kopi av denne siden.
-ErrorWrongValueForField=Feil verdi for feltet tall <b>%s</b> (verdien <b>«%s"</b> samsvarer ikke med regex regel <b>%s)</b>
-ErrorFieldValueNotIn=Wrong value for field number <b>%s</b> (value '<b>%s</b>' is not a value available into field <b>%s</b> of table <b>%s</b> = <b>%s</b>)
-ErrorFieldRefNotIn=Feil verdi for feltnummer <b>%s</b> (verdi <b>'%s</b> &quot;er ikke en <b>%s</b> eksisterende ref)
-ErrorsOnXLines=Feil på <b>%s</b> kilde linjer
-ErrorFileIsInfectedWithAVirus=Det antivirus programmet var ikke i stand til å validere filen (filen kan være infisert av et virus)
+ErrorCantSaveADoneUserWithZeroPercentage=Kan ikke lagre en handling med "status ikke startet" hvis feltet "gjort av" også er utfylt.
+ErrorRefAlreadyExists=Ref bruket til oppretting finnes allerede.
+ErrorPleaseTypeBankTransactionReportName=Vennligst skriv navnet på bankkvitteringen der transaksjonen er rapportert (i formatet ÅÅÅÅMM eller ÅÅÅÅMMDD)
+ErrorRecordHasChildren=Kunne ikke slette poster siden den har noen relasjoner.
+ErrorRecordIsUsedCantDelete=Kan ikke slette posten. Den er allerede brukt eller inkludert i et annet objekt
+ErrorModuleRequireJavascript=Javascript må være aktivert for å kunne bruke denne funksjonen. For å aktivere/deaktivere Javascript, gå til menyen Hjem-> Oppsett-> Visning.
+ErrorPasswordsMustMatch=Passordene må samsvare med hverandre
+ErrorContactEMail=En teknisk feil oppsto. Vennligst kontakt administrator på e-post <b>%s</b> og oppgi feilkoden <b>%s</b> i meldingen, eller enda bedre, ved å legge til en skjermdump av denne siden.
+ErrorWrongValueForField=Feil verdi for feltnummeret <b>%s</b> (verdien <b>«%s"</b> samsvarer ikke med regex regel <b>%s)</b>
+ErrorFieldValueNotIn=Feil verdi for feltnummer <b>%s</b> (verdien '<b>%s</b>' er ikke tilgjengelig for feltet <b>%s</b> i tabell <b>%s</b> = <b>%s</b>)
+ErrorFieldRefNotIn=Feil verdi for feltnummer <b>%s</b> (verdien '<b>%s</b>' er ikke en <b>%s</b> eksisterende ref)
+ErrorsOnXLines=Feil på <b>%s</b> kildelinje(r)
+ErrorFileIsInfectedWithAVirus=Antivirus-programmet var ikke i stand til å validere filen (filen kan være infisert av et virus)
 ErrorSpecialCharNotAllowedForField=Spesialtegn er ikke tillatt for feltet "%s"
-ErrorDatabaseParameterWrong=Database setup parameter <b>'%s</b> "har en verdi ikke forenlig å bruke Dolibarr (må ha verdi' <b>%s</b> ').
-ErrorNumRefModel=En referanse finnes i databasen (%s), og er ikke kompatibel med denne nummerering regelen. Fjern posten eller omdøpt referanse for å aktivere denne modulen.
-ErrorQtyTooLowForThisSupplier=Kvantum er for lavt for denne leverandøren eller pris ikke definert på dette produktet for denne leverandøren
-ErrorModuleSetupNotComplete=Oppsett av modul ser ut til å være uncomplete. Gå på Setup - Modules å fullføre.
+ErrorDatabaseParameterWrong=Database setup-parameter '<b>%s</b>' har en verdi som ikke er kompatibel med Dolibarr (må ha verdien '<b>%s</b>').
+ErrorNumRefModel=En referanse finnes i databasen (%s), og er ikke kompatibel med denne nummereringsregelen. Fjern posten eller omdøp referansen for å aktivere denne modulen.
+ErrorQtyTooLowForThisSupplier=Kvantum er for lavt eller pris ikke satt på denne varen for denne leverandøren
+ErrorModuleSetupNotComplete=Oppsett av modul ser ikke ut til å være komplett. Gå på Oppsett - Moduler for å fullføre.
 ErrorBadMask=Feil på maske
 ErrorBadMaskFailedToLocatePosOfSequence=Feil, maske uten sekvensnummer
 ErrorBadMaskBadRazMonth=Feil, ikke korrekt tilbakestillingsverdi
-ErrorMaxNumberReachForThisMask=Max number reach for this mask
-ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits
+ErrorMaxNumberReachForThisMask=Maksimum nummer nådd for denne masken
+ErrorCounterMustHaveMoreThan3Digits=Teller må ha mer enn 3 siffer
 ErrorSelectAtLeastOne=Feil. Velg minst én oppføring.
-ErrorProductWithRefNotExist=Produkt med referansenummer <i>'%s</i> &quot;ikke eksisterer
-ErrorDeleteNotPossibleLineIsConsolidated=Slett ikke mulig fordi posten er knyttet til en bank betalingstransaksjonen som conciliated
-ErrorProdIdAlreadyExist=%s er tilordnet en annen tredje
+ErrorProductWithRefNotExist=Vare med referansenummer '<i>'%s</i>' eksisterer ikke
+ErrorDeleteNotPossibleLineIsConsolidated=Sletting ikke mulig fordi posten er knyttet til en banktransaksjonen som er avstemt
+ErrorProdIdAlreadyExist=%s er tilordnet en annen tredjepart
 ErrorFailedToSendPassword=Klarte ikke å sende passord
-ErrorFailedToLoadRSSFile=Unnlater å få RSS feed. Prøv å legge konstant MAIN_SIMPLEXMLLOAD_DEBUG hvis feilmeldinger ikke gir nok informasjon.
+ErrorFailedToLoadRSSFile=Klarer ikke hente RSS-feed. Prøv å legge konstant MAIN_SIMPLEXMLLOAD_DEBUG hvis feilmeldinger ikke gir nok informasjon.
 ErrorPasswordDiffers=Passordene er forskjellige, prøv igjen
 ErrorForbidden=Tilgang forbudt.<br>Du prøver å nå en side, et område eller en funksjon uten at du er riktig logget inn. Det kan også være at du ikke har tilstrekkelige rettigheter.
 ErrorForbidden2=Tillatelse for denne innloggingen kan settes av Dolibarr-administratoren fra menyen %s->%s.
@@ -110,14 +110,14 @@ ErrorCantReadDir=Kunne ikke lese mappen '%s'
 ErrorFailedToFindEntity=Kunne ikke lese miljø '%s'
 ErrorBadLoginPassword=Feil verdi for brukernavn eller passord
 ErrorLoginDisabled=Kontoen din har blitt deaktivert
-ErrorFailedToRunExternalCommand=Kunne kjøre ekstern kommando. Sjekk det er tilgjengelig og kjørbart av din PHP server. Hvis PHP <b>Safe Mode</b> er aktivert, må du kontrollere at kommandoen er inne i en katalog som er definert av parameter <b>safe_mode_exec_dir.</b>
+ErrorFailedToRunExternalCommand=Kunne ikke kjøre ekstern kommando. Sjekk om det er tilgjengelig og kjørbart av din PHP server. Hvis PHP <b>Safe Mode</b> er aktivert, må du kontrollere at kommandoen er inne i en mappe som er definert av parameter <b>safe_mode_exec_dir</b>.
 ErrorFailedToChangePassword=Kunne ikke endre passord
-ErrorLoginDoesNotExists=Bruker med logg <b>%s</b> kunne ikke bli funnet.
-ErrorLoginHasNoEmail=Denne brukeren har ingen e-postadresse. Behandle avbrutt.
-ErrorBadValueForCode=Bad verdi for sikkerhetskode. Prøv igjen med ny verdi ...
-ErrorBothFieldCantBeNegative=Fields %s og %s kan ikke være både negativt
-ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative
-ErrorWebServerUserHasNotPermission=Brukerkonto <b>%s</b> brukes til å utføre web-server har ikke tillatelse til at
+ErrorLoginDoesNotExists=Bruker med loginn <b>%s</b> kunne ikke bli funnet.
+ErrorLoginHasNoEmail=Denne brukeren har ingen e-postadresse. Prosess avbrutt.
+ErrorBadValueForCode=Feil verdi for sikkerhetskode. Prøv igjen med ny verdi ...
+ErrorBothFieldCantBeNegative=Feltene %s og %s kan ikke begge være negative
+ErrorQtyForCustomerInvoiceCantBeNegative=Kvantum på linjer i kundefakturaer kan ikke være negativ
+ErrorWebServerUserHasNotPermission=Brukerkonto <b>%s</b> som brukes til å kjøre web-server har ikke tillatelse til det
 ErrorNoActivatedBarcode=Ingen strekkodetype aktivert
 ErrUnzipFails=Klarte ikke å pakke ut %s med ZipArchive
 ErrNoZipEngine=Ingen applikasjon som kan pakke ut %s i denne PHP
@@ -127,28 +127,28 @@ ErrorPhpCurlNotInstalled=PHP CURL er ikke installert. Denne må være installert
 ErrorFailedToAddToMailmanList=Klarte ikke å legge post %s til Mailman-liste %s eller SPIP-base
 ErrorFailedToRemoveToMailmanList=Klarte ikke å fjerne post %s fra Mailman-liste %s eller SPIP-base
 ErrorNewValueCantMatchOldValue=Ny verdi kan ikke være lik den gamle
-ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process.
-ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check Mysql server is running (in most cases, you can launch it from command line with 'sudo /etc/init.d/mysql start').
+ErrorFailedToValidatePasswordReset=Klarte ikke å initialisere passordet på nytt. Initialiseringen kan allerede ha blitt utført (denne lenken kan bare brukes en gang). Hvis ikke, prøv å starte prosessen på nytt
+ErrorToConnectToMysqlCheckInstance=Kobling til databasen mislykkes. Sjekk at Mysql-serveren kjører (i de fleste tilfeller kan du starte den fra kommandolinjen med 'sudo /etc/init.d/mysql start').
 ErrorFailedToAddContact=Klarte ikke å legge til kontakt
 ErrorDateMustBeBeforeToday=Datoen kan ikke settes til senere enn i dag
-ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode.
+ErrorPaymentModeDefinedToWithoutSetup=En betalingsmodus var satt til å skrive %s, men oppsett av modulen Faktura er ikke ferdig definert for å vise for denne betalingsmodusen.
 ErrorPHPNeedModule=Feil! Din PHP må ha modulen <b>%s</b> installert for  å kunne bruke denne funksjonen.
-ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s
-ErrorWarehouseMustDiffers=Source and target warehouses must differs
-ErrorBadFormat=Bad format!
-ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any thirdparty. Link member to an existing third party or create a new thirdparty before creating subscription with invoice.
-ErrorThereIsSomeDeliveries=Error, there is some deliveries linked to this shipment. Deletion refused.
-ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank transaction that was conciliated
-ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Payed
-ErrorPriceExpression1=Cannot assign to constant '%s'
-ErrorPriceExpression2=Cannot redefine built-in function '%s'
-ErrorPriceExpression3=Undefined variable '%s' in function definition
-ErrorPriceExpression4=Illegal character '%s'
-ErrorPriceExpression5=Unexpected '%s'
-ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected)
-ErrorPriceExpression8=Unexpected operator '%s'
-ErrorPriceExpression9=An unexpected error occured
-ErrorPriceExpression10=Iperator '%s' lacks operand
+ErrorOpenIDSetupNotComplete=Du satte opp Dolibarr config-filen til å tillate OpenID-autentisering, men url til OpenID-tjenesten er ikke definert i konstanten %s
+ErrorWarehouseMustDiffers=Kilde- og målvarehus må være ulike
+ErrorBadFormat=Feil format!
+ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Feil! Dette medlemmet er ennå ikke koblet til noen tredjepart. Koble medlemmet mot en eksisterende tredjepart eller opprett en ny tredjepart, før du oppretter et abonnement med faktura
+ErrorThereIsSomeDeliveries=Feil! Det er noen leveringer knyttet til denne forsendelsen. Sletting nektet
+ErrorCantDeletePaymentReconciliated=Kan ikke slette en betaling som har generert en banktransaksjon, og som er blitt avstemt
+ErrorCantDeletePaymentSharedWithPayedInvoice=Kan ikke slette en betaling delt med minst en faktura med status Betalt
+ErrorPriceExpression1=Kan ikke tildele til konstant '%s'
+ErrorPriceExpression2=Kan ikke omdefinere innebygd funksjon '%s'
+ErrorPriceExpression3=Udefinert variabel '%s' i funksjon
+ErrorPriceExpression4=Ulovlig karakter '%s'
+ErrorPriceExpression5=Uventet '%s'
+ErrorPriceExpression6=Feil antall argumenter (%s er gitt, %s er forventet)
+ErrorPriceExpression8=Uventet operator '%s'
+ErrorPriceExpression9=En uventet feil oppsto
+ErrorPriceExpression10=Operator '%s' mangler operand
 ErrorPriceExpression11=Forventet '%s'
 ErrorPriceExpression14=Delt på null
 ErrorPriceExpression17=Udefinert variabel '%s'
@@ -158,36 +158,37 @@ ErrorPriceExpression21=Tomt resultat '%s'
 ErrorPriceExpression22=Negativt resultat '%s'
 ErrorPriceExpressionInternal=Intern feil '%s'
 ErrorPriceExpressionUnknown=Ukjent feil '%s'
-ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs
-ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on a product requiring lot/serial information
-ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action
-ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action
-ErrorGlobalVariableUpdater0=HTTP request failed with error '%s'
-ErrorGlobalVariableUpdater1=Invalid JSON format '%s'
-ErrorGlobalVariableUpdater2=Missing parameter '%s'
-ErrorGlobalVariableUpdater3=The requested data was not found in result
-ErrorGlobalVariableUpdater4=SOAP client failed with error '%s'
-ErrorGlobalVariableUpdater5=No global variable selected
-ErrorFieldMustBeANumeric=Field <b>%s</b> must be a numeric value
-ErrorFieldMustBeAnInteger=Field <b>%s</b> must be an integer
-ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided
+ErrorSrcAndTargetWarehouseMustDiffers=Kilde- og målvarehus må være ulik
+ErrorTryToMakeMoveOnProductRequiringBatchData=Feil! Prøver å utføre lageroverføring uten lot/serienummer på et vare som krever dette
+ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=Alle registrerte mottak må først verifiseres (godkjent eller nektet) før dette kan utføres
+ErrorCantSetReceptionToTotalDoneWithReceptionDenied=Alle registrerte mottak må først verifiseres (godkjent) før dette kan utføres
+ErrorGlobalVariableUpdater0=HTTP forespørsel feilet med meldingen '%s'
+ErrorGlobalVariableUpdater1=Feil JSON format '%s'
+ErrorGlobalVariableUpdater2=Manglende parameter '%s'
+ErrorGlobalVariableUpdater3=Dataene ble ikke funnet i resultatet
+ErrorGlobalVariableUpdater4=SOAP klienten feilet med meldingen '%s'
+ErrorGlobalVariableUpdater5=Ingen global variabel valgt
+ErrorFieldMustBeANumeric=Feltet <b>%s</b> må være en numerisk verdi
+ErrorFieldMustBeAnInteger=Feltet <b>%s</b> må være et heltall
+ErrorMandatoryParametersNotProvided=Obligatorisk(e) parametre ikke angitt
 
 # Warnings
 WarningMandatorySetupNotComplete=Obligatoriske parametre er enda ikke satt opp
-WarningSafeModeOnCheckExecDir=Advarsel, PHP alternativet <b>safe_mode</b> er på så kommandere må lagres i en katalog erklært av php parameter <b>safe_mode_exec_dir.</b>
-WarningAllowUrlFopenMustBeOn=Parameteret <b>allow_url_fopen</b> må slås på <b>on</b> i filen <b>php.ini</b> for at denne modulen skal virke ordentlig. Du må endre denne filen manuelt.
-WarningBuildScriptNotRunned=Skriptet <b>%s</b> for å lage grafikk er ikke kjørt, eller det er ikngen data å vise.
+WarningSafeModeOnCheckExecDir=Advarsel, PHP alternativet <b>safe_mode</b> er på så kommandere må lagres i en mappe erklært av php parameter <b>safe_mode_exec_dir.</b>
+WarningAllowUrlFopenMustBeOn=Parameteret <b>allow_url_fopen</b> må settes til <b>on</b> i filen <b>php.ini</b> for at denne modulen skal virke ordentlig. Du må endre denne filen manuelt.
+WarningBuildScriptNotRunned=Skriptet <b>%s</b> for å lage grafikk er ikke kjørt, eller det er ingen data å vise.
 WarningBookmarkAlreadyExists=Et bokmerke med denne tittelen eller denne URL'en eksisterer fra før.
 WarningPassIsEmpty=Advarsel: databasepassordet er tomt. Dette er en sikkerhetsrisiko. Du bør passordbeskytte databasen og endre filen conf.php
-WarningConfFileMustBeReadOnly=Advarsel, config <b>(htdocs / conf / conf.php)</b> kan du bli overkjørt av webserveren. Dette er et alvorlig sikkerhetshull. Endre tillatelser på filen for å være i skrivebeskyttet modus for operativsystem bruker brukes av web-server. Hvis du bruker Windows og FAT format for disken din, må du vite at dette filsystemet ikke tillater å legge til tillatelser på filen, så kan ikke være helt sikker.
+WarningConfFileMustBeReadOnly=Advarsel, config-filen din <b>(htdocs / conf / conf.php)</b> kan overskrives av webserveren. Dette er et alvorlig sikkerhetshull. Endre tillatelser på filen til skrivebeskyttet modus for operativsystem-brukeren brukt av web-server. Hvis du bruker Windows og FAT format for disken din, må du vite at dette filsystemet ikke tillater å legge til tillatelser på filen, så du kan ikke være helt sikker.
 WarningsOnXLines=Advarsler på <b>%s</b> kildelinje(r)
-WarningNoDocumentModelActivated=Ingen modell, for dokument generasjon, har blitt aktivert. En modell vil bli choosed av retten til du sjekke modulen oppsett.
+WarningNoDocumentModelActivated=Ingen modell, for dokumentgenerrering, er blitt aktivert. En modell vil bli valgt som standard til du kontrollerer moduloppsettet.
 WarningLockFileDoesNotExists=ADVARSEL! Når setup er ferdig, må du deaktivere installasjon/migrasjons-verktøy ved å legge til filen <b>install.lock</b> i mappen <b>%s</b>. Uten denne filen er sikkerheten kraftig redusert
-WarningUntilDirRemoved=Denne advarselen vil være aktivert så lenge denne mappen eksisterer (Den vises kun til administratorer).
-WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution.
+WarningUntilDirRemoved=Alle sikkerhetsadvarsler (synlige for admin-brukere) vil være aktiv så lenge sårbarhet er tilstede (eller at konstant MAIN_REMOVE_INSTALL_WARNING legges i Oppset-> Andre innstillinger).
+WarningCloseAlways=Advarsel! Avsluttes selv om beløpet er forskjellig mellom kilde- og målelementer. Aktiver denne funksjonen med forsiktighet.
 WarningUsingThisBoxSlowDown=Advarsel! Ved å bruke denne boksen vil du gjøre alle sider som bruker den, tregere.
 WarningClickToDialUserSetupNotComplete=Oppsett av KlikkForÅRinge informasjon for din bruker er ikke komplett (Se fanen KlikkForÅRinge på ditt bruker-kort)
 WarningNotRelevant=Irrelevant operasjon for dette datasettet
-WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
+WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Egenskapen er deaktivert når visningsoppsettet er optimalisert for blinde personer eller tekstbaserte nettlesere.
 WarningPaymentDateLowerThanInvoiceDate=Betalingsdato (%s) er tidligere enn fakturadato (%s) for faktura %s.
 WarningTooManyDataPleaseUseMoreFilters=For mange data. Bruk flere filtre
+WarningSomeLinesWithNullHourlyRate=Når brukere ikke legger inn timeprisen riktig, kan 0 bli registrert. Dette kan resultere i feil verdisetting av tidsbruk
diff --git a/htdocs/langs/nb_NO/exports.lang b/htdocs/langs/nb_NO/exports.lang
index 1f717a508b694032de5b8e152893c3a34550a0df..459dc622b9cecded4dff35cc5013ef3b2caec774 100644
--- a/htdocs/langs/nb_NO/exports.lang
+++ b/htdocs/langs/nb_NO/exports.lang
@@ -55,7 +55,7 @@ LineQty=Kvantum for linje
 LineTotalHT=Netto etter skatt for linje
 LineTotalTTC=Beløp med skatt for linje
 LineTotalVAT=MVA-beløp for linje
-TypeOfLineServiceOrProduct=Linjetype (0=produkt, 1=tjeneste)
+TypeOfLineServiceOrProduct=Linjetype (0=vare, 1=tjeneste)
 FileWithDataToImport=Fil med data som skal importeres
 FileToImport=Kildefilen du vil importere
 FileMustHaveOneOfFollowingFormat=Filen som skal importeres må ha ett av følgende format
@@ -118,7 +118,7 @@ ExportFieldAutomaticallyAdded=Feltet <b>%s</b> ble lagt til automatisk. Det vil
 CsvOptions=CSV innstillinger
 Separator=Separator
 Enclosure=Innbygging
-SuppliersProducts=Leverandørs produkter
+SuppliersProducts=Leverandørs varer
 BankCode=Bank code (ikke i Norge)
 DeskCode=Desk code (ikke i Norge)
 BankAccountNumber=Kontonummer
diff --git a/htdocs/langs/nb_NO/holiday.lang b/htdocs/langs/nb_NO/holiday.lang
index 77547730107ee1534fdd666bca5b29ed13691d8b..48f02058f3b4d5ef31a47c12a0405ac5e7482c5c 100644
--- a/htdocs/langs/nb_NO/holiday.lang
+++ b/htdocs/langs/nb_NO/holiday.lang
@@ -1,148 +1,151 @@
 # Dolibarr language file - Source file is en_US - holiday
 HRM=HRM
-Holidays=Leaves
-CPTitreMenu=Leaves
-MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
-NotActiveModCP=You must enable the module Leaves to view this page.
-NotConfigModCP=You must configure the module Leaves 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 any available day.
-AddCP=Make a leave request
-Employe=Employee
+Holidays=Ferier
+CPTitreMenu=Ferier
+MenuReportMonth=Månedlig uttalelse
+MenuAddCP=Ny feriesøknad
+NotActiveModCP=Du må aktivere modulen Ferier for å vise denne siden
+NotConfigModCP=Du må konfigurere modulen Ferier for å vise denne siden.For å gjøre dette, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> klikk her </ a>.
+NoCPforUser=Du har ingen tilgjengelige dager
+AddCP=Opprett feriesøknad
+Employe=Ansatt
 DateDebCP=Startdato
 DateFinCP=Sluttdato
 DateCreateCP=Opprettet den
 DraftCP=Utkast
-ToReviewCP=Awaiting approval
+ToReviewCP=Venter på godkjenning
 ApprovedCP=Godkjent
 CancelCP=Kansellert
 RefuseCP=Nektet
-ValidatorCP=Approbator
-ListeCP=List of leaves
-ReviewedByCP=Will be reviewed by
+ValidatorCP=Godkjenner
+ListeCP=Liste over ferier
+ReviewedByCP=Vil bli gjennomgått av
 DescCP=Beskrivelse
-SendRequestCP=Create leave request
-DelayToRequestCP=Leave requests must be made at least <b>%s day(s)</b> before them.
-MenuConfCP=Edit balance of leaves
-UpdateAllCP=Update the leaves
-SoldeCPUser=Leaves balance is <b>%s</b> days.
-ErrorEndDateCP=You must select an end date greater than the start date.
-ErrorSQLCreateCP=An SQL error occurred during the creation:
-ErrorIDFicheCP=An error has occurred, the leave request does not exist.
-ReturnCP=Return to previous page
-ErrorUserViewCP=You are not authorized to read this leave request.
-InfosCP=Information of the leave request
-InfosWorkflowCP=Information Workflow
-RequestByCP=Requested by
-TitreRequestCP=Leave request
-NbUseDaysCP=Number of days of vacation consumed
+SendRequestCP=Opprett feriesøknad
+DelayToRequestCP=Søknader må opprettes minst <b>%s dag(er)</b> før ferien skal starte
+MenuConfCP=Endre feriebalanse
+UpdateAllCP=Oppdater ferier
+SoldeCPUser=Feriebalansen er <b>%s</b> dager.
+ErrorEndDateCP=Sluttdato må være senere en startdato
+ErrorSQLCreateCP=En SQL feil oppsto under opprettelse:
+ErrorIDFicheCP=En feil oppsto. Feriesøknaden finnes ikke
+ReturnCP=Tilbake til forrige side
+ErrorUserViewCP=Du er ikke autorisert for å lese denne feriesøknaden
+InfosCP=Informasjon om feriesøknad
+InfosWorkflowCP=Informasjon om arbeidsflyt
+RequestByCP=Forespurt av
+TitreRequestCP=Feriesøknad
+NbUseDaysCP=Antall brukte feriedager
 EditCP=Rediger
 DeleteCP=Slett
-ActionValidCP=Godkjenn
-ActionRefuseCP=Refuse
+ActionValidCP=Valider
+ActionRefuseCP=Avvis
 ActionCancelCP=Avbryt
 StatutCP=Status
-SendToValidationCP=Send to validation
-TitleDeleteCP=Delete the leave request
-ConfirmDeleteCP=Confirm the deletion of this leave request?
-ErrorCantDeleteCP=Error you don't have the right to delete this leave request.
-CantCreateCP=You don't have the right to make leave requests.
-InvalidValidatorCP=You must choose an approbator to your leave request.
-CantUpdate=You cannot update this leave request.
-NoDateDebut=You must select a start date.
-NoDateFin=You must select an end date.
-ErrorDureeCP=Your leave request does not contain working day.
-TitleValidCP=Approve the leave request
-ConfirmValidCP=Are you sure you want to approve the leave request?
-DateValidCP=Date approved
-TitleToValidCP=Send leave request
-ConfirmToValidCP=Are you sure you want to send the leave request?
-TitleRefuseCP=Refuse the leave request
-ConfirmRefuseCP=Are you sure you want to refuse the leave request?
-NoMotifRefuseCP=You must choose a reason for refusing the request.
-TitleCancelCP=Cancel the leave request
-ConfirmCancelCP=Are you sure you want to cancel the leave request?
-DetailRefusCP=Reason for refusal
-DateRefusCP=Date of refusal
-DateCancelCP=Date of cancellation
-DefineEventUserCP=Assign an exceptional leave for a user
-addEventToUserCP=Assign leave
+SendToValidationCP=Send til validering
+TitleDeleteCP=Slett en feriesøknad
+ConfirmDeleteCP=Bekrefte sletting av denne feriesøknaden?
+ErrorCantDeleteCP=Feil! Du har ikke lov til å slette denne feriesøknaden
+CantCreateCP=Du har ikke lov til å opprette feriesøknader.
+InvalidValidatorCP=Du må velge en godkjenner for din feriesøknad.
+CantUpdate=Du kan ikke oppdatere denne feriesøknaden.
+NoDateDebut=Du må velge en startdato.
+NoDateFin=Du må velge en sluttdato.
+ErrorDureeCP=Perioden du søker for inneholder ikke arbeidsdager
+TitleValidCP=Godkjenn feriesøknaden
+ConfirmValidCP=Er du sikker på at du vil godkjenne feriesøknaden?
+DateValidCP=Godkjent dato
+TitleToValidCP=Send feriesøknad
+ConfirmToValidCP=Er du sikker på at du vil sende feriesøknaden?
+TitleRefuseCP=Avvis feriesøknaden
+ConfirmRefuseCP=Er du sikker på at du vil avvise feriesøknaden?
+NoMotifRefuseCP=Du må velge en årsak for avvisning av søknaden
+TitleCancelCP=Kanseller feriesøknaden
+ConfirmCancelCP=Er du sikker på at du vil kansellere feriesøknaden?
+DetailRefusCP=Avvisningsårsak
+DateRefusCP=Avvist dato
+DateCancelCP=Kansellert dato
+DefineEventUserCP=Tildel ekstraordinær ferie for bruker
+addEventToUserCP=Tildel ferie
 MotifCP=Begrunnelse
 UserCP=Bruker
-ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
-AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
-LogCP=Log of updates of available vacation days
-ActionByCP=Performed by
-UserUpdateCP=For the user
-PrevSoldeCP=Previous Balance
-NewSoldeCP=New Balance
-alreadyCPexist=A leave request has already been done on this period.
+ErrorAddEventToUserCP=En feil oppsto ved opprettelse av ekstraordinær ferie
+AddEventToUserOkCP=Opprettelse av ekstraordinær ferie er utført
+MenuLogCP=Vis endringslogger
+LogCP=Logg over oppdateringer av tilgjengelige feriedager
+ActionByCP=Utført av
+UserUpdateCP=For bruker
+PrevSoldeCP=Forrige balanse
+NewSoldeCP=Ny balanse
+alreadyCPexist=En feriesøknad er allerede utført for denne perioden
 UserName=Navn
-Employee=Employee
-FirstDayOfHoliday=First day of vacation
-LastDayOfHoliday=Last day of vacation
-HolidaysMonthlyUpdate=Monthly update
-ManualUpdate=Manual update
-HolidaysCancelation=Leave request cancelation
+Employee=Ansatt
+FirstDayOfHoliday=Første feriedag
+LastDayOfHoliday=Siste feriedag
+HolidaysMonthlyUpdate=Månedlig oppdatering
+ManualUpdate=Manuell oppdatering
+HolidaysCancelation=Kansellering av feriesøknader
 
 ## Configuration du Module ##
-ConfCP=Configuration of leave request module
-DescOptionCP=Description of the option
+ConfCP=Oppsett av modulen Ferier
+DescOptionCP=Beskrivelse
 ValueOptionCP=Verdi
-GroupToValidateCP=Group with the ability to approve leave requests
+GroupToValidateCP=Gruppe som kan godkjenne feriesøknader
 ConfirmConfigCP=Valider konfigurasjonen
-LastUpdateCP=Last automatic update of leaves allocation
+LastUpdateCP=Siste  automatiske oppdatering av ferietildeling
+MonthOfLastMonthlyUpdate=Måned med siste automatiske oppdatering av ferieallokering
 UpdateConfCPOK=Vellykket oppdatering.
 ErrorUpdateConfCP=En feil oppsto under oppdatering, vennligst prøv igjen.
-AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
-DelayForSubmitCP=Deadline to make a leave requests
-AlertapprobatortorDelayCP=Prevent the approbator if the leave request does not match the deadline
-AlertValidatorDelayCP=Préevent the approbator if the leave request exceed delay
-AlertValidorSoldeCP=Prevent the approbator if the leave request exceed the balance
-nbUserCP=Number of users supported in the module Leaves
-nbHolidayDeductedCP=Number of leave days to be deducted per day of vacation taken
-nbHolidayEveryMonthCP=Number of leave days added every month
-Module27130Name= Management of leave requests
-Module27130Desc= Management of leave requests
-TitleOptionMainCP=Main settings of leave request
-TitleOptionEventCP=Settings of leave requets for events
-ValidEventCP=Godkjenn
-UpdateEventCP=Update events
+AddCPforUsers=Legg til balanse over ferietildeling. <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">klikk her</a>.
+DelayForSubmitCP=Siste frist for feriesøknader
+AlertapprobatortorDelayCP=Hindre godkjenning hvis feriesøknaden ikke holder tidsfristen
+AlertValidatorDelayCP=Hindre godkjenning av feriesøknaden hvis overstiger tilgjengelig forsinkelse
+AlertValidorSoldeCP=Hindre godkjenning av feriesøknaden hvis den overstiger balanse
+nbUserCP=Antall brukere støttet i Ferie-modulen
+nbHolidayDeductedCP=Antall dager som skal trekkes fra ved avvikling av ferie
+nbHolidayEveryMonthCP=Antall feriedager som legges til hver måned
+Module27130Name= Håndtering av feriesøknader
+Module27130Desc= Håndtering av feriesøknader
+TitleOptionMainCP=Hovedoppsett av feriesøknader
+TitleOptionEventCP=Innstillinger av feriesøknader ved hendelser
+ValidEventCP=Valider
+UpdateEventCP=Oppdater hendelser
 CreateEventCP=Opprett
-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.
-TitleDeleteEventCP=Delete a exceptional leave
-TitleCreateEventCP=Create a exceptional leave
-TitleUpdateEventCP=Edit or delete a exceptional leave
+NameEventCP=Hendelsesnavn
+OkCreateEventCP=Hendelse lagt til
+ErrorCreateEventCP=Feil ved opprettelse av hendelse
+UpdateEventOkCP=Hendelsen ble oppdatert
+ErrorUpdateEventCP=Feil ved oppdatering av hendelse
+DeleteEventCP=Slett hendelse
+DeleteEventOkCP=Hendelsen er blitt slettet
+ErrorDeleteEventCP=Feil ved sletting av hendelse
+TitleDeleteEventCP=Slett en ekstraordinær ferie
+TitleCreateEventCP=Opprett ekstraordinær ferie
+TitleUpdateEventCP=Endre eller slett en ekstraordinær ferie
 DeleteEventOptionCP=Slett
 UpdateEventOptionCP=Oppdater
-ErrorMailNotSend=An error occurred while sending email:
-NoCPforMonth=No leave this month.
-nbJours=Number days
-TitleAdminCP=Configuration of Leaves
+ErrorMailNotSend=En feil oppsto ved sending av e-post:
+NoCPforMonth=Ingen ferie denne måneden
+nbJours=Antall dager
+TitleAdminCP=Oppsett av ferier
+NoticePeriod=Oppsigelsestid
 #Messages
-Hello=Hello
-HolidaysToValidate=Validate leave requests
-HolidaysToValidateBody=Below is a leave request to validate
-HolidaysToValidateDelay=This leave request will take place within a period of less than %s days.
-HolidaysToValidateAlertSolde=The user who made this leave reques do not have enough available days.
-HolidaysValidated=Validated leave requests
-HolidaysValidatedBody=Your leave request for %s to %s has been validated.
-HolidaysRefused=Request denied
-HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
-HolidaysCanceled=Canceled leaved request
-HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
-Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Hello=Hallo
+HolidaysToValidate=Valider feriesøknader
+HolidaysToValidateBody=Under er en feriesøknad for validering
+HolidaysToValidateDelay=Denne ferien avvikles innen %s dager
+HolidaysToValidateAlertSolde=Brukeren som sendte inn denne feriesøknaden har ikke nok tilgjengelige dager.
+HolidaysValidated=Validerte feriesøknader
+HolidaysValidatedBody=Feriesøknaden din for perioden %s til %s er blitt validert
+HolidaysRefused=Søknad avvist
+HolidaysRefusedBody=Feriesøknaden din for perioden %s til %s er blitt avvist med følgende årsak:
+HolidaysCanceled=Kansellert feriesøknad
+HolidaysCanceledBody=Feriesøknaden din for perioden %s til %s er blitt kansellert.
+Permission20001=Les dine egne feriesøknader
+Permission20002=Opprett/endre dine egne feriesøknader
+Permission20003=Slett feriesøknad
+Permission20004=Les feriesøknader fra alle
+Permission20005=Opprett/endre feriesøknader for alle
+Permission20006=Administrer feriesøknader (oppsett og oppdater balanse)
+NewByMonth=Lagt til pr. måned
+GoIntoDictionaryHolidayTypes=Gå til <strong>Hjem - Oppsett - Ordlister - Ferietyper</strong> for å sette oppforskjellige typer ferier.
diff --git a/htdocs/langs/nb_NO/install.lang b/htdocs/langs/nb_NO/install.lang
index b5f4e9a57d0d598021e340b6c89fa20abb6420b0..7a64eb356d5ac83683e415618e04be4cdd4aea2d 100644
--- a/htdocs/langs/nb_NO/install.lang
+++ b/htdocs/langs/nb_NO/install.lang
@@ -200,7 +200,7 @@ MigrationBankTransfertsNothingToUpdate=Alle linker er oppdatert
 MigrationShipmentOrderMatching=Sendings kvittering oppdatering
 MigrationDeliveryOrderMatching=Levering kvittering oppdatering
 MigrationDeliveryDetail=Levering oppdatering
-MigrationStockDetail=Oppdater lager verdien av produkter
+MigrationStockDetail=Oppdater lager verdien av varer
 MigrationMenusDetail=Oppdater dynamiske menyer tabeller
 MigrationDeliveryAddress=Oppdater leveringsadresse i leveransene
 MigrationProjectTaskActors=Data migrering for llx_projet_task_actors bord
diff --git a/htdocs/langs/nb_NO/interventions.lang b/htdocs/langs/nb_NO/interventions.lang
index b1e70f7a3fb10fdbc519b73920dca8dbf6259aa4..db67a38383e120258fc902ed701815c647a27aea 100644
--- a/htdocs/langs/nb_NO/interventions.lang
+++ b/htdocs/langs/nb_NO/interventions.lang
@@ -49,5 +49,5 @@ ArcticNumRefModelDesc1=Generisk nummereringsmodell
 ArcticNumRefModelError=Feil ved aktivering
 PacificNumRefModelDesc1=Gir et nummer med formatet %sååmm-nnnn hvor åå er året, mm er måneden og nnnn er et løpenummer som ikke kan settes tilbake til 0
 PacificNumRefModelError=Det finnes allerede et intervensjonskort som starter med  $sååmm, og dette er ikke kompatibelt med denne nummereringsmodellen. Du må fjerne denne for å aktivere denne modellen.
-PrintProductsOnFichinter=Skriv ut produkter på intervensjonskortet
+PrintProductsOnFichinter=Skriv ut varer på intervensjonskortet
 PrintProductsOnFichinterDetails=intervensjoner generert fra ordre
diff --git a/htdocs/langs/nb_NO/loan.lang b/htdocs/langs/nb_NO/loan.lang
index 05f1a12a6c0cca6ad6d4e8ec34c5eeb1d1d85306..1bbbd6c4e0d04be3f3853173f8208fecdf0b259c 100644
--- a/htdocs/langs/nb_NO/loan.lang
+++ b/htdocs/langs/nb_NO/loan.lang
@@ -15,39 +15,39 @@ LoanAccountancyInterestCode=Regnskapskode for rente
 LoanPayment=Nedbetaling på lån
 ConfirmDeleteLoan=Bekreft sletting av dette lånet
 LoanDeleted=Lånet ble slettet
-ConfirmPayLoan=Confirm classify paid this loan
+ConfirmPayLoan=Bekreft at dette lånet er klassifisert som betalt
 LoanPaid=Lån nedbetalt
-ErrorLoanCapital=Loan amount has to be numeric and greater than zero.
-ErrorLoanLength=Loan length has to be numeric and greater than zero.
-ErrorLoanInterest=Annual interest has to be numeric and greater than zero.
+ErrorLoanCapital=Lånebeløp må være numerisk og større en null
+ErrorLoanLength=Låneperioden må være numerisk og større enn null
+ErrorLoanInterest=Årlig rente må være numerisk og større enn null
 # Calc
-LoanCalc=Bank Loans Calculator
-PurchaseFinanceInfo=Purchase & Financing Information
-SalePriceOfAsset=Sale Price of Asset
-PercentageDown=Percentage Down
-LengthOfMortgage=Length of Mortgage
-AnnualInterestRate=Annual Interest Rate
-ExplainCalculations=Explain Calculations
-ShowMeCalculationsAndAmortization=Show me the calculations and amortization
-MortgagePaymentInformation=Mortgage Payment Information
+LoanCalc=Lånekalkulator
+PurchaseFinanceInfo=Kjøps- og finansieringsinformasjon
+SalePriceOfAsset=Aktiva salgspris
+PercentageDown=Prosentvis ned
+LengthOfMortgage=Låneperiode
+AnnualInterestRate=Årlig rente
+ExplainCalculations=Forklar utregninger
+ShowMeCalculationsAndAmortization=Vis utregninger og amortisering
+MortgagePaymentInformation=Nedbetalingsinformasjon
 DownPayment=Avdrag
-DownPaymentDesc=The <b>down payment</b> = The price of the home multiplied by the percentage down divided by 100 (for 5% down becomes 5/100 or 0.05)
-InterestRateDesc=The <b>interest rate</b> = The annual interest percentage divided by 100
-MonthlyFactorDesc=The <b>monthly factor</b> = The result of the following formula
-MonthlyInterestRateDesc=The <b>monthly interest rate</b> = The annual interest rate divided by 12 (for the 12 months in a year)
-MonthTermDesc=The <b>month term</b> of the loan in months = The number of years you've taken the loan out for times 12
-MonthlyPaymentDesc=The montly payment is figured out using the following formula
-AmortizationPaymentDesc=The <a href="#amortization">amortization</a> breaks down how much of your monthly payment goes towards the bank's interest, and how much goes into paying off the principal of your loan.
-AmountFinanced=Amount Financed
-AmortizationMonthlyPaymentOverYears=Amortization For Monthly Payment: <b>%s</b> over %s years
+DownPaymentDesc= <b>Nedbetaling</b> = Lånebeløp * prosent ned / 100 (For 5% ned får man 5/100 eller 0.05)
+InterestRateDesc=<b>Rentefot</b> = Årsrente/100
+MonthlyFactorDesc=<b>Månedsfaktor</b> = Resultatet av følgende formel:
+MonthlyInterestRateDesc=<b>Månedlig rentefot</b> = Årlig rentefot / 12 (mnd)
+MonthTermDesc=<b>Månedsterminer</b> = Låneperiode i år * 12
+MonthlyPaymentDesc=Månedlige nedbetalinger er regnet ut med følgende formel:
+AmortizationPaymentDesc=<a href="#amortization">amortisering</a> bryter ned hvor mye av den månedlige betalingen går til rentebetaling, og hvor mye som går til nedbetaling på lånet ditt.
+AmountFinanced=Finansieringsbeløp
+AmortizationMonthlyPaymentOverYears=Amortisering for månedlige avdrag: <b>%s</b> over %s år
 Totalsforyear=Totalt for året
 MonthlyPayment=Månedlig avdrag
-LoanCalcDesc=This <b>mortgage calculator</b> can be used to figure out monthly payments of a home mortgage loan, based on the home's sale price, the term of the loan desired, buyer's down payment percentage, and the loan's interest rate.<br> This calculator factors in PMI (Private Mortgage Insurance) for loans where less than 20% is put as a down payment. Also taken into consideration are the town property taxes, and their effect on the total monthly mortgage payment.<br>
-GoToInterest=%s will go towards INTEREST
-GoToPrincipal=%s will go towards PRINCIPAL
-YouWillSpend=You will spend %s on your house in year %s
+LoanCalcDesc=Denne <b>lånekalkulatoren</b> kan brukes til å finne ut månedlige utbetalinger på et lån, basert på kjøpspris, ønskede terminer, kjøperens forskuddsbetaling i prosent, og lånets rente. <br> Denne kalkulatoren tar med PMI (Private Mortgage Insurance) for lån hvor mindre enn 20% er satt som egenandel. Eiendomsskatt blir også tatt i betraktning, og dennes effekt på den totale månedlige etalingen. <br>
+GoToInterest=%s vil gå mot INTEREST
+GoToPrincipal=%s vil gå mot PRINCIPAL
+YouWillSpend=Du vil bruke %s på lånet i år %s
 # Admin
 ConfigLoan=Oppset av lån-modulen
-LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accountancy code capital by default
-LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accountancy code interest by default
-LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accountancy code insurance by default
+LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Standard regnskapskode for kapital
+LOAN_ACCOUNTING_ACCOUNT_INTEREST=Standard regnskapskode for renter
+LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Standard regnskapskode for forsikring
diff --git a/htdocs/langs/nb_NO/mails.lang b/htdocs/langs/nb_NO/mails.lang
index 6485342e0b9a32cfc5f8ce9154072828aa7baee6..506a4e2e9bbae265391e925434bad6938311e041 100644
--- a/htdocs/langs/nb_NO/mails.lang
+++ b/htdocs/langs/nb_NO/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Spor post åpning
 TagUnsubscribe=Avmeldingslink
 TagSignature=Signatur avsender
 TagMailtoEmail=Mottaker e-post
+NoEmailSentBadSenderOrRecipientEmail=Ingen e-post sendt. Feil på avsender eller mottaker. Verifiser brukerprofil
 # Module Notifications
 Notifications=Varsler
 NoNotificationsWillBeSent=Ingen e-postvarsler er planlagt for denne hendelsen/firmaet
diff --git a/htdocs/langs/nb_NO/main.lang b/htdocs/langs/nb_NO/main.lang
index 2fa4ab058698bc37068eae0cb8a46d31b5e06dfd..5322405f21e4dea7d506e74d70ac5eee29a9b749 100644
--- a/htdocs/langs/nb_NO/main.lang
+++ b/htdocs/langs/nb_NO/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Det ble oppdaget feil. Endringer rulles ti
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> er ikke definert i konfigurasjonsfil <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Fant ikke brukeren <b>%s</b> i databasen.
 ErrorNoVATRateDefinedForSellerCountry=Feil: Det er ikke definert noen MVA-satser for landet '%s'.
-ErrorNoSocialContributionForSellerCountry=Feil, ingen sosiale bidrag type definert for landet %s '.
+ErrorNoSocialContributionForSellerCountry=Feil! Ingen skatter og avgifter definert for landet '%s'
 ErrorFailedToSaveFile=Feil: Klarte ikke å lagre filen.
 SetDate=Still dato
 SelectDate=Velg en dato
@@ -302,7 +302,7 @@ UnitPriceTTC=Enhetspris
 PriceU=Pris
 PriceUHT=Pris (netto)
 AskPriceSupplierUHT=Forespørsel om nettopris
-PriceUTTC=Pris
+PriceUTTC=U.P. (inkl. avgift)
 Amount=Beløp
 AmountInvoice=Fakturabeløp
 AmountPayment=Betalingsbeløp
@@ -339,6 +339,7 @@ IncludedVAT=Inkludert MVA
 HT=Eksl. MVA
 TTC=Inkl. MVA
 VAT=MVA
+VATs=Salgsavgifter
 LT1ES=RE
 LT2ES=IRPF
 VATRate=MVA-sats
diff --git a/htdocs/langs/nb_NO/margins.lang b/htdocs/langs/nb_NO/margins.lang
index 43214d5277c6c8b3650f7606993afa07c43814b7..24c72d3a537387bfd52bdfbcba811775c0d22f5a 100644
--- a/htdocs/langs/nb_NO/margins.lang
+++ b/htdocs/langs/nb_NO/margins.lang
@@ -3,33 +3,33 @@
 Margin=Margin
 Margins=Marginer
 TotalMargin=Totalmargin
-MarginOnProducts=Margin - Produkter
+MarginOnProducts=Margin - Varer
 MarginOnServices=Margin - Tjenester
-MarginRate=Margin rate
-MarkRate=Mark rate
-DisplayMarginRates=Display margin rates
-DisplayMarkRates=Display mark rates
-InputPrice=Input price
-margin=Profit margins management
-margesSetup=Profit margins management setup
+MarginRate=Margin/påslag
+MarkRate=Dekningsbidrag
+DisplayMarginRates=Vis marginrater
+DisplayMarkRates=Vis dekningsbidrag
+InputPrice=Inngangspris
+margin=Håndtering av overskuddsmarginer
+margesSetup=Oppsett av overskuddsmargin-håndtering
 MarginDetails=Margindetaljer
-ProductMargins=Produktmarginer
+ProductMargins=Varemarginer
 CustomerMargins=Kundemarginer
-SalesRepresentativeMargins=Sales representative margins
+SalesRepresentativeMargins=Marginer for selgere
 UserMargins=Brukermarginer
 ProductService=Vare eller tjeneste
-AllProducts=Alle produkter og tjenester
-ChooseProduct/Service=Velg produkt eller tjenester
+AllProducts=Alle varer og tjenester
+ChooseProduct/Service=Velg vare eller tjenester
 StartDate=Startdato
 EndDate=Sluttdato
 Launch=Start
 ForceBuyingPriceIfNull=Tving innkjøpspris hvis 0
 ForceBuyingPriceIfNullDetails=hvis "PÅ", vil marginen være null på linjen (innkjøpspris=utsalgspris), ellers ("AV"). Margin vil bli lik utsalgspris (innkjøpspris = 0)
 MARGIN_METHODE_FOR_DISCOUNT=Margin-metode for globale rabatter
-UseDiscountAsProduct=Som produkt
+UseDiscountAsProduct=Som vare
 UseDiscountAsService=Som tjeneste
 UseDiscountOnTotal=Subtota
-MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Defineres om en global rabatt skal gjelde for et produkt, en tjeneste, eller bare som en subtotal for margin-kalkulasjon
+MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Defineres om en global rabatt skal gjelde for et vare, en tjeneste, eller bare som en subtotal for margin-kalkulasjon
 MARGIN_TYPE=Margin type
 MargeBrute=Bruttomargin
 MargeNette=Nettomargin
@@ -38,8 +38,8 @@ CostPrice=Kostpris
 BuyingCost=Kostpris
 UnitCharges=Enhets-avgifter
 Charges=Avgifter
-AgentContactType=Commercial agent contact type
-AgentContactTypeDetails=Define what contact type (linked on invoices) will be used for margin report per sale representative
-rateMustBeNumeric=Rate must be a numeric value
-markRateShouldBeLesserThan100=Mark rate should be lower than 100
+AgentContactType=Kommersiell agent kontakttype
+AgentContactTypeDetails=Definer hvilken kontakttype (lenket til fakturaer) som skal brukes for margin-rapport for hver selger
+rateMustBeNumeric=Sats må ha en numerisk verdi
+markRateShouldBeLesserThan100=Dekningsbidrag skal være lavere enn 100
 ShowMarginInfos=Vis info om marginer
diff --git a/htdocs/langs/nb_NO/members.lang b/htdocs/langs/nb_NO/members.lang
index 4b3c4060e721437a65b2605bd24024d80a8a852c..49c6f3fe58919eb3cdc1d2b1ab0399f48219760e 100644
--- a/htdocs/langs/nb_NO/members.lang
+++ b/htdocs/langs/nb_NO/members.lang
@@ -199,8 +199,9 @@ Entreprises=Selskaper
 DOLIBARRFOUNDATION_PAYMENT_FORM=For å gjøre abonnementet innbetaling med en bankoverføring, se side <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Å betale med et kredittkort eller Paypal, klikk på knappen nederst på denne siden. <br>
 ByProperties=Av egenskaper
 MembersStatisticsByProperties=Medlemsstatistikk av egenskaper
-MembersByNature=Medlemmer av natur
+MembersByNature=Dette skjermbildet viser statistikk over medlemmer etter type.
+MembersByRegion=Dette skjermbildet viser statistikk over medlemmer etter region.
 VATToUseForSubscriptions=Mva-sats som skal brukes for abonnementer
 NoVatOnSubscription=Ingen TVA for abonnementer
 MEMBER_PAYONLINE_SENDEMAIL=Send e-post når Dolibarr mottar en bekreftelse på en validert betaling for abonnement
-ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produkt brukt for abonnementslinje i faktura: %s
+ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Vare brukt for abonnementslinje i faktura: %s
diff --git a/htdocs/langs/nb_NO/opensurvey.lang b/htdocs/langs/nb_NO/opensurvey.lang
index cc32b7c3d4a5bffb396007a46c3ef5b5842dc781..8c122f722a9fe175d53f7716deb240333ced3387 100644
--- a/htdocs/langs/nb_NO/opensurvey.lang
+++ b/htdocs/langs/nb_NO/opensurvey.lang
@@ -23,44 +23,44 @@ with=med
 OpenSurveyHowTo=Hvis du samtykker i avgi stemme i denne undersøkelsen, må du legge inn navnet ditt, velge de dataene som passer best for deg og validere med + knappen på enden av linjen
 CommentsOfVoters=Kommentarer fra stemmeavgivere
 ConfirmRemovalOfPoll=Er du sikker på at du vil fjerne denne undersøkelsen (og alle svar)?
-RemovePoll=Remove poll
-UrlForSurvey=URL to communicate to get a direct access to poll
-PollOnChoice=You are creating a poll to make a multi-choice for a poll. First enter all possible choices for your poll:
-CreateSurveyDate=Create a date poll
-CreateSurveyStandard=Create a standard poll
-CheckBox=Simple checkbox
-YesNoList=List (empty/yes/no)
-PourContreList=List (empty/for/against)
-AddNewColumn=Add new column
-TitleChoice=Choice label
-ExportSpreadsheet=Export result spreadsheet
+RemovePoll=Fjern undersøkelse
+UrlForSurvey=URL for direkte adgang til undersøkelse
+PollOnChoice=Du oppretter en flervalgsundersøkelse. Først må du legge til alle mulige valg:
+CreateSurveyDate=Opprett en undersøkelse med tidsfrist
+CreateSurveyStandard=Opprett en standardundersøkelse
+CheckBox=Enkel avkrysningsboks
+YesNoList=Liste (tom/ja/nei)
+PourContreList=Liste (tom/for/mot)
+AddNewColumn=Legg til ny kolonne
+TitleChoice=Valg-etiket
+ExportSpreadsheet=Eksporter regneark med resultater
 ExpireDate=Datobegrensning
-NbOfSurveys=Number of polls
-NbOfVoters=Nb of voters
-SurveyResults=Results
-PollAdminDesc=You are allowed to change all vote lines of this poll with button "Edit". You can, as well, remove a column or a line with %s. You can also add a new column with %s.
-5MoreChoices=5 more choices
-Abstention=Abstention
-Against=Against
-YouAreInivitedToVote=You are invited to vote for this poll
-VoteNameAlreadyExists=This name was already used for this poll
-ErrorPollDoesNotExists=Error, poll <strong>%s</strong> does not exists.
-OpenSurveyNothingToSetup=There is no specific setup to do.
-PollWillExpire=Your poll will expire automatically <strong>%s</strong> days after the last date of your poll.
-AddADate=Add a date
-AddStartHour=Add start hour
-AddEndHour=Add end hour
-votes=vote(s)
-NoCommentYet=No comments have been posted for this poll yet
-CanEditVotes=Can change vote of others
-CanComment=Voters can comment in the poll
-CanSeeOthersVote=Voters can see other people's vote
-SelectDayDesc=For each selected day, you can choose, or not, meeting hours in the following format :<br>- empty,<br>- "8h", "8H" or "8:00" to give a meeting's start hour,<br>- "8-11", "8h-11h", "8H-11H" or "8:00-11:00" to give a meeting's start and end hour,<br>- "8h15-11h15", "8H15-11H15" or "8:15-11:15" for the same thing but with minutes.
-BackToCurrentMonth=Back to current month
-ErrorOpenSurveyFillFirstSection=You haven't filled the first section of the poll creation
-ErrorOpenSurveyOneChoice=Enter at least one choice
-ErrorOpenSurveyDateFormat=Date must have the format YYYY-MM-DD
-ErrorInsertingComment=There was an error while inserting your comment
-MoreChoices=Enter more choices for the voters
-SurveyExpiredInfo=The voting time of this poll has expired.
-EmailSomeoneVoted=%s has filled a line.\nYou can find your poll at the link: \n%s
+NbOfSurveys=Antall undersøkelser
+NbOfVoters=Antall stemmeavgivere
+SurveyResults=Resultat
+PollAdminDesc=Du har lov til å endre alle stemmelinjer i denne undersøkelsen med knappen "Rediger". Du kan også fjerne en kolonne eller en linje med %s. Du kan også legge til en ny kolonne med %s.
+5MoreChoices=5 valg til
+Abstention=Ikke avgitt stemme
+Against=Mot
+YouAreInivitedToVote=Du er invitert til å delta i denne undersøkelsen
+VoteNameAlreadyExists=Dette navnet er allerede brukt for denne undersøkelsen
+ErrorPollDoesNotExists=Feil! Undersøkelse <strong>%s</strong> finnes ikke.
+OpenSurveyNothingToSetup=Det behøves ingen oppsett.
+PollWillExpire=Undersøkelsen din utløper automatisk <strong>%s</strong> dager etter den siste datoen for undersøkelsen.
+AddADate=Legg til dato
+AddStartHour=Legg til starttime
+AddEndHour=Legg til sluttime
+votes=Stemme(r)
+NoCommentYet=Ingen kommentarer for denne undersøkelsen enda
+CanEditVotes=Kan endre andres stemmer
+CanComment=Stemmeavgivere kan kommentere i undersøkelsen
+CanSeeOthersVote=Stemmeavgivere kan se andres stemmer
+SelectDayDesc=For hver valgte dag kan du velge møtetidspunkt i følgende format :<br>- empty,<br>- "8h", "8H" eller "8:00" for timen møtet starter,<br>- "8-11", "8h-11h", "8H-11H" eller "8:00-11:00" for å gi møtet start- og sluttime,<br>- "8h15-11h15", "8H15-11H15" eller "8:15-11:15" for å inkludere minutter
+BackToCurrentMonth=Tilbake til gjeldende måned
+ErrorOpenSurveyFillFirstSection=Du har ikke fylt ut den første delen av undersøkelsen under opprettelse
+ErrorOpenSurveyOneChoice=Legg inn minst ett valg
+ErrorOpenSurveyDateFormat=Datoen må ha formatet ÅÅÅÅ-MM-DD
+ErrorInsertingComment=Det oppsto en feil ved opprettelse av kommentaren
+MoreChoices=Legg til flere valg for stemmeavgivere
+SurveyExpiredInfo=Fristen for å stemme i denne undersøkelsen har gått ut.
+EmailSomeoneVoted=%s har fylt ut en linje\nDu kan finne undersøkelsen din med lenken:\n%s
diff --git a/htdocs/langs/nb_NO/orders.lang b/htdocs/langs/nb_NO/orders.lang
index 42a80b4258f421e1583126c60ac6e93830152cfc..7fd24ebc519f128bb63068ed08926b882c60d9a3 100644
--- a/htdocs/langs/nb_NO/orders.lang
+++ b/htdocs/langs/nb_NO/orders.lang
@@ -51,8 +51,8 @@ StatusOrderRefused=Avvist
 StatusOrderReceivedPartially=Delvis mottatt
 StatusOrderReceivedAll=Alt er mottatt
 ShippingExist=En forsendelse eksisterer
-ProductQtyInDraft=Produktmengde i ordrekladder
-ProductQtyInDraftOrWaitingApproved=Produktmengde i kladdede/godkjente ordrer som ikke er bestilt enda
+ProductQtyInDraft=Varemengde i ordrekladder
+ProductQtyInDraftOrWaitingApproved=Varemengde i kladdede/godkjente ordrer som ikke er bestilt enda
 DraftOrWaitingApproved=Utkast eller godkjent, men ikke bestilt
 DraftOrWaitingShipped=Utkast eller validert, men ikke sendt
 MenuOrdersToBill=Ordre levert
@@ -60,7 +60,7 @@ MenuOrdersToBill2=Fakturerbare ordre
 SearchOrder=Søk i ordre
 SearchACustomerOrder=Søk etter kundeordre
 SearchASupplierOrder=Søk etter leverandørordre
-ShipProduct=Send produkt
+ShipProduct=Send vare
 Discount=Rabatt
 CreateOrder=Lag ordre
 RefuseOrder=Avvis ordre
@@ -114,7 +114,7 @@ RefCustomerOrder=Ref. kundeordre
 RefCustomerOrderShort=Ref. kundeordre
 SendOrderByMail=Send ordre med post
 ActionsOnOrder=Handlinger ifm. ordre
-NoArticleOfTypeProduct=Der er ingen varer av typen 'produkt' på ordren, så det er ingen varer å sende
+NoArticleOfTypeProduct=Der er ingen varer av typen 'vare' på ordren, så det er ingen varer å sende
 OrderMode=Ordremetode
 AuthorRequest=Finn forfatter
 UseCustomerContactAsOrderRecipientIfExist=Bruk kontaktpersons adresse i stedet for tredjepartens adresse
diff --git a/htdocs/langs/nb_NO/other.lang b/htdocs/langs/nb_NO/other.lang
index f5216fa23111488aa8371a89102ca4a951f5b5b2..58815323c89a64e966dce769f518d1f2a71e139c 100644
--- a/htdocs/langs/nb_NO/other.lang
+++ b/htdocs/langs/nb_NO/other.lang
@@ -74,7 +74,7 @@ DemoFundation=Håndtere medlemmer i en organisasjon
 DemoFundation2=Håndtere medlemmer og bankkonti i en organisasjon
 DemoCompanyServiceOnly=Administrer en freelancevirksomhet som kun selger tjenester
 DemoCompanyShopWithCashDesk=Administrer en butikk med kontantomsetning/kasse
-DemoCompanyProductAndStocks=Administrer en liten eller mellomstor bedrift som selger produkter
+DemoCompanyProductAndStocks=Administrer en liten eller mellomstor bedrift som selger varer
 DemoCompanyAll=Administrer en liten eller mellomstor bedrift med mange aktiviteter (alle hovedmoduler)
 GoToDemo=Gå til demo
 CreatedBy=Laget av %s
@@ -154,7 +154,7 @@ EnableGDLibraryDesc=Installer eller slå på GD bibliotek i PHP for å bruke den
 EnablePhpAVModuleDesc=Du må installeren en modul som er kompatibel med anti-virusprogrammet ditt. (Clamav : php4-clamavlib eller php5-clamavlib)
 ProfIdShortDesc=<b>Prof Id %s</b> er avhengig av tredjepartens land.<br>For eksempel er det for <b>%s</b>, koden <b>%s</b>.
 DolibarrDemo=Dolibarr ERP/CRM demo
-StatsByNumberOfUnits=Statistikk i antall produkter / tjenester enheter
+StatsByNumberOfUnits=Statistikk i antall varer / tjenester enheter
 StatsByNumberOfEntities=Statistikk i antall henvisende enheter
 NumberOfProposals=Antall forslag 12 siste måned
 NumberOfCustomerOrders=Antall kundeordre siste 12 mnd
diff --git a/htdocs/langs/nb_NO/paybox.lang b/htdocs/langs/nb_NO/paybox.lang
index d86d66cba0fd537ec7b7b22ebf8946cd6b484b1f..516afb87f20e3bdd99fa7fd57ca864cdc9f27625 100644
--- a/htdocs/langs/nb_NO/paybox.lang
+++ b/htdocs/langs/nb_NO/paybox.lang
@@ -1,37 +1,37 @@
 # Dolibarr language file - Source file is en_US - paybox
 PayBoxSetup=Oppsett av PayBox-modul 
 PayBoxDesc=Denne modulen setter oppmulighet for betaling på <a href="http://www.paybox.com" target="_blank">Paybox</a> av kunder. Dette kan brukes for gratis betaling eller for betaling på et bestemt Dolibarr objekt (faktura, ordre, ...)
-FollowingUrlAreAvailableToMakePayments=Følgende nettadresser er klare med en side til en kunde til å foreta en betaling på Dolibarr objekter
-PaymentForm=Betaling form
+FollowingUrlAreAvailableToMakePayments=Følgende nettadresser er tilgjengelige for kundene til å foreta betalinger for Dolibarr objekter
+PaymentForm=Betalingskjema
 WelcomeOnPaymentPage=Velkommen på våre elektroniske betalingstjenester
-ThisScreenAllowsYouToPay=Dette skjermbildet kan du foreta en online betaling for å %s.
-ThisIsInformationOnPayment=Dette er informasjon om betaling å gjøre
+ThisScreenAllowsYouToPay=I detteskjermbildet kan du foreta en online betaling til %s.
+ThisIsInformationOnPayment=Betalingsinformasjon
 ToComplete=For å fullføre
 YourEMail=E-post for betalingsbekreftelsen
 Creditor=Kreditor
-PaymentCode=Betaling kode
-PayBoxDoPayment=Gå på betaling
-YouWillBeRedirectedOnPayBox=Du vil bli omdirigert på sikrede Paybox siden for å inndataene du kredittkortinformasjonen
-PleaseBePatient=Vær, være tålmodig
+PaymentCode=Betalingskode
+PayBoxDoPayment=Gå til betaling
+YouWillBeRedirectedOnPayBox=Du vil bli omdirigert til den sikrede Paybox siden for innlegging av kredittkortinformasjon
+PleaseBePatient=Vent et øyeblikk
 Continue=Neste
 ToOfferALinkForOnlinePayment=URL for %s betaling
-ToOfferALinkForOnlinePaymentOnOrder=URL for å tilby en %s online betaling brukergrensesnitt for en bestilling
-ToOfferALinkForOnlinePaymentOnInvoice=URL for å tilby en %s online betaling brukergrensesnitt for en faktura
-ToOfferALinkForOnlinePaymentOnContractLine=URL for å tilby en %s online betaling brukergrensesnitt for en kontrakt linje
-ToOfferALinkForOnlinePaymentOnFreeAmount=URL for å tilby en %s online betaling brukergrensesnitt for et fritt beløp
-ToOfferALinkForOnlinePaymentOnMemberSubscription=URL for å tilby en %s online betaling brukergrensesnitt for et medlem abonnement
-YouCanAddTagOnUrl=Du kan også legge til url parameter <b>& tag = <i>verdien</i></b> til noen av disse URL (kreves kun gratis betaling) for å legge til dine egne betalingen kommentar taggen.
-SetupPayBoxToHavePaymentCreatedAutomatically=Oppsettet ditt PayBox med url <b>%s</b> å få betaling opprettes automatisk når validert av paybox.
+ToOfferALinkForOnlinePaymentOnOrder=URL for å tilby et %s brukergrensesnitt for online betaling av kundeordre
+ToOfferALinkForOnlinePaymentOnInvoice=URL for å tilby et %s brukergrensesnitt for online betaling av kundefaktura
+ToOfferALinkForOnlinePaymentOnContractLine=URL for å tilby et %s brukergrensesnitt for online betaling av en kontraktlinje
+ToOfferALinkForOnlinePaymentOnFreeAmount=URL for å tilby et %s brukergrensesnitt for online betaling av et fribeløp beløp
+ToOfferALinkForOnlinePaymentOnMemberSubscription=URL for å tilby et %s brukergrensesnitt for online betaling av medlemsabonnement
+YouCanAddTagOnUrl=Du kan også legge til URL-parameter <b>&tag=<i>verdier</i></b> til noen av disse URLene (kreves kun ved betaling av fribeløp) for å legge til dine egne merknader til betalingen kommentar.
+SetupPayBoxToHavePaymentCreatedAutomatically=Oppsett av din PayBox med url <b>%s</b> for å få betaling opprettet automatisk når  den er validert av paybox.
 YourPaymentHasBeenRecorded=Denne siden bekrefter at din betaling er registrert. Takk.
-YourPaymentHasNotBeenRecorded=Du betaling ikke er registrert og transaksjonen har blitt kansellert. Takk.
-AccountParameter=Konto parametere
-UsageParameter=Parametere for bruk
+YourPaymentHasNotBeenRecorded=Din betaling ble ikke registrert og transaksjonen har blitt kansellert.
+AccountParameter=Kontoparametre
+UsageParameter=Parametre for bruk
 InformationToFindParameters=Hjelp til å finne din %s kontoinformasjon
-PAYBOX_CGI_URL_V2=Url av PAYBOX CGI modul for betaling
+PAYBOX_CGI_URL_V2=Url til PAYBOX CGI-modul for betaling
 VendorName=Navn på leverandøren
-CSSUrlForPaymentForm=CSS-stilark url for betalingsformen
-MessageOK=Melding på godkjent betaling retur siden
-MessageKO=Melding om avbrutt betaling retur siden
+CSSUrlForPaymentForm=URL til CSS-stilark for betalingsskjema
+MessageOK=Returside for melding om validert betaling
+MessageKO=Returside for melding om avbrutt betaling
 NewPayboxPaymentReceived=Ny Paybox-betaling mottatt
 NewPayboxPaymentFailed=Ny Paybox-betaling forsøkt, men feilet
 PAYBOX_PAYONLINE_SENDEMAIL=Epost for varling etter betaling (vellykket eller feilet)
diff --git a/htdocs/langs/nb_NO/paypal.lang b/htdocs/langs/nb_NO/paypal.lang
index 7129e975f2d900d3920f83ebea29f316e4ce6810..28a6b66789bfe699de30190f0c0fb6da955771e6 100644
--- a/htdocs/langs/nb_NO/paypal.lang
+++ b/htdocs/langs/nb_NO/paypal.lang
@@ -16,7 +16,7 @@ ThisIsTransactionId=Transaksjons-ID: <b>%s</b>
 PAYPAL_ADD_PAYMENT_URL=Legg til url av Paypal-betaling når du sender et dokument i posten
 PAYPAL_IPN_MAIL_ADDRESS=E-post adressen for øyeblikkelig varsling av betaling (IPN)
 PredefinedMailContentLink=Du kan klikke på den sikre linken nedenfor for å betale (PayPal) hvis det ikke allerede er gjort. \n\n\n%s\n\n
-YouAreCurrentlyInSandboxMode=Du er for øyeblikket i &quot;sandbox&quot;-modus
+YouAreCurrentlyInSandboxMode=Du er for øyeblikket i "sandbox"-modus
 NewPaypalPaymentReceived=Ny Paypal betaling mottatt
 NewPaypalPaymentFailed=Ny Paypal betaling mislyktes
 PAYPAL_PAYONLINE_SENDEMAIL=E-post-varsel etter en betaling (vellykket eller ikke)
diff --git a/htdocs/langs/nb_NO/productbatch.lang b/htdocs/langs/nb_NO/productbatch.lang
index 691eb568e9531989081e6008c89bb3c90ebbd1eb..bef61da19395f141530aa07d2144c04b489963a6 100644
--- a/htdocs/langs/nb_NO/productbatch.lang
+++ b/htdocs/langs/nb_NO/productbatch.lang
@@ -19,4 +19,4 @@ printQty=Ant: %d
 AddDispatchBatchLine=Legg til en linje for holdbarhetsdato
 BatchDefaultNumber=Udefinert
 WhenProductBatchModuleOnOptionAreForced=Når Lot/serienummer-modulen er aktivert, vil øk/minsk lager være tvunget til siste valg, og kan ikke modifiseres. Alle andre opsjoner kan endres
-ProductDoesNotUseBatchSerial=Dette produktet har ikke lot/serienummer
+ProductDoesNotUseBatchSerial=Denne varen har ikke lot/serienummer
diff --git a/htdocs/langs/nb_NO/products.lang b/htdocs/langs/nb_NO/products.lang
index 670ee6aa8aae3ce96ecae9ec53a0da859582cc20..54082694b4bcb10e50d3e773f3eee272b90bd021 100644
--- a/htdocs/langs/nb_NO/products.lang
+++ b/htdocs/langs/nb_NO/products.lang
@@ -1,10 +1,10 @@
 # Dolibarr language file - Source file is en_US - products
-ProductRef=Produkt ref.
-ProductLabel=Produktetikett
+ProductRef=Vare ref.
+ProductLabel=Vareetikett
 ProductServiceCard=Kort for Varer/Tjenester
-Products=Produkter
+Products=Varer
 Services=Tjenester
-Product=Produkt
+Product=Vare
 Service=Tjenester
 ProductId=Vare/tjeneste-ID
 Create=Opprett
@@ -13,26 +13,26 @@ NewProduct=Ny vare
 NewService=Ny tjeneste
 ProductCode=Varekode
 ServiceCode=Tjenestekode
-ProductVatMassChange=Mass VAT change
-ProductVatMassChangeDesc=This page can be used to modify a VAT rate defined on products or services from a value to another. Warning, this change is done on all database.
-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.
-ProductAccountancyBuyCode=Revisjon kode (kjøpe)
-ProductAccountancySellCode=Revisjon kode (selge)
+ProductVatMassChange=Masse MVA-endring
+ProductVatMassChangeDesc=Denne siden kan brukes til å endre en MVA-sats på varer eller tjenester fra en verdi til en annen. Advarsel, er denne endringen gjort i alle databasene.
+MassBarcodeInit=Masse strekkode-endring
+MassBarcodeInitDesc=Denne siden kan brukes til å lage strekkoder for objekter som ikke har dette. Kontroller at oppsett av modulen Strekkoder er fullført.
+ProductAccountancyBuyCode=Regnskapskode (kjøp)
+ProductAccountancySellCode=Regnskapskode (salg)
 ProductOrService=Vare eller tjeneste
 ProductsAndServices=Varer og tjenester
 ProductsOrServices=Varer eller tjenester
-ProductsAndServicesOnSell=Produkter og tjenester for salg eller innkjøp
-ProductsAndServicesNotOnSell=Produkter og tjenester ikke i salg
+ProductsAndServicesOnSell=Varer og tjenester for salg eller innkjøp
+ProductsAndServicesNotOnSell=Varer og tjenester ikke i salg
 ProductsAndServicesStatistics=Statistikk over varer og tjenester
 ProductsStatistics=Varestatistikk
-ProductsOnSell=Produkt for salg og innkjøp
-ProductsNotOnSell=Produkt ikke for salg og ikke for innkjøp
-ProductsOnSellAndOnBuy=Products for sale and for purchase
+ProductsOnSell=Vare for salg eller innkjøp
+ProductsNotOnSell=Vare ikke for salg og ikke for innkjøp
+ProductsOnSellAndOnBuy=Varer for kjøp og salg
 ServicesOnSell=Tjenester for salg eller innkjøp
 ServicesNotOnSell=Tjenester ikke for salg
-ServicesOnSellAndOnBuy=Services for sale and for purchase
-InternalRef=Inter referanse
+ServicesOnSellAndOnBuy=Tjenester for kjøp og salg
+InternalRef=Intern referanse
 LastRecorded=Siste registrerte varer/tjenester i salg
 LastRecordedProductsAndServices=Siste %s registrerte varer/tjenester
 LastModifiedProductsAndServices=Siste %s endrede varer/tjenester
@@ -44,7 +44,7 @@ CardProduct1=Tjenestekort
 CardContract=Kontraktkort
 Warehouse=Lager
 Warehouses=Lagere
-WarehouseOpened=Varehus åpent
+WarehouseOpened=Lager åpent
 WarehouseClosed=Lager lukket
 Stock=Beholdning
 Stocks=Beholdninger
@@ -52,29 +52,29 @@ Movement=Bevegelse
 Movements=Bevegelser
 Sell=Salg
 Buy=Kjøp
-OnSell=I salg
-OnBuy=Kjøpt
+OnSell=For salg
+OnBuy=For kjøp
 NotOnSell=Ikke i salg
-ProductStatusOnSell=I salg
-ProductStatusNotOnSell=Ikke i salg
-ProductStatusOnSellShort=I salg
-ProductStatusNotOnSellShort=Ikke i salg
-ProductStatusOnBuy=Tilgjengelig
-ProductStatusNotOnBuy=Foreldet
-ProductStatusOnBuyShort=Tilgjengelig
-ProductStatusNotOnBuyShort=Foreldet
+ProductStatusOnSell=For salg
+ProductStatusNotOnSell=Ikke for salg
+ProductStatusOnSellShort=For salg
+ProductStatusNotOnSellShort=Ikke for salg
+ProductStatusOnBuy=For kjøp
+ProductStatusNotOnBuy=Ikke for kjøp
+ProductStatusOnBuyShort=For kjøp
+ProductStatusNotOnBuyShort=Ikke for kjøp
 UpdatePrice=Oppdater pris
 AppliedPricesFrom=Gjeldende priser fra
 SellingPrice=Salgspris
-SellingPriceHT=Salgspris (etter skatt)
-SellingPriceTTC=Salgspris (inkl. skatt)
+SellingPriceHT=Salgspris (eks. MVA)
+SellingPriceTTC=Salgspris (inkl. MVA)
 PublicPrice=Veiledende pris
 CurrentPrice=Gjeldende pris
 NewPrice=Ny pris
 MinPrice=Minste utsalgspris
-MinPriceHT=Min. selling price (net of tax)
-MinPriceTTC=Min. selling price (inc. tax)
-CantBeLessThanMinPrice=Salgsprisen kan ikke være lavere enn minste tillatte for dette produktet (%s uten skatt)
+MinPriceHT=Minste utsalgspris (eks. MVA)
+MinPriceTTC=Minste utsalgspris (inkl. MVA)
+CantBeLessThanMinPrice=Salgsprisen kan ikke være lavere enn minste tillatte for denne varen (%s uten avgifter)
 ContractStatus=Kontraktstatus
 ContractStatusClosed=Lukket
 ContractStatusRunning=Pågående
@@ -83,29 +83,29 @@ ContractStatusOnHold=Venter
 ContractStatusToRun=Sett pågående
 ContractNotRunning=Denne kontrakten er ikke pågående
 ErrorProductAlreadyExists=En vare med varenummere %s eksisterer allerede.
-ErrorProductBadRefOrLabel=Ugyldig varenummer eller navn.
-ErrorProductClone=There was a problem while trying to clone the product or service.
-ErrorPriceCantBeLowerThanMinPrice=Error, price can't be lower than minimum price.
+ErrorProductBadRefOrLabel=Ugyldig verdi for referanse eller etikett.
+ErrorProductClone=Det oppsto et problem ved forsøk på å klone varen eller tjenesten.
+ErrorPriceCantBeLowerThanMinPrice=Feil! Pris kan ikke være lavere enn minstepris
 Suppliers=Leverandører
-SupplierRef=Leverandør ref.
+SupplierRef=Leverandørs varereferanse.
 ShowProduct=Vis vare
 ShowService=Vis tjeneste
 ProductsAndServicesArea=Område for varer/tjenester
 ProductsArea=Vareområde
 ServicesArea=Tjenesteområde
-AddToMyProposals=Legg til mine tilbud
-AddToOtherProposals=Legg til endre tilbud
-AddToMyBills=Legg til mine fakturaer
-AddToOtherBills=Legg til andre fakturaer
+AddToMyProposals=Legg til i mine tilbud
+AddToOtherProposals=Legg til i andre tilbud
+AddToMyBills=Legg til i mine fakturaer
+AddToOtherBills=Legg til i andre fakturaer
 CorrectStock=Korriger beholdning
 AddPhoto=Legg til bilde
 ListOfStockMovements=Vis lagerbevegelser
 BuyingPrice=Innkjøpspris
 SupplierCard=Leverandørkort
 CommercialCard=Handelskort
-AllWays=Sti til varebeholdning
+AllWays=Bane til varebeholdning
 NoCat=Varen er ikke lagt inn i noen kategori
-PrimaryWay=Hovedsti
+PrimaryWay=Hovedbane
 PriceRemoved=Pris fjernet
 BarCode=Strekkode
 BarcodeType=Strekkodetype
@@ -114,25 +114,25 @@ BarcodeValue=Strekkodeverdi
 NoteNotVisibleOnBill=Notat (vises ikke på fakturaer, tilbud...)
 CreateCopy=Lag kopi
 ServiceLimitedDuration=Hvis varen er en tjeneste med begrenset varighet:
-MultiPricesAbility=Flere prisnivåer pr. produkt/tjeneste
-MultiPricesNumPrices=Prisnummer
+MultiPricesAbility=Flere prisnivåer pr. vare/tjeneste
+MultiPricesNumPrices=Pris antall
 MultiPriceLevelsName=Priskategorier
-AssociatedProductsAbility=Activate the package feature
-AssociatedProducts=Package product
-AssociatedProductsNumber=Number of products composing this package product
-ParentProductsNumber=Number of parent packaging product
-IfZeroItIsNotAVirtualProduct=If 0, this product is not a package product
-IfZeroItIsNotUsedByVirtualProduct=If 0, this product is not used by any package product
-EditAssociate=Tilknytninger
+AssociatedProductsAbility=Aktiver komponentvare-egenskaper
+AssociatedProducts=Komponentvare
+AssociatedProductsNumber=Antall varer i denne komponentvaren
+ParentProductsNumber=Antall foreldre-komponentvarer
+IfZeroItIsNotAVirtualProduct=Hvis 0, er dette ikke en komponentvare
+IfZeroItIsNotUsedByVirtualProduct=Hvis 0, er denne varen ikke med i en komponentvare
+EditAssociate=Tilknytt
 Translation=Oversettelse
 KeywordFilter=Nøkkelordfilter
 CategoryFilter=Kategorifilter
 ProductToAddSearch=Finn vare å legge til
-AddDel=Ny/slett
+AddDel=Legg til/slett
 Quantity=Mengde
 NoMatchFound=Ingen treff
-ProductAssociationList=List of products/services that are component of this virtual product/package
-ProductParentList=List of package products/services with this product as a component
+ProductAssociationList=Liste over varer/tjenester som er med i denne tenkte komponentvaren
+ProductParentList=Liste over komponentvarer med denne varen som en av komponentene
 ErrorAssociationIsFatherOfThis=En av de valgte varene er foreldre til gjeldende vare
 DeleteProduct=Slett vare/tjeneste
 ConfirmDeleteProduct=Er du sikker på at du vil slette valgte vare/tjeneste?
@@ -141,64 +141,64 @@ DeletePicture=Slett et bilde
 ConfirmDeletePicture=Er du sikker på at du vil slette bildet?
 ExportDataset_produit_1=Varer og tjenester
 ExportDataset_service_1=Tjenester
-ImportDataset_produit_1=Produkter
+ImportDataset_produit_1=Varer
 ImportDataset_service_1=Tjenester
 DeleteProductLine=Slett varelinje
 ConfirmDeleteProductLine=Er du sikker på at du vil slette denne varelinjen?
 NoProductMatching=Ingen varer/tjenester passer til dine kriterier
-MatchingProducts=Matchende varer/tjenester
-NoStockForThisProduct=Ingen beholdning på dene varen
+MatchingProducts=Like varer/tjenester
+NoStockForThisProduct=Ingen beholdning av denne varen
 NoStock=Ingen beholdning
 Restock=Fyll opp lager
 ProductSpecial=Spesial
-QtyMin=Minimum Qty
+QtyMin=Minste kvantum
 PriceQty=Pris for dette kvantum
-PriceQtyMin=Price for this min. qty (w/o discount)
-VATRateForSupplierProduct=MVA-sats (for denne/dette leverandøren/produktet)
-DiscountQtyMin=Standard
+PriceQtyMin=Pris for minstekvantum (uten rabatt)
+VATRateForSupplierProduct=MVA-sats (for denne leverandøren/varen)
+DiscountQtyMin=Standard kvantumsrabatt
 NoPriceDefinedForThisSupplier=Ingen pris/mengde definert for denne leverandør/varekombinasjonen
 NoSupplierPriceDefinedForThisProduct=Ingen leverandørpris/mengde definert for varen
 RecordedProducts=Registrerte varer
 RecordedServices=Registrerte tjenester
 RecordedProductsAndServices=Registrete varer/tjenester
-PredefinedProductsToSell=Predefined products to sell
-PredefinedServicesToSell=Predefined services to sell
-PredefinedProductsAndServicesToSell=Predefined products/services to sell
-PredefinedProductsToPurchase=Predefined product to purchase
-PredefinedServicesToPurchase=Predefined services to purchase
-PredefinedProductsAndServicesToPurchase=Predefined products/services to puchase
+PredefinedProductsToSell=Salg av forhåndsdefinerte varer
+PredefinedServicesToSell=Salg av forhåndsdefinerte tjenester
+PredefinedProductsAndServicesToSell=Salg av forhåndsdefinerte varer/tjenester
+PredefinedProductsToPurchase=Kjøp av forhåndsdefinert vare
+PredefinedServicesToPurchase=Kjøp av forhåndsdefinerte tjenester
+PredefinedProductsAndServicesToPurchase=Kjøp av forhåndsdefinerte varer/tjenester
 GenerateThumb=Lag miniatyrbilde
 ProductCanvasAbility=Bruk spesielle "canvas" tillegg
 ServiceNb=Tjeneste #%s
-ListProductServiceByPopularity=Liste over produkter / tjenester etter popularitet
-ListProductByPopularity=Vareer/tjenester etter popularitet
+ListProductServiceByPopularity=Liste over varer/tjenester etter popularitet
+ListProductByPopularity=Liste over varer/tjenester etter popularitet
 ListServiceByPopularity=Liste av tjenester etter popularitet
 Finished=Ferdigvare
 RowMaterial=Råvare
-CloneProduct=Klon produkt eller tjeneste
-ConfirmCloneProduct=Er du sikker på at du vil klone produktet eller tjenesten <b>%s?</b>
-CloneContentProduct=Klon alle de viktigste informasjoner av produkt / tjeneste
-ClonePricesProduct=Klone viktigste informasjon og priser
-CloneCompositionProduct=Clone packaged product/service
-ProductIsUsed=Dette produktet brukes
-NewRefForClone=Ref. av nye produkt / tjeneste
+CloneProduct=Klon vare eller tjeneste
+ConfirmCloneProduct=Er du sikker på at du vil klone varen eller tjenesten <b>%s</b>?
+CloneContentProduct=Klon alle de viktigste informasjoner av vare/tjeneste
+ClonePricesProduct=Klon viktigste informasjon og priser
+CloneCompositionProduct=Klon komponentvare/tjeneste
+ProductIsUsed=Denne varen brukes
+NewRefForClone=Ref. av nye vare/tjeneste
 CustomerPrices=Kundepriser
 SuppliersPrices=Leverandørpriser
-SuppliersPricesOfProductsOrServices=Supplier prices (of products or services)
-CustomCode=Tollkodeks
-CountryOrigin=Opprinnelseslandet
-HiddenIntoCombo=Gjemt i enkelte lister
+SuppliersPricesOfProductsOrServices=Leverandørpriser (varer og tjenester)
+CustomCode=Tollkode
+CountryOrigin=Opprinnelsesland
+HiddenIntoCombo=Skjult i valgte lister
 Nature=Natur
-ShortLabel=Short label
-Unit=Unit
-p=u.
-set=set
-se=set
-second=second
+ShortLabel=Kort etikett
+Unit=Enhet
+p= stk
+set=sett
+se=sett
+second=sekund
 s=s
-hour=hour
-h=h
-day=day
+hour=time
+h=t
+day=dag
 d=d
 kilogram=kilogram
 kg=Kg
@@ -206,91 +206,93 @@ gram=gram
 g=g
 meter=meter
 m=m
-linear meter=linear meter
+linear meter=linjær meter
 lm=lm
-square meter=square meter
+square meter=kvadratmeter
 m2=m²
-cubic meter=cubic meter
+cubic meter=kubikkmeter
 m3=m³
 liter=liter
-l=L
-ProductCodeModel=Produkt ref.mal
+l=l
+ProductCodeModel=Vare ref.mal
 ServiceCodeModel=Tjeneste ref.mal
-AddThisProductCard=Opprett produktkort
-HelpAddThisProductCard=This option allows you to create or clone a product if it does not exist.
+AddThisProductCard=Opprett varekort
+HelpAddThisProductCard=Dette alternativet tillater deg å opprette eller klone en vare
 AddThisServiceCard=Opprett tjenestekort
-HelpAddThisServiceCard=This option allows you to create or clone a service if it does not exist.
+HelpAddThisServiceCard=Dette alternativet tillater deg å opprette eller klone en tjeneste
 CurrentProductPrice=Gjeldende pris
-AlwaysUseNewPrice=Bruk alltid gjeldende pris på produkt/tjeneste
+AlwaysUseNewPrice=Bruk alltid gjeldende pris på vare/tjeneste
 AlwaysUseFixedPrice=Bruk den faste prisen
 PriceByQuantity=Prisen varierer med mengde
-PriceByQuantityRange=Quantity range
-ProductsDashboard=Products/Services summary
-UpdateOriginalProductLabel=Modify original label
-HelpUpdateOriginalProductLabel=Allows to edit the name of the product
+PriceByQuantityRange=Kvantumssatser
+ProductsDashboard=Oppsummering varer og tjenester
+UpdateOriginalProductLabel=Endre original etikett
+HelpUpdateOriginalProductLabel=Tillat å endre varenavn
 ### composition fabrication
-Building=Production and items dispatchment
-Build=Produce
-BuildIt=Produce & Dispatch
-BuildindListInfo=Available quantity for production per warehouse (set it to 0 for no further action)
+Building=Produksjon og elementutsendelse
+Build=Produser
+BuildIt=Produser og send ut
+BuildindListInfo=Tilgjengelig produksjonskvantum pr lager (sett til 0 for ingen ytterligere tiltak)
 QtyNeed=Ant
-UnitPmp=Net unit VWAP
-CostPmpHT=Net total VWAP
-ProductUsedForBuild=Auto consumed by production
-ProductBuilded=Production completed
-ProductsMultiPrice=Product multi-price
-ProductsOrServiceMultiPrice=Customer prices (of products or services, multi-prices)
-ProductSellByQuarterHT=Products turnover quarterly VWAP
-ServiceSellByQuarterHT=Services turnover quarterly VWAP
-Quarter1=1st. Quarter
-Quarter2=2nd. Quarter
-Quarter3=3rd. Quarter
-Quarter4=4th. Quarter
-BarCodePrintsheet=Print bar code
-PageToGenerateBarCodeSheets=With this tool, you can print sheets of bar code stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button <b>%s</b>.
-NumberOfStickers=Number of stickers to print on page
-PrintsheetForOneBarCode=Print several stickers for one barcode
-BuildPageToPrint=Generate page to print
-FillBarCodeTypeAndValueManually=Fill barcode type and value manually.
-FillBarCodeTypeAndValueFromProduct=Fill barcode type and value from barcode of a product.
-FillBarCodeTypeAndValueFromThirdParty=Fill barcode type and value from barcode of a thirdparty.
-DefinitionOfBarCodeForProductNotComplete=Definition of type or value of bar code not complete for product %s.
-DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of bar code non complete for thirdparty %s.
-BarCodeDataForProduct=Barcode information of product %s :
-BarCodeDataForThirdparty=Barcode information of thirdparty %s :
-ResetBarcodeForAllRecords=Define barcode value for all records (this will also reset barcode value already defined with new values)
-PriceByCustomer=Different price for each customer
-PriceCatalogue=Unique price per product/service
-PricingRule=Rules for customer prices
-AddCustomerPrice=Add price by customer
-ForceUpdateChildPriceSoc=Set same price on customer subsidiaries
-PriceByCustomerLog=Price by customer log
-MinimumPriceLimit=Minimum price can't be lower then %s
-MinimumRecommendedPrice=Minimum recommended price is : %s
-PriceExpressionEditor=Price expression editor
-PriceExpressionSelected=Selected price expression
-PriceExpressionEditorHelp1="price = 2 + 2" or "2 + 2" for setting the price. Use ; to separate expressions
-PriceExpressionEditorHelp2=You can access ExtraFields with variables like <b>#extrafield_myextrafieldkey#</b> and global variables with <b>#global_mycode#</b>
-PriceExpressionEditorHelp3=In both product/service and supplier prices there are these variables available:<br><b>#tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min#</b>
-PriceExpressionEditorHelp4=In product/service price only: <b>#supplier_min_price#</b><br>In supplier prices only: <b>#supplier_quantity# and #supplier_tva_tx#</b>
-PriceExpressionEditorHelp5=Available global values:
-PriceMode=Price mode
-PriceNumeric=Number
-DefaultPrice=Default price
-ComposedProductIncDecStock=Increase/Decrease stock on parent change
-ComposedProduct=Sub-product
-MinSupplierPrice=Minimum supplier price
-DynamicPriceConfiguration=Dynamic price configuration
-GlobalVariables=Global variables
-GlobalVariableUpdaters=Global variable updaters
+UnitPmp=Netto enhet VWAP
+CostPmpHT=Netto total VWAP
+ProductUsedForBuild=Automatisk brukt i produksjon
+ProductBuilded=Produksjon komplett
+ProductsMultiPrice=Vare multi-pris
+ProductsOrServiceMultiPrice=Kundepriser (varer og tjenseter, multi-priser)
+ProductSellByQuarterHT=Kvartalsvis vareomsetning VWAP
+ServiceSellByQuarterHT=Kvartalsvis tjenesteomsetning VWAP
+Quarter1=1. kvartal
+Quarter2=2. kvartal
+Quarter3=3. kvartal
+Quarter4=4. kvartal
+BarCodePrintsheet=Skriv ut strekkode
+PageToGenerateBarCodeSheets=Med dette verktøyet kan du skrive ut ark med strekkode klistremerker. Velg arkformat, type strekkode og strekkodeverdi. Klikk deretter på knappen <b>%s</b>.
+NumberOfStickers=Antall klistremerker som skal skrives ut på siden
+PrintsheetForOneBarCode=Skriv ut flere klistremerker for hver strekkode
+BuildPageToPrint=Generer side for utskrift
+FillBarCodeTypeAndValueManually=Fyll inn strekkode type og verdi manuelt
+FillBarCodeTypeAndValueFromProduct=Fyll inn strekkode type og verdi fra strekkoden på en vare.
+FillBarCodeTypeAndValueFromThirdParty=Fyll inn strekkode type og verdi fra strekkoden på en tredjepart
+DefinitionOfBarCodeForProductNotComplete=Definisjon av strekkode type eller verdi for varen %s er ikke komplett.
+DefinitionOfBarCodeForThirdpartyNotComplete=Definering av strekkode type eller verdi for uferdig tredjepart %s.
+BarCodeDataForProduct=Strekkodeinformasjon for vare %s:
+BarCodeDataForThirdparty=Strekkodeinformasjon for tredjepart %s:
+ResetBarcodeForAllRecords=Lag strekkode-verdier for alle poster (dette vil overskrive strekkoder som allerede er definert)
+PriceByCustomer=Ulik pris for hver kunde
+PriceCatalogue=Unik pris pr. vare/tjeneste
+PricingRule=Regler for kundepriser
+AddCustomerPrice=Legg til pris for kunde
+ForceUpdateChildPriceSoc=Sett samme pris for kundens datterselskaper
+PriceByCustomerLog=Pris fra kundens logg
+MinimumPriceLimit=Minstepris kan ikke være lavere enn %s
+MinimumRecommendedPrice=Anbefalt minstepris er %s
+PriceExpressionEditor=Pris-formel editor
+PriceExpressionSelected=Valgt formel for pris
+PriceExpressionEditorHelp1="pris = 2 + 2" eller "2 + 2" for å sette prisen. Bruk semikolon for å skille uttrykk
+PriceExpressionEditorHelp2=Du kan bruke EkstraFelt med variabler som <b>#ekstrafelt_mittekstrafeltnøkkel#</b> og globale variabler med <b>#global_minkode#</b>
+PriceExpressionEditorHelp3=I både varer/tjenester og leverandørpriser er disse variablene tilgjengelige:<br><b>#tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min#</b>
+PriceExpressionEditorHelp4=Kun i vare/tjeneste-pris:<b>#supplier_min_price#</b><br>In supplier prices only: <b>#supplier_quantity# and #supplier_tva_tx#</b>
+PriceExpressionEditorHelp5=Tilgjengelige globale verdier:
+PriceMode=Prismodus
+PriceNumeric=Nummer
+DefaultPrice=Standardpris
+ComposedProductIncDecStock=Øk/minsk beholdning ved overordnet endring
+ComposedProduct=Sub-vare
+MinSupplierPrice=Minste leverandørpris
+DynamicPriceConfiguration=Dynamisk pris-konfigurering
+GlobalVariables=Globale variabler
+GlobalVariableUpdaters=Oppdatering av globale variabler
 GlobalVariableUpdaterType0=JSON data
-GlobalVariableUpdaterHelp0=Parses JSON data from specified URL, VALUE specifies the location of relevant value,
-GlobalVariableUpdaterHelpFormat0=format is {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"}
+GlobalVariableUpdaterHelp0=Parser JSON data fra angitt URL, VALUE spesifiserer lokasjonen til relevant verdi.
+GlobalVariableUpdaterHelpFormat0=formatet er {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"}
 GlobalVariableUpdaterType1=WebService data
-GlobalVariableUpdaterHelp1=Parses WebService data from specified URL, NS specifies the namespace, VALUE specifies the location of relevant value, DATA should contain the data to send and METHOD is the calling WS method
-GlobalVariableUpdaterHelpFormat1=format is {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD": "myWSMethod", "DATA": {"your": "data, "to": "send"}}
-UpdateInterval=Update interval (minutes)
-LastUpdated=Last updated
-CorrectlyUpdated=Correctly updated
-PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
-PropalMergePdfProductChooseFile=Select PDF files
+GlobalVariableUpdaterHelp1=Parser WebService-data fra angitt URL, NS spesifiserer navnerom, VERDI angir plasseringen av relevant verdi, DATA inneholder data som skal sendes og METHOD kaller WS-metode
+GlobalVariableUpdaterHelpFormat1=formatet er {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD": "myWSMethod", "DATA": {"your": "data, "to": "send"}}
+UpdateInterval=Oppdateringsintervall (minutter)
+LastUpdated=Sist oppdatert
+CorrectlyUpdated=Korrekt oppdatert
+PropalMergePdfProductActualFile=Filer brukt for å legge til i PDF Azur er
+PropalMergePdfProductChooseFile=Velg PDF-filer
+IncludingProductWithTag=Inkludert vare med merke
+DefaultPriceRealPriceMayDependOnCustomer=Standardpris, virkelig pris avhenger av kunde
diff --git a/htdocs/langs/nb_NO/projects.lang b/htdocs/langs/nb_NO/projects.lang
index a449ea2e278cfb89a70e0d54055eb734cba5980e..6a6a63abcca86382ede9578d20a69b0789ef29af 100644
--- a/htdocs/langs/nb_NO/projects.lang
+++ b/htdocs/langs/nb_NO/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Denne visningen er begrenset til prosjekter eller oppgaver du er en
 OnlyOpenedProject=Kun åpne prosjekter er synlige (prosjektkladder og lukkede prosjekter er ikke synlige).
 TasksPublicDesc=Denne visningen presenterer alle prosjekter og oppgaver du har lov til å lese.
 TasksDesc=Denne visningen presenterer alle prosjekter og oppgaver (dine brukertillatelser gir deg tillatelse til å vise alt).
-AllTaskVisibleButEditIfYouAreAssigned=Alle oppgaver for et slikt prosjekt er synlige, men du kan bare legge til tid for prosjekter du er tildelt til.
+AllTaskVisibleButEditIfYouAreAssigned=Alle oppgaver for et slikt prosjekt er synlige, men du kan angi tid bare for oppgaven du er tildelt. Tildel oppgaven til deg hvis du ønsker å legge inn tid på den.
+OnlyYourTaskAreVisible=Kun oppgaver tildelt deg er synlige
 ProjectsArea=Prosjektområde
 NewProject=Nytt prosjekt
 AddProject=Opprett prosjekt
@@ -30,7 +31,7 @@ ShowProject=Vis prosjekt
 SetProject=Sett prosjekt
 NoProject=Ingen prosjekter definert
 NbOpenTasks=Antall åpne oppgaver
-NbOfProjects=Ant. prosjekter
+NbOfProjects=Antall prosjekter
 TimeSpent=Tid brukt
 TimeSpentByYou=Tid bruk av deg
 TimeSpentByUser=Tid brukt av bruker
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Liste over utgiftsrapporter tilknyttet prosj
 ListDonationsAssociatedProject=Liste over donasjoner tilknyttet prosjektet
 ListActionsAssociatedProject=Liste over hendelser knyttet til prosjektet
 ListTaskTimeUserProject=Liste over tidsbruk på oppgaver i prosjektet
+TaskTimeUserProject=Tidsbruk på prosjektoppgaver
 ActivityOnProjectThisWeek=Aktiviteter i prosjektet denne uke
 ActivityOnProjectThisMonth=Aktiviteter i prosjektet denne måned
 ActivityOnProjectThisYear=Aktivitet i prosjektet dette år
@@ -87,7 +89,7 @@ ValidateProject=Valider prosjekt
 ConfirmValidateProject=Er du sikker på at du vil validere dette prosjektet?
 CloseAProject=Lukk prosjektet
 ConfirmCloseAProject=Er du sikker på at du vil lukke dette prosjektet?
-ReOpenAProject=Åpne prosjektet
+ReOpenAProject=Åpne prosjekt
 ConfirmReOpenAProject=Er du sikker på at du ønsker å gjenåpne dette prosjektet?
 ProjectContact=Prosjekt kontakter
 ActionsOnProject=Handlinger i prosjektet
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Prosjekter med denne brukeren som kontakt
 TasksWithThisUserAsContact=Oppgaver tildelt denne brukeren
 ResourceNotAssignedToProject=Ikke tildelt til prosjekt
 ResourceNotAssignedToTask=Ikke tildelt til oppgave
+AssignTaskToMe=Tildel oppgaven til meg
+AssignTask=Tildel
+ProjectOverview=Oversikt
diff --git a/htdocs/langs/nb_NO/propal.lang b/htdocs/langs/nb_NO/propal.lang
index 5a233ad5fe55413f145af624ee26c81c8dbdeafc..f98e7eb0f0096a2cf9244ed4a2eefafd443f616d 100644
--- a/htdocs/langs/nb_NO/propal.lang
+++ b/htdocs/langs/nb_NO/propal.lang
@@ -15,13 +15,13 @@ NewPropal=Nytt tilbud
 Prospect=Prospekt
 ProspectList=Prospektliste
 DeleteProp=Slett tilbud
-ValidateProp=Godkjenn tilbud
+ValidateProp=Valider tilbud
 AddProp=Skriv tilbud
 ConfirmDeleteProp=Er du sikker på at du vil slette dette tilbudet?
-ConfirmValidateProp=Er du sikker på at du vil godkjenne dette tilbudet?
+ConfirmValidateProp=Er du sikker på at du vil validere dette tilbudet under navnet <b>%s</b> ?
 LastPropals=Siste %s tilbud
 LastClosedProposals=Siste %s lukkede tilbud
-LastModifiedProposals=Sist endret forslag %s
+LastModifiedProposals=Sist endrede tilbud %s
 AllPropals=Alle tilbud
 LastProposals=Siste tilbud
 SearchAProposal=Søk i tilbud
@@ -33,7 +33,7 @@ ShowPropal=Vis tilbud
 PropalsDraft=Kladder
 PropalsOpened=Åpne
 PropalsNotBilled=Lukkede men ikke fakturerte
-PropalStatusDraft=Kladd (trenger godkjenning)
+PropalStatusDraft=Kladd (trenger validering)
 PropalStatusValidated=Godkjent (tilbudet er åpent)
 PropalStatusOpened=Godkjent (tilbudet er åpent)
 PropalStatusClosed=Lukket
@@ -41,11 +41,11 @@ PropalStatusSigned=Akseptert(kan faktureres)
 PropalStatusNotSigned=Ikke akseptert(lukket)
 PropalStatusBilled=Fakturert
 PropalStatusDraftShort=Kladd
-PropalStatusValidatedShort=Godkjent
+PropalStatusValidatedShort=Validert
 PropalStatusOpenedShort=Åpne
 PropalStatusClosedShort=Lukket
-PropalStatusSignedShort=Akseptert
-PropalStatusNotSignedShort=Avslått
+PropalStatusSignedShort=Signert
+PropalStatusNotSignedShort=Ikke signert
 PropalStatusBilledShort=Fakturert
 PropalsToClose=Tilbud som skal lukkes
 PropalsToBill=Aksepterte tilbud til fakturering
@@ -71,7 +71,7 @@ OtherPropals=Andre tilbud
 AddToDraftProposals=Legg til tilbudsutkast
 NoDraftProposals=Ingen tilbudsutkast
 CopyPropalFrom=Opprett nytt tilbud ved å kopiere et eksisterende
-CreateEmptyPropal=Opprett tomt tilbud eller fra fra en liste over produkter/tjenester
+CreateEmptyPropal=Opprett tomt tilbud eller fra en liste over varer/tjenester
 DefaultProposalDurationValidity=Standard gyldighetstid for tilbud (dager)
 UseCustomerContactAsPropalRecipientIfExist=Bruk kontaktpersonens adresse (hvis den er definert) i stedet for tredjepartens adresse
 ClonePropal=Klon tilbud
diff --git a/htdocs/langs/nb_NO/sendings.lang b/htdocs/langs/nb_NO/sendings.lang
index 65ec3c98292c407881daeca98388a121ebb601ff..54fe0750a24e7e18ae106c2cb5fd8371aa473780 100644
--- a/htdocs/langs/nb_NO/sendings.lang
+++ b/htdocs/langs/nb_NO/sendings.lang
@@ -2,11 +2,11 @@
 RefSending=Ref. levering
 Sending=Levering
 Sendings=Leveringer
-AllSendings=All Shipments
+AllSendings=Alle forsendelser
 Shipment=Levering
 Shipments=Skipninger
-ShowSending=Show Sending
-Receivings=Receipts
+ShowSending=Vis forsendelse
+Receivings=Kvitteringer
 SendingsArea=Leveringsområde
 ListOfSendings=Oversikt over leveringer
 SendingMethod=Leveringsmåte
@@ -15,8 +15,8 @@ LastSendings=Siste %s leveringer
 SearchASending=Finn levering
 StatisticsOfSendings=Statistikk
 NbOfSendings=Antall leveringer
-NumberOfShipmentsByMonth=Number of shipments by month
-SendingCard=Shipment card
+NumberOfShipmentsByMonth=Antall forsendelser pr. måned
+SendingCard=Pakkseddel
 NewSending=Ny levering
 CreateASending=Lag en levering
 CreateSending=Lag levering
@@ -24,7 +24,7 @@ QtyOrdered=Ant. bestilt
 QtyShipped=Ant. levert
 QtyToShip=Ant. å levere
 QtyReceived=Ant. mottatt
-KeepToShip=Remain to ship
+KeepToShip=Gjenstår å sende
 OtherSendingsForSameOrder=Andre leveringer på denne ordren
 DateSending=Leveringsdato
 DateSendingShort=Leveringsdato
@@ -39,7 +39,7 @@ StatusSendingCanceledShort=Kansellert
 StatusSendingDraftShort=Kladd
 StatusSendingValidatedShort=Godkjent
 StatusSendingProcessedShort=Behandlet
-SendingSheet=Shipment sheet
+SendingSheet=Pakkseddel
 Carriers=Transportører
 Carrier=Transportør
 CarriersArea=Transportørområde
@@ -51,24 +51,24 @@ GenericTransport=Standardtransport
 Enlevement=Hentet av kunde
 DocumentModelSimple=ENkel dokumentmodell
 DocumentModelMerou=Merou A5 modell
-WarningNoQtyLeftToSend=Advarsel, ingen produkter venter sendes.
-StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known).
-DateDeliveryPlanned=Planned date of delivery
+WarningNoQtyLeftToSend=Advarsel, ingen varer venter sendes.
+StatsOnShipmentsOnlyValidated=Statistikk utført bare på validerte forsendelser. Dato for validering av forsendelsen brukes (planlagt leveringsdato er ikke alltid kjent).
+DateDeliveryPlanned=Planlagt leveringsdato
 DateReceived=Dato levering mottatt
 SendShippingByEMail=Send forsendelse via e-post
-SendShippingRef=Submission of shipment %s
+SendShippingRef=Innsending av forsendelse %s
 ActionsOnShipping=Hendelser på forsendelse
 LinkToTrackYourPackage=Lenke for å spore pakken
 ShipmentCreationIsDoneFromOrder=For øyeblikket er opprettelsen av en ny forsendelse gjort fra ordren kortet.
-RelatedShippings=Related shipments
-ShipmentLine=Shipment line
-CarrierList=List of transporters
-SendingRunning=Product from ordered customer orders
-SuppliersReceiptRunning=Product from ordered supplier orders
-ProductQtyInCustomersOrdersRunning=Product quantity into opened customers orders
-ProductQtyInSuppliersOrdersRunning=Product quantity into opened suppliers orders
-ProductQtyInShipmentAlreadySent=Product quantity from opened customer order already sent
-ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from opened supplier order already received
+RelatedShippings=Relaterte forsendelser
+ShipmentLine=Forsendelseslinje
+CarrierList=Liste over transportører
+SendingRunning=Varer fra bestilte kundeordre
+SuppliersReceiptRunning=Varer fra bestilte leverandørordre
+ProductQtyInCustomersOrdersRunning=Varekvantum i åpnede kundeordre
+ProductQtyInSuppliersOrdersRunning=Varekvantum i åpnede leverandørordre
+ProductQtyInShipmentAlreadySent=Varekvantum i åpnede kundeordre som er sendt
+ProductQtyInSuppliersShipmentAlreadyRecevied=Varekvantum i åpnede leverandørordre som er mottatt
 
 # Sending methods
 SendingMethodCATCH=Catch av kunde
@@ -78,8 +78,8 @@ SendingMethodCOLSUI=Colissimo
 DocumentModelSirocco=Enkelt dokument modellen for levering kvitteringer
 DocumentModelTyphon=Mer fullstendig dokument modellen for levering kvitteringer (logo. ..)
 Error_EXPEDITION_ADDON_NUMBER_NotDefined=Konstant EXPEDITION_ADDON_NUMBER ikke definert
-SumOfProductVolumes=Sum of product volumes
-SumOfProductWeights=Sum of product weights
+SumOfProductVolumes=Sum varevolum
+SumOfProductWeights=Sum varevekt
 
 # warehouse details
 DetailWarehouseNumber= Varehusdetaljer
diff --git a/htdocs/langs/nb_NO/sms.lang b/htdocs/langs/nb_NO/sms.lang
index 66c255d0c199f086a55d6f61bce2157d82a17704..dace1efea98011f693aff7fae8654549bd24d207 100644
--- a/htdocs/langs/nb_NO/sms.lang
+++ b/htdocs/langs/nb_NO/sms.lang
@@ -1,53 +1,53 @@
 # Dolibarr language file - Source file is en_US - sms
 Sms=Sms
 SmsSetup=Sms oppsett
-SmsDesc=Denne siden lar deg definere globals alternativer på SMS-funksjoner
+SmsDesc=Denne siden lar deg definere globale SMS alternativer
 SmsCard=SMS-kort
-AllSms=Alle SMS campains
-SmsTargets=Targets
-SmsRecipients=Targets
-SmsRecipient=Target
+AllSms=Alle SMS-kampanjer
+SmsTargets=Mål
+SmsRecipients=Mål
+SmsRecipient=Mål
 SmsTitle=Beskrivelse
 SmsFrom=Avsender
-SmsTo=Target
-SmsTopic=Emne av SMS
+SmsTo=Mål
+SmsTopic=SMS-emne 
 SmsText=Melding
 SmsMessage=SMS
-ShowSms=Show Sms
-ListOfSms=Liste SMS campains
-NewSms=Ny SMS campain
-EditSms=Edit Sms
+ShowSms=Vis SMS
+ListOfSms=Liste over SMS-kampanjer
+NewSms=Ny SMS-kampanje
+EditSms=Endre SMS
 ResetSms=Ny sending
-DeleteSms=Slett SMS campain
-DeleteASms=Fjerne en Sms campain
-PreviewSms=Previuw Sms
+DeleteSms=Slett SMS kampanje
+DeleteASms=Fjern en SMS-kampanje
+PreviewSms=Forhåndsvis SMS
 PrepareSms=Forbered Sms
 CreateSms=SMS
-SmsResult=Resultat av sms sending
-TestSms=Test Sms
-ValidSms=Valider Sms
-ApproveSms=Godkjenne Sms
+SmsResult=Resultat av SMS-sending
+TestSms=Test SMS
+ValidSms=Valider SMS
+ApproveSms=Godkjenn SMS
 SmsStatusDraft=Utkast
 SmsStatusValidated=Validert
 SmsStatusApproved=Godkjent
 SmsStatusSent=Sendt
-SmsStatusSentPartialy=Sendt delvis
-SmsStatusSentCompletely=Sendt helt
+SmsStatusSentPartialy=Delvis sendt
+SmsStatusSentCompletely=Sendt
 SmsStatusError=Feil
 SmsStatusNotSent=Ikke sendt
-SmsSuccessfulySent=Sms korrekt sendt (fra %s til %s)
-ErrorSmsRecipientIsEmpty=Antall mål er tom
-WarningNoSmsAdded=Ingen nye telefonnummer for å legge til målet liste
+SmsSuccessfulySent=SMS korrekt utsendt (fra %s til %s)
+ErrorSmsRecipientIsEmpty=Mål-nummer er tomt
+WarningNoSmsAdded=Ingen nye telefonnummer for å legge til i mållisten
 ConfirmValidSms=Bekrefter du validering av dette campain?
-ConfirmResetMailing=Advarsel, hvis du gjør en reinit av sms campain <b>%s,</b> vil du tillate å lage en masse å sende det en gang til. Er det virkelig det du wan å gjøre?
+ConfirmResetMailing=Advarsel! Hvis du gjør en reinitiering av SMS-kampanjen <b>%s</b>, setter du i gang en ny masseutsendelse. Er det virkelig det du vil å gjøre?
 ConfirmDeleteMailing=Bekrefter du fjerning av campain?
 NbOfRecipients=Antall mål
-NbOfUniqueSms=NB DOF unike telefonnumre
-NbOfSms=Nbre av Phon tall
+NbOfUniqueSms=Antall unike telefonnumre
+NbOfSms=Antall telefonnumre
 ThisIsATestMessage=Dette er en testmelding
 SendSms=Send SMS
-SmsInfoCharRemain=Nb av gjenværende tegn
-SmsInfoNumero= (Format internasjonal dvs.: 33899701761)
+SmsInfoCharRemain=Antall gjenværende tegn
+SmsInfoNumero= (Internasjonal prefix dvs.: +4711223344)
 DelayBeforeSending=Forsinkelse før sending (minutter)
-SmsNoPossibleRecipientFound=Ingen mål tilgjengelig. Sjekk oppsettet av SMS-leverandør.
+SmsNoPossibleRecipientFound=Ingen mål tilgjengelig. Sjekk oppsettet fra din SMS-leverandør.
 
diff --git a/htdocs/langs/nb_NO/stocks.lang b/htdocs/langs/nb_NO/stocks.lang
index f066c126495a570b4c2b83b14551211bf4e51f2d..b3e6dd916ccaa921708d48a7f36dfd1f64a52dfa 100644
--- a/htdocs/langs/nb_NO/stocks.lang
+++ b/htdocs/langs/nb_NO/stocks.lang
@@ -5,18 +5,18 @@ Warehouses=Lagere
 NewWarehouse=Nytt lager
 WarehouseEdit=Endre lager
 MenuNewWarehouse=Nytt lager
-WarehouseOpened=Warehouse open
+WarehouseOpened=Varehus åpent
 WarehouseClosed=Lager lukket
 WarehouseSource=Kildelager
-WarehouseSourceNotDefined=No warehouse defined,
-AddOne=Add one
+WarehouseSourceNotDefined=Ingen varehus definert
+AddOne=Legg til
 WarehouseTarget=Mållager
 ValidateSending=Godkjenn levering
 CancelSending=Avbryt levering
 DeleteSending=Slett levering
 Stock=Lagerbeholdning
 Stocks=Lagerbeholdning
-StocksByLotSerial=Stock by lot/serial
+StocksByLotSerial=Lager etter lot/serienummer
 Movement=Bevegelse
 Movements=Bevegelser
 ErrorWarehouseRefRequired=Du må angi et navn på lageret
@@ -24,34 +24,34 @@ ErrorWarehouseLabelRequired=du må angi en merkelapp for lageret
 CorrectStock=Riktig beholdning
 ListOfWarehouses=Oversikt over lagere
 ListOfStockMovements=Oversikt over bevegelser
-StocksArea=Warehouses area
+StocksArea=Område for varehus
 Location=Lokasjon
 LocationSummary=Kort navn på lokasjon
-NumberOfDifferentProducts=Number of different products
-NumberOfProducts=Totalt antall produkter
+NumberOfDifferentProducts=Antall forskjellige varer
+NumberOfProducts=Totalt antall varer
 LastMovement=Siste bevegelse
 LastMovements=Siste bevegelser
 Units=Enheter
 Unit=Enhet
 StockCorrection=Korriger lagerbeholdning
-StockTransfer=Stock transfer
+StockTransfer=Lageroverførsel
 StockMovement=Overføring
 StockMovements=Lageroverføring
-LabelMovement=Movement label
+LabelMovement=Bevegelse-etikett
 NumberOfUnit=Atntall enheter
-UnitPurchaseValue=Unit purchase price
+UnitPurchaseValue=Enhets innkjøpspris
 TotalStock=Tottal beholdning
 StockTooLow=For lav beholdning
-StockLowerThanLimit=Stock lower than alert limit
+StockLowerThanLimit=Lagerbeholdning lavere en varslingsgrense
 EnhancedValue=Verdi
 PMPValue=Veid gjennomsnittlig pris
 PMPValueShort=WAP
 EnhancedValueOfWarehouses=Lagerverdi
 UserWarehouseAutoCreate=Opprett lager automatisk når en bruker opprettes
-IndependantSubProductStock=Product stock and subproduct stock are independant
+IndependantSubProductStock=Varelager og sub-varelager er uavhengig av hverandre
 QtyDispatched=Antall sendt
-QtyDispatchedShort=Qty dispatched
-QtyToDispatchShort=Qty to dispatch
+QtyDispatchedShort=Mengde utsendt
+QtyToDispatchShort=Mengde for utsendelse
 OrderDispatch=Ordre sendt
 RuleForStockManagementDecrease=Regel for lagerreduksjon
 RuleForStockManagementIncrease=Regel for lagerøkning
@@ -61,13 +61,13 @@ DeStockOnShipment=reduser virkelig beholdning ved forsendelse (anbefalt)
 ReStockOnBill=Øk virkelig beholdning ut fra faktura/kreditnota
 ReStockOnValidateOrder=Øk virkelig beholdning ut fra ordre
 ReStockOnDispatchOrder=Øk virkelige aksjer på manuelle sende ut i lagerbygninger, etter leverandør bestill mottak
-ReStockOnDeleteInvoice=Increase real stocks on invoice deletion
-OrderStatusNotReadyToDispatch=Bestill har ikke ennå, eller ikke mer en status som gjør at ekspedering av produkter på lager lager.
-StockDiffPhysicTeoric=Explanation for difference between physical and theoretical stock
-NoPredefinedProductToDispatch=Ingen forhåndsdefinerte produkter for dette objektet. Så nei utsending på lager er nødvendig.
+ReStockOnDeleteInvoice=Øk lagerbeholdning ved sletting av faktura
+OrderStatusNotReadyToDispatch=Bestill har ikke ennå, eller ikke mer en status som gjør at ekspedering av varer på lager lager.
+StockDiffPhysicTeoric=Forklaring av differanse mellom fysisk og teoretisk lagerbeholdning
+NoPredefinedProductToDispatch=Ingen forhåndsdefinerte varer for dette objektet. Så nei utsending på lager er nødvendig.
 DispatchVerb=Dispatch
-StockLimitShort=Limit for alert
-StockLimit=Stock limit for alert
+StockLimitShort=Varslingsgrense
+StockLimit=Varslingsgrense for lagerbeholdning
 PhysicalStock=Fysisk beholdning
 RealStock=Virkelig beholdning
 VirtualStock=Virtuell beholdning
@@ -79,7 +79,7 @@ IdWarehouse=Id lager
 DescWareHouse=Beskrivelse av lager
 LieuWareHouse=Lagerlokasjon
 WarehousesAndProducts=Lager og varer
-WarehousesAndProductsBatchDetail=Warehouses and products (with detail per lot/serial)
+WarehousesAndProductsBatchDetail=Varehus og varer (med detaljer pr. lot/serienummer)
 AverageUnitPricePMPShort=Veid gjennomsnittlig inngang pris
 AverageUnitPricePMP=Veid gjennomsnittlig inngang pris
 SellPriceMin=Selge Enhetspris
@@ -93,48 +93,48 @@ PersonalStock=Personlig lager %s
 ThisWarehouseIsPersonalStock=Dette lageret representerer personlige lager av %s %s
 SelectWarehouseForStockDecrease=Velg lageret til bruk for lager nedgang
 SelectWarehouseForStockIncrease=Velg lageret til bruk for lager økning
-NoStockAction=No stock action
-LastWaitingSupplierOrders=Orders waiting for receptions
-DesiredStock=Desired minimum stock
-DesiredMaxStock=Desired maximum stock
-StockToBuy=To order
-Replenishment=Replenishment
-ReplenishmentOrders=Replenishment orders
-VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical + current orders) may differ
-UseVirtualStockByDefault=Use virtual stock by default, instead of physical stock, for replenishment feature
-UseVirtualStock=Use virtual stock
-UsePhysicalStock=Use physical stock
-CurentSelectionMode=Current selection mode
-CurentlyUsingVirtualStock=Virtual stock
-CurentlyUsingPhysicalStock=Physical stock
-RuleForStockReplenishment=Rule for stocks replenishment
-SelectProductWithNotNullQty=Select at least one product with a qty not null and a supplier
-AlertOnly= Alerts only
-WarehouseForStockDecrease=The warehouse <b>%s</b> will be used for stock decrease
-WarehouseForStockIncrease=The warehouse <b>%s</b> will be used for stock increase
-ForThisWarehouse=For this warehouse
-ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked), and suggest you to create supplier orders to fill the difference.
-ReplenishmentOrdersDesc=This is a list of all opened supplier orders including predefined products. Only opened orders with predefined products, so orders that may affect stocks, are visible here.
-Replenishments=Replenishments
-NbOfProductBeforePeriod=Quantity of product %s in stock before selected period (< %s)
-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
-ReceivingForSameOrder=Receipts for this order
-StockMovementRecorded=Stock movements recorded
-RuleForStockAvailability=Rules on stock requirements
-StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice
-StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order
-StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment
-MovementLabel=Label of movement
-InventoryCode=Movement or inventory code
-IsInPackage=Contained into package
-ShowWarehouse=Show warehouse
-MovementCorrectStock=Stock correction for product %s
-MovementTransferStock=Stock transfer of product %s into another warehouse
-WarehouseMustBeSelectedAtFirstStepWhenProductBatchModuleOn=Source warehouse must be defined here when "Product lot" module is on. It will be used to list wich lot/serial is available for product that required lot/serial data for movement. If you want to send products from different warehouses, just make the shipment into several steps.
-InventoryCodeShort=Inv./Mov. code
-NoPendingReceptionOnSupplierOrder=No pending reception due to open supplier order
-ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (<strong>%s</strong>) already exists but with different eatby or sellby date (found <strong>%s</strong> but you enter <strong>%s</strong>).
+NoStockAction=Ingen lagerhendelser
+LastWaitingSupplierOrders=Ordre som venter på varer
+DesiredStock=Ønsket minstebeholdning
+DesiredMaxStock=Ønsket maksimumsbeholdning
+StockToBuy=For bestilling
+Replenishment=Påfylling av varer
+ReplenishmentOrders=Påfyllingsordre
+VirtualDiffersFromPhysical=Ifølge lagerøkning-/reduksjon-opsjoner, kan fysisk lager og virtuelt lager (fysiske + gjeldende ordre) variere
+UseVirtualStockByDefault=Bruk virtuelt lager som standard i stedet for fysisk, for lagerfyllingsegenskapen
+UseVirtualStock=Bruk teoretisk lagerbeholdning
+UsePhysicalStock=Bruk fysisk varebeholdning
+CurentSelectionMode=Gjeldende valgmodus
+CurentlyUsingVirtualStock=Teoretisk varebeholdning
+CurentlyUsingPhysicalStock=Fysisk varebeholdning
+RuleForStockReplenishment=Regler for lågerpåfylling
+SelectProductWithNotNullQty=Velg minst en vare, med beholdning > 0, og en leverandør
+AlertOnly= Kun varsler
+WarehouseForStockDecrease=Varehuset <b>%s</b> vil bli brukt til reduksjon av varebeholdning
+WarehouseForStockIncrease=Varehuset <b>%s</b> vil bli brukt til økning av varebeholdning
+ForThisWarehouse=For dette varehuset
+ReplenishmentStatusDesc=Dette er en liste over alle produkter med et lager lavere enn ønsket(eller lavere enn varslingsverdi hvis boksen "kun varsel" er krysset av), og foreslår å opprette leverandørordre om å fylle lager.
+ReplenishmentOrdersDesc=Dette er en liste over alle åpne leverandørbestillinger inkludert forhåndsdefinerte varer. Bare åpnede ordre med forhåndsdefinerte varer, slik at ordre som kan påvirke lagerbeholdning, er synlige her.
+Replenishments=Lagerpåfyllinger
+NbOfProductBeforePeriod=Beholdning av varen %s før valgte periode (< %s)
+NbOfProductAfterPeriod=Beholdning av varen %s før etter periode (< %s)
+MassMovement=Massebevegelse
+MassStockMovement=Masse varebevegelser
+SelectProductInAndOutWareHouse=Velg en vare, etnkvantum, et kildelager og et mållager, og klikk deretter på "%s". Når dette er gjort for alle nødvendige bevegelser, klikk på "%s".
+RecordMovement=Post overført
+ReceivingForSameOrder=Kvitteringer for denne ordren
+StockMovementRecorded=Registrerte varebevegelser
+RuleForStockAvailability=Regler og krav for lagerbeholdning
+StockMustBeEnoughForInvoice=Varebeholdning kan ikke være lavere enn antall i faktura
+StockMustBeEnoughForOrder=Varebeholdning kan ikke være lavere enn antall i ordre
+StockMustBeEnoughForShipment= Varebeholdning kan ikke være lavere enn antall i forsendelse
+MovementLabel=Bevegelsesetikett
+InventoryCode=Bevegelse eller varelager
+IsInPackage=Innhold i pakken
+ShowWarehouse=Vis varehus
+MovementCorrectStock=Lagerkorreksjon for var %s
+MovementTransferStock=Lageroverførsel av vare %s til annet varehus
+WarehouseMustBeSelectedAtFirstStepWhenProductBatchModuleOn=Kildelageret må defineres her når Varelot-modul er aktiv. Den vil bli brukt til å liste hvilke lot/serienummer som er tilgjengelig for varer som krever lot/serienummer for bevegelse. Hvis du ønsker å sende produkter fra forskjellige varehus, del opp forsendelsen i flere trinn.
+InventoryCodeShort=Lag./bev.-kode
+NoPendingReceptionOnSupplierOrder=Ingen ventende mottak grunnet åpen leverandørordre
+ThisSerialAlreadyExistWithDifferentDate=Dette lot/serienummeret (<strong>%s</strong>) finnes allerede, men med ulik "best før" og "siste forbruksdag" (funnet <strong>%s</strong> , men tastet inn <strong>%s</strong>).
diff --git a/htdocs/langs/nb_NO/suppliers.lang b/htdocs/langs/nb_NO/suppliers.lang
index 9729115af8e6cc6c8fc7728576d0fbe2c26d4db2..f0a18da92d3169d54ebc0d8ca9d5b232b2e09989 100644
--- a/htdocs/langs/nb_NO/suppliers.lang
+++ b/htdocs/langs/nb_NO/suppliers.lang
@@ -11,13 +11,13 @@ OrderDate=Bestillingsdato
 BuyingPrice=Innkjøpspris
 BuyingPriceMin=Laveste innkjøpspris
 BuyingPriceMinShort=Laveste innkjøpspris
-TotalBuyingPriceMin=Totalt underprodukters innkjøpspriser
-SomeSubProductHaveNoPrices=Noen underprodukter har ingen pris definert
+TotalBuyingPriceMin=Totalt sub-vare innkjøpspriser
+SomeSubProductHaveNoPrices=Noen sub-varer har ingen pris definert
 AddSupplierPrice=Legg til leverandørpris
 ChangeSupplierPrice=Endre leverandørpris
-ErrorQtyTooLowForThisSupplier=Mengden er for lav for denne leverandøren, eller det er ikke definert noen pris for dette produktet for denne leverandøren
+ErrorQtyTooLowForThisSupplier=Mengden er for lav for denne leverandøren, eller det er ikke definert noen pris for denne varen for denne leverandøren
 ErrorSupplierCountryIsNotDefined=Det er ikke angitt noe land for denne leverandøren. Du må gjøre dette først.
-ProductHasAlreadyReferenceInThisSupplier=Dette produktet har allerede en referanse hos denne leverandøren
+ProductHasAlreadyReferenceInThisSupplier=Denne varen har allerede en referanse hos denne leverandøren
 ReferenceSupplierIsAlreadyAssociatedWithAProduct=Denne leverandørreferansen er allerede tilknyttet en referanse: %s
 NoRecordedSuppliers=Ingen leverandører registrert
 SupplierPayment=Leverandørbetaling
@@ -36,11 +36,11 @@ AddCustomerOrder=Opprett kundeordre
 AddCustomerInvoice=Opprett kundefaktura
 AddSupplierOrder=Opprett innkjøpsordre
 AddSupplierInvoice=Opprett leverandørfaktura
-ListOfSupplierProductForSupplier=Oversikt over produkter og priser for leverandøren <b>%s</b>
+ListOfSupplierProductForSupplier=Oversikt over varer og priser for leverandøren <b>%s</b>
 NoneOrBatchFileNeverRan=Ingen eller batch <b>%s</b> er ikke kjørt i det siste
 SentToSuppliers=Sendt til leverandører
 ListOfSupplierOrders=Liste over leverandørordre
 MenuOrdersSupplierToBill=Leverandørordre til faktura
 NbDaysToDelivery=Leveringsforsinkelse i dager
-DescNbDaysToDelivery=Største leveringsforsinkelse av produkter fra denne ordren
+DescNbDaysToDelivery=Største leveringsforsinkelse av varer fra denne ordren
 UseDoubleApproval=Bruk dobbel godkjenning (den andre godkjennelsen kan gjøres av alle brukere med riktig adgang)
diff --git a/htdocs/langs/nb_NO/trips.lang b/htdocs/langs/nb_NO/trips.lang
index 81a7265125369b3145341c8044fe8055bfc522a1..b5947ff0c7954d73a79988d2c77d09960bacb7a1 100644
--- a/htdocs/langs/nb_NO/trips.lang
+++ b/htdocs/langs/nb_NO/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Gjenåpne
 SendToValid=Sendt til godkjenning
 ModifyInfoGen=Endre
 ValidateAndSubmit=Valider og send til godkjenning
+ValidatedWaitingApproval=Validert (venter på godkjenning)
 
 NOT_VALIDATOR=Du har ikke tillatelse til å godkjenne denne reiseregningen
 NOT_AUTHOR=Reiseregningener ikke opprettet av deg. Operasjonen avbrutt.
diff --git a/htdocs/langs/nb_NO/users.lang b/htdocs/langs/nb_NO/users.lang
index 47bed320c64dbcefcc0817b8920c7b870fccb47f..0e20de632ecf711dc5e71ca207495fc5145e5857 100644
--- a/htdocs/langs/nb_NO/users.lang
+++ b/htdocs/langs/nb_NO/users.lang
@@ -72,15 +72,15 @@ UsersToAdd=Brukere å legge til i denne gruppen
 GroupsToAdd=Grupper å legge til denne brukeren
 NoLogin=Ingen innlogging
 LinkToCompanyContact=Lenke til tredjepart / kontakt
-LinkedToDolibarrMember=Link til medlem
-LinkedToDolibarrUser=Link til Dolibarr brukeren
-LinkedToDolibarrThirdParty=Link til Dolibarr tredjepart
+LinkedToDolibarrMember=Lenke til medlem
+LinkedToDolibarrUser=Lenke til Dolibarr brukeren
+LinkedToDolibarrThirdParty=Lenke til Dolibarr tredjepart
 CreateDolibarrLogin=Lag Dolibarrkonto
 CreateDolibarrThirdParty=Lag en tredjepart
-LoginAccountDisable=Kontoen er deaktivert, put a new login to activate it.
+LoginAccountDisable=Kontoen er deaktivert, en annen bruker må aktivere den.
 LoginAccountDisableInDolibarr=Kontoen er deaktivert i Dolibarr.
 LoginAccountDisableInLdap=Kontoen er deaktivert i domenet.
-UsePersonalValue=Bruk personlig verdie
+UsePersonalValue=Bruk personlig verdi
 GuiLanguage=Språk
 InternalUser=Intern bruker
 MyInformations=Mine data
@@ -88,21 +88,21 @@ ExportDataset_user_1=Dolibarr brukere og egenskaper
 DomainUser=Domenebruker %s
 Reactivate=Reaktiver
 CreateInternalUserDesc=Med dette skjemaet kan du opprette en intern bruker til din bedrift / stiftelse. For å lage en ekstern bruker (kunde, leverandør, osv), bruk knappen 'Lag Dolibarr bruker' fra tredjeparts kontaktkort
-InternalExternalDesc=En <b>intern</b> bruker er er en som er en del av firmaet/organisasjonen.<br>En <b>ekstern</b> bruker er en kunde, leverandør eller annen tredjeperson.<br><br>I begge tilfelle styres brukeren av Dolibarr-rettigheter. Dessuten kan eksterne brukere ha en annen menybehandler enn interne brukere (Se Hjem - Instillinger - Visning)
+InternalExternalDesc=En <b>intern</b> bruker er er en som er en del av firmaet/organisasjonen.<br>En <b>ekstern</b> bruker er en kunde, leverandør eller annen tredjeperson.<br><br>I begge tilfelle styres brukeren av Dolibarr-rettigheter. Dessuten kan eksterne brukere ha en annen menybehandler enn interne brukere (Se Hjem - Oppsett - Visning)
 PermissionInheritedFromAGroup=Rettigheter innvilget fordi de er arvet av en brukegruppe.
 Inherited=Arvet
 UserWillBeInternalUser=Opprettet bruker vil være en intern bruker (fordi ikke knyttet til en bestemt tredjepart)
 UserWillBeExternalUser=Opprettet bruker vil være en ekstern bruker (fordi knyttes til et bestemt tredjepart)
-IdPhoneCaller=ID phone caller
+IdPhoneCaller=Telefon ID
 UserLogged=Brukeren %s er logget inn
-UserLogoff=Bruker %s utlogging
+UserLogoff=Bruker %s utlogget
 NewUserCreated=Brukeren %s er opprettet
 NewUserPassword=Passord er endret for %s
 EventUserModified=Brukeren %s er endret
 UserDisabled=Brukeren %s er deaktivert
 UserEnabled=Brukeren %s er aktivert
 UserDeleted=Brukeren %s er fjernet
-NewGroupCreated=Gruppen %s er oprettet
+NewGroupCreated=Gruppen %s er opprettet
 GroupModified=Gruppe %s endret
 GroupDeleted=Gruppen %s er fjernet
 ConfirmCreateContact=Er du sikker på at du vil lage en Dolibarr-konto til denne kontaktpersonen?
@@ -110,9 +110,9 @@ ConfirmCreateLogin=Er du sikker på at du vil opprette en Dolibarr konto for med
 ConfirmCreateThirdParty=Er du sikker på at du vil opprette en tredje part for medlemmet?
 LoginToCreate=Brukernavn å opprette
 NameToCreate=Navn på tredjepart til å lage
-YourRole=Din roller
+YourRole=Dine roller
 YourQuotaOfUsersIsReached=Din kvote på aktive brukere er nådd!
-NbOfUsers=Nb av brukere
+NbOfUsers=Antall brukere
 DontDowngradeSuperAdmin=Bare en superadmin kan nedgradere en superadmin
 HierarchicalResponsible=Veileder
 HierarchicView=Hierarkisk visning
diff --git a/htdocs/langs/nb_NO/withdrawals.lang b/htdocs/langs/nb_NO/withdrawals.lang
index 659fcb911c6bd26a46b1079c90d9777557b527eb..475881e8e5a8d78eea3cb6474d91f09f037217c3 100644
--- a/htdocs/langs/nb_NO/withdrawals.lang
+++ b/htdocs/langs/nb_NO/withdrawals.lang
@@ -1,28 +1,28 @@
 # Dolibarr language file - Source file is en_US - withdrawals
 StandingOrdersArea=Område for faste ordre
 CustomersStandingOrdersArea=Område for faste ordre
-StandingOrders=Fast ordre
-StandingOrder=Fast ordre
+StandingOrders=Faste ordre
+StandingOrder=Faste ordre
 NewStandingOrder=Ny fast ordre
 StandingOrderToProcess=Til behandling
 StandingOrderProcessed=Behandlet
-Withdrawals=Innbetalinger
-Withdrawal=Innbetaling
-WithdrawalsReceipts=Kvitteringer
-WithdrawalReceipt=Kvittering
+Withdrawals=Tilbakekallinger
+Withdrawal=Tilbakekalling
+WithdrawalsReceipts=Kvitteringer på tilbakekallinger
+WithdrawalReceipt=Kvittering på tilbakekalling
 WithdrawalReceiptShort=Kvittering
-LastWithdrawalReceipts=Siste %s kvitteringer
-WithdrawedBills=Betalte fakturaer
-WithdrawalsLines=Betalte linjer
-RequestStandingOrderToTreat=Request for standing orders to process
-RequestStandingOrderTreated=Request for standing orders processed
-NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines.
-CustomersStandingOrders=Fast kundeordre
+LastWithdrawalReceipts=Siste %s kvitteringer på tilbakekallinger
+WithdrawedBills=Tilbakekalte fakturaer
+WithdrawalsLines=Tilbakekallingslinjer
+RequestStandingOrderToTreat=Forespørsel om behandling av faste ordre
+RequestStandingOrderTreated=Forespørsel om behandlede faste ordre
+NotPossibleForThisStatusOfWithdrawReceiptORLine=Ennå ikke mulig. Tilbaketrekkings-status må være satt til 'kreditert' før fjerning fra spesifikke linjer.
+CustomersStandingOrders=Faste kundeordre
 CustomerStandingOrder=Fast kundeordre
-NbOfInvoiceToWithdraw=Nb. of invoice with withdraw request
-NbOfInvoiceToWithdrawWithInfo=Nb. of invoice with withdraw request for customers having defined bank account information
-InvoiceWaitingWithdraw=Vaktura venter på betaling
-AmountToWithdraw=Beløp å betale
+NbOfInvoiceToWithdraw=Antall fakturaer som er forespurt tilbaketrukket
+NbOfInvoiceToWithdrawWithInfo=Antall fakturaer med tilbaketrekkings-forespørsel for kunder som har definert bankkontoinformasjon
+InvoiceWaitingWithdraw=Faktura som venter på tilbakekalling
+AmountToWithdraw=Beløp å tilbakekalle
 WithdrawsRefused=Betaling avvist
 NoInvoiceToWithdraw=Ingen kundefakturaer er i betalingsmodus. Gå til "Betaling" på fakturakortet for å endre dette.
 ResponsibleUser=Ansvarlig bruker
@@ -40,14 +40,14 @@ TransData=Dato Transmission
 TransMetod=Metode Transmission
 Send=Send
 Lines=Linjer
-StandingOrderReject=Utstede en avvise
+StandingOrderReject=Utsted en avvisning
 WithdrawalRefused=Uttak Refuseds
 WithdrawalRefusedConfirm=Er du sikker på at du vil angi en tilbaketrekning avslag for samfunnet
 RefusedData=Dato for avvisning
 RefusedReason=Årsak til avslag
 RefusedInvoicing=Fakturering avvisningen
 NoInvoiceRefused=Ikke lad avvisningen
-InvoiceRefused=Invoice refused (Charge the rejection to customer)
+InvoiceRefused=Faktura avvist (Kunden skal belastes for avvisningen)
 Status=Status
 StatusUnknown=Ukjent
 StatusWaiting=Venter
@@ -76,14 +76,19 @@ WithBankUsingRIB=For bankkontoer bruker RIB
 WithBankUsingBANBIC=For bankkontoer bruker IBAN / BIC / SWIFT
 BankToReceiveWithdraw=Bankkonto til å motta trekker seg
 CreditDate=Kreditt på
-WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported)
+WithdrawalFileNotCapable=Kan ikke ikke generere kvitteringsfil for tilbaketrekking for landet ditt %s (Landet er ikke støttet)
 ShowWithdraw=Vis Angrerett
 IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Men hvis faktura har minst én tilbaketrekning betaling ennå ikke behandlet, vil det ikke bli satt som utbetales å tillate å administrere uttak før.
-DoStandingOrdersBeforePayments=This tab allows you to request a standing order. Once done, go into menu Bank->Withdrawal to manage the standing order. When standing order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null.
-WithdrawalFile=Withdrawal file
-SetToStatusSent=Set to status "File Sent"
-ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
-StatisticsByLineStatus=Statistics by status of lines
+DoStandingOrdersBeforePayments=Under denne fanen kan du be om en fast ordre. Når dette er gjort, kan du gå inn i menyen Bank> Uttak for å håndtere faste ordre. Når du faste ordre er lukket, vil betaling på fakturaen automatisk bli registrert, og fakturaen lukkes hvis restbeløpet er null.
+WithdrawalFile=Tilbaketrekkingsfil
+SetToStatusSent=Sett status til "Fil Sendt"
+ThisWillAlsoAddPaymentOnInvoice=Dette vil også gjelde fakturainnbetalinger og vil klassifisere dem som "Betalt"
+StatisticsByLineStatus=Statistikk etter linjestatus
+RUM=RUM
+RUMWillBeGenerated=RUM-nummer vil bli generert så snart bankkonto-info er lagret
+WithdrawMode=Tilbaketrekkingsmodus (FRST eller RECUR)
+WithdrawRequestAmount=Beløp på tilbaketrekkingsforespørsel
+WithdrawRequestErrorNilAmount=Kan ikke lage tilbaketrekkingsforespørsel ved null-beløp
 
 ### Notifications
 InfoCreditSubject=Betaling av fast oppdrag %s av banken
@@ -93,5 +98,5 @@ InfoTransMessage=Den stående ordre %s har blitt transmited til banken ved %s %s
 InfoTransData=Beløp: %s <br> Metode: %s <br> Dato: %s
 InfoFoot=Dette er en automatisk melding som sendes av Dolibarr
 InfoRejectSubject=Stående ordre nektet
-InfoRejectMessage=Hello,<br><br>the standing order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.<br><br>--<br>%s
+InfoRejectMessage=Hallo, <br><br> den faste ordren med faktura %s relatert til selskapet %s, med beløpet %s har blitt avvist av banken <br><br>--<br>%s
 ModeWarning=Mulighet for reell modus ble ikke satt, stopper vi etter denne simuleringen
diff --git a/htdocs/langs/nb_NO/workflow.lang b/htdocs/langs/nb_NO/workflow.lang
index b42edc3e911f185c4b3c6a90cf9fb5d4fbe28883..22d418d07793cecfe969592524d78079e3ad06f7 100644
--- a/htdocs/langs/nb_NO/workflow.lang
+++ b/htdocs/langs/nb_NO/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Oppsett av Arbeidsflyt-modulen 
 WorkflowDesc=Denne modulen er laget for å sette opp automatiske hendelser i programmet. Som standard er arbeidsflyt-modulen åpen (du kan gjøre ting i de rekkefølgen du ønsker). Du kan aktivere de automatiske hendelsene du vil.
-ThereIsNoWorkflowToModify=Det er ingen arbeisflyt å endre for den aktiverte modulen
+ThereIsNoWorkflowToModify=Det er ingen arbeidsflyt-modifikasjoner tilgjengelig med aktiverte moduler.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatisk opprettelse av kundeordre etter at et tilbud er signert
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically Opprett faktura etter at et tilbud er signert
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically Opprett faktura etter at en kontrakt er validert
diff --git a/htdocs/langs/nl_NL/admin.lang b/htdocs/langs/nl_NL/admin.lang
index c1045f08f89dbc73bea93a2424ddfb8419a80829..138dd4a4e4e6aa22e402eb99364acffad2296898 100644
--- a/htdocs/langs/nl_NL/admin.lang
+++ b/htdocs/langs/nl_NL/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Zakelijke voorstellen / Offertes
 Module20Desc=Beheer van offertes
 Module22Name=EMailings
 Module22Desc=Administratie en verzending van bulk-e-mails
-Module23Name= Energie
-Module23Desc= Monitoring van het verbruik van energie
+Module23Name=Energie
+Module23Desc=Monitoring van het verbruik van energie
 Module25Name=Bestellingen klanten
 Module25Desc=Beheer van de bestellingen door klanten
 Module30Name=Facturen
@@ -492,7 +492,7 @@ Module400Desc=Beheer van projecten, kansen of leads. U kunt elk willekeurig elem
 Module410Name=Webkalender
 Module410Desc=Integratie van een webkalender
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salarissen
 Module510Desc=Beheer van de werknemers salarissen en betalingen
 Module520Name=Lening
@@ -501,7 +501,7 @@ Module600Name=Kennisgevingen
 Module600Desc=Stuur EMail notificaties van bepaalde Dolibarr zakelijke gebeurtenissen naar derde-partijen contacten (setup gedefinieerd in iedere derde-partij)
 Module700Name=Giften
 Module700Desc=Donatiebeheer
-Module770Name=Onkostennota's 
+Module770Name=Expense reports
 Module770Desc=Management en vordering onkostennota's (vervoer, maaltijden, ...)
 Module1120Name=Leverancier commerciële voorstel
 Module1120Desc=Leverancier verzoek commerciële voorstel en prijzen
@@ -579,7 +579,7 @@ Permission32=Creëer / wijzig producten / diensten
 Permission34=Verwijderen producten / diensten
 Permission36=Exporteer producten / diensten
 Permission38=Export producten
-Permission41=Bekijk projecten (Gedeelde projecten en projecten waarvoor ik de contactpersoon ben)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Creëer / wijzig projecten (Gedeelde projecten en projecten waarvoor ik de contactpersoon ben)
 Permission44=Verwijder projecten (Gedeelde projecten en projecten waarvoor ik de contactpersoon ben)
 Permission61=Bekijk interventies
@@ -600,10 +600,10 @@ Permission86=Verzend afnemersopdrachten
 Permission87=Sluit afnemersopdrachten
 Permission88=Annuleer afnemersopdrachten
 Permission89=Verwijder afnemersopdrachten
-Permission91=Bekijk sociale bijdragen en BTW
-Permission92=Creëer / wijzig sociale bijdragen en BTW
-Permission93=Verwijder sociale bijdragen en BTW
-Permission94=Exporteer sociale bijdragen
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Bekijk de verslagen
 Permission101=Bekijk verzendingen
 Permission102=Creëer / wijzig verzendingen
@@ -621,9 +621,9 @@ Permission121=Bekijk derde partijen gelinkt aan de gebruiker
 Permission122=Creëer / wijzig derden gelinkt aan gebruiker
 Permission125=Verwijderen van derden gelinkt aan gebruiker
 Permission126=Exporteer derden
-Permission141=Bekijk projecten (ook privé waarvoor ik geen contactpersoon ben)
-Permission142=Creëer / bewerk projecten (ook privé waarvoor ik geen contactpersoon ben)
-Permission144=Verwijder projecten (ook privé waarvoor ik geen contactpersoon ben)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Bekijk leveranciers
 Permission147=Bekijk statistieken
 Permission151=Bekijk doorlopende opdrachten
@@ -801,7 +801,7 @@ DictionaryCountry=Landen
 DictionaryCurrency=Valuta
 DictionaryCivility=Aanspreektitel
 DictionaryActions=Type agenda evenementen
-DictionarySocialContributions=Sociale bijdrage types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=BTW-tarieven of Verkoop Tax tarieven
 DictionaryRevenueStamp=Bedrag van de fiscale zegels
 DictionaryPaymentConditions=Betalingsvoorwaarden
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Modellen voor rekeningschema
 DictionaryEMailTemplates=Email documentensjablonen
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Instellingen opgeslagen
 BackToModuleList=Terug naar moduleoverzicht
 BackToDictionaryList=Terug naar de woordenboeken lijst
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Weet u zeker dat u het menu-item <b>%s</b> wilt verwijderen?
 DeleteLine=Verwijderen regel
 ConfirmDeleteLine=Weet u zeker dat u deze regel wilt verwijderen?
 ##### Tax #####
-TaxSetup=Moduleinstellingen voor belastingen, sociale bijdragen en dividenden
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=BTW verplicht
 OptionVATDefault=Kasbasis
 OptionVATDebitOption=Transactiebasis
@@ -1564,9 +1565,11 @@ EndPointIs='SOAP cliënten' moeten hun verzoeken versturen naar het 'Dolibarr en
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bankmoduleinstellingen
 FreeLegalTextOnChequeReceipts=Eigen tekst op cheque-ontvangsten
@@ -1596,6 +1599,7 @@ ProjectsSetup=Projectenmoduleinstellingen
 ProjectsModelModule=Projectenrapportagedocumentsjabloon
 TasksNumberingModules=Taken nummering module
 TaskModelModule=Taken rapporten documentmodel
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatische boom map en document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/nl_NL/agenda.lang b/htdocs/langs/nl_NL/agenda.lang
index 5508ad1be0f80229c80b0387db72c718b57347a1..e575cb0683908a77e899f9b1d554c2fad356cfa9 100644
--- a/htdocs/langs/nl_NL/agenda.lang
+++ b/htdocs/langs/nl_NL/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Bestelling %s is gefactureerd
 OrderApprovedInDolibarr=Bestel %s goedgekeurd
 OrderRefusedInDolibarr=Order %s is geweigerd
 OrderBackToDraftInDolibarr=Bestel %s terug te gaan naar ontwerp-status
-OrderCanceledInDolibarr=Bestel %s geannuleerd
 ProposalSentByEMail=Offerte %s verzonden per e-mail
 OrderSentByEMail=Afnemersopdracht %s verzonden per e-mail
 InvoiceSentByEMail=Afnemersfactuur %s verzonden per e-mail
@@ -96,3 +95,5 @@ AddEvent=Creëer gebeurtenis/taak
 MyAvailability=Beschikbaarheid
 ActionType=Taak type
 DateActionBegin=Begindatum
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/nl_NL/banks.lang b/htdocs/langs/nl_NL/banks.lang
index debe1f6e1f568a3bea6f42107472dc8fc6906d7c..6ebda8a263d4a2a91546a1825301b2662a405e32 100644
--- a/htdocs/langs/nl_NL/banks.lang
+++ b/htdocs/langs/nl_NL/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Afnemersbetaling
 CustomerInvoicePaymentBack=Terugbetaling klant
 SupplierInvoicePayment=Leveranciersbetaling
 WithdrawalPayment=Intrekking betaling
-SocialContributionPayment=Sociale bijdrage betaling
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Dagboek van financiële rekening
 BankTransfer=Bankoverboeking
 BankTransfers=Bankoverboeking
diff --git a/htdocs/langs/nl_NL/bills.lang b/htdocs/langs/nl_NL/bills.lang
index 923e6d6e3efc099b453b4981efe1db2738ed62ec..9e68d8d137d9ba56326e37d15c8b870b0481277d 100644
--- a/htdocs/langs/nl_NL/bills.lang
+++ b/htdocs/langs/nl_NL/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Aantal facturen
 NumberOfBillsByMonth=Aantal facturen per maand
 AmountOfBills=Bedrag van de facturen
 AmountOfBillsByMonthHT=Aantal facturen per maand (BTW)
-ShowSocialContribution=Toon sociale verzekeringsbijdrage
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Toon factuur
 ShowInvoice=Toon factuur
 ShowInvoiceReplace=Toon vervangingsfactuur
@@ -270,7 +270,7 @@ BillAddress=Factuuradres
 HelpEscompte=Deze korting wordt toegekend aan de afnemer omdat de betaling werd gemaakt ruim voor de termijn.
 HelpAbandonBadCustomer=Dit bedrag is verlaten (afnemer beschouwt als slechte betaler) en wordt beschouwd als een buitengewoon verlies.
 HelpAbandonOther=Dit bedrag is verlaten, omdat het een fout was (verkeerde afnemer of factuur vervangen door een andere bijvoorbeeld)
-IdSocialContribution=Sociale premiebijdrage id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Betalings id
 InvoiceId=Factuur id
 InvoiceRef=Factuurreferentie
diff --git a/htdocs/langs/nl_NL/companies.lang b/htdocs/langs/nl_NL/companies.lang
index f1b30e23a889beabb73f1bd0ed0182508ef9df74..b540ec2eca618c0b4adc1ca3ba7114335cdcc0cf 100644
--- a/htdocs/langs/nl_NL/companies.lang
+++ b/htdocs/langs/nl_NL/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Contactpersoon van Klant
 StatusContactValidated=Status van contactpersoon
 Company=Bedrijf
 CompanyName=Bedrijfsnaam
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Bedrijven
 CountryIsInEEC=Lidstaat van de Europese Unie
 ThirdPartyName=Naam van Klant
diff --git a/htdocs/langs/nl_NL/compta.lang b/htdocs/langs/nl_NL/compta.lang
index f5f521d6edf530a6f82c493a91a22421abc133c2..ec674036ed4f19b0830d5b5fc9c2dda19f17b713 100644
--- a/htdocs/langs/nl_NL/compta.lang
+++ b/htdocs/langs/nl_NL/compta.lang
@@ -56,23 +56,23 @@ VATCollected=Geïnde  BTW
 ToPay=Te betalen
 ToGet=Om terug te komen
 SpecialExpensesArea=Ruimte voor alle bijzondere betalingen
-TaxAndDividendsArea=Belastingen-, sociale bijdragen- en dividendenoverzicht
-SocialContribution=Sociale bijdragen
-SocialContributions=Sociale bijdragen
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Speciale uitgaven
 MenuTaxAndDividends=Belastingen en dividenden
 MenuSalaries=Salarissen
-MenuSocialContributions=Sociale premies
-MenuNewSocialContribution=Nieuwe bijdrage
-NewSocialContribution=Nieuwe sociale bijdrage
-ContributionsToPay=Te betalen bijdragen
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Treasury- (schatkist) / boekhoudingsoverzicht
 AccountancySetup=Boekhoudingsinstellingen
 NewPayment=Nieuwe betaling
 Payments=Betalingen
 PaymentCustomerInvoice=Afnemersfactuur betaling
 PaymentSupplierInvoice=Leveranciersfactuur betaling
-PaymentSocialContribution=Sociale bijdrage betaling
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=BTW betaling
 PaymentSalary=Salarisbetaling
 ListPayment=Betalingenlijst
@@ -91,7 +91,7 @@ LT1PaymentES=RE Betaling
 LT1PaymentsES=RE Betalingen
 VATPayment=BTW-betaling
 VATPayments=BTW-betalingen
-SocialContributionsPayments=Betalingen van sociale bijdragen
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Toon BTW-betaling
 TotalToPay=Totaal te voldoen
 TotalVATReceived=Totale BTW ontvangsten
@@ -116,11 +116,11 @@ NewCheckDepositOn=Creeer een kwitantie voor de storting op rekening: %s
 NoWaitingChecks=Geen cheques die op storting wachten
 DateChequeReceived=Ontvangstdatum cheque
 NbOfCheques=Aantal cheques
-PaySocialContribution=Betaal een sociale bijdrage
-ConfirmPaySocialContribution=Weet u zeker dat u deze sociale bijdrage als betaald wilt aanmerken ?
-DeleteSocialContribution=Verwijder een sociale bijdrage
-ConfirmDeleteSocialContribution=Weet u zeker dat u deze sociale bijdrage wilt verwijderen?
-ExportDataset_tax_1=Sociale premies en betalingen
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sBTW op verbintenissenboekhouding %s.</b>
 CalcModeVATEngagement=Mode <b>%sBTW op de inkomens-uitgaven %s.</b>
 CalcModeDebt=Mode <b>%sClaims-Schulden%s</b> zei <b>verbintenis boekhouding.</b>
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=volgens de leverancier, kiest u geschikte methode om
 TurnoverPerProductInCommitmentAccountingNotRelevant=Omzet rapport per product, bij gebruik van een <b>kas boukhoudings-modus</b> is dit niet relevant. Dit rapport is alleen beschikbaar bij gebruik van <b>betrokkenheid accountancy-modus</b> (zie setup van boukhoud module).
 CalculationMode=Berekeningswijze
 AccountancyJournal=Dagboek van financiële rekening
-ACCOUNTING_VAT_ACCOUNT=Standaard boekhoud code van te vorderen BTW
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Standaard boekhoud code voor te betalen van btw
 ACCOUNTING_ACCOUNT_CUSTOMER=Standaard boekhoudkundige code voor klant relaties
 ACCOUNTING_ACCOUNT_SUPPLIER=Standaard boekhoudkundige code voor leverancier relaties
-CloneTax=Kloon een sociale bijdrage
-ConfirmCloneTax=Bevestig het klonen van een sociale bijdrage
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Kloon het voor volgende maand
diff --git a/htdocs/langs/nl_NL/cron.lang b/htdocs/langs/nl_NL/cron.lang
index bb5c6c42c3b3a07df569539d636e42a7526eaef0..3af81e99ba1dc0b14b39febc10eaaa630de4dca3 100644
--- a/htdocs/langs/nl_NL/cron.lang
+++ b/htdocs/langs/nl_NL/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Informatie
 # Common
diff --git a/htdocs/langs/nl_NL/ecm.lang b/htdocs/langs/nl_NL/ecm.lang
index 52f6582bfbe8823c2680ebd13a10624b4d8a2983..1c376a9c3f1c94e63a3a7a36a8ffe68fd5a074c0 100644
--- a/htdocs/langs/nl_NL/ecm.lang
+++ b/htdocs/langs/nl_NL/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Zoek op object
 ECMSectionOfDocuments=Mappen van documenten
 ECMTypeManual=Handmatig
 ECMTypeAuto=Automatisch
-ECMDocsBySocialContributions=Documenten in verband met de sociale bijdragen
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documenten gekoppeld aan derden
 ECMDocsByProposals=Documenten gekoppeld aan offertes / voorstellen
 ECMDocsByOrders=Documenten gekoppeld aan afnemersorders
diff --git a/htdocs/langs/nl_NL/errors.lang b/htdocs/langs/nl_NL/errors.lang
index 9c357397ccd2014ad0a7c11dbf0e78bc04b37d12..97f052e082b1df05ce5268c1aaf3c7fb37876c5c 100644
--- a/htdocs/langs/nl_NL/errors.lang
+++ b/htdocs/langs/nl_NL/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/nl_NL/holiday.lang b/htdocs/langs/nl_NL/holiday.lang
index 7986b74bc44ee6950b1cfe7286aa169d587280be..6d529c91eced38e313f87a4e5c5f862004afc158 100644
--- a/htdocs/langs/nl_NL/holiday.lang
+++ b/htdocs/langs/nl_NL/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reden
 UserCP=Gebruiker
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Waardering
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/nl_NL/mails.lang b/htdocs/langs/nl_NL/mails.lang
index 0b8cfa92b1bfd946d53c0889dd1fb46588bdd599..e5057416f6bb70ccb0b61839dba35d27e3c1c024 100644
--- a/htdocs/langs/nl_NL/mails.lang
+++ b/htdocs/langs/nl_NL/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Uitschrijf link
 TagSignature=Ondertekening verzendende gebruiker
 TagMailtoEmail=Ontvanger e-mail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Kennisgevingen
 NoNotificationsWillBeSent=Er staan geen e-mailkennisgevingen gepland voor dit evenement en bedrijf
diff --git a/htdocs/langs/nl_NL/main.lang b/htdocs/langs/nl_NL/main.lang
index 0ecfae487b3f69f8768660a2ee2bc0e393f9968c..98df67dde0047fe54e6a72e8a60f8b9485a64995 100644
--- a/htdocs/langs/nl_NL/main.lang
+++ b/htdocs/langs/nl_NL/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Fouten gevonden. Wij draaien de veranderin
 ErrorConfigParameterNotDefined=<b>Parameter %s</b> is niet gedefinieerd binnen Dolibarr configuratiebestand <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Kan <b>gebruiker %s</b> niet in de Dolibarr database vinden.
 ErrorNoVATRateDefinedForSellerCountry=Fout, geen BTW-tarieven voor land '%s'.
-ErrorNoSocialContributionForSellerCountry=Fout, geen sociale bijdrage gedefinieerd voor het land '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Fout, bestand opslaan mislukt.
 SetDate=Stel datum in
 SelectDate=Selecteer een datum
@@ -302,7 +302,7 @@ UnitPriceTTC=Eenheidsprijs (bruto)
 PriceU=E.P.
 PriceUHT=EP (netto)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=EP (bruto)
+PriceUTTC=U.P. (inc. tax)
 Amount=Hoeveelheid
 AmountInvoice=Factuurbedrag
 AmountPayment=Betalingsbedrag
@@ -339,6 +339,7 @@ IncludedVAT=Inclusief BTW
 HT=Exclusief BTW
 TTC=Inclusief BTW
 VAT=BTW
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=BTW-tarief
diff --git a/htdocs/langs/nl_NL/members.lang b/htdocs/langs/nl_NL/members.lang
index 4b290bdb74cc2f7074718d0ea53073b5a7c074c1..aa3d159c116c018cc124808119d685ba5c7d7b34 100644
--- a/htdocs/langs/nl_NL/members.lang
+++ b/htdocs/langs/nl_NL/members.lang
@@ -199,7 +199,8 @@ Entreprises=Bedrijven
 DOLIBARRFOUNDATION_PAYMENT_FORM=Om uw abonnement betalen via een bankoverschrijving, zie pagina <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Betalen met een creditcard of Paypal, klik op de knop onderaan deze pagina. <br>
 ByProperties=Volgens eigenschappen
 MembersStatisticsByProperties=Leden statistiek volgens eigenschappen
-MembersByNature=Leden volgens aard
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=BTW tarief voor inschrijvingen
 NoVatOnSubscription=Geen BTW bij inschrijving
 MEMBER_PAYONLINE_SENDEMAIL=E-mail om te verwittigen dat Dolibarr een bericht ontvangen heeft voor een bevestigde betaling van een inschrijving
diff --git a/htdocs/langs/nl_NL/products.lang b/htdocs/langs/nl_NL/products.lang
index 8057fa5bc3c16a8325fd044749c8786e84a0ba37..506738a290638652ba04fcd6814ba3e7fd498464 100644
--- a/htdocs/langs/nl_NL/products.lang
+++ b/htdocs/langs/nl_NL/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Laatst bijgewerkt
 CorrectlyUpdated=Correct bijgewerkt
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/nl_NL/projects.lang b/htdocs/langs/nl_NL/projects.lang
index 1e27a6cebcd4de36682c42bf47e3d5b4078fed3e..f621d8a50cc982d511fa76f300b31c1aa2bdb311 100644
--- a/htdocs/langs/nl_NL/projects.lang
+++ b/htdocs/langs/nl_NL/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Deze weergave is beperkt tot projecten en taken waarvoor u een conta
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Deze weergave toont alle projecten en taken die u mag inzien.
 TasksDesc=Deze weergave toont alle projecten en taken (Uw gebruikersrechten staan het u toe alles in te zien).
-AllTaskVisibleButEditIfYouAreAssigned=Alle taken voor een dergelijk project zijn zichtbaar, maar je kunt de tijd alleen ingeven voor de taak die u zijn toegewezen.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projectenoverzicht
 NewProject=Nieuw project
 AddProject=Nieuw project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Lijst van onkostennota's in verband met het
 ListDonationsAssociatedProject=Lijst van donaties in verband met het project
 ListActionsAssociatedProject=Lijst van aan het project verbonden acties
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Projectactiviteit in deze week
 ActivityOnProjectThisMonth=Projectactiviteit in deze maand
 ActivityOnProjectThisYear=Projectactiviteit in dit jaar
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/nl_NL/trips.lang b/htdocs/langs/nl_NL/trips.lang
index 54f76d7ff2afdca73de5128016c58a4f3451ab74..0eea7bf16cf919a4f8f25983a1c8a751b018e67b 100644
--- a/htdocs/langs/nl_NL/trips.lang
+++ b/htdocs/langs/nl_NL/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/nl_NL/withdrawals.lang b/htdocs/langs/nl_NL/withdrawals.lang
index 24019c213e43f69231ecaef5496a93c05f1be2a4..ff7a5a850f369ae03c238d0625dc8c824ca6d61d 100644
--- a/htdocs/langs/nl_NL/withdrawals.lang
+++ b/htdocs/langs/nl_NL/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Betaling van periodieke overboeking %s door de bank
diff --git a/htdocs/langs/nl_NL/workflow.lang b/htdocs/langs/nl_NL/workflow.lang
index 923e99ddfe1a41509cc04e1cb85cdfc28de087a1..0b75b1081ea57efb9af7da84fb877564d1f05154 100644
--- a/htdocs/langs/nl_NL/workflow.lang
+++ b/htdocs/langs/nl_NL/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/pl_PL/admin.lang b/htdocs/langs/pl_PL/admin.lang
index c31f24ec5256a12847cb6d415e5663b8091ff8fd..d7ff8a7f623002d9ca0882fc264cc3a07af9e0b7 100644
--- a/htdocs/langs/pl_PL/admin.lang
+++ b/htdocs/langs/pl_PL/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Propozycje
 Module20Desc=Zarządzanie propozycjami reklam
 Module22Name=Masowe wysyłanie E-maili
 Module22Desc=Zarządzanie masową wysyłką E-maili
-Module23Name= Energia
-Module23Desc= Monitorowanie zużycia energii
+Module23Name=Energia
+Module23Desc=Monitorowanie zużycia energii
 Module25Name=Zamówienia klientów
 Module25Desc=Zarządzanie zamówieniami klienta
 Module30Name=Faktury
@@ -492,7 +492,7 @@ Module400Desc=Zarządzanie projektami, możliwości lub wskazówki. Następnie m
 Module410Name=Webcalendar
 Module410Desc=Integracja Webcalendar
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Wynagrodzenia
 Module510Desc=Zarządzanie pracownikami wynagrodzenia i płatności
 Module520Name=Pożyczka
@@ -501,7 +501,7 @@ Module600Name=Powiadomienia
 Module600Desc=Wyślij informację poprzez e-mail odnośnie niektórych zdarzeń biznesowych związanych z Dolibarr do stron trzecich (ustawienia zdefiniowane dla każdej strony trzeciej)
 Module700Name=Darowizny
 Module700Desc=Zarządzanie darowiznami
-Module770Name=Kosztorys
+Module770Name=Expense reports
 Module770Desc=Zarządzanie i roszczenia raporty wydatków (transport, posiłek, ...)
 Module1120Name=Dostawca propozycja handlowa
 Module1120Desc=Dostawca komercyjnych i wniosek propozycja ceny
@@ -579,7 +579,7 @@ Permission32=Tworzenie / modyfikacja produktów
 Permission34=Usuwanie produktów
 Permission36=Podejrzyj / zarządzaj ukrytymi produktami
 Permission38=Eksport produktów
-Permission41=Czytaj projekty (projekty współdzielone oraz projekty, w których biorę udział)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Tworzenie / modyfikacja projektów (projekty współdzielone oraz projekty, w których biorę udział)
 Permission44=Usuwanie projektów (projekty współdzielone oraz projekty, w których biorę udział)
 Permission61=Czytaj interwencje
@@ -600,10 +600,10 @@ Permission86=Wyślij zamówienia klientów
 Permission87=Zamknij zamówienia klientów
 Permission88=Anuluj zamówienia klientów
 Permission89=Usuń zamówienia klientów
-Permission91=Czytaj składki na ubezpieczenie zdrowotne i podatek VAT
-Permission92=Tworzenie / modyfikacja składek na ubezpieczenie zdrowotne i podatek VAT
-Permission93=Usuń składki na ubezpieczenie zdrowotne i podatek VAT
-Permission94=Eksport składek na ubezpieczenie zdrowotne
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Przeczytaj raporty
 Permission101=Czytaj ustawienia
 Permission102=Utwórz / modyfikuj ustawienia
@@ -621,9 +621,9 @@ Permission121=Czytaj strony trzecie związane z użytkownikiem
 Permission122=Tworzenie / modyfikacja stron trzecich związanych z użytkownikiem
 Permission125=Usuń strony trzecie związane z użytkownikiem
 Permission126=Eksport stron trzecich
-Permission141=Czytaj projekty (również prywatne, których nie jestem uczestnikiem)
-Permission142=Tworzenie / modyfikacja projektów (również prywatnych, których nie jestem uczestnikiem)
-Permission144=Usuwanie projektów (również prywatnych, których nie jestem uczestnikiem)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Czytaj dostawców
 Permission147=Czytaj statystyki
 Permission151=Czytaj zlecenia stałe
@@ -801,7 +801,7 @@ DictionaryCountry=Kraje
 DictionaryCurrency=Waluty
 DictionaryCivility=Tytuł Grzeczność
 DictionaryActions=Rodzaj wydarzenia porządku obrad
-DictionarySocialContributions=Rodzaje składek na ubezpieczenia społeczne
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT ceny lub podatku od sprzedaży ceny
 DictionaryRevenueStamp=Ilość znaczków opłaty skarbowej
 DictionaryPaymentConditions=Warunki płatności
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Modele dla planu kont
 DictionaryEMailTemplates=Szablony wiadomości e-mail
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Konfiguracja zapisana
 BackToModuleList=Powrót do listy modułów
 BackToDictionaryList=Powrót do listy słowników
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Czy na pewno chcesz usunąć <b>menu %s?</b>
 DeleteLine=Usuń wiersz
 ConfirmDeleteLine=Czy na pewno chcesz usunąć ten wiersz?
 ##### Tax #####
-TaxSetup=Podatków, składek na ubezpieczenia społeczne i dywidendy konfiguracji modułu
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Opcja d'exigibilit de TVA
 OptionVATDefault=Kasowej
 OptionVATDebitOption=Memoriału
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP klienci muszą wysłać swoje wnioski do Dolibarr punktem końco
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank konfiguracji modułu
 FreeLegalTextOnChequeReceipts=Darmowy czek tekst na wpływy
@@ -1596,6 +1599,7 @@ ProjectsSetup=Projekt instalacji modułu
 ProjectsModelModule=Wzór dokumentu projektu sprawozdania
 TasksNumberingModules=Zadania numeracji modułu
 TaskModelModule=Zadania raporty modelu dokumentu
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = Konfiguracja GED
 ECMAutoTree = Automatyczne drzewa folderów i dokumentów
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Instalacja zewnętrznego modułu z poziomu aplikacji,
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/pl_PL/agenda.lang b/htdocs/langs/pl_PL/agenda.lang
index a2bef22d4fb88f5828b5badf887b95b7a0143390..0b9b521ecce8fb6a19aaecbc901ea2e8aa99f455 100644
--- a/htdocs/langs/pl_PL/agenda.lang
+++ b/htdocs/langs/pl_PL/agenda.lang
@@ -1,12 +1,12 @@
 # Dolibarr language file - Source file is en_US - agenda
 IdAgenda=ID zdarzenia
-Actions=Działania
-ActionsArea=Obszar działań (Zdarzenia i zadania)
+Actions=Wydarzenia
+ActionsArea=Obszar wydarzeń (akcje i zadania)
 Agenda=Agenda
 Agendas=Agendy
 Calendar=Kalendarz
 Calendars=Kalendarze
-LocalAgenda=Kalendarz Wewnętrzne
+LocalAgenda=Kalendarz wewnętrzny
 ActionsOwnedBy=Wydarzenie własnością
 AffectedTo=Przypisany do
 DoneBy=Wykonane przez
@@ -17,53 +17,52 @@ MyEvents=Moje zdarzenia
 OtherEvents=Inne zdarzenia
 ListOfActions=Lista zdarzeń
 Location=Lokalizacja
-EventOnFullDay=Zdarzenie całodniowe
+EventOnFullDay=Wydarzenia całodniowe
 SearchAnAction= Szukaj zdarzenia/zadania
 MenuToDoActions=Wszystkie zdarzenia niekompletne
 MenuDoneActions=Wszystkie zdarzenia zakończone
 MenuToDoMyActions=Moje działania niekompletne
 MenuDoneMyActions=Moje zdarzenia zakończone
 ListOfEvents=Lista zdarzeń (wewnętrzny kalendarz)
-ActionsAskedBy=Akcje zostały zarejestrowane przez
+ActionsAskedBy=Wydarzenia zarejestrowane przez
 ActionsToDoBy=Zdarzenia przypisane do
 ActionsDoneBy=Zdarzenia wykonane przez
-ActionsForUser=Imprezy dla użytkowników
-ActionsForUsersGroup=Imprezy dla wszystkich użytkowników grupy
-ActionAssignedTo=Przypisany do zdarzenia
+ActionsForUser=Wydarzenie dla użytkownika
+ActionsForUsersGroup=Wydarzenia dla wszystkich użytkowników grupy
+ActionAssignedTo=Wydarzenie przypisane do
 AllMyActions= Wszystkie moje zdarzenia/zadania
 AllActions= Wszystkie zdarzenia/zadania
 ViewList=Widok listy
 ViewCal=Pokaż miesiąc
 ViewDay=Pokaż dzień
 ViewWeek=Pokaż tydzień
-ViewPerUser=Za widzenia użytkownika
+ViewPerUser=Za wglądem użytkownika
 ViewWithPredefinedFilters= Widok ze zdefiniowanymi filtrami
 AutoActions= Automatyczne wypełnianie
-AgendaAutoActionDesc= Określ zdarzenia, dla których Dolibarr ma tworzyć automatycznie wpisy w agendzie. Jeżeli nie jest zaznaczone (domyślnie), w agendzie zostaną utworzone wpisy wyłącznie dla działań manualnych.
-AgendaSetupOtherDesc= Ta strona zawiera opcje, pozwalające eksportować Twoje zdarzenia Dolibarr do zewnętrznego kalendarza (Thunderbird, Google Calendar, ...)
-AgendaExtSitesDesc=Ta strona pozwala zdefiniować zewnętrzne źródła kalendarzy, aby zobaczyć uwzględnić zapisane tam zdarzenia w agendzie Dolibarr.
+AgendaAutoActionDesc= Określ tu wydarzenia, dla których Dolibarr ma tworzyć automatycznie wpisy w agendzie. Jeżeli nic nie jest zaznaczone (domyślnie), w agendzie zostaną utworzone wpisy wyłącznie dla działań ręcznych.
+AgendaSetupOtherDesc= Ta strona zawiera opcje, pozwalające eksportować Twoje zdarzenia Dolibarr'a do zewnętrznego kalendarza (Thunderbird, Google Calendar, ...)
+AgendaExtSitesDesc=Ta strona pozwala zdefiniować zewnętrzne źródła kalendarzy, aby zobaczyć uwzględnić zapisane tam zdarzenia w agendzie Dolibarr'a.
 ActionsEvents=Zdarzenia, dla których Dolibarr stworzy automatycznie zadania w agendzie
 PropalValidatedInDolibarr=Zatwierdzenie oferty %s
 InvoiceValidatedInDolibarr=Zatwierdzenie faktury %s
-InvoiceValidatedInDolibarrFromPos=Faktura% s potwierdzone z POS
-InvoiceBackToDraftInDolibarr=Zmiana statusu faktura %s na draft
+InvoiceValidatedInDolibarrFromPos=Faktura %s potwierdzona z POS
+InvoiceBackToDraftInDolibarr=Zmiana statusu faktura %s na szkic
 InvoiceDeleteDolibarr=Usunięcie faktury %s
 OrderValidatedInDolibarr=Zatwierdzenie zamówienia %s
-OrderDeliveredInDolibarr=Order %s classified delivered
+OrderDeliveredInDolibarr=Zamówienie %s sklasyfikowanych dostarczonych.
 OrderCanceledInDolibarr=Anulowanie zamówienia %s
-OrderBilledInDolibarr=Order %s classified billed
+OrderBilledInDolibarr=Zamówienie %s sklasyfikowanego obciążonego
 OrderApprovedInDolibarr=Akceptacja zamówienia %s
-OrderRefusedInDolibarr=Zamówienie% s odmówił
+OrderRefusedInDolibarr=Zamówienie %s odmówione
 OrderBackToDraftInDolibarr=Zmiana statusu zamówienia %s na draft
-OrderCanceledInDolibarr=Anulowanie zamówienia %s
 ProposalSentByEMail=Oferta %s wysłana e-mailem
-OrderSentByEMail=Zamówienie %s Klienta wysłane e-mailem
+OrderSentByEMail=Zamówienie klienta %s wysłane e-mailem
 InvoiceSentByEMail=Faktura %s wysłana e-mailem
-SupplierOrderSentByEMail=Zamówienie %s wysłane do dostawcy e-mailem
-SupplierInvoiceSentByEMail=Faktura %s wysłana do dostawcy e-mailem
-ShippingSentByEMail=Przesyłka% s wysłane e-mailem
-ShippingValidated= Przesyłka% s potwierdzone
-InterventionSentByEMail=% Interwencja y wysyłane e-mailem
+SupplierOrderSentByEMail=Zamówienie dostawcy %s wysłane e-mailem
+SupplierInvoiceSentByEMail=Faktura dostawcy %s wysłana e-mailem
+ShippingSentByEMail=Przesyłka %s wysłana e-mailem
+ShippingValidated= Przesyłka %s potwierdzona
+InterventionSentByEMail=Interwencja %s wysłana mailem
 NewCompanyToDolibarr= Stworzono kontrahenta
 DateActionPlannedStart= Planowana data rozpoczęcia
 DateActionPlannedEnd= Planowana data zakończenia
@@ -72,27 +71,29 @@ DateActionDoneEnd= Rzeczywista data zakończenia
 DateActionStart= Data rozpoczęcia
 DateActionEnd= Data zakończenia
 AgendaUrlOptions1=Możesz także dodać następujące parametry do filtr wyjściowy:
-AgendaUrlOptions2=<b>logowanie =% s,</b> aby ograniczyć wyjścia do działań stworzonych przez lub przypisanych do <b>użytkownika% s.</b>
-AgendaUrlOptions3=<b>Logina =% s,</b> aby ograniczyć wyjścia do działań będących <b>własnością%</b> użytkownika <b>s.</b>
-AgendaUrlOptions4=<b>logint=%s,</b> aby ograniczyć wyjścia do działań przypisanych do użytkownika <b>%s.</b>
-AgendaUrlOptionsProject=<b>Projekt = PROJECT_ID</b> ograniczyć wyjścia do działań związanych z projektem <b>PROJECT_ID.</b>
+AgendaUrlOptions2=<b>login=%s</b> aby ograniczyć wyjścia do działań stworzonych lub przypisanych do użytkownika <b>%s</b>.
+AgendaUrlOptions3=<b>logina =%s</b>, aby ograniczyć wyjścia do działań będących własnością użytkownika <b>%s</b>.
+AgendaUrlOptions4=<b>logint=%s</b> aby ograniczyć wyjścia do działań przypisanych do użytkownika <b>%s</b>
+AgendaUrlOptionsProject=<b>projekt=PROJECT_ID</b> by ograniczyć wyjścia do działań związanych z projektem <b>PROJECT_ID</b>.
 AgendaShowBirthdayEvents=Pokaż urodziny kontaktów
-AgendaHideBirthdayEvents=Ukryj urodzin kontaktów
+AgendaHideBirthdayEvents=Ukryj urodziny kontaktów
 Busy=Zajęty
 ExportDataset_event1=Lista zdarzeń w agendzie
-DefaultWorkingDays=Domyślne dni roboczych wahać w tym tygodniu (przykład: 1-5, 1-6)
-DefaultWorkingHours=Domyślnie godziny pracy w dni (przykład: 9-18)
+DefaultWorkingDays=Domyślne zakres dni roboczych w tygodniu (przykład: 1-5, 1-6)
+DefaultWorkingHours=Domyślnie zakres godzin pracy w dniu (przykład: 9-18)
 # External Sites ical
 ExportCal=Eksport kalendarza
 ExtSites=Import zewnętrznych kalendarzy
-ExtSitesEnableThisTool=Pokaż kalendarze zewnętrznych (zdefiniowane w globalnej konfiguracji) do porządku obrad. Nie ma wpływu na kalendarze zewnętrzne zdefiniowane przez użytkowników.
+ExtSitesEnableThisTool=Pokaż zewnętrzne kalendarze (zdefiniowane w globalnej konfiguracji) do agendy Nie ma wpływu na zewnętrzne kalendarze zdefiniowane przez użytkowników.
 ExtSitesNbOfAgenda=Ilość kalendarzy
-AgendaExtNb=Kalendarz nb %s
-ExtSiteUrlAgenda=URL dostępu. Plik iCal
+AgendaExtNb=Kalendarz nr %s
+ExtSiteUrlAgenda=URL dostępu do pliku .ical
 ExtSiteNoLabel=Brak opisu
 WorkingTimeRange=Zakres czasu pracy
-WorkingDaysRange=Dni robocze w zakresie
+WorkingDaysRange=Zakres dni roboczych
 AddEvent=Utwórz wydarzenie
 MyAvailability=Moja dostępność
-ActionType=Event type
-DateActionBegin=Start event date
+ActionType=Typ wydarzenia
+DateActionBegin=Data startu wydarzenia
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/pl_PL/banks.lang b/htdocs/langs/pl_PL/banks.lang
index 5bfeb0ac1465d511c791258ddfd9a18a532dea83..2fda0f3ebe2298e0b44844b9c6439462ebb75f14 100644
--- a/htdocs/langs/pl_PL/banks.lang
+++ b/htdocs/langs/pl_PL/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Klient płatności
 CustomerInvoicePaymentBack=Płatności z powrotem klienta
 SupplierInvoicePayment=Dostawca płatności
 WithdrawalPayment=Wycofanie płatności
-SocialContributionPayment=Społeczny wkład płatności
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Rachunek finansowy dziennika
 BankTransfer=Przelew bankowy
 BankTransfers=Przelewy bankowe
diff --git a/htdocs/langs/pl_PL/bills.lang b/htdocs/langs/pl_PL/bills.lang
index c918bbfb0fee2e7076c5cf1d69d5379cab057bdc..35dd5d432b934271cf002a092642f596995bbd67 100644
--- a/htdocs/langs/pl_PL/bills.lang
+++ b/htdocs/langs/pl_PL/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb faktur
 NumberOfBillsByMonth=Nb faktur przez miesiąc
 AmountOfBills=Kwota faktury
 AmountOfBillsByMonthHT=Kwota faktur przez miesiąc (netto)
-ShowSocialContribution=Pokaż społecznego wkładu
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Pokaż fakturę
 ShowInvoice=Pokaż fakturę
 ShowInvoiceReplace=Pokaż zastępująca faktury
@@ -270,7 +270,7 @@ BillAddress=Bill adres
 HelpEscompte=Ta zniżka zniżki przyznawane klienta, ponieważ jego paiement został złożony przed terminem.
 HelpAbandonBadCustomer=Kwota ta została opuszczonych (klient mówi się, że zły klient) i jest uważany za exceptionnal luźne.
 HelpAbandonOther=Kwota ta została opuszczonych, ponieważ był to błąd (zły klient otrzymuje fakturę lub inny na przykład)
-IdSocialContribution=Społeczny wkład id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Płatność id
 InvoiceId=Faktura id
 InvoiceRef=Faktura nr ref.
diff --git a/htdocs/langs/pl_PL/companies.lang b/htdocs/langs/pl_PL/companies.lang
index 6df4f2795e2282a17c99a63d1af757e3f0ff013e..d54baeede9939b19d56ed24494194172b24b74d5 100644
--- a/htdocs/langs/pl_PL/companies.lang
+++ b/htdocs/langs/pl_PL/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Kontakty/adresy kontrahenta
 StatusContactValidated=Status kontaktu/adresu
 Company=Firma
 CompanyName=Nazwa firmy
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Firmy
 CountryIsInEEC=Kraj należy do Europejskiej Strefy Ekonomicznej
 ThirdPartyName=Nazwa kontrahenta
diff --git a/htdocs/langs/pl_PL/compta.lang b/htdocs/langs/pl_PL/compta.lang
index 62e5fde531e5442a0eacbaf1264df357f257a5c6..9cc41630b7c652a87f6dbb88c879d9b82f8f9585 100644
--- a/htdocs/langs/pl_PL/compta.lang
+++ b/htdocs/langs/pl_PL/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT zebrane
 ToPay=Aby zapłacić
 ToGet=Aby powrócić
 SpecialExpensesArea=Obszar dla wszystkich specjalnych płatności
-TaxAndDividendsArea=Podatek, składki na ubezpieczenie społeczne i dywidendy obszarze
-SocialContribution=Społeczny wkład
-SocialContributions=Składek na ubezpieczenia społeczne
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Koszty specjalne
 MenuTaxAndDividends=Podatki i dywidendy
 MenuSalaries=Wynagrodzenia
-MenuSocialContributions=Składek na ubezpieczenia społeczne
-MenuNewSocialContribution=Nowe Wkład
-NewSocialContribution=Nowe społecznego wkładu
-ContributionsToPay=Składki do zapłaty
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Księgowość / Skarbu obszarze
 AccountancySetup=Księgowość konfiguracji
 NewPayment=Nowa płatność
 Payments=Płatności
 PaymentCustomerInvoice=Klient płatności faktury
 PaymentSupplierInvoice=Dostawca płatności faktury
-PaymentSocialContribution=Społeczny wkład płatności
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Zapłaty podatku VAT
 PaymentSalary=Wypłata wynagrodzenia
 ListPayment=Wykaz płatności
@@ -91,7 +91,7 @@ LT1PaymentES=RE: Płatność
 LT1PaymentsES=RE Płatności
 VATPayment=Zapłaty podatku VAT
 VATPayments=Płatności VAT
-SocialContributionsPayments=Płatności składek na ubezpieczenia społeczne
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Pokaż zapłaty podatku VAT
 TotalToPay=Razem do zapłaty
 TotalVATReceived=Razem VAT otrzymana
@@ -116,11 +116,11 @@ NewCheckDepositOn=Nowe sprawdzić depozytu na konto: %s
 NoWaitingChecks=Nie czekając na kontrole depozytów.
 DateChequeReceived=Czek odbiór daty wejścia
 NbOfCheques=Nb czeków
-PaySocialContribution=Płacić składki społeczne
-ConfirmPaySocialContribution=Czy na pewno chcesz sklasyfikować ten społecznego wkładu wypłatę?
-DeleteSocialContribution=Usuń społecznego wkładu
-ConfirmDeleteSocialContribution=Czy na pewno chcesz usunąć ten wkład społeczny?
-ExportDataset_tax_1=Składek na ubezpieczenia społeczne i płatności
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=<b>Tryb% Svat na rachunkowości zaangażowanie% s.</b>
 CalcModeVATEngagement=<b>Tryb% Svat na dochody-wydatki% s.</b>
 CalcModeDebt=<b>Tryb% sClaims-Długi% s</b> powiedział <b>rachunkowości zobowiązania.</b>
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=wg dostawcy, wybierz odpowiednią metodę zastosowa
 TurnoverPerProductInCommitmentAccountingNotRelevant=Raport obroty na produkcie, w przypadku korzystania z trybu <b>rachunkowości gotówki,</b> nie ma znaczenia. Raport ten jest dostępny tylko w przypadku korzystania z trybu <b>zaangażowanie rachunkowości</b> (patrz konfiguracja modułu księgowego).
 CalculationMode=Tryb Obliczanie
 AccountancyJournal=Kod Księgowość czasopisma
-ACCOUNTING_VAT_ACCOUNT=Domyślny kod rachunkowe poboru VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Domyślny kod księgowość dla płacenia podatku VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Kod Księgowość domyślnie dla thirdparties klientów
 ACCOUNTING_ACCOUNT_SUPPLIER=Kod Księgowość domyślnie dla thirdparties dostawca
-CloneTax=Clone wkład społeczny
-ConfirmCloneTax=Potwierdź klon wkładu społecznego
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Sklonować go na następny miesiąc
diff --git a/htdocs/langs/pl_PL/cron.lang b/htdocs/langs/pl_PL/cron.lang
index 290b2848cd586584c0ae63621c623d9f57533e43..e6900b0e5ac50ff11550747b0120feb548e8d80f 100644
--- a/htdocs/langs/pl_PL/cron.lang
+++ b/htdocs/langs/pl_PL/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=Metoda obiektu, aby uruchomić. <BR> Dla exemple sprowadzić meto
 CronArgsHelp=Argumenty metody. <BR> Reprezentują np sprowadzić sposób Dolibarr obiektu Product /htdocs/product/class/product.class.php, wartość paramters może wynosić <i>0, ProductRef</i>
 CronCommandHelp=System linii poleceń do wykonania.
 CronCreateJob=Utwórz nowe zaplanowane zadanie
+CronFrom=From
 # Info
 CronInfoPage=Informacja
 # Common
diff --git a/htdocs/langs/pl_PL/ecm.lang b/htdocs/langs/pl_PL/ecm.lang
index a547d974dae2874ffbdfc239bc63e558fca1a05a..aeed807b09faf716a424e8be7996a8592cfc0748 100644
--- a/htdocs/langs/pl_PL/ecm.lang
+++ b/htdocs/langs/pl_PL/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Szukaj wg obiektu
 ECMSectionOfDocuments=Katalogi dokumentów
 ECMTypeManual=Podręcznik
 ECMTypeAuto=Automatyczne
-ECMDocsBySocialContributions=Dokumenty związane ze składek na ubezpieczenia społeczne
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Dokumenty związane z trzecim
 ECMDocsByProposals=Dokumenty związane z wnioskami
 ECMDocsByOrders=Dokumenty związane z zamówień klientów
diff --git a/htdocs/langs/pl_PL/errors.lang b/htdocs/langs/pl_PL/errors.lang
index 90a6766dec70c8842d0d2176fb1935ed7595008f..08a2df82ff06af1e7a6484dc3fcd280870805b89 100644
--- a/htdocs/langs/pl_PL/errors.lang
+++ b/htdocs/langs/pl_PL/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Bez znaczenia dla tej operacji zbiorze
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Funkcja wyłączona podczas konfiguracji wyświetlacz jest zoptymalizowana dla osoby niewidomej lub tekstowych przeglądarek.
 WarningPaymentDateLowerThanInvoiceDate=Termin płatności (% s) jest wcześniejsza niż dzień wystawienia faktury (% s) dla faktury% s.
 WarningTooManyDataPleaseUseMoreFilters=Zbyt wiele danych. Proszę używać więcej filtrów
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/pl_PL/holiday.lang b/htdocs/langs/pl_PL/holiday.lang
index 42b65f717e669cd5ed88c855bac45c3d9db2698f..787397df40a239b18147c2946135277b74ca9fcf 100644
--- a/htdocs/langs/pl_PL/holiday.lang
+++ b/htdocs/langs/pl_PL/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Liście
 CPTitreMenu=Liście
 MenuReportMonth=Oświadczenie miesięczny
-MenuAddCP=Złożyć wniosek do urlopu
+MenuAddCP=New leave request
 NotActiveModCP=Musisz włączyć liście modułów do strony.
 NotConfigModCP=Musisz skonfigurować moduł Liście do strony. Aby to zrobić, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">kliknij tutaj</a> </ a> <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">,</a>
 NoCPforUser=Nie mają żadnych dzień.
@@ -71,7 +71,7 @@ MotifCP=Powód
 UserCP=Użytkownik
 ErrorAddEventToUserCP=Wystąpił błąd podczas dodawania wyjątkowy urlop.
 AddEventToUserOkCP=Dodanie wyjątkowe prawo zostało zakończone.
-MenuLogCP=Zobacz dzienniki wniosków urlopowych
+MenuLogCP=View change logs
 LogCP=Zaloguj o aktualizacjach dostępnych dni urlopu
 ActionByCP=Wykonywane przez
 UserUpdateCP=Dla użytkownika
@@ -93,6 +93,7 @@ ValueOptionCP=Wartość
 GroupToValidateCP=Grupa ze zdolnością do zatwierdzenia wniosków urlopowych
 ConfirmConfigCP=Weryfikacja konfiguracji
 LastUpdateCP=Ostatni automatyczna aktualizacja alokacji liści
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Zaktualizowane.
 ErrorUpdateConfCP=Wystąpił błąd podczas aktualizacji, spróbuj ponownie.
 AddCPforUsers=Proszę dodać równowagę liście przydziału użytkowników, <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">klikając tutaj</a> .
@@ -127,6 +128,7 @@ ErrorMailNotSend=Wystąpił błąd podczas wysyłania wiadomości e-mail:
 NoCPforMonth=Nie opuścić ten miesiąc.
 nbJours=Liczba dni
 TitleAdminCP=Konfiguracja Liście
+NoticePeriod=Notice period
 #Messages
 Hello=Halo
 HolidaysToValidate=Weryfikacja wniosków urlopowych
@@ -139,10 +141,11 @@ HolidaysRefused=Zapytanie zaprzeczył
 HolidaysRefusedBody=Twoje zapytanie urlopu dla% s do% s została odrzucona z następującego powodu:
 HolidaysCanceled=Anulowane liściasta wniosek
 HolidaysCanceledBody=Twoje zapytanie urlopu% s do% s została anulowana.
-Permission20000=Czytaj jesteś właścicielem wniosków urlopowych
-Permission20001=Tworzenie / modyfikowanie wniosków urlopowych
-Permission20002=Tworzenie / modyfikacja wniosków urlopowych dla wszystkich
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Usuń wniosków urlopowych
-Permission20004=Ustawienia dostępne użytkowników dni urlopu
-Permission20005=Dziennik Przegląd zmodyfikowanych wniosków urlopowych
-Permission20006=Przeczytaj pozostawia raport miesięczny
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/pl_PL/mails.lang b/htdocs/langs/pl_PL/mails.lang
index ae9d1fb92d2a07fad4133bfc369b7bbf07e8e5ec..f95ed0fd628bc4bb9db236570ad6af5c107e9d11 100644
--- a/htdocs/langs/pl_PL/mails.lang
+++ b/htdocs/langs/pl_PL/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Obserwuj otwarcie maila
 TagUnsubscribe=Link do wypisania
 TagSignature=Podpis wysyłającego użytkownika
 TagMailtoEmail=Mail odbiorcy
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Powiadomienia
 NoNotificationsWillBeSent=Brak planowanych powiadomień mailowych dla tego wydarzenia i firmy
diff --git a/htdocs/langs/pl_PL/main.lang b/htdocs/langs/pl_PL/main.lang
index 442728a742388334f5c73c697a9ea62c4af38714..e3f506cb3846c5af5b427a95ad27561b2f36fe1d 100644
--- a/htdocs/langs/pl_PL/main.lang
+++ b/htdocs/langs/pl_PL/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Znaleziono błedy. Cofam zmiany
 ErrorConfigParameterNotDefined=<b>Parametr %s</b> nie jest zdefiniowany wewnątrz pliku konfiguracyjnego <b>conf.php.</b> Dollibara
 ErrorCantLoadUserFromDolibarrDatabase=Nie można znaleźć <b>użytkownika %s</b> Dolibarra w bazie danych.
 ErrorNoVATRateDefinedForSellerCountry=Błąd, nie określono stawki VAT dla kraju " %s".
-ErrorNoSocialContributionForSellerCountry=Błąd, społeczny wkład określony dla kraju %s niezdefiniowany.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Błąd, nie udało się zapisać pliku.
 SetDate=Ustaw datę
 SelectDate=Wybierz datę
@@ -302,7 +302,7 @@ UnitPriceTTC=Cena jednostkowa
 PriceU=cen/szt.
 PriceUHT=cen/szt (netto)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=cena/szt.
+PriceUTTC=U.P. (inc. tax)
 Amount=Ilość
 AmountInvoice=Kwota faktury
 AmountPayment=Kwota płatności
@@ -339,6 +339,7 @@ IncludedVAT=Zawiera VAT
 HT=Bez VAT
 TTC=z VAT
 VAT=Sprzedaż opodatkowana VAT
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Stawka VAT
diff --git a/htdocs/langs/pl_PL/members.lang b/htdocs/langs/pl_PL/members.lang
index d2e8dfa1c5fbc2d4fccc1097f2efd6ec0a0fdd03..5f06a49d1e46e40c4b16aa831893b343c2a38773 100644
--- a/htdocs/langs/pl_PL/members.lang
+++ b/htdocs/langs/pl_PL/members.lang
@@ -199,7 +199,8 @@ Entreprises=Firmy
 DOLIBARRFOUNDATION_PAYMENT_FORM=Aby dokonać płatności abonamentu za pomocą przelewu bankowego, patrz strona <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe~~dobj</a> . <br> Aby zapłacić za pomocą karty kredytowej lub PayPal, kliknij przycisk na dole tej strony. <br>
 ByProperties=Według cech
 MembersStatisticsByProperties=Użytkownicy statystyki cech
-MembersByNature=Użytkownicy z natury
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Stawka VAT użyć do subskrypcji
 NoVatOnSubscription=Nie TVA subskrypcji
 MEMBER_PAYONLINE_SENDEMAIL=E-mail, aby ostrzec, gdy Dolibarr otrzymać potwierdzenie zatwierdzonej płatności subskrypcji
diff --git a/htdocs/langs/pl_PL/products.lang b/htdocs/langs/pl_PL/products.lang
index b6499aaecacee416d4cdf5a0e39ae5ffcab4bdfb..10308579b82097d372160245696c58ebcd70e68d 100644
--- a/htdocs/langs/pl_PL/products.lang
+++ b/htdocs/langs/pl_PL/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Ostatnia aktualizacja
 CorrectlyUpdated=Poprawnie zaktualizowane
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/pl_PL/projects.lang b/htdocs/langs/pl_PL/projects.lang
index 8d5317ab04abe1c2554823d402ebac142502cd0f..a758d9a61e521c12c48d0a5aafdee7a9e6cfb26c 100644
--- a/htdocs/langs/pl_PL/projects.lang
+++ b/htdocs/langs/pl_PL/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Ten widok jest ograniczony do projektów lub zadań, dla których je
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Ten widok przedstawia wszystkie projekty i zadania, które możesz przeczytać.
 TasksDesc=Ten widok przedstawia wszystkie projekty i zadania (twoje uprawnienia mają dostępu do wglądu we wszystko).
-AllTaskVisibleButEditIfYouAreAssigned=Wszystkie zadania dla takiego projektu są widoczne, ale można wprowadzić czas tylko do zadań do których jesteś przypisany.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Obszar projektów
 NewProject=Nowy projekt
 AddProject=Tworzenie projektu
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Lista raportów o wydatkach związanych z pr
 ListDonationsAssociatedProject=Lista dotacji związanych z projektem
 ListActionsAssociatedProject=Wykaz działań związanych z projektem
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Aktywność w projekcie w tym tygodniu
 ActivityOnProjectThisMonth=Aktywność na projekcie w tym miesiącu
 ActivityOnProjectThisYear=Aktywność na projekcie w tym roku
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/pl_PL/trips.lang b/htdocs/langs/pl_PL/trips.lang
index cfc9841abe8af05a21b453d8dce7728665498f11..daa47d4c9807ce651858d3df71b2de6c279b1274 100644
--- a/htdocs/langs/pl_PL/trips.lang
+++ b/htdocs/langs/pl_PL/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Otworzyć na nowo
 SendToValid=Sent on approval
 ModifyInfoGen=Edycja
 ValidateAndSubmit=Weryfikacja i przedkłada do zatwierdzenia
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=Nie masz uprawnień do zatwierdzania tego raportu wydatków
 NOT_AUTHOR=Nie jesteś autorem tego raportu wydatków. Operacja anulowana.
diff --git a/htdocs/langs/pl_PL/withdrawals.lang b/htdocs/langs/pl_PL/withdrawals.lang
index 1fd493ae6837b6076ecd104fb92b99b0b48e4912..b82ff88c1b713c4780ac00716ca30f6791c81e6b 100644
--- a/htdocs/langs/pl_PL/withdrawals.lang
+++ b/htdocs/langs/pl_PL/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Plik Wycofanie
 SetToStatusSent=Ustaw status "Plik Wysłane"
 ThisWillAlsoAddPaymentOnInvoice=Odnosi się to także płatności faktur i będzie je sklasyfikować jako "Paid"
 StatisticsByLineStatus=Statystyki według stanu linii
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Płatność z %s zamówienia stojących przez bank
diff --git a/htdocs/langs/pl_PL/workflow.lang b/htdocs/langs/pl_PL/workflow.lang
index 4fea3c49ca0381cdc5b7abbc767f5ab24582636e..3e191a0f5b5072b0af2a64d2013cb2acef48b6aa 100644
--- a/htdocs/langs/pl_PL/workflow.lang
+++ b/htdocs/langs/pl_PL/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Konfiguracja modułu przepływu pracy
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/pt_BR/accountancy.lang b/htdocs/langs/pt_BR/accountancy.lang
index abd1310359b980117b35a78db004dce8385e0c93..61fcef4da9e8f92b9e98302b9c0be8c701bc73d4 100644
--- a/htdocs/langs/pt_BR/accountancy.lang
+++ b/htdocs/langs/pt_BR/accountancy.lang
@@ -1,166 +1,72 @@
-# Dolibarr language file - en_US - Accounting Expert
-CHARSET=UTF-8
+# Dolibarr language file - Source file is en_US - accountancy
 ACCOUNTING_EXPORT_SEPARATORCSV=Separador de coluna para o arquivo de exportação
 ACCOUNTING_EXPORT_DATE=Formato de data para arquivo de exportação
 ACCOUNTING_EXPORT_PIECE=Exportar o número de peça?
 ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Exportação com conta global?
 ACCOUNTING_EXPORT_LABEL=Exportar o rótulo?
 ACCOUNTING_EXPORT_AMOUNT=Exportar o montante?
-ACCOUNTING_EXPORT_DEVISE=Export the devise ?
-
 Accounting=Contabilidade
 Globalparameters=Parametros globais
-Chartofaccounts=Plano de contas
-Fiscalyear=Anos fiscais
 Menuaccount=Contas contábeis
-Menuthirdpartyaccount=Contas de terceiros
-MenuTools=Ferramentas
-
 ConfigAccountingExpert=Configuração do módulo especialista em contabilidade
 Journaux=Jornais
 JournalFinancial=Jornais financeiros
-Exports=Exportações
-Export=Exportar
-Modelcsv=Modelo de exportação
 OptionsDeactivatedForThisExportModel=Para este modelo de exportação, as opções são desativadas
 Selectmodelcsv=Escolha um modelo de exportação
-Modelcsv_normal=Exportação classica
 Modelcsv_CEGID=Exportação em direção CEGID Especialista
-BackToChartofaccounts=Return chart of accounts
 Back=Retorno
-
 Definechartofaccounts=Definir um gráfico de contas
 Selectchartofaccounts=Selecionar um gráfico de contas
-Validate=Validade
 Addanaccount=Adicionar uma conta contábil
 AccountAccounting=Conta contábil
-Ventilation=Breakdown
-ToDispatch=A enviar
-Dispatched=Enviado
-
-CustomersVentilation=Breakdown customers
-SuppliersVentilation=Breakdown suppliers
 TradeMargin=Margem de comercialização
-Reports=Relatórios
 ByCustomerInvoice=Pelos clientes faturas
-ByMonth=Por mês
-NewAccount=Nova conta contábil
-Update=Atualizar
-List=Lista
-Create=Criar
 UpdateAccount=Modificação de uma conta contábil
 UpdateMvts=A modificação de um movimento
 WriteBookKeeping=Registo das contas em contabilidade geral
-Bookkeeping=Contabilidade geral
 AccountBalanceByMonth=Saldo da conta por mês
-
-AccountingVentilation=Breakdown accounting
-AccountingVentilationSupplier=Breakdown accounting supplier
-AccountingVentilationCustomer=Breakdown accounting customer
-Line=Linha
-
 CAHTF=Total de HT compra fornecedor
-InvoiceLines=Lines of invoice to be ventilated
-InvoiceLinesDone=Ventilated lines of invoice
-IntoAccount=Na conta de contabilidade
-
-Ventilate=Ventilate
-VentilationAuto=Automatic breakdown
-
-Processing=Processando
 EndProcessing=A fim de processamento
-AnyLineVentilate=Any lines to ventilate
 SelectedLines=Linhas selecionadas
-Lineofinvoice=Linha de fatura
-VentilatedinAccount=Ventilated successfully in the accounting account
-NotVentilatedinAccount=Not ventilated in the accounting account
-
 ACCOUNTING_SEPARATORCSV=Separador de coluna no arquivo de exportação
-
-ACCOUNTING_LIMIT_LIST_VENTILATION=Número de elementos a ser mostrado por página (máxima recomendada: 50)
-ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin the sorting of the breakdown pages "Has to breakdown" by the most recent elements
-ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin the sorting of the breakdown pages "Breakdown" by the most recent elements
-
-AccountLength=Length of the accounting accounts shown in Dolibarr
 AccountLengthDesc=Função que permite simular um comprimento de conta contábil, substituindo espaços pela figura zero. Esta função só toca a tela, ele não modifica as contas contábeis registrados no Dolibarr. Para a exportação, esta função é necessário para ser compatível com determinado software.
 ACCOUNTING_LENGTH_GACCOUNT=Comprimento das contas gerais
 ACCOUNTING_LENGTH_AACCOUNT=Comprimento do terceiro contas do partido
-
 ACCOUNTING_SELL_JOURNAL=Vender jornal
 ACCOUNTING_PURCHASE_JOURNAL=Compra jornal
 ACCOUNTING_MISCELLANEOUS_JOURNAL=Jornal Diversos
 ACCOUNTING_EXPENSEREPORT_JOURNAL=Relatório de despesas jornal
 ACCOUNTING_SOCIAL_JOURNAL=Jornal social
-
 ACCOUNTING_ACCOUNT_TRANSFER_CASH=Conta de transferência
 ACCOUNTING_ACCOUNT_SUSPENSE=Conta de espera
-
 ACCOUNTING_PRODUCT_BUY_ACCOUNT=Contabilização conta por padrão para produtos comprados (se não for definido na folha de produto)
 ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Contabilização conta por padrão para os produtos vendidos (se não for definido na folha de produto)
 ACCOUNTING_SERVICE_BUY_ACCOUNT=Contabilização conta por padrão para os serviços comprados (se não for definido na folha de serviço)
 ACCOUNTING_SERVICE_SOLD_ACCOUNT=Contabilização conta por padrão para os serviços vendidos (se não for definido na folha de serviço)
-
-Doctype=Tipo de documento
-Docdate=Data
 Docref=Referência
-Numerocompte=Conta
 Code_tiers=Cliente/Fornecedor
 Labelcompte=Conta rótulo
-Debit=Débito
-Credit=Crédito
-Amount=Total
-Sens=Sens
 Codejournal=Jornal
-
 DelBookKeeping=Excluir os registros da contabilidade geral
-
-SellsJournal=Vendas jornal
-PurchasesJournal=Compras jornal
-DescSellsJournal=Vendas jornal
-DescPurchasesJournal=Diário de  Compras
 BankJournal=Banco jornal
 DescBankJournal=Jornal Banco incluindo todos os tipos de pagamentos que não sejam de caixa
 CashJournal=Dinheiro jornal
 DescCashJournal=Livro caixa, incluindo o tipo de dinheiro de pagamento
-
 CashPayment=Pagamento em dinheiro
-
-SupplierInvoicePayment=Pagamento de fornecedor fatura
-CustomerInvoicePayment=O pagamento da fatura do cliente
-
-ThirdPartyAccount=Conta de terceiros
-
 NewAccountingMvt=Nova movimentação
 NumMvts=Número de movimento
 ListeMvts=Lista do movimento
 ErrorDebitCredit=Débito e Crédito não pode ter um valor, ao mesmo tempo
-
 ReportThirdParty=Liste conta terceiros
 DescThirdPartyReport=Consulte aqui a lista dos clientes de terceiros e os fornecedores e as suas contas contábeis
-
 ListAccounts=Lista das contas contábeis
-
-Pcgversion=Versão do plano
-Pcgtype=Classe de conta
 Pcgsubtype=Sob classe de conta
-Accountparent=Raiz da conta
-Active=Extrato
-
-NewFiscalYear=Novo ano fiscal
-
 DescVentilCustomer=Consulte aqui a contabilização repartição anual dos seus clientes faturas
 TotalVente=HT volume de negócios total
 TotalMarge=Margem de vendas totais
 DescVentilDoneCustomer=Consultar aqui a lista das linhas de clientes faturas e sua conta de contabilidade
-DescVentilTodoCustomer=Ventilate your lines of customer invoice with an accounting account
 ChangeAccount=Alterar a conta contábil para linhas selecionadas pela conta:
-Vide=-
 DescVentilSupplier=Consulte aqui a contabilização repartição anual das suas faturas de fornecedores
-DescVentilTodoSupplier=Ventilate your lines of invoice supplier with an accounting account
 DescVentilDoneSupplier=Consulte aqui a lista das linhas de faturas de fornecedores e sua conta de contabilidade
-
 ValidateHistory=Validar automáticamente
-
 ErrorAccountancyCodeIsAlreadyUse=Erro, você não pode excluir esta conta contábil, pois ela esta em uso
-
-FicheVentilation=Breakdown card
diff --git a/htdocs/langs/pt_BR/admin.lang b/htdocs/langs/pt_BR/admin.lang
index 78dad529b8b517aba435f831c6bc4c217a38d767..f7c8e2149936cfe31043e2888702ccfe97442950 100644
--- a/htdocs/langs/pt_BR/admin.lang
+++ b/htdocs/langs/pt_BR/admin.lang
@@ -1,13 +1,8 @@
 # Dolibarr language file - Source file is en_US - admin
 Foundation=Empresa/Instituição
-Version=Versão
 VersionProgram=Versão do programa
 VersionLastInstall=Versão da instalação inicial
 VersionLastUpgrade=Versão da última atualização
-VersionExperimental=Experimental
-VersionDevelopment=Desenvolvimento
-VersionUnknown=Desconhecida
-VersionRecommanded=Recomendada
 FileCheck=Integridade de arquivos
 FilesMissing=Arquivos ausentes
 FilesUpdated=Arquivos atualizados
@@ -37,19 +32,13 @@ InternalUser=Usuário Interno
 ExternalUser=Usuário Externo
 InternalUsers=Usuários Internos
 ExternalUsers=Usuários Externos
-GlobalSetup=Geral
-GUISetup=Layout
 SetupArea=Área Configuração
 FormToTestFileUploadForm=Formulário para testar upload de arquivo (de acordo com a configuração)
 IfModuleEnabled=Nota: Sim só é eficaz se o módulo <b>%s</b> estiver ativado
 RemoveLock=Exclua o arquivo <b>%s</ b> se tem permissão da ferramenta de atualização.
 RestoreLock=Substituir o arquivo <b>%s</b> e apenas dar direito de ler a esse arquivo, a fim de proibir novas atualizações.
-SecuritySetup=Configuração de Segurança
-ErrorModuleRequirePHPVersion=Erro, este módulo requer uma versão %s ou superior de PHP
 ErrorModuleRequireDolibarrVersion=Erro, este módulo requer uma versão %s ou superior do ERP
-ErrorDecimalLargerThanAreForbidden=Erro, as casas decimais superiores a <b>%s</b> não são suportadas.
 DictionarySetup=Configuração Dicionário
-Dictionary=Dicionários
 Chartofaccounts=Plano de contas
 Fiscalyear=Exercícios Fiscais
 ErrorReservedTypeSystemSystemAuto=Valores 'system' e 'systemauto' para o tipo é reservado. Você pode usar "usuário" como valor para adicionar seu próprio registro
@@ -58,73 +47,46 @@ DisableJavascript=Desative as funções de JavaScript e Ajax (Recomendado para d
 ConfirmAjax=Utilizar os popups de confirmação Ajax
 UseSearchToSelectCompanyTooltip=Além disso, se você tem um grande número de terceiros (> 100 000), você pode aumentar a velocidade, definindo COMPANY_DONOTSEARCH_ANYWHERE constante a 1 em Setup-> Outro. Busca, então, ser limitada até o início da string.
 UseSearchToSelectCompany=Use campos de completação automática para escolher terceiros em vez de usar uma caixa de listagem.
-ActivityStateToSelectCompany= Adicionar uma opção de filtro para exibir / ocultar thirdparties que estão atualmente em atividade ou deixou de ativar
+ActivityStateToSelectCompany=Adicionar uma opção de filtro para exibir / ocultar thirdparties que estão atualmente em atividade ou deixou de ativar
 UseSearchToSelectContactTooltip=Além disso, se você tem um grande número de terceiros (> 100 000), você pode aumentar a velocidade, definindo CONTACT_DONOTSEARCH_ANYWHERE constante a 1 em Setup-> Outro. Busca, então, ser limitada até o início da string.
 UseSearchToSelectContact=Use campos de completação automática para escolher de contato (em vez de usar uma caixa de lista).
-DelaiedFullListToSelectCompany=Wait you press a key before loading content of thirdparties combo list (This may increase performance if you have a large number of thirdparties)
-DelaiedFullListToSelectContact=Wait you press a key before loading content of contact combo list (This may increase performance if you have a large number of contact)
 SearchFilter=Opções de filtro para pesquisa
 NumberOfKeyToSearch=Número de caracteres para iniciar a pesquisa: %s
 ViewFullDateActions=Ver as datas das ações na totalidade na ficha do fornecedor
-NotAvailableWhenAjaxDisabled=Não está disponível quando o Ajax esta desativado
-JavascriptDisabled=Javascript Desativado
 UsePopupCalendar=Utilizar popups para a introdução das datas
 UsePreviewTabs=Use guias de visualização
 ShowPreview=Ver Preview
-PreviewNotAvailable=Visualização não disponível
 ThemeCurrentlyActive=Tema Atualmente Ativo
 CurrentTimeZone=Fuso horário PHP (servidor)
 MySQLTimeZone=Zona tempo MySql (banco de dados)
 TZHasNoEffect=Datas são guardadas e retornadas pelo servidor de banco de dados como se fosse guardados em formato de texto. A zona temporal tem effeito somente quando e usada a UNIX_TIMESTAMP função ( isso não deveria ser usado pelo Dolibarr, portanto o banco de dados TZ não deveria ter effeito, tambem se mudado apos que os dados foram inseridos).
-Space=Área
-Table=Tabela
-Fields=Campos
-Index=Índice
-Mask=Máscara
-NextValue=Próximo Valor
 NextValueForInvoices=Próximo Valor (Faturas)
-NextValueForCreditNotes=Próximo Valor (Notas de Entregas)
 NextValueForDeposit=Próxima valor (depósito)
 NextValueForReplacements=Próxima valor (substituições)
 MustBeLowerThanPHPLimit=Observação: Parâmetros PHP limita o tamanho a <b>%s</b> %s de máximo, qualquer que seja o valor deste parâmetros
 NoMaxSizeByPHPLimit=Nota: Não há limite definido em sua configuração do PHP
-MaxSizeForUploadedFiles=Tamanho máximo dos documentos a carregar (0 para proibir o carregamento)
 UseCaptchaCode=Utilização do Captcha no login
 UseAvToScanUploadedFiles=Utilização de um antivírus para scanear os arquivos enviados
-AntiVirusCommand= Caminho completo para o comando de antivírus
-AntiVirusCommandExample= Exemplo de Comando: c: \\ Program Files (x86) \\ ClamWin \\ bin \\ clamscan.exe <br> Exemplo de Mexilhão: / usr / bin / clamscan
-AntiVirusParam= Mais parâmetros na linha de comando
-AntiVirusParamExample= Exemplo de Parametro de Comando: - database = &quot;C: \\ Program Files (x86) \\ lib ClamWin \\&quot;
-ComptaSetup=Configuração do Módulo Contabilidade
+AntiVirusCommandExample=Exemplo de Comando: c: \\ Program Files (x86) \\ ClamWin \\ bin \\ clamscan.exe <br> Exemplo de Mexilhão: / usr / bin / clamscan
+AntiVirusParam=Mais parâmetros na linha de comando
+AntiVirusParamExample=Exemplo de Parametro de Comando: - database = &quot;C: \\ Program Files (x86) \\ lib ClamWin \\&quot;
 UserSetup=Configuração e Administração dos Usuário
 MenuSetup=Configuração do gerenciamento de menu
 MenuLimits=Limites e Precisão
-MenuIdParent=Id do menu pai
-DetailMenuIdParent=ID do menu pai (0 para um menu superior)
 DetailPosition=Número de ordem para a posição do menu
 PersonalizedMenusNotSupported=Menus personalizados não são suportados
-AllMenus=Todos
 NotConfigured=Modulo nao configurado
 Setup=Configuração do Sistema
 Activation=Ativação
 Active=Ativo
 SetupShort=Configuracao
-OtherOptions=Outras Opções
 OtherSetup=Outras configuracoes
-CurrentValueSeparatorDecimal=Separador decimal
 CurrentValueSeparatorThousand=Separador milhar
-Destination=Destino
 IdModule=Módulo ID
 IdPermissions=Permissão ID
-Modules=Módulos
 ModulesCommon=Módulos Principais
-ModulesOther=Outros módulos
 ModulesInterfaces=Módulos de interface
 ModulesSpecial=Módulos muito específico
-ParameterInDolibarr=Variável %s
-LanguageParameter=Variável idioma %s
-LanguageBrowserParameter=Variável %s
-LocalisationDolibarrParameters=Parâmetros de localização
 ClientTZ=Fuso horário do cliente (usuário).
 ClientHour=Horário do cliente (usuário)
 OSTZ=Fuso horário do sistema operacional do servidor
@@ -138,20 +100,15 @@ CompanyHour=Horário na empresa (empresa principal)
 CurrentSessionTimeOut=Tempo limite da sessão atual
 YouCanEditPHPTZ=Para definir um fuso horário diferente PHP (não obrigatório), você pode tentar adicionar um arquivo. Htacces com uma linha como esta "SetEnv TZ Europa / Paris"
 OSEnv=OS Ambiente
-Box=Caixa
-Boxes=Caixas
 MaxNbOfLinesForBoxes=Numero de linhas máximo para as caixas
 PositionByDefault=Posição por padrao
-Position=Posição
 MenusDesc=Os configuradores do menu definem o conteúdo das 2 barras de menus (a barra horizontal e a barra vertical). É possível atribuir configuradores diferentes segundo o usuário seja interno ou externo.
 MenusEditorDesc=O editor de menus permite definir entradas personalizadas nos menus. Deve utilizar com prudência sobe pena de colocar o ERP numa situação instável sendo necessário uma reinstalação para encontrar um menu coerente.
 MenuForUsers=menu para os usuarios
 LangFile=Arquivo .lang
-System=Sistema
 SystemInfo=Informações de Sistema
 SystemToolsArea=Área de ferramentas do sistema
 SystemToolsAreaDesc=Esta área oferece diferentes funções da administração. Use o menu para escolher a Funcionalidade que procura.
-Purge=Limpar
 PurgeAreaDesc=Esta página permite eliminar todos os arquivos criados ou guardados pelo ERP (Arquivos temporários ou todos os arquivos da pasta <b>%s</b>). O uso desta função não é necessária. Proporciona-se para os Usuários que albergam o ERP não servidor que oferece as permissões de eliminação de arquivos salvaguardados pela servidor Web.
 PurgeDeleteLogFile=Excluir arquivo de log <b>% s </ b> definido para o módulo Syslog (sem risco de perder dados)
 PurgeDeleteTemporaryFiles=Eliminar todos os arquivos temporários (sem perigo de perca de dados)
@@ -163,8 +120,6 @@ PurgeAuditEvents=Apagar os eventos de segurança
 ConfirmPurgeAuditEvents=Tem a certeza que pretende limpar a lista de eventos de auditoria de segurança? Todos os logs de seguranca serao apagaos, nenhum outro dado sera removido.
 NewBackup=Novo Backup
 GenerateBackup=Gerar Backup
-Backup=Backup
-Restore=Restaurar
 RunCommandSummary=A cópia será executada pelo seguinte comando
 RunCommandSummaryToLaunch=O backup pode ser executado com o seguinte comando
 WebServerMustHavePermissionForCommand=Seu servidor deve ter permissoes para executar esta ordem
@@ -172,51 +127,34 @@ BackupResult=Resultado do Backup
 BackupFileSuccessfullyCreated=Arquivo de Backup gerado corretamente
 YouCanDownloadBackupFile=Pode ser feito o download dos arquivos gerados
 NoBackupFileAvailable=Nenhum Backup Disponivel
-ExportMethod=Método de exportação
-ImportMethod=Método de importação
 ToBuildBackupFileClickHere=Para criar uma cópia, clique <a href="%s">here</a>.
 ImportMySqlDesc=Para importar um backup, deve usar o mysql e na linha de comando seguinte:
 ImportPostgreSqlDesc=Para importar um arquivo de backup, você deve utilizar o pg_restore através do prompt de comando:
 ImportMySqlCommand=%s %s < meuArquivobackup.sql
 ImportPostgreSqlCommand=%s %s meuarquivodebackup.sql
 FileNameToGenerate=Nome do arquivo a gerar
-Compression=Compressão
 CommandsToDisableForeignKeysForImport=Comando para desativar as chave estrangeira para a importação
 CommandsToDisableForeignKeysForImportWarning=Obrigatório se você quer ser capaz de restaurar o despejo sql mais tarde
 ExportCompatibility=Compatibilidade do arquivo de exportação gerado
-MySqlExportParameters=Parâmetros da exportação MySql
-PostgreSqlExportParameters= Parâmetros de exportação do PostgreSQL
+PostgreSqlExportParameters=Parâmetros de exportação do PostgreSQL
 UseTransactionnalMode=Utilizar o modo transacional
-FullPathToMysqldumpCommand=Rota completa do comando mysqldump
-FullPathToPostgreSQLdumpCommand=Caminho completo para o comando pg_dump 
-ExportOptions=Opções de exportação
+FullPathToPostgreSQLdumpCommand=Caminho completo para o comando pg_dump
 AddDropDatabase=Adicionar  comando DROP DATABASE
 AddDropTable=Adicionar comando DROP TABLE
-ExportStructure=Estrutura
-Datas=Dados
-NameColumn=Nome das colunas
 ExtendedInsert=Instruções INSERT estendidas
 NoLockBeforeInsert=Sem comandos de bloqueio em torno INSERIR
-DelayedInsert=Adições com atraso
 EncodeBinariesInHexa=Codificar os campos binários em hexadecimal
 IgnoreDuplicateRecords=Ignorar erros de registros duplicados(INSERT IGNORE)
-Yes=Sim
-No=Não
-AutoDetectLang=Autodetecção (navegador)
 FeatureDisabledInDemo=Opção desabilitada em mode demonstracao
-Rights=Permissões
 BoxesDesc=As caixas são zonas de informação reduzidas que se mostram em algumas páginas. Voce pode escolher entre mostrar as caixas ou nao selecionando a opcao desejada e clicando em 'Ativar', ou clicando na lixeira para desativá-lo.
 OnlyActiveElementsAreShown=Somente elementos de <a href="%s"> habilitado módulos </ a> são mostrados.
 ModulesDesc=Os módulos do ERP definem as Funcionalidades disponíveis na aplicação. Alguns módulos requerem direitos que deverão indicar-se nos Usuários para que possam acessar ás suas Funcionalidades.
-ModulesInterfaceDesc=Os módulos de interface são módulos que permitem vincular o ERP com sistemas, aplicações ou serviços externos.
-ModulesSpecialDesc=Os módulos especiais são módulos de uso específico ou menos corrente que os módulos normais.
 ModulesJobDesc=Os módulos mpresariais permitem uma pré-configuração simplificada do ERP para um negocio especifico.
 ModulesMarketPlaceDesc=Voce pode encontrar mais modulos para download em sites externos na internet
 ModulesMarketPlaces=Mais módulos
 DoliStoreDesc=DoliStore, Pagina oficial para modulos  externos do Dolibarr ERP/CRM.
 DoliPartnersDesc=Lista com algumas empresas que podem fornecer / desenvolver  módulos ou funcionalidades on-demand (Nota: qualquer empresa Open Source knowning linguagem PHP pode lhe fornecer desenvolvimento específico)
 WebSiteDesc=Você pode pesquisar para encontrar mais módulos em Provedores de sites
-URL=Link
 BoxesAvailable=Caixas disponíveis
 BoxesActivated=Caixas ativadas
 ActivateOn=Ative em
@@ -225,9 +163,7 @@ SourceFile=Arquivo origem
 AutomaticIfJavascriptDisabled=Automático se Javascript está desativado
 AvailableOnlyIfJavascriptNotDisabled=Disponível somente se Javascript esta ativado
 AvailableOnlyIfJavascriptAndAjaxNotDisabled=Disponível somente se Javascript e Ajax estão ativados
-Required=Requerido
 UsedOnlyWithTypeOption=Usado por alguns opção agenda única
-Security=Segurança
 Passwords=Senhas
 DoNotStoreClearPassword=Nao salve senhas faceis no banco de dados mas salvar senhas criptografadas(Ativacao recomendada)
 MainDbPasswordFileConfEncrypted=Encriptar a senha da base em arquivo conf.php(Ativacao Recomendada)
@@ -236,18 +172,15 @@ InstrucToClearPass=Para ter senha descodificado (claro) para o arquivo <b>conf.p
 ProtectAndEncryptPdfFiles=Proteção e encriptação dos pdf gerados(Ativado não recomendado, quebra geração pdf massa)
 ProtectAndEncryptPdfFilesDesc=A proteção de um documento pdf deixa o documento livre para leitura e para impressão a qualquer leitor de PDF. Ao contrário, a modificação e a cópia resultam impossível.
 Feature=Caracteristica
-DolibarrLicense=Licença
 DolibarrProjectLeader=Lider de projeto
 Developpers=Programadores/contribuidores
 OtherDeveloppers=Outros Programadores/contribuidores
 OfficialWebSite=Site oficial do Dolibarr
 OfficialWebSiteFr=site web oficial falado/escrito em francês
-OfficialWiki=Wiki ERP
 OfficialDemo=Demo online ERP
 OfficialMarketPlace=Loja Oficial para módulos / addons externos
 OfficialWebHostingService=Serviços de hospedagem web referenciados (Hospedagem em nuvem)
 ReferencedPreferredPartners=Parceiro preferido
-OtherResources=Outros recursos
 ForDocumentationSeeWiki=Para a documentação de usuário, programador ou Perguntas Frequentes (FAQ), consulte o wiki do ERP: <br><b><a href"%s" target="_blank">%s</a></b>
 ForAnswersSeeForum=Para outras questões ou realizar as suas próprias consultas, pode utilizar o fórum do ERP: <br><b><a href="%s" target="_blank">%s</a></b>
 HelpCenterDesc1=Esta área permite ajudá-lo a obter um serviço de suporte do ERP.
@@ -256,48 +189,33 @@ CurrentTopMenuHandler=Manipulador de menu superior atual
 CurrentLeftMenuHandler=Manipulador de menu à esquerda atual
 CurrentMenuHandler=Manipulador do menu atual
 CurrentSmartphoneMenuHandler=Manipular do Menu Smartphone Atual
-MeasuringUnit=Unidade de medida
-Emails=E-Mails
 EMailsSetup=configuração E-Mails
 EMailsDesc=Esta página permite substituir os parâmetros PHP relacionados com o envio de correios eletrônicos. Na maioria dos casos como UNIX/Linux, os parâmetros PHP estão corretos e esta página é inútil.
 MAIN_MAIL_SMTP_PORT=Porta do servidor SMTP (Por default no php.ini: <b>%s</b>)
 MAIN_MAIL_SMTP_SERVER=Nome host ou ip do servidor SMTP (Por padrao em php.ini: <b>%s</b>)
-MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Porta do servidor SMTP (Não definido em PHP em sistemas de tipo Unix)
-MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Nome servidor ou ip do servidor SMTP (Não definido em PHP em sistemas de tipo Unix)
 MAIN_MAIL_EMAIL_FROM=E-Mail do emissor para envios E-Mail automáticos (Por padrao no php.ini: <b>%s</b>)
 MAIN_MAIL_ERRORS_TO=Remetente de e-mail utilizado para retornar emails enviados com erros
-MAIN_MAIL_AUTOCOPY_TO= Enviar sistematicamente uma cópia oculta de todos os emails enviados para
-MAIN_MAIL_AUTOCOPY_PROPOSAL_TO= Enviar sistematicamente uma cópia carbono oculta de propostas enviadas por email para
-MAIN_MAIL_AUTOCOPY_ORDER_TO= Enviar sistematicamente uma cópia carbono oculta de ordens enviadas por email para
-MAIN_MAIL_AUTOCOPY_INVOICE_TO= Enviar sistematicamente uma cópia carbono oculta da fatura enviada por e-mails para
+MAIN_MAIL_AUTOCOPY_TO=Enviar sistematicamente uma cópia oculta de todos os emails enviados para
+MAIN_MAIL_AUTOCOPY_PROPOSAL_TO=Enviar sistematicamente uma cópia carbono oculta de propostas enviadas por email para
+MAIN_MAIL_AUTOCOPY_ORDER_TO=Enviar sistematicamente uma cópia carbono oculta de ordens enviadas por email para
+MAIN_MAIL_AUTOCOPY_INVOICE_TO=Enviar sistematicamente uma cópia carbono oculta da fatura enviada por e-mails para
 MAIN_DISABLE_ALL_MAILS=Desativar globalmente todo o envio de correios eletrônicos (para modo de testes)
 MAIN_MAIL_SENDMODE=Método de envio de e-mails
-MAIN_MAIL_SMTPS_ID=ID SMTP para autenticação SMTP
-MAIN_MAIL_SMTPS_PW=Password SMTP para autenticação SMTP
-MAIN_MAIL_EMAIL_TLS= Usar encryptacao TLS(SSL)
+MAIN_MAIL_EMAIL_TLS=Usar encryptacao TLS(SSL)
 MAIN_DISABLE_ALL_SMS=Desabilitar todos os envios de SMS(para testes ou demonstracoes)
 MAIN_SMS_SENDMODE=Método para envio de SMS
 MAIN_MAIL_SMS_FROM=Número padrão para envio de SMS
 FeatureNotAvailableOnLinux=Funcionalidade não disponível em sistemas  Unix. Teste parâmetros sendmail localmente.
 SubmitTranslation=Se a tradução para esse idioma não estiver completa ou você encontrar erros, você pode corrigir isso através da edição de arquivos no diretório <b> langs /% s </ b> e enviar arquivos modificados no forum www.dolibarr.org.
-ModuleSetup=Configuração do módulo
-ModulesSetup=Configuração dos módulos
-ModuleFamilyBase=Sistema
 ModuleFamilyCrm=Administração cliente (CRM)
 ModuleFamilyProducts=Administração produtos
-ModuleFamilyHr=Recursos Humanos
 ModuleFamilyProjects=Projetos/Trabalho cooperativo
-ModuleFamilyOther=Outro
-ModuleFamilyTechnic=Módulos ferramentas do sistema
-ModuleFamilyExperimental=Módulos testes
-ModuleFamilyFinancial=Módulos financeiros (Contabilidade/Tesouraria)
 ModuleFamilyECM=Gerenciamento de Conteúdo Eletrônico (ECM)
 MenuHandlers=Configuradores menu
 MenuAdmin=Editor menu
 DoNotUseInProduction=Não utilizar em produção
 ThisIsProcessToFollow=Está aqui o procedimento a seguir:
 ThisIsAlternativeProcessToFollow=Esta é uma configuração alternativa para o processo:
-StepNb=Passo %s
 FindPackageFromWebSite=Encontre um pacote que oferece recurso desejado (por exemplo, no site oficial % s).
 DownloadPackageFromWebSite=Pacote de download (por exemplo, de oficial web site %s).
 UnpackPackageInDolibarrRoot=Descompacte arquivo de pacote para o diretório de servidor Dolibarr dedicado a módulos <b>externos:%s</b>
@@ -320,7 +238,6 @@ GenericMaskCodes5=<b>ABC {yy} {mm} - {000000}</b> dará <b>ABC0701-000099</b> <b
 GenericNumRefModelDesc=Devolve um número criado na linha em uma máscara definida.
 ServerAvailableOnIPOrPort=Servidor disponível não endereço <b>%s</b> na porta <b>%s</b>
 ServerNotAvailableOnIPOrPort=Servidor não disponível não endereço <b>%s</b> na Porta <b>%s</b>
-DoTestServerAvailability=Teste de conectividade com o servidor
 DoTestSend=Teste envio
 DoTestSendHTML=Teste envio HTML
 ErrorCantUseRazIfNoYearInMask=Erro, não pode usar a opção para redefinir @ contador a cada ano se sequência {yy} ou {aaaa} não está na máscara.
@@ -328,7 +245,7 @@ ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Erro, não se pode usar opção
 UMask=Parâmetro UMask de novos arquivos em Unix/Linux/BSD.
 UMaskExplanation=Este parâmetro determina os direitos dos arquivos criados não servidor do ERP (durante o carregamento, por Exemplo).<br>Este deve ter o valor octal (por Exemplo, 0666 significa leitura / escrita para todos).<br>Este parâmetro não tem nenhum efeito sobre um servidor Windows.
 SeeWikiForAllTeam=Veja o wiki para mais detalhes de todos os autores e da sua organização
-UseACacheDelay= Atraso para a resposta cache em segundos (0 ou vazio para nenhum cache)
+UseACacheDelay=Atraso para a resposta cache em segundos (0 ou vazio para nenhum cache)
 DisableLinkToHelpCenter=Esconde link <b> Precisa ajuda ou suporte </b>" na página de login
 DisableLinkToHelp=Esconde link "<b>%s Ajuda online </b>" no menu esquerdo
 AddCRIfTooLong=Não há envolvimento automático, por isso, se linha está fora da página em documentos, porque por muito tempo, você deve adicionar-se os retornos de carro no testar área.
@@ -343,7 +260,6 @@ ListOfDirectoriesForModelGenODT=Lista de diretórios contendo modelos de arquivo
 NumberOfModelFilesFound=Números de arquivos de modelos ODT/ODS  encontrados neste diretório
 ExampleOfDirectoriesForModelGen=Exemplos de sintaxe:<br>c:\\mydir<br>/home/mydir<br>DOL_DATA_ROOT/ecm/ecmdir
 FollowingSubstitutionKeysCanBeUsed=Para saber como criar seu documento seu modelo de documento odt, antes de armazená-lo naquele diretório, leia a documentação wiki
-FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template
 FirstnameNamePosition=Posição do Nome/Sobrenome
 DescWeather=As imagens a seguir será mostrado no painel quando o número de ações final atingir os seguintes valores:
 KeyForWebServicesAccess=A chave para usar Web Services (parâmetro "dolibarrkey" em webservices)
@@ -356,14 +272,12 @@ SmsTestMessage=Mensagem de teste a partir de __ para __ PHONEFROM__ PHONETO__
 ModuleMustBeEnabledFirst=Módulo deve ser ativado antes de usar este recurso.
 SecurityToken=Chave para URLs seguras
 NoSmsEngine=No SMS gerente disponível remetente. Gerente de SMS do remetente não são instalados com a distribuição padrão (porque depende de um fornecedor externo), mas você pode encontrar em alguns.
-PDF=PDF
 PDFDesc=Você pode definir cada uma das opções globais relacionadas com a geração de PDF
 PDFAddressForging=Regras de estabelecimento de caixas de endereço
 HideAnyVATInformationOnPDF=Esconder todas as informações relativas ao IVA em PDF gerados
 HideDescOnPDF=Esconder descrição dos produtos em PDF gerados
 HideRefOnPDF=Esconder ref. dos produtos em PDF gerados
 HideDetailsOnPDF=Ocultar artigos linhas detalhes sobre PDF gerado
-Library=Biblioteca
 UrlGenerationParameters=Parâmetros para proteger URLs
 SecurityTokenIsUnique=Use um parâmetro SecureKey exclusivo para cada URL
 EnterRefToBuildUrl=Digite referência para o objeto
@@ -372,35 +286,23 @@ ButtonHideUnauthorized=Ocultar botões para ações não autorizadas em vez de m
 OldVATRates=Taxa de VAt anterior
 NewVATRates=Nova taxa do VAT
 PriceBaseTypeToChange=Modificar sobre os preços com valor de referência de base definida em
-MassConvert=Inicie a conversão em massa 
-String=Cadeia
-TextLong=Texto longo
-Int=Número inteiro
+MassConvert=Inicie a conversão em massa
 Float=Flutuar
-DateAndTime=Data e hora
-Unique=Único
 Boolean=Booleano (Caixa de seleção)
-ExtrafieldPhone = Telefone
-ExtrafieldPrice = Preço
-ExtrafieldMail = Email
-ExtrafieldSelect = Selecionar lista
-ExtrafieldSelectList = Selecione da tabela
-ExtrafieldSeparator=Separador
+ExtrafieldSelect =Selecionar lista
+ExtrafieldSelectList =Selecione da tabela
 ExtrafieldCheckBox=Caixa de seleção
 ExtrafieldRadio=Botão de opção
-ExtrafieldCheckBoxFromList= Caixa de seleção da tabela
+ExtrafieldCheckBoxFromList=Caixa de seleção da tabela
 ExtrafieldLink=Link para um objeto
 ExtrafieldParamHelpselect=Lista de parâmetros tem que ser como chave, valor por exemplo: 1, valor1  2, valor2 < 3, value3 ... A fim de ter a lista dependendo outro:  1, valor1 | parent_list_code: parent_key  2, valor2 | parent_list_code: parent_key
 ExtrafieldParamHelpcheckbox=Lista de parâmetros tem que ser como chave, valor <br><br> por exemplo: <br> 1, valor1 <br> 2, valor2 <br> 3, value3 <br> ...
-ExtrafieldParamHelpradio=Lista de parâmetros tem que ser como chave, valor por exemplo:  1, valor 2, valor2 1 3, value3  ... 
+ExtrafieldParamHelpradio=Lista de parâmetros tem que ser como chave, valor por exemplo:  1, valor 2, valor2 1 3, value3  ...
 ExtrafieldParamHelpsellist=Lista Parâmetros vem de uma tabela <br> Sintaxe: table_name: label_field: id_field :: filtro <br> Exemplo: c_typent: libelle: id :: filtro <br><br> filtro pode ser um teste simples (por exemplo, ativo = 1) para exibir apenas o valor ativo <br> se você deseja filtrar extrafields usar syntaxt extra.fieldcode = ... (onde código de campo é o código de extrafield) <br><br> A fim de ter a lista dependendo outro: <br> c_typent: libelle: id: parent_list_code | parent_column: Filtro
-ExtrafieldParamHelpchkbxlst=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=Biblioteca utilizada para criar o PDF
 WarningUsingFPDF=Atenção: Seu <b>conf.php</b> contém <b>dolibarr_pdf_force_fpdf</b> directiva <b>= 1.</b> Isto significa que você usar a biblioteca FPDF para gerar arquivos PDF. Esta biblioteca é velho e não suporta um monte de recursos (Unicode, a transparência da imagem, cirílicos, árabes e asiáticos, ...), por isso podem ocorrer erros durante a geração de PDF. <br> Para resolver isso e ter um apoio total de geração de PDF, faça o download <a href="http://www.tcpdf.org/" target="_blank">da biblioteca TCPDF</a> , em seguida, comentar ou remover a linha <b>$ dolibarr_pdf_force_fpdf = 1,</b> e adicione ao invés <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 (localtax is calculated on amount without tax)<br>2 : local tax apply on products and services including vat (localtax is calculated on amount + main tax)<br>3 : local tax apply on products without vat (localtax is calculated on amount without tax)<br>4 : local tax apply on products including vat (localtax is calculated on amount + main vat)<br>5 : local tax apply on services without vat (localtax is calculated on amount without tax)<br>6 : local tax apply on services including vat (localtax is calculated on amount + tax)
 SMS=Mensagem de texto
 LinkToTestClickToDial=Digite um número de telefone para ligar para mostrar um link para testar a url ClickToDial para o <strong>usuário% s</strong>
-RefreshPhoneLink=Atualizar link
 LinkToTest=Link clicável gerado para o <strong>usuário% s</strong> (clique número de telefone para testar)
 KeepEmptyToUseDefault=Manter em branco para usar o valor padrão
 DefaultLink=Link padrão
@@ -415,39 +317,25 @@ ConfirmEraseAllCurrentBarCode=Tem certeza de que deseja apagar todos os valores
 AllBarcodeReset=Todos os valores de código de barras foram removidas
 NoBarcodeNumberingTemplateDefined=Nenhum modelo de numeração de código de barras habilitado para configuração do módulo de código de barras.
 NoRecordWithoutBarcodeDefined=Sem registro, sem valor de código de barras definido.
-
-# Modules
 Module0Name=Usuários e Grupos
 Module0Desc=Administração de Usuários e Grupos
 Module1Name=Fornecedores
 Module1Desc=Administração de Fornecedores (Empresas, Particulares) e Contatos
-Module2Name=Comercial
 Module2Desc=Administração comercial
-Module10Name=Contabilidade
 Module10Desc=Administração simples da Contabilidade (repartição das receitas e pagamentos)
-Module20Name=Orçamentos
 Module20Desc=Administração de Orçamentos/Propostas comerciais
-Module22Name=E-Mailings
 Module22Desc=Administração e envio de E-Mails massivos
-Module23Name= Energia
-Module23Desc= Acompanhamento do consumo de energias
-Module25Name=Pedidos de clientes
+Module23Desc=Acompanhamento do consumo de energias
 Module25Desc=Administração de pedidos de clientes
 Module30Name=Faturas e Recibos
 Module30Desc=Administração de faturas e recibos de clientes. Administração de faturas de Fornecedores
-Module40Name=Fornecedores
 Module40Desc=Administração de Fornecedores
-Module42Name=Syslog
-Module42Desc=Utilização de logs (syslog)
-Module49Name=Editores
 Module49Desc=Administração de Editores
-Module50Name=Produtos
 Module50Desc=Administração de produtos
 Module51Name=Correspondência em massa
 Module51Desc=Gestão de correspondência do massa
 Module52Name=Estoques de produtos
 Module52Desc=Administração de estoques de produtos
-Module53Name=Serviços
 Module53Desc=Administração de serviços
 Module54Name=Contratos/Assinaturas
 Module54Desc=Gerenciamento de contratos (serviços ou assinaturas recorrentes)
@@ -456,109 +344,65 @@ Module55Desc=Administração dos códigos de barra
 Module56Name=Telefonia
 Module56Desc=Administração da telefonia
 Module57Name=Débitos Diretos
-Module57Desc=Standing orders and withdrawal management. Also includes generation of SEPA file for european countries.
-Module58Name=ClickToDial
-Module58Desc=Integração com ClickToDial
-Module59Name=Bookmark4u
 Module59Desc=Adicione função para gerar uma conta Bookmark4u desde uma conta do ERP
-Module70Name=Intervenções
 Module70Desc=Administração de Intervenções
 Module75Name=Notas de despesas e deslocamentos
 Module75Desc=Administração das notas de despesas e deslocamentos
-Module80Name=Expedições
 Module80Desc=Administração de Expedições e Recepções
-Module85Name=Bancos e Caixas
 Module85Desc=Administração das contas financeiras de tipo contas bancarias, postais o efetivo
 Module100Name=Site externo
 Module100Desc=Este módulo inclui um web site ou página externa em menus Dolibarr e vê-lo em um quadro Dolibarr
 Module105Name=Mailman e SPIP
 Module105Desc=Mailman ou interface SPIP para o módulo membro
-Module200Name=LDAP
 Module200Desc=sincronização com um anuário LDAP
-Module210Name=PostNuke
-Module210Desc=Integração com PostNuke
-Module240Name=Exportações de dados
-Module240Desc=Ferramenta de exportação de dados do ERP (com assistente)
-Module250Name=Importação de dados
-Module250Desc=Ferramenta de Importação de dados do ERP (com assistente)
-Module310Name=Membros
 Module310Desc=Administração de Membros de uma associação
-Module320Name=Ligações RSS
-Module320Desc=Criação de ligações de informação RSS nas janelas do ERP
-Module330Name=Favoritos
 Module330Desc=Administração de Favoritos
 Module400Name=Projetos/Oportunidades/Contatos
 Module400Desc=Gerenciamento de Projetos, oportunidades ou contatos. Você pode associar qualquer elemento (invoice, ordem, propostas, intervenções, etc...) para um projeto e ter uma visão transversal da visualização de projeto.
-Module410Name=Webcalendar
 Module410Desc=Interface com calendário Webcalendar
 Module500Name=Despesas especiais
-Module500Desc=Gestão de despesas especiais (impostos, contribuição social, dividendos)
-Module510Name=Salários
 Module510Desc=Gestão de funcionários salários e pagamentos
 Module520Name=Empréstimo
 Module520Desc=Gestão dos empréstimos
-Module600Name=Notificações
 Module600Desc=Enviar notificação via EMail para terceiros sobre algums eventos do Dolibarr ( configurado para cada terceiro)
-Module700Name=Bolsas
 Module700Desc=Administração de Bolsas
-Module770Name=Relatório de Despesas
-Module770Desc=Management and claim expense reports (transportation, meal, ...)
-Module1120Name=Supplier commercial proposal
-Module1120Desc=Request supplier commercial proposal and prices
-Module1200Name=Mantis
 Module1200Desc=Interface com o sistema de seguimento de incidências Mantis
 Module1400Name=Contabilidade
 Module1400Desc=Gestão de Contabilidade (partes duplas)
 Module1520Name=Geração de Documentos
-Module1520Desc=Mass mail document generation
 Module1780Name=Tags / Categorias
 Module1780Desc=Criar tags / categoria (produtos, clientes, fornecedores, contatos ou membros)
 Module2000Name=Editor WYSIWYG
 Module2000Desc=Permitir editar alguma área de texto usando um editor avançado
 Module2200Name=Preços dinâmicos
 Module2200Desc=Habilitar o uso de expressões matemáticas para os preços
-Module2300Name=Cron
 Module2300Desc=Gerenciamento de tarefas agendadas
-Module2400Name=Agenda
 Module2400Desc=Administração da agenda e das ações
 Module2500Name=Administração Eletrônica de Documentos
-Module2500Desc=Permite administrar uma base de documentos
 Module2600Name=API de serviços (Web Services SOAP)
 Module2600Desc=Permitir que os serviços da API servidor SOAP Dolibarr fornecendo
 Module2610Name=API de serviços (Web services REST)
-Module2610Desc=Enable the Dolibarr REST server providing API services
 Module2650Name=WebServices (cliente)
-Module2650Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Supplier orders supported only for the moment)
 Module2700Name=Sobrescrito
 Module2700Desc=Usar o serviço on-line Gravatar (www.gravatar.com) para mostrar fotos de usuários / membros (que se encontra com os seus e-mails). Precisa de um acesso à Internet
 Module2800Desc=Cliente de FTP
-Module2900Name=GeoIPMaxmind
 Module2900Desc=GeoIP Maxmind conversões capacidades
-Module3100Name=Skype
 Module3100Desc=Adicionar um botão do Skype no cartão de adeptos / terceiros / contatos
 Module5000Name=Multi-Empresa
 Module5000Desc=Permite-lhe gerenciar várias empresas
-Module6000Name=Fluxo de Trabalho
 Module6000Desc=Gestão de fluxo de trabalho
 Module20000Name=Sair da configuração de pedidos
-Module20000Desc=Declare and follow employees leaves requests
 Module39000Name=Lote do produto
-Module39000Desc=Lot or serial number, eat-by and sell-by date management on products
-Module50000Name=PayBox
 Module50000Desc=Módulo para oferecer uma página de pagamento on-line por cartão de crédito com PayBox
-Module50100Name=Caixa
 Module50100Desc=Caixa registradora
-Module50200Name=Paypal
 Module50200Desc=Módulo para oferecer uma página de pagamento on-line por cartão de crédito com Paypal
 Module50400Name=Contabilidade (avançada)
 Module50400Desc=Gestão de Contabilidade (partes duplas)
-Module54000Name=PrintIPP
 Module54000Desc=Impressão direta (sem abrir os documentos) usando a interface Cups IPP (Impressora deve ser visível a partir do servidor, e CUPS deve ser instaladas no servidor).
 Module55000Name=Abrir Enquete
 Module55000Desc=Módulo para fazer pesquisas on-line (como Doodle, Studs, Rdvz ...)
 Module59000Name=Margems
 Module59000Desc=Módulo para gerenciar as margens
-Module60000Name=Comissões
 Module60000Desc=Módulo para gerenciar comissões
 Permission11=Consultar faturas
 Permission12=Criar/Modificar faturas
@@ -567,65 +411,23 @@ Permission14=Confirmar faturas
 Permission15=Enviar faturas por correio
 Permission16=Emitir pagamentos de faturas
 Permission19=Eliminar faturas
-Permission21=Consultar Orçamentos
-Permission22=Criar/Modificar Orçamentos
-Permission24=Confirmar Orçamentos
-Permission25=Enviar os Orçamentos
-Permission26=Fechar Orçamentos
-Permission27=Eliminar Orçamentos
-Permission28=Exportação propostas comerciais
-Permission31=Consultar produtos/serviços
-Permission32=Criar/Modificar produtos/serviços
-Permission34=Eliminar produtos/serviços
-Permission36=Exportar produtos/serviços
-Permission38=Exportar Produtos
-Permission41=Consultar projetos
 Permission42=Criar/Modificar projetos
 Permission44=Eliminar projetos
-Permission61=Consultar Intervenções
-Permission62=Criar/Modificar Intervenções
-Permission64=Eliminar Intervenções
-Permission67=Exportar Intervenções
-Permission71=Consultar Membros
-Permission72=Criar/Modificar Membros
-Permission74=Eliminar Membros
 Permission75=Tipos de configuração de adesão
-Permission76=Exportar Bolsas
-Permission78=Consultar honorários
-Permission79=Criar/Modificar honorários
-Permission81=Consultar pedidos de clientes
-Permission82=Criar/Modificar pedidos de clientes
-Permission84=Confirmar pedidos de clientes
-Permission86=Enviar pedidos de clientes
-Permission87=Fechar pedidos de clientes
-Permission88=Anular pedidos de clientes
-Permission89=Eliminar pedidos de clientes
-Permission91=Consultar Impostos e ICMS
-Permission92=Criar/Modificar Impostos e ICMS
-Permission93=Eliminar Impostos e ICMS
-Permission94=Exportar Impostos Sociais
-Permission95=Consultar balanços e resultados
+Permission91=Leia impostos e IVA social ou fiscal
+Permission92=Criar / modificar os impostos e IVA social ou fiscal
+Permission93=Excluir impostos e IVA social ou fiscal
 Permission101=Consultar Expedições
 Permission102=Criar/Modificar Expedições
 Permission104=Confirmar Expedições
 Permission106=Envios de exportação
 Permission109=Eliminar Expedições
-Permission111=Consultar contas financeiras (contas bancarias, caixas)
 Permission112=Criar/Modificar quantidade/eliminar registros bancários
 Permission113=Instalação de contas financeiras (criar, gerenciar as categorias)
-Permission114=Reconciliar transações
 Permission115=Exportar transações e extratos
 Permission116=Captar transferências entre contas
 Permission117=Gerenciar envio de cheques
-Permission121=Consultar empresas
-Permission122=Criar/Modificar empresas
-Permission125=Eliminar empresas
-Permission126=Exportar as empresas
-Permission141=Leia projetos (também privado não estou em contato para)
-Permission142=Criar / modificar projetos (também privado não estou em contato para)
-Permission144=Excluir projetos (também privado não estou em contato para)
 Permission146=Consultar Prestadores
-Permission147=Consultar Estados
 Permission151=Consultar Débitos Diretos
 Permission152=Configurar Débitos Diretos
 Permission153=Consultar Débitos Diretos
@@ -640,32 +442,12 @@ Permission172=Criar/Modificar viagens e gastos
 Permission173=Remover viagens e gastos
 Permission174=Leia todas as viagens e despesas
 Permission178=Exportar viagens e gastos
-Permission180=Consultar Fornecedores
-Permission181=Consultar pedidos a Fornecedores
-Permission182=Criar/Modificar pedidos a Fornecedores
-Permission183=Confirmar pedidos a Fornecedores
-Permission184=Aprovar pedidos a Fornecedores
 Permission185=Ordenar ou cancelar pedidos a fornecedores
-Permission186=Receber pedidos de Fornecedores
-Permission187=Fechar pedidos a Fornecedores
-Permission188=Anular pedidos a Fornecedores
-Permission192=Criar Linhas
-Permission193=Cancelar Linhas
 Permission194=Consultar Linhas da Lagura de Banda
-Permission202=Criar Ligações ADSL
-Permission203=Ordem das ligações encomendadas
-Permission204=Comprar Ligações
 Permission205=Gerenciar Ligações
-Permission206=Consultar Ligações
-Permission211=Ler Telefone
-Permission212=Comprar Linhas
 Permission213=Ativar Linha
-Permission214=Configurar Telefone
-Permission215=Configurar Fornecedores
-Permission221=Consultar E-Mails
 Permission222=Criar/Modificar E-Mails (assunto, destinatários, etc.)
 Permission223=Confirmar E-Mails (permite o envio)
-Permission229=Eliminar E-Mails
 Permission237=Exibir os destinatários e as informações
 Permission238=Envio manual de e-mails
 Permission239=Deletar e-mail após o envio
@@ -674,7 +456,6 @@ Permission242=Criar/Modificar categorias
 Permission243=Eliminar categorias
 Permission244=Ver conteúdo de categorias ocultas
 Permission251=Consultar Outros Usuário, grupos e permissões
-PermissionAdvanced251=Leia outros usuários
 Permission252=Criar/Modificar outros usuário, grupos e permissões
 Permission253=Modificar a senha de outros usuário
 PermissionAdvanced253=Criar ou modificar usuários internos ou externos e suas permissões
@@ -682,28 +463,16 @@ Permission254=Eliminar ou desativar outros usuário
 Permission255=Criar/Modificar a sua propia informação de usuário
 Permission256=Modificar a sua propia senha
 Permission262=Consultar todas as empresas (somente Usuários internos. Os externos estão limitados a eles mesmos)
-Permission271=Ler CA
 Permission272=Ler Faturas
 Permission273=Emitir Fatura
 Permission281=Consultar contatos
 Permission282=Criar/Modificar contatos
 Permission283=Eliminar contatos
 Permission286=Exportar os contatos
-Permission291=Consultar Tarifas
-Permission292=Permissões das Tarifas
-Permission293=Modificar Fornecedor de Tarifas
-Permission300=Consultar códigos de barra
-Permission301=Criar/Modificar códigos de barra
-Permission302=Eliminar código de barras
-Permission311=Consultar Serviços
 Permission312=Atribuir serviço / subscrição para contrair
-Permission331=Consultar Favoritos
-Permission332=Criar/Modificar Favoritos
-Permission333=Eliminar Favoritos
 Permission341=Ler suas próprias permissões
 Permission342=Criar ou modificar informações do próprio usuário
 Permission343=Modificar sua senha
-Permission344=Modificar suas próprias permissões
 Permission351=Ler grupos
 Permission352=Ler permissões do grupo
 Permission353=Criar ou modificar grupos
@@ -720,9 +489,6 @@ Permission517=Salários de exportação
 Permission520=Leia Empréstimos
 Permission522=Criar / modificar empréstimos
 Permission524=Excluir empréstimos
-Permission525=Access loan calculator
-Permission527=Export loans
-Permission531=Ler serviços
 Permission532=Criar ou modificar serviços
 Permission534=Excluir serviços
 Permission536=Visualizar ou gerenciar serviços ocultos
@@ -735,8 +501,6 @@ Permission772=Criar / modificar relatórios de despesas
 Permission773=Excluir relatórios de despesas
 Permission774=Leia todos os relatórios de despesas (mesmo para o utilizadores Não subordinados)
 Permission775=Aprovar os relatórios de despesas
-Permission776=Pay expense reports
-Permission779=Export expense reports
 Permission1001=Consultar estoques
 Permission1002=Criar / modificar armazéns
 Permission1003=Excluir Armazéns
@@ -746,17 +510,7 @@ Permission1101=Consultar ordens de envio
 Permission1102=criar/modificar ordens de envio
 Permission1104=Confirmar ordem de envio
 Permission1109=Eliminar ordem de envio
-Permission1181=Consultar Fornecedores
-Permission1182=Consultar pedidos a Fornecedores
-Permission1183=Criar pedidos a Fornecedores
-Permission1184=Confirmar pedidos a Fornecedores
-Permission1185=Aprovar pedidos a Fornecedores
-Permission1186=Enviar pedidos a Fornecedores
-Permission1187=Receber pedidos de Fornecedores
-Permission1188=Fechar pedidos a Fornecedores
-Permission1190=Approve (second approval) supplier orders
-Permission1201=Obter resultado de uma exportação
-Permission1202=Criar/Modificar Exportações
+Permission1190=Aprovar (segunda) de aprovação dos pedidos a fornecedores
 Permission1231=Consultar faturas de Fornecedores
 Permission1232=Criar faturas de Fornecedores
 Permission1233=Confirmar faturas de Fornecedores
@@ -779,12 +533,10 @@ Permission2412=Criar / modificar ações (eventos ou tarefas) de outros
 Permission2413=Excluir ações (eventos ou tarefas) de outros
 Permission2501=Enviar ou eliminar documentos
 Permission2502=Baixar documentos
-Permission2503=Enviar ou excluir documentos
 Permission2515=Configuração de diretorios de documentos
 Permission2801=Use cliente FTP em modo de leitura (navegar e baixar apenas)
 Permission2802=Use o cliente FTP no modo de escrita (apagar ou fazer upload de arquivos)
 Permission50101=Usar ponto de vendas
-Permission50201=Leia transações
 Permission50202=Importar transacções
 Permission54001=Impressão
 Permission55001=Leia urnas
@@ -796,12 +548,8 @@ DictionaryCompanyType=Tipo de clientes
 DictionaryCompanyJuridicalType=Tipos jurídicos de thirdparties
 DictionaryProspectLevel=Nível potencial Prospect
 DictionaryCanton=Estado / cantões
-DictionaryRegion=Regiões
-DictionaryCountry=Países
-DictionaryCurrency=Moedas
 DictionaryCivility=Título Civilidade
-DictionaryActions=Tipo de eventos da agenda
-DictionarySocialContributions=Contribuições Sociais tipos
+DictionarySocialContributions=Tipos de encargos sociais e fiscais
 DictionaryVAT=Taxas de VAT ou imposto sobre vendas de moeda
 DictionaryRevenueStamp=Quantidade de selos fiscais
 DictionaryPaymentConditions=As condições de pagamento
@@ -809,19 +557,17 @@ DictionaryPaymentModes=Modos de pagamento
 DictionaryTypeContact=Tipos Contato / Endereço
 DictionaryEcotaxe=Ecotaxa (REEE)
 DictionaryPaperFormat=Formatos de papel
-DictionaryFees=Tipo de taxas
 DictionarySendingMethods=Métodos do transporte
 DictionaryStaff=Pessoal
-DictionaryAvailability=Atraso na entrega
 DictionaryOrderMethods=Métodos de compra
 DictionarySource=Origem das propostas / ordens
 DictionaryAccountancyplan=Plano de contas
 DictionaryAccountancysystem=Modelos para o plano de contas
 DictionaryEMailTemplates=Modelos de E-mails
 DictionaryUnits=Unidades
-DictionaryProspectStatus=Prospection status
+DictionaryProspectStatus=Status de Prospecção
+DictionaryHolidayTypes=Tipo de folhas
 SetupSaved=configuração guardada
-BackToModuleList=Voltar à lista de módulos
 BackToDictionaryList=Voltar para a lista de dicionários
 VATReceivedOnly=Impostos especiais não faturaveis
 VATManagement=Administração ICMS
@@ -829,32 +575,23 @@ VATIsUsedDesc=o tipo de ICMS proposto por default em criações de Orçamentos,
 VATIsNotUsedDesc=o tipo de ICMS proposto por default é 0. Este é o caso de associações, particulares o algunas pequenhas sociedades.
 VATIsUsedExampleFR=em Francia, se trata das sociedades u organismos que eligen um regime fiscal general (General simplificado o General normal), regime ao qual se declara o ICMS.
 VATIsNotUsedExampleFR=em Francia, se trata de associações exentas de ICMS o sociedades, organismos o profesiones liberales que han eligedo o regime fiscal de módulos  (ICMS em franquicia), pagando um ICMS em franquicia sem fazer declaração de ICMS. Esta elecção hace aparecer a anotação  "IVA não aplicable - art-293B do CGI" em faturas.
-##### Local Taxes #####
 LTRate=Rata
 LocalTax1IsUsed=Utilize segundo imposto
 LocalTax1IsNotUsed=Não use o segundo imposto
 LocalTax1IsUsedDesc=Use um segundo tipo de impostos (excepto o IVA)
 LocalTax1IsNotUsedDesc=Não use outro tipo de impostos (excepto o IVA)
-LocalTax1Management=Segundo tipo de imposto
-LocalTax1IsUsedExample=
-LocalTax1IsNotUsedExample=
 LocalTax2IsUsed=Use terceiro imposto
 LocalTax2IsNotUsed=Não use terceiro imposto
 LocalTax2IsUsedDesc=Use um terceiro tipo de impostos (excepto o VAT)
 LocalTax2IsNotUsedDesc=Não use outro tipo de impostos (excepto o VAT)
-LocalTax2Management=Terceiro tipo de imposto
-LocalTax2IsUsedExample=
-LocalTax2IsNotUsedExample=
-LocalTax1ManagementES= RE Gestão
-LocalTax1IsUsedDescES= A taxa de RE por padrão ao criar perspectivas, notas fiscais, ordens etc seguir a regra padrão ativo: <br> Se te comprador não está sujeito a RE, RP por default = 0. Fim da regra. <br> Se o comprador está sujeito a RE então o RE por padrão. Fim da regra. <br>
-LocalTax1IsNotUsedDescES= Por padrão, o RE proposto é 0. Fim da regra.
-LocalTax1IsUsedExampleES= Na Espanha, eles são profissionais sujeitos a algumas seções específicas do IAE espanhol.
-LocalTax1IsNotUsedExampleES= Na Espanha, eles são profissionais e sociedades e sujeito a determinadas seções do IAE espanhol.
-LocalTax2ManagementES= Gestão IRPF
-LocalTax2IsUsedDescES= A taxa de RE por padrão ao criar perspectivas, notas fiscais, ordens etc seguir a regra padrão ativo: <br> Se o vendedor não está sujeito a IRPF, então IRPF por default = 0. Fim da regra. <br> Se o vendedor é submetido a IRPF, em seguida, o IRPF por padrão. Fim da regra. <br>
-LocalTax2IsNotUsedDescES= Por padrão, o IRPF proposta é 0. Fim da regra.
-LocalTax2IsUsedExampleES= Na Espanha, freelancers e profissionais independentes que prestam serviços e empresas que escolheram o sistema fiscal de módulos.
-LocalTax2IsNotUsedExampleES= Na Espanha, eles são bussines não sujeitas ao regime fiscal dos módulos.
+LocalTax1IsUsedDescES=A taxa de RE por padrão ao criar perspectivas, notas fiscais, ordens etc seguir a regra padrão ativo: <br> Se te comprador não está sujeito a RE, RP por default = 0. Fim da regra. <br> Se o comprador está sujeito a RE então o RE por padrão. Fim da regra. <br>
+LocalTax1IsUsedExampleES=Na Espanha, eles são profissionais sujeitos a algumas seções específicas do IAE espanhol.
+LocalTax1IsNotUsedExampleES=Na Espanha, eles são profissionais e sociedades e sujeito a determinadas seções do IAE espanhol.
+LocalTax2ManagementES=Gestão IRPF
+LocalTax2IsUsedDescES=A taxa de RE por padrão ao criar perspectivas, notas fiscais, ordens etc seguir a regra padrão ativo: <br> Se o vendedor não está sujeito a IRPF, então IRPF por default = 0. Fim da regra. <br> Se o vendedor é submetido a IRPF, em seguida, o IRPF por padrão. Fim da regra. <br>
+LocalTax2IsNotUsedDescES=Por padrão, o IRPF proposta é 0. Fim da regra.
+LocalTax2IsUsedExampleES=Na Espanha, freelancers e profissionais independentes que prestam serviços e empresas que escolheram o sistema fiscal de módulos.
+LocalTax2IsNotUsedExampleES=Na Espanha, eles são bussines não sujeitas ao regime fiscal dos módulos.
 CalcLocaltax=Relatórios sobre os impostos locais
 CalcLocaltax1=Vendas - Compras
 CalcLocaltax1Desc=Relatorios de taxas locais são calculados pela differença entre taxas locais de venda e taxas locais de compra
@@ -862,94 +599,47 @@ CalcLocaltax2=Compras
 CalcLocaltax2Desc=Relatorio de taxas locais e o total de taxas locais nas compras
 CalcLocaltax3=De vendas
 CalcLocaltax3Desc=Relatorio de taxas locais e o total de taxas locais de vendas
-LabelUsedByDefault=Etiqueta que se utilizará se não se encontra tradução para este código
-LabelOnDocuments=Etiqueta sobre documentos
 NbOfDays=N� de Dias
-AtEndOfMonth=No Fim de Mês
-Offset=Deslocado
 AlwaysActive=Sempre Ativo
 UpdateRequired=Parâmetros sistema necessita de uma atualização. Para atualizar click em <a href
 Upgrade=Atualização
 MenuUpgrade=Atualização / Estender
-AddExtensionThemeModuleOrOther=Ajustar extensão (tema, módulo, etc.)
-WebServer=Servidor web
-DocumentRootServer=Pasta raiz das páginas web
 DataRootServer=Pasta raiz dos arquivos de dados
-IP=IP
-Port=Porta
-VirtualServerName=Nome do servidor virtual
-AllParameters=Todos os parâmetros
-OS=SO
-PhpEnv=Env
-PhpModules=Módulos
-PhpConf=Conf
-PhpWebLink=link Web-PHP
-Pear=Pear
 PearPackages=pacotes Pear
 Browser=Navegador
 Server=Servidor
-Database=Base de dados
 DatabaseServer=Hospedeiro do banco de dados
-DatabaseName=Nome da base de dados
-DatabasePort=Porta da base de dados
 DatabaseUser=Usuário de banco de dados
 DatabasePassword=Senha de banco de dados
 DatabaseConfiguration=configuração da base de dados
-Tables=Tabelas
-TableName=Nome da tabela
-TableLineFormat=Formato linhas
 NbOfRecord=N� Reg.
-Constraints=Constrangimentos
-ConstraintsType=Tipo de constrangimento
 ConstraintsToShowOrNotEntry=Constrangimento para mostrar não menu de entrada
-AllMustBeOk=Todos devem ser controlados
-Host=Servidor
-DriverType=Tipo de driver
 SummarySystem=Resumo da informação de sistemas ERP
 SummaryConst=Lista de todos os parâmetros de configuração dolibarr
 SystemUpdate=Atualização do sistema
 SystemSuccessfulyUpdate=a sua sistema atualizou-se corretamente
-MenuCompanySetup=Empresa/Instituição
 MenuNewUser=Novo Usuário
 MenuTopManager=Administração do menu superior
 MenuLeftManager=Administração do menu esquerdo
 MenuManager=Administração do menu
-MenuSmartphoneManager=Gestor de menu Smartphone
 DefaultMenuTopManager=Administração do menu superior
 DefaultMenuLeftManager=Administração do menu esquerdo
-DefaultMenuManager= Gestor de menu padrão
-DefaultMenuSmartphoneManager=Gestor de menu Smartphone
 Skin=Tema Visual
 DefaultSkin=Tema visual por default
 MaxSizeList=Longuitude máxima de listados
 DefaultMaxSizeList=Longuitude máxima de listados por default
-MessageOfDay=Mensagem do día
-MessageLogin=Mensagem do login
-PermanentLeftSearchForm=Zona de pesquisa permanente do menu esquerdo
 DefaultLanguage=Idioma por default a utilizar (código idioma)
 EnableMultilangInterface=Ativar interface Multi Idioma
 EnableShowLogo=Mostrar logotipo no menu à esquerda
 EnableHtml5=Ativar Html5 (Desenvolvimento - Apenas disponível no modelo Eldy)
 SystemSuccessfulyUpdated=a sua sitema está atualizado
-CompanyInfo=Informação da Empresa/Instituição
-CompanyIds=Identificação regulamentação
-CompanyName=Nome/Razão social
-CompanyAddress=Morada
-CompanyZip=Código Postal
 CompanyTown=Município
-CompanyCountry=País
-CompanyCurrency=Moeda principal
 CompanyObject=Objeto da empresa
 Logo=Logotipo
-DoNotShow=Não mostrar
 DoNotSuggestPaymentMode=Não sugerenciar
 NoActiveBankAccountDefined=Nenhuma conta bancaria ativa definida
-OwnerOfBankAccount=Titular da conta %s
 BankModuleNotActive=O módulo de contas bancarias não se encontra ativado
 ShowBugTrackLink=Mostrar link "<strong>%s</strong>"
-ShowWorkBoard=Mostrar painel de informação na página principal
-Alerts=Alertas
-Delays=Prazos
 DelayBeforeWarning=Prazo antes de alerta
 DelaysBeforeWarning=Prazos antes de alerta
 DelaysOfToleranceBeforeWarning=Prazos de tolerância antes de alerta
@@ -968,22 +658,15 @@ Delays_MAIN_DELAY_MEMBERS=Tolerância de atraso (em dias) antes de alerta sobre
 Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Tolerância de atraso (em dias) antes de alerta para cheques depósito para fazer
 SetupDescription1=Todas as opções desta área de configuração são opções que permitem configurar a Dolibarr antes de começar a sua utilização.
 SetupDescription2=Os 2 Passos indispensáveis da configuração são as 2 primeiras do menu esquerdo:  a configuração da empresa/Instituição e a configuração dos módulos:
-SetupDescription3=A configuração <b>Empresa/Instituição</b> a administrar é requerida já que se utiliza a informação para a introdução de dados na maioria das janelas, em inserciones, ou para modificar o comportamento de Dolibarr (como, por Exemplo, das funções que dependem do seu país).
 SetupDescription4=A configuração <b>Módulos</b> é indispensável já que Dolibarr não é um ERP/CRM monolítico, é um conjunto de módulos mais ou menos independente. Depois de ativar os módulos que lhe interessem verificar as suas funcionalidades nos menus de Dolibarr.
 SetupDescription5=Outros itens do menu gerenciar parâmetros opcionais.
-EventsSetup=Configuração do registo de eventos
-LogEvents=Auditoría da segurança de eventos
-Audit=Auditoría
-InfoDolibarr=Infos Dolibarr
 InfoBrowser=Infos Navegador
 InfoOS=Informações do sistema operacional
 InfoWebServer=Informações do Web Server
 InfoDatabase=Informações da base de dados
 InfoPHP=Informações do PHP
-InfoPerf=Infos performances
 BrowserName=Nome do navegador
 BrowserOS=Navegador OS
-ListEvents=Auditoría de eventos
 ListOfSecurityEvents=Listado de eventos de segurança Dolibarr
 SecurityEventsPurged=Os eventos de segurança expurgados
 LogEventDesc=Pode ativar o registo de eventos de segurança Dolibarr aqui. os administradores podem ver o seu conteúdo a travé de menu <b>ferramentas do sistema - Auditoria</b>.Atenção, esta característica pode consumir uma gran quantidade de dados na base de dados.
@@ -1019,7 +702,6 @@ TotalPriceAfterRounding=Preço total (imposto net / cuba / manhã) após arredon
 ParameterActiveForNextInputOnly=parâmetro efetivo somente a partir das próximas sessões
 NoEventOrNoAuditSetup=não são registrado eventos de segurança. Esto pode ser normal sim a auditoría não ha sido habilitado na página "configuração->segurança->auditoría".
 NoEventFoundWithCriteria=não são encontrado eventos de segurança para tais criterios de pesquisa.
-SeeLocalSendMailSetup=Ver a configuração local de sendmail
 BackupDesc=Para realizar uma Cópia de segurança completa de Dolibarr, voçê deve:
 BackupDesc2=Salvar o conteúdo do diretório de documentos <b>(%s)</b> que contém todos os arquivos carregados e gerados (você pode fazer um zip por exemplo).
 BackupDesc3=Salvar o conteúdo de seu banco de dados <b>(%s)</b> em um arquivo de despejo. Para isso, você pode usar o seguinte assistente.
@@ -1030,9 +712,8 @@ RestoreDesc=Para restaurar uma Cópia de segurança de Dolibarr, voçê deve:
 RestoreDesc2=Restaurar arquivo (arquivo zip por exemplo) do diretório de documentos para extrair árvore de arquivos no diretório de documentos de uma nova instalação ou em Dolibarr esta corrente documentos directoy <b>(% s).</b>
 RestoreDesc3=Restaurar os dados, a partir de um arquivo de despejo de backup, na base de dados da nova instalação Dolibarr ou no banco de dados desta instalação atual <b>(%s).</b> Atenção, uma vez que a restauração for concluída, você deve usar um login / senha, que existia quando o backup foi feito, se conectar novamente. Para restaurar um banco de dados de backup para esta instalação atual, você pode seguir este assistente.
 RestoreMySQL=importar do MySQL
-ForcedToByAModule= Esta regra é forçado a por um módulo ativado
+ForcedToByAModule=Esta regra é forçado a por um módulo ativado
 PreviousDumpFiles=Arquivos de despejo de backup de banco de dados disponível
-WeekStartOnDay=Primeiro dia da semana
 RunningUpdateProcessMayBeRequired=A execução do processo de atualização parece ser exigido (Programas versão difere da versão do banco de dado)
 YouMustRunCommandFromCommandLineAfterLoginToUser=Você deve executar este comando a partir da linha de comando após o login a um shell com o usuário ou você deve adicionar-W opção no final da linha de comando para fornece a senha.
 YourPHPDoesNotHaveSSLSupport=Funções SSL não disponíveis no seu PHP
@@ -1046,41 +727,29 @@ MenuUseLayout=Faça cardápio compativel vertical (opção javascript não deve
 MAIN_DISABLE_METEO=Desativar vista meteo
 TestLoginToAPI=Testar Acesso ao API
 ProxyDesc=Algumas características do Dolibarr precisa ter um acesso à Internet ao trabalho. Defina aqui os parâmetros para isso. Se o servidor Dolibarr está atrás de um servidor proxy, esses parâmetros diz Dolibarr como acessar Internet através dele.
-ExternalAccess=Acesso externo
 MAIN_PROXY_USE=Usar um servidor proxy (caso contrário, o acesso direto a internet)
 MAIN_PROXY_HOST=Nome / Endereço do servidor proxy
 MAIN_PROXY_PORT=Porto de servidor proxy
 MAIN_PROXY_USER=Entre para usar o servidor proxy
-MAIN_PROXY_PASS=Senha para usar o servidor proxy
 DefineHereComplementaryAttributes=Defina aqui todos os atributos, não já disponíveis por padrão, e que pretende ser apoiada por.
-ExtraFields=Atributos complementares
-ExtraFieldsLines=Atributos complementares (linhas)
 ExtraFieldsSupplierOrdersLines=Atributos complementares (linhas de encomenda)
 ExtraFieldsSupplierInvoicesLines=Atributos complementares (linhas da fatura)
 ExtraFieldsThirdParties=Atributos complementares (clientes)
 ExtraFieldsContacts=Atributos complementares (contato / endereço)
-ExtraFieldsMember=Atributos complementares (membro)
-ExtraFieldsMemberType=Atributos complementares (tipo de membro)
 ExtraFieldsCustomerOrders=Atributos complementares (ordens)
-ExtraFieldsCustomerInvoices=Atributos complementares (faturas)
 ExtraFieldsSupplierOrders=Atributos complementares (ordens)
-ExtraFieldsSupplierInvoices=Atributos complementares (faturas)
-ExtraFieldsProject=Atributos complementares (projetos)
-ExtraFieldsProjectTask=Atributos complementares (tarefas)
 ExtraFieldHasWrongValue=Atributo% s tem um valor errado.
 AlphaNumOnlyCharsAndNoSpace=apenas alfanuméricos caracteres sem espaço
 AlphaNumOnlyLowerCharsAndNoSpace=apenas alfanumérico e minúsculas, sem espaço
 SendingMailSetup=Configuração de envios por e-mail
 SendmailOptionNotComplete=Atenção, em alguns sistemas Linux, para enviar e-mail de seu e-mail, sendmail instalação execução must contém opção-ba (mail.force_extra_parameters parâmetros no seu arquivo php.ini). Se alguns destinatários não receber e-mails, tentar editar este parâmetro PHP com mail.force_extra_parameters =-ba).
 PathToDocuments=Rotas de acesso a documentos
-PathDirectory=Catálogo
 SendmailOptionMayHurtBuggedMTA=Recurso para enviar mails usando o método de "correio PHP direto" irá gerar uma mensagem de email que pode não ser corretamente analisado por alguns servidores de entrada de email. O resultado é que alguns e-mails não podem ser lidos por pessoas hospedadas por essas plataformas grampeado. É o caso para alguns provedores de Internet (Ex: Laranja na França). Este não é um problema em Dolibarr nem em PHP, mas para receber servidor de correio. No entanto, pode adicionar a opção MAIN_FIX_FOR_BUGGED_MTA a 1 na configuração - outra para modificar Dolibarr para evitar isso. No entanto, você pode enfrentar problema com outros servidores que respeitem estritamente o padrão SMTP. A outra solução (recomendado) é usar o método de "biblioteca soquete SMTP" que não tem desvantagens.
 TranslationSetup=Configuração de  tradução
 TranslationDesc=Escolha da língua visível na tela pode ser modificado:  * A nível mundial a partir do menu strong Home - Setup - Exibição* Para o usuário apenas de guia  de exibição do usuário de cartão de usuário (clique sobre o login no topo da tela).
 TotalNumberOfActivatedModules=Número total de módulos de recursos ativados:
 YouMustEnableOneModule=Você deve, pelo menos, permitir que um módulo
 ClassNotFoundIntoPathWarning=A classe não foi encontrado em caminho PHP
-YesInSummer=Sim no verão
 OnlyFollowingModulesAreOpenedToExternalUsers=Note-se, os módulos seguintes são abertos a usuários externos (o que quer que são permissão desses usuários):
 SuhosinSessionEncrypt=Armazenamento de sessão criptografada pelo Suhosin
 ConditionIsCurrently=Condição é atualmente
@@ -1093,16 +762,12 @@ BrowserIsOK=Você está usando o navegador. Este navegador é ok para segurança
 BrowserIsKO=Você está usando o navegador web% s. Este navegador é conhecido por ser uma má escolha para a segurança, desempenho e confiabilidade. Aconselhamos que você use o Firefox, Chrome, Opera ou Safari.
 XDebugInstalled=XDebug é carregado.
 XCacheInstalled=XCache é carregado.
-AddRefInList=Display customer/supplier ref into list (select list or combobox) and most of hyperlink. Third parties will appears with name "CC12345 - SC45678 - The big company coorp", instead of "The big company coorp".
 FieldEdition=Edição de campo
 FixTZ=Correção de fuso horário
 FillThisOnlyIfRequired=Exemplo: 2 (preencher somente se deslocamento de fuso horário problemas são experientes)
-GetBarCode=Obter código de barras
 EmptyNumRefModelDesc=O código é livre. Este código pode ser modificado a qualquer momento.
-##### Module password generation
 PasswordGenerationStandard=Devolve uma senha generada por o algoritmo interno Dolibarr: 8 caracteres, números e caracteres em minúsculas mescladas.
 PasswordGenerationNone=não oferece Senhas. a senha se introduce manualmente.
-##### Users setup #####
 UserGroupSetup=Configuração Módulo Usuários e Grupos
 GeneratePassword=Propor uma senha generada
 RuleForGeneratedPasswords=Norma para a geração das Senhas Propostas
@@ -1111,34 +776,26 @@ EncryptedPasswordInDatabase=Permitir encriptação das Senhas na base de dados
 DisableForgetPasswordLinkOnLogonPage=não mostrar o link "senha esquecida" na página de login
 UsersSetup=Configuração do módulo Usuários
 UserMailRequired=EMail necessário para criar um novo usuário
-##### Company setup #####
 CompanySetup=configuração do módulo empresas
 CompanyCodeChecker=Módulo de geração e control dos códigos de Fornecedores (clientes/Fornecedores)
 AccountCodeManager=Módulo de geração dos códigos contabíls (clientes/Fornecedores)
 ModuleCompanyCodeAquarium=Devolve um código contabíl composto de %s seguido do código Fornecedor de provedor para o código contabíl de provedor, e %s seguido do código Fornecedor de cliente para o código contabíl de cliente.
 ModuleCompanyCodePanicum=Devolve um código contabíl vazio.
 ModuleCompanyCodeDigitaria=Devolve um código contabíl composto seguindo o código de Fornecedor. o código está formado por caracter0 ' C ' em primeiroa posição seguido dos 5 primeiroos caracteres do código Fornecedor.
-UseNotifications=Usar Notificações
 NotificationsDesc=E-mails notificações este recurso permite que você envie e-mail automático silenciosamente, para alguns eventos Dolibarr. Alvos de notificações podem ser definidos: <br> * Por terceiros contatos (clientes ou fornecedores), um contato de tempo. <br> * Ou definindo endereços de e-mail alvo globais na página de configuração do módulo.
 ModelModules=Modelos de documentos
 DocumentModelOdt=Gere documentos a partir de modelos OpenDocuments (. ODT ou. Arquivos ODS para OpenOffice, KOffice, TextEdit, ...)
 WatermarkOnDraft=Marca d'água sobre o projeto de documento
 JSOnPaimentBill=Ative a função de preenchimento automático de linhas no formulário de pagamento
 CompanyIdProfChecker=Regras sobre profissional Ids
-MustBeUnique=Deve ser exclusivo?
 MustBeMandatory=Obrigatório para criar terceiros?
 MustBeInvoiceMandatory=Obrigatório para validar faturas?
-Miscellaneous=Diversos
-##### Webcal setup #####
 WebCalSetup=configuração de link com o calendário Webcalendar
 WebCalSyncro=Integrar os eventos Dolibarr em WebCalendar
-WebCalAllways=Sempre, sem consultar
 WebCalYesByDefault=Consultar (sim por default)
 WebCalNoByDefault=Consultar (não por default)
-WebCalNever=Nunca
 WebCalURL=endereço (URL) de acesso ao calendário
 WebCalServer=Servidor da base de dados do calendário
-WebCalDatabaseName=Nome da base de dados
 WebCalUser=Usuário com acesso e a base
 WebCalSetupSaved=os dados de link são guardado corretamente.
 WebCalTestOk=A ligação ao servidor no banco de dados  com o usuário de sucesso.
@@ -1153,15 +810,11 @@ WebCalAddEventOnStatusBill=Adicionar evento ao calendário ao alterar destado da
 WebCalAddEventOnStatusMember=Adicionar evento ao calendário ao alterar destado dos Membros
 WebCalUrlForVCalExport=um link de exportação do calendário em formato <b>%s</b> estará disponível na url: %s
 WebCalCheckWebcalSetup=a configuração do módulo Webcal pode ser incorreta
-##### Invoices #####
 BillsSetup=configuração do módulo Faturas
 BillsDate=Data das faturas
 BillsNumberingModule=Módulo de numeração de faturas e entregas
 BillsPDFModules=Modelo de documento de faturas
 CreditNoteSetup=configuração do módulo entregas
-CreditNotePDFModules=Modelo de documento de entregas
-CreditNote=Entrega
-CreditNotes=Entregas
 ForceInvoiceDate=Forçar a data de fatura e a data de validação
 DisableRepeatable=Desativar as faturas Repetitivas
 SuggestedPaymentModesIfNotDefinedInInvoice=Formas de pagamento sugeridas para as faturas senão estão definidas explicitamente
@@ -1170,95 +823,54 @@ SuggestPaymentByRIBOnAccount=Sugerenciar o pagamento por transfência em conta
 SuggestPaymentByChequeToAddress=Sugerenciar o pagamento por cheque a
 FreeLegalTextOnInvoices=Texto livre em faturas
 WatermarkOnDraftInvoices=Marca d'água sobre o projeto de faturas (nenhum se estiver vazio)
-##### Proposals #####
 PropalSetup=configuração do módulo Orçamentos
 CreateForm=criação formulário
-NumberOfProductLines=Numero de linhas de produtos
-ProposalsNumberingModules=Módulos de numeração de Orçamentos
-ProposalsPDFModules=Modelos de documentos de Orçamentos
 ClassifiedInvoiced=Classificar faturado
 HideTreadedPropal=Ocultar os Orçamentos processados do listado
 AddShippingDateAbility=possibilidade de determinar uma data de entregas
 AddDeliveryAddressAbility=possibilidade de selecionar uma endereço de envio
 UseOptionLineIfNoQuantity=uma linha de produto/serviço que tem uma quantidade nula se considera como uma Opção
-FreeLegalTextOnProposal=Texto livre em Orçamentos
 WatermarkOnDraftProposal=Marca d'água em projetos de propostas comerciais (nenhum se estiver vazio)
 BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Informar conta bancária de destino da proposta
-##### AskPriceSupplier #####
-AskPriceSupplierSetup=Price requests suppliers module setup
-AskPriceSupplierNumberingModules=Price requests suppliers numbering models
-AskPriceSupplierPDFModules=Price requests suppliers documents models
 FreeLegalTextOnAskPriceSupplier=Texto livre sobre os pedidos de preços de fornecedores
-WatermarkOnDraftAskPriceSupplier=Watermark on draft price requests suppliers (none if empty)
-BANK_ASK_PAYMENT_BANK_DURING_ASKPRICESUPPLIER=Ask for bank account destination of price request
-##### Orders #####
 OrdersSetup=configuração do módulo pedidos
-OrdersNumberingModules=Módulos de numeração dos pedidos
 OrdersModelModule=Modelos de documentos de pedidos
 HideTreadedOrders=Esconder as ordens tratados ou cancelados na lista
-ValidOrderAfterPropalClosed=Confirmar o pedido depois de fechar o orçamento, permite não passar por um pedido provisório
-FreeLegalTextOnOrders=Texto livre em pedidos
 WatermarkOnDraftOrders=Marca d'água em projetos de ordem (nenhum se estiver vazio)
 ShippableOrderIconInList=Adicionar um ícone na lista de pedidos que indicam se a ordem é shippable
 BANK_ASK_PAYMENT_BANK_DURING_ORDER=Informar conta bancária de destino da ordem
-##### Clicktodial #####
 ClickToDialSetup=configuração do módulo Click To Dial
 ClickToDialUrlDesc=Url de chamada fazendo click ao ícone telefone. <br>a 'url completa chamada será: URL?login
-##### Bookmark4u #####
 Bookmark4uSetup=configuração do módulo Bookmark4u
-##### Interventions #####
 InterventionsSetup=configuração do módulo Intervenções
 FreeLegalTextOnInterventions=Texto livre em documentos de intervenção
-FicheinterNumberingModules=Módulos de numeração das fichas de intervenção
-TemplatePDFInterventions=Modelo de documentos das fichas de intervenção
 WatermarkOnDraftInterventionCards=Marca d'água em documentos de cartão de intervenção (nenhum se estiver vazio)
-##### Contracts #####
 ContractsSetup=Contratos / instalação de módulo de Assinaturas
 ContractsNumberingModules=Contratos numeração módulos
 TemplatePDFContracts=Modelos de documentos Contratos
 FreeLegalTextOnContracts=Texto livre em contratos
 WatermarkOnDraftContractCards=Marca d'água em projetos de contratos (nenhum se estiver vazio)
-##### Members #####
 MembersSetup=configuração do módulo associações
 MemberMainOptions=opções principales
 AddSubscriptionIntoAccount=Registar honorários em conta bancaria ou Caixa do módulo bancario
-AdherentLoginRequired= Gerenciar um login para cada membro
 AdherentMailRequired=E-Mail obrigatório para criar um membro novo
 MemberSendInformationByMailByDefault=Caixa de verificação para enviar o correio de confirmação a os Membros é por default "sí"
-##### LDAP setup #####
 LDAPSetup=Configuracón do módulo LDAP
-LDAPGlobalParameters=parâmetros globais
 LDAPUsersSynchro=Usuário
-LDAPGroupsSynchro=Grupos
 LDAPContactsSynchro=Contatos
-LDAPMembersSynchro=Membros
 LDAPSynchronization=sincronização LDAP
 LDAPFunctionsNotAvailableOnPHP=as funções LDAP não estão disponíveis na sua PHP
-LDAPToDolibarr=LDAP -> Dolibarr
-DolibarrToLDAP=Dolibarr -> LDAP
-LDAPNamingAttribute=Chave em LDAP
 LDAPSynchronizeUsers=sincronização dos Usuários Dolibarr com LDAP
 LDAPSynchronizeGroups=sincronização dos grupos de Usuários Dolibarr com LDAP
 LDAPSynchronizeContacts=sincronização dos contatos Dolibarr com LDAP
 LDAPSynchronizeMembers=sincronização dos Membros do módulo associações de Dolibarr com LDAP
 LDAPTypeExample=OpenLdap, Egroupware o Active Diretory
-LDAPPrimaryServer=Servidor primario
-LDAPSecondaryServer=Servidor secundario
-LDAPServerPort=Porta do servidor
 LDAPServerPortExample=Porta por default : 389
-LDAPServerProtocolVersion=Versão de protocolo
 LDAPServerUseTLS=Usuário TLS
 LDAPServerUseTLSExample=a sua servidor utiliza TLS
-LDAPServerDn=DN do servidor
-LDAPAdminDn=DN do administrador
-LDAPAdminDnExample=DN completo (ej: cn
 LDAPPassword=senha do administrador
 LDAPUserDn=DN dos Usuário
-LDAPUserDnExample=DN completo (ej: ou
-LDAPGroupDn=DN dos grupos
-LDAPGroupDnExample=DN completo (ej: ou
 LDAPServerExample=endereço do servidor (ej: localhost, 192.168.0.2, ldaps://ldap.example.com/)
-LDAPServerDnExample=DN completo (ej: dc
 LDAPPasswordExample=senha do administrador
 LDAPDnSynchroActive=Sincronização de Usuários e Grupos
 LDAPDnSynchroActiveExample=sincronização LDAP vers Dolibarr ó Dolibarr vers LDAP
@@ -1268,25 +880,13 @@ LDAPDnContactActiveExample=sincronização ativada/desativada
 LDAPDnMemberActive=sincronização dos Membros
 LDAPDnMemberActiveExample=sincronização ativada/desativada
 LDAPContactDn=DN dos contatos Dolibarr
-LDAPContactDnExample=DN completo (ej: ou
-LDAPMemberDn=DN dos Membros
-LDAPMemberDnExample=DN completo (ex: ou
-LDAPMemberObjectClassList=Lista de objectClass
 LDAPMemberObjectClassListExample=Lista de ObjectClass que definem os atributos de um registo (ej: top,inetOrgPerson o top,user for active diretory)
-LDAPUserObjectClassList=Lista de objectClass
 LDAPUserObjectClassListExample=Lista de ObjectClass que definem os atributos de um registo (ej: top,inetOrgPerson o top,user for active diretory)
-LDAPGroupObjectClassList=Lista de objectClass
-LDAPGroupObjectClassListExample=Lista de ObjectClass que definem os atributos de um registo (ej: top,groupOfUniqueNames)
-LDAPContactObjectClassList=Lista de objectClass
 LDAPContactObjectClassListExample=Lista de objectClass que definem os atributos de um registo (ej: top,inetOrgPerson o top,user for active diretory)
-LDAPMemberTypeDn=DN dos tipos de Membros
-LDAPMemberTypeDnExample=DN complet (ej: ou
 LDAPTestConnect=Teste a login LDAP
 LDAPTestSynchroContact=Teste a sincronização de contatos
 LDAPTestSynchroUser=Teste a sincronização de Usuário
-LDAPTestSynchroGroup=Teste a sincronização de grupos
-LDAPTestSynchroMember=Teste a sincronização de Membros
-LDAPTestSearch= Teste uma pesquisa LDAP
+LDAPTestSearch=Teste uma pesquisa LDAP
 LDAPSynchroOK=Prueba de sincronização realizada corretamente
 LDAPSynchroKO=Prueba de sincronização errada
 LDAPSynchroKOMayBePermissions=Error da prueba de sincronização. verifique que a login à servidor sea correta e que permite as atualizaciones LDAP
@@ -1295,64 +895,33 @@ LDAPTCPConnectKO=Fallo de login TCP à servidor LDAP (Servidor
 LDAPBindOK=Ligue / authentificate ao servidor LDAP sucesso (Server =% s, Port =% s, Admin =% s, Password =% s)
 LDAPBindKO=Fallo de login/autentificação à servidor LDAP (Servidor
 LDAPUnbindSuccessfull=Desconecte sucesso
-LDAPUnbindFailed=Saida falhada
 LDAPConnectToDNSuccessfull=login a DN (%s) realizada
 LDAPConnectToDNFailed=Connexión a DN (%s) falhada
-LDAPSetupForVersion3=Servidor LDAP configurado em Versão 3
-LDAPSetupForVersion2=Servidor LDAP configurado em Versão 2
 LDAPDolibarrMapping=Mapping Dolibarr
-LDAPLdapMapping=Mapping LDAP
-LDAPFieldLoginUnix=Login (unix)
-LDAPFieldLoginExample=Exemplo : uid
-LDAPFilterConnection=Filtro de pesquisa
-LDAPFilterConnectionExample=Exemplo : &(objectClass
-LDAPFieldLoginSamba=Login (samba, activedirectory)
 LDAPFieldLoginSambaExample=Exemplo : samaccountname
-LDAPFieldFullname=Nome completo
-LDAPFieldFullnameExample=Exemplo : cn
 LDAPFieldPassword=senha
 LDAPFieldPasswordNotCrypted=senha não encriptada
 LDAPFieldPasswordCrypted=senha encriptada
-LDAPFieldPasswordExample=Exemplo : userPassword
-LDAPFieldCommonName=Nome comun
-LDAPFieldCommonNameExample=Exemplo : cn
-LDAPFieldName=Nome
-LDAPFieldNameExample=Exemplo : sn
-LDAPFieldFirstName=Nome
 LDAPFieldFirstNameExample=Exemplo : givenname
-LDAPFieldMail=E-Mail
-LDAPFieldMailExample=Exemplo : mail
 LDAPFieldPhone=telefone Trabalho
 LDAPFieldPhoneExample=Exemplo : telephonenumber
 LDAPFieldHomePhone=telefone personal
 LDAPFieldHomePhoneExample=Exemplo : homephone
 LDAPFieldMobile=telefone móvil
 LDAPFieldMobileExample=Exemplo : mobile
-LDAPFieldFax=Fax
 LDAPFieldFaxExample=Exemplo : facsimiletelephonenumber
 LDAPFieldAddress=endereço
 LDAPFieldAddressExample=Exemplo : street
 LDAPFieldZip=Código Postal
 LDAPFieldZipExample=Exemplo : postalcode
 LDAPFieldTown=Município
-LDAPFieldTownExample=Exemplo : l
-LDAPFieldCountry=País
-LDAPFieldCountryExample=Exemplo : c
-LDAPFieldDescription=Descrição
 LDAPFieldDescriptionExample=Exemplo : description
 LDAPFieldNotePublic=Nota Pública
-LDAPFieldNotePublicExample=Example : publicnote
-LDAPFieldGroupMembers= Os membros do grupo
-LDAPFieldGroupMembersExample= Exemplo: uniqueMember
+LDAPFieldNotePublicExample=Exemplo: publicnote
+LDAPFieldGroupMembersExample=Exemplo: uniqueMember
 LDAPFieldBirthdate=data de nascimento
-LDAPFieldBirthdateExample=Exemplo :
-LDAPFieldCompany=Empresa
-LDAPFieldCompanyExample=Exemplo : o
-LDAPFieldSid=SID
 LDAPFieldSidExample=Exemplo : objectsid
 LDAPFieldEndLastSubscription=data finalização como membro
-LDAPFieldTitle=Posto/Função
-LDAPFieldTitleExample=Exemplo: título
 LDAPParametersAreStillHardCoded=Parâmetros LDAP ainda são codificados (na classe de contato)
 LDAPSetupNotComplete=configuração LDAP incompleta (a completar em Outras pestanhas)
 LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Administrador o senha não indicados. os acessos LDAP serão anônimos e em só leitura.
@@ -1361,7 +930,6 @@ LDAPDescUsers=Esta página permite definir o Nome dos atributos da árvore LDAP
 LDAPDescGroups=Esta página permite definir o Nome dos atributos da árvore LDAP para cada informação dos grupos Usuários Dolibarr.
 LDAPDescMembers=Esta página permite definir o Nome dos atributos da árvore LDAP para cada informação dos Membros do módulo associações Dolibarr.
 LDAPDescValues=os valores de Exemplos se adaptan a <b>OpenLDAP</b> com os schemas carregados: <b>core.schema, cosine.schema, inetorgperson.schema</b>). sim voçê utiliza os a valores sugeridos e OpenLDAP, modifique a sua arquivo de configuração LDAP <b>slapd.conf</b> para tener todos estos schemas ativos.
-ForANonAnonymousAccess=Para um acesso autentificado
 PerfDolibarr=Relatório de configuração Desempenho / otimização
 YouMayFindPerfAdviceHere=Você vai encontrar nesta página algumas verificações ou conselhos relacionados com o desempenho.
 NotInstalled=Não instalado, por que o seu servidor não está mais lento por isso.
@@ -1377,10 +945,8 @@ FilesOfTypeNotCached=Arquivos do tipo não são armazenados em cache pelo servid
 FilesOfTypeCompressed=Arquivos do tipo são comprimidas pelo servidor HTTP
 FilesOfTypeNotCompressed=Arquivos do tipo não são compactados pelo servidor HTTP
 CacheByServer=Cache por servidor
-CacheByClient=Cache pelo navegador
 CompressionOfResources=A compressão das respostas HTTP
 TestNotPossibleWithCurrentBrowsers=Tal detecção automática não é possível com os navegadores atuais
-##### Products #####
 ProductSetup=configuração do módulo produtos
 ServiceSetup=Configuração do módulo Serviços
 ProductServiceSetup=Configuração de Produtos e Serviços módulos
@@ -1388,38 +954,27 @@ NumberOfProductShowInSelect=N� de produtos max em listas (0
 ConfirmDeleteProductLineAbility=confirmação de eliminação de uma linha de produzido nos formulários
 ModifyProductDescAbility=Personalização das descripciones dos produtos nos formulários
 ViewProductDescInFormAbility=visualização das descripciones dos produtos nos formulários
-MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal
 ViewProductDescInThirdpartyLanguageAbility=Visualização de produtos descrições no idioma thirdparty
 UseSearchToSelectProductTooltip=Além disso, se você tem um grande número de produtos (> 100 000), você pode aumentar a velocidade, definindo PRODUCT_DONOTSEARCH_ANYWHERE constante a 1 em Setup Outro. Busca, então, ser limitada até o início da string.
 UseSearchToSelectProduct=Use um formulário de pesquisa para escolher um produto (em vez de uma lista drop-down).
 UseEcoTaxeAbility=Asumir ecotaxa (DEEE)
 SetDefaultBarcodeTypeProducts=Tipo de código de barras utilizado por default para os produtos
 SetDefaultBarcodeTypeThirdParties=Tipo de código de barras utilizado por default para os Fornecedores
-UseUnits=Support units
-ProductCodeChecker= Módulo para geração de código do produto e verificação (produto ou serviço)
-ProductOtherConf= A configuração do produto / serviço
-##### Syslog #####
-SyslogSetup=configuração do módulo Syslog
+UseUnits=Unidades de apoio
+ProductCodeChecker=Módulo para geração de código do produto e verificação (produto ou serviço)
+ProductOtherConf=A configuração do produto / serviço
 SyslogOutput=Saída do log
-SyslogSyslog=Syslog
-SyslogFacility=Facilidade
 SyslogLevel=Nível
 SyslogSimpleFile=Arquivo
 SyslogFilename=Nome e Rota do Arquivo
 YouCanUseDOL_DATA_ROOT=pode utilizar DOL_DATA_ROOT/dolibarr.log para um log na pasta 'documentos' de Dolibarr.
 ErrorUnknownSyslogConstant=a constante %s não é uma constante syslog conhecida
 OnlyWindowsLOG_USER=Somente para Windows suporta LOG_USER
-##### Donations #####
 DonationsSetup=configuração do módulo Bolsas
-DonationsReceiptModel=Modelo de recibo de doação
-##### Barcode #####
 BarcodeSetup=configuração dos códigos de barra
-PaperFormatModule=Módulos de formatos de impressão
 BarcodeEncodeModule=Módulos de codificação dos códigos de barra
-UseBarcodeInProductModule=Utilizar os códigos de barra nos produtos
 CodeBarGenerator=gerador do código
 ChooseABarCode=nenhum gerador selecionado
-FormatNotSupportedByGenerator=Formato não gerado por este gerador
 BarcodeDescEAN8=Códigos de barra tipo EAN8
 BarcodeDescEAN13=Códigos de barra tipo EAN13
 BarcodeDescUPC=Códigos de barra tipo UPC
@@ -1428,68 +983,34 @@ BarcodeDescC39=Códigos de barra tipo C39
 BarcodeDescC128=Códigos de barra tipo C128
 BarcodeDescDATAMATRIX=Código de barras do tipo Datamatrix
 BarcodeDescQRCODE=Código de barras do tipo QR code
-GenbarcodeLocation=Bar code generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".<br>For example: /usr/local/bin/genbarcode
-BarcodeInternalEngine=Motor interno
 BarCodeNumberManager=Gerente de auto definir números de código de barras
-##### Prelevements #####
 WithdrawalsSetup=configuração do módulo Débitos Diretos
-##### ExternalRSS #####
 ExternalRSSSetup=configuração das importações do fluxos RSS
 NewRSS=Sindicação de um Novo fluxos RSS
-RSSUrl=RSS URL
-RSSUrlExample=Um feed RSS interessante
-##### Mailing #####
-MailingSetup=configuração do módulo E-Mailing
-MailingEMailFrom=E-Mail emissor (From) dos correios enviados por E-Mailing
 MailingEMailError=Voltar E-mail (Erros-to) para e-mails com erros
 MailingDelay=Segundos de espera antes do envio da mensagem seguinte
-##### Notification #####
 NotificationSetup=Configuração do módulo de notificações por e-mail
-NotificationEMailFrom=E-Mail emissor (From) dos correios enviados a traves de Notificações
-ListOfAvailableNotifications=List of events you can set notification on, for each thirdparty (go into thirdparty card to setup) or by setting a fixed email (List depends on activated modules)
 FixedEmailTarget=Alvo fixo e-mail
-##### Sendings #####
 SendingsSetup=configuração do módulos envios
-SendingsReceiptModel=Modelo da ficha de expedição
 SendingsNumberingModules=Expedição de numeração de  módulos
-SendingsAbility=Support shipment sheets for customer deliveries
 NoNeedForDeliveryReceipts=na maioria dos casos, as entregas utilizam como nota de entregas ao cliente (lista de produtos a enviar), se recebem e assinam por o cliente. Por o tanto, a hoja de entregas de produtos é uma característica duplicada e rara vez é ativada.
 FreeLegalTextOnShippings=Texto livre sobre transferências
-##### Deliveries #####
-DeliveryOrderNumberingModules=Módulo de numeração dos envios a clientes
 DeliveryOrderModel=Modelo de ordem de envio
 DeliveriesOrderAbility=Fretes pagos por o cliente
-FreeLegalTextOnDeliveryReceipts=Texto livre em notas de entregas.
-##### FCKeditor #####
 AdvancedEditor=Formatação avançada
 ActivateFCKeditor=Ativar FCKeditor para :
 FCKeditorForCompany=Criação/Edição WYSIWIG da descrição e notas dos Fornecedores
-FCKeditorForProduct=Criação/Edição WYSIWIG da descrição e notas dos produtos/serviços
-FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). <font class="warning">Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formating when building PDF files.</font>
-FCKeditorForMailing= Criação/Edição WYSIWIG dos E-Mails
 FCKeditorForUserSignature=WYSIWIG criação / edição da assinatura do usuário
 FCKeditorForMail=Criação WYSIWIG / edição para todos os emails (exceto Outils-> e-mail)
-##### OSCommerce 1 #####
 OSCommerceErrorConnectOkButWrongDatabase=a login se ha estabelecido, mas a base de dados não parece de OSCommerce.
 OSCommerceTestOk=a login à servidor '%s' sobre a base '%s' por o Usuário '%s' é correta.
 OSCommerceTestKo1=a login à servidor '%s' sobre a base '%s' por o Usuário '%s' não se pode efetuar.
 OSCommerceTestKo2=a login à servidor '%s' por o Usuário '%s' ha falhado.
-##### Stock #####
 StockSetup=Configuração do módulo Armazém / Warehouse
-UserWarehouse=Use user personal warehouses
 IfYouUsePointOfSaleCheckModule=Se você usar um módulo Ponto de Venda (POS módulo fornecido por padrão ou outro módulo externo), esta configuração pode ser ignorado pelo seu modulo ponto de Venda. A maioria modulo ponto de Vendas são projetados para criar imediatamente uma fatura e diminuir estoque por padrão tudo o que são opções aqui. Então, se você precisa ou não ter uma diminuição de ações quando registrar uma venda a partir do seu ponto de venda, verifique também a configuração do seu módulo POS.
-##### Menu #####
-MenuDeleted=Menu Eliminado
-TreeMenu=Estructura dos menus
-Menus=Menus
-TreeMenuPersonalized=Menus personalizados
-NewMenu=Novo Menu
-MenuConf=Configuração dos menus
 Menu=Seleção dos menus
 MenuHandler=Gerente de menus
-MenuModule=Módulo origem
-HideUnauthorizedMenu= Esconder menus não autorizadas (cinza)
-DetailId=Identificador do menu
+HideUnauthorizedMenu=Esconder menus não autorizadas (cinza)
 DetailMenuHandler=Nome do gerente de menus
 DetailMenuModule=Nome do módulo sim a entrada do menu é resultante de um módulo
 DetailType=Tipo de menu (superior o izquierdp)
@@ -1500,36 +1021,25 @@ DetailLeftmenu=Condição de visualização o não (obsoleto)
 DetailEnabled=Condição para mostrar ou não entrada
 DetailRight=Condição de visualização completa o cristálida
 DetailLangs=Arquivo langs para a tradução do título
-DetailUser=Interno / Externo / Todos
-Target=Alvo
 DetailTarget=Objetivo
 DetailLevel=Nível (-1:menu superior, 0:principal, >0 menu e submenú)
-ModifMenu=Modificação do menu
-DeleteMenu=Eliminar entrada de menu
 ConfirmDeleteMenu=Tem certeza que quer eliminar a entrada de menu <b>%s</b> ?
 DeleteLine=Apagar a Linha
 ConfirmDeleteLine=Tem certeza que quer eliminar esta linha?
-##### Tax #####
-TaxSetup=Configuração do Módulo Impostos, Cargas Sociais e Dividendos
 OptionVatMode=Opção de carga de ICMS
 OptionVATDefault=Regime de caixa
 OptionVATDebitOption=Regime de competência
 OptionVatDefaultDesc=a carga do ICMS é: <br>-ao envio dos bens <br>-sobre o pagamento por os serviços
 OptionVatDebitOptionDesc=a carga do ICMS é: <br>-ao envio dos bens <br>-sobre o faturamento dos serviços
 SummaryOfVatExigibilityUsedByDefault=Hora do VTA exigibilidade por padrão de acordo com a opção escolhida:
-OnDelivery=Na entrega
 OnPayment=Mediante o pagamento
 OnInvoice=Na fatura
 SupposedToBePaymentDate=Data de pagamento usado
 SupposedToBeInvoiceDate=Data da fatura usado
-Buy=Comprar
-Sell=Vender
 InvoiceDateUsed=Data da fatura usado
 YourCompanyDoesNotUseVAT=Sua empresa foi definido para não usar de IVA (Home - Configuração - Empresa / Fundação), então não há nenhuma opção de VAT a configuração.
-AccountancyCode=Código de Contabilidade
 AccountancyCodeSell=Conta Venda. código
 AccountancyCodeBuy=Compre conta. código
-##### Agenda #####
 AgendaSetup=Módulo configuração de ações e agenda
 PasswordTogetVCalExport=Chave de autorização vcal export link
 PastDelayVCalExport=Não exportar evento mais antigo que
@@ -1537,106 +1047,72 @@ AGENDA_USE_EVENT_TYPE=Use eventos tipos (geridos em Setup Menu -> Dicionário ->
 AGENDA_DEFAULT_FILTER_TYPE=Use automaticamente este tipo de evento no filtro de busca da agenda
 AGENDA_DEFAULT_FILTER_STATUS=Use automaticamente este estado no filtro das buscas da agenda
 AGENDA_DEFAULT_VIEW=Qual aba voçê quer abrir por padrão quando o menu Agenda e selecionado
-##### ClickToDial #####
 ClickToDialDesc=Este módulo permite agregar um ícone depois do número de telefone de contatos Dolibarr. um clic neste ícone, Chama a um servidor com uma URL que se indica a continuação. Esto pode ser usado para Chamar à sistema call center de Dolibarr que pode Chamar à número de telefone em um sistema SIP, por Exemplo.
-##### Point Of Sales (CashDesk) #####
-CashDesk=Caixa
 CashDeskSetup=configuração do módulo de Caixa registradora
 CashDeskThirdPartyForSell=Terceiro padrão para uso em vendas
 CashDeskBankAccountForSell=conta de efetivo que se utilizará para as vendas
-CashDeskBankAccountForCheque= Padrão conta para usar a receber pagamentos por cheque
-CashDeskBankAccountForCB= Padrão conta para usar a receber pagamentos por cartões de crédito
+CashDeskBankAccountForCheque=Padrão conta para usar a receber pagamentos por cheque
+CashDeskBankAccountForCB=Padrão conta para usar a receber pagamentos por cartões de crédito
 CashDeskDoNotDecreaseStock=Desativar diminuição de ações quando uma venda é feita a partir de ponto de venda (se "não", diminuição de ações é feito para cada vendem feito a partir de POS, o que for opção definida no módulo de estoque).
 CashDeskIdWareHouse=Forçar e restringir armazém a usar para redução de ações
-StockDecreaseForPointOfSaleDisabled=Stock decrease from Point Of Sale disabled
-StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with lot management
-CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sell from Point Of Sale. So a warehouse is required.
-##### Bookmark #####
 BookmarkSetup=Configuração do Módulo de Favoritos
 BookmarkDesc=Este módulo lhe permite Gerenciar os links e acessos diretos. também permite Adicionar qualquer página de Dolibarr o link web ao menu de acesso rápido da esquerda.
 NbOfBoomarkToShow=Número máximo de marcadores que se mostrará ao menu
-##### WebServices #####
 WebServicesSetup=Configuração do módulo Webservices
 WebServicesDesc=Ao habilitar este módulo, Dolibarr se tornar um servidor web service para fornecer serviços web diversos.
 WSDLCanBeDownloadedHere=Arquivos descritores WSDL dos serviços prestados pode ser baixado aqui
 EndPointIs=Clientes SOAP devem enviar seus pedidos para o terminal Dolibarr Disponível em URL
-##### API ####
 ApiSetup=Instalação de módulo de API
 ApiDesc=Ao ativar este módulo, Dolibarr se tornar um servidor REST para fornecer serviços de web diversos.
-KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Ative o modo de produção
 ApiEndPointIs=Você pode acessar a API na url
 ApiExporerIs=Você pode explorar a API na url
 OnlyActiveElementsAreExposed=Somente elementos de módulos habilitados são expostos
-##### Bank #####
 BankSetupModule=Configuração do módulo Banco
 FreeLegalTextOnChequeReceipts=Texto livre em recibos de verificação
 BankOrderShow=Ordem de apresentação das contas bancárias para os países usando o "número do banco detalhada"
-BankOrderGlobal=General
-BankOrderGlobalDesc=Ordem de exibição Geral
 BankOrderES=Espanhol
 BankOrderESDesc=Ordem de exibição Espanhol
-##### Multicompany #####
 MultiCompanySetup=Configuração do módulo Multi-empresa
-##### Suppliers #####
 SuppliersSetup=Configuração Módulo Fornecedor
 SuppliersCommandModel=Modelo completo de ordem fornecedor (logo. ..)
 SuppliersInvoiceModel=Modelo completo da fatura do fornecedor (logo. ..)
 SuppliersInvoiceNumberingModel=Faturas de fornecedores de numeração modelos
 IfSetToYesDontForgetPermission=Se definido como sim, não se esqueça de fornecer permissões a grupos ou usuários autorizados para a segunda aprovação
-##### GeoIPMaxmind #####
 GeoIPMaxmindSetup=Configuração do módulo GeoIP Maxmind
 PathToGeoIPMaxmindCountryDataFile=Caminho para o arquivo que contém a tradução Maxmind ip país. Exemplos:  / Usr / local / share / GeoIP / GeoIP.dat / Usr / share / GeoIP / GeoIP.dat
 NoteOnPathLocation=Note-se que o seu ip para o arquivo de dados do país devem estar dentro de um diretório do seu PHP pode ler (Verifique se o seu PHP open_basedir configuração e as permissões do sistema de arquivos).
 YouCanDownloadFreeDatFileTo=Você pode baixar uma versão demo gratuita do arquivo país Maxmind GeoIP em.
 YouCanDownloadAdvancedDatFileTo=Você também pode baixar uma versão,mais completa, com atualizações, do arquivo país em Maxmind GeoIP.
 TestGeoIPResult=Teste de um IP de conversão -> país
-##### Projects #####
 ProjectsNumberingModules=Projetos de numeração módulo
 ProjectsSetup=Configuração do módulo de Projetos
 ProjectsModelModule=Os relatórios do projeto modelo de documento
 TasksNumberingModules=Módulo de numeração de Tarefas
 TaskModelModule=Relatórios Tarefas modelo de documento
-##### ECM (GED) #####
-ECMSetup = Instalar GED
-ECMAutoTree = Pasta árvore automática e documento
-##### Fiscal Year #####
+ECMSetup =Instalar GED
+ECMAutoTree =Pasta árvore automática e documento
 FiscalYears=Anos fiscais
 FiscalYear=Ano fiscal
 FiscalYearCard=Ficha ano fiscal
-NewFiscalYear=Novo ano fiscal
-EditFiscalYear=Editar ano fiscal
-OpenFiscalYear=Abrir ano fiscal
-CloseFiscalYear=Fechar ano fiscal
 DeleteFiscalYear=Remover ano fiscal
 ConfirmDeleteFiscalYear=Voçê tem certeza que quer deleitar este ano fical ?
 Opened=Aberto
-Closed=Fechado
 AlwaysEditable=Sempre pode ser editado
 MAIN_APPLICATION_TITLE=Forçar nome visível da aplicação (aviso: definir o seu próprio nome aqui pode quebrar recurso de login preenchimento automático ao usar aplicativos móveis DoliDroid)
 NbMajMin=Número mínimo de caracteres maiúsculos
 NbNumMin=Número mínimo de caracteres numéricos
 NbSpeMin=Número mínimo de caracteres especiais
-NbIteConsecutive=Maximum number of repeating same characters
-NoAmbiCaracAutoGeneration=Do not use ambiguous characters ("1","l","i","|","0","O") for automatic generation
-SalariesSetup=Configuração do módulo de salários
 SortOrder=Ordem de classificação
-Format=Formato
 TypePaymentDesc=0: Pagamento para Cliente, 1: Pagamento para Fornecedor, 2: Pagamentos para Clientes e Fornecedores
 IncludePath=Incluir caminho (definido na variável %s)
-ExpenseReportsSetup=Setup of module Expense Reports
-TemplatePDFExpenseReports=Document templates to generate expense report document
-NoModueToManageStockDecrease=No module able to manage automatic stock decrease has been activated. Stock decrease will be done on manual input only.
-NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only.
 YouMayFindNotificationsFeaturesIntoModuleNotification=Você pode encontrar opções para notificações por email por habilitar e configurar o módulo "Notificação".
 ListOfNotificationsPerContact=Lista de notificações por contato*
 ListOfFixedNotifications=Lista de notificações fixas
-GoOntoContactCardToAddMore=Go on the tab "Notifications" of a thirdparty contact to add or remove notifications for contacts/addresses
-Threshold=Threshold
+GoOntoContactCardToAddMore=Vá na guia "Notificações" de um contato thirdparty para adicionar ou remover notificações para contatos / endereços
+Threshold=Limite
 BackupDumpWizard=Assistente para construir arquivo de despejo de backup do banco de dados
 SomethingMakeInstallFromWebNotPossible=A instalação do módulo externo não é possível a partir da interface web pelo seguinte motivo:
 SomethingMakeInstallFromWebNotPossible2=Por esta razão, o processo de atualização descrito aqui é apenas manual de passos que um usuário privilegiado pode fazer.
-InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file <strong>%s</strong> to allow this feature.
-ConfFileMuseContainCustom=Installing an external module from application save the module files into directory <strong>%s</strong>. To have this directory processed by Dolibarr, you must setup your <strong>conf/conf.php</strong> to have option<br>- <strong>$dolibarr_main_url_root_alt</strong> enabled to value <strong>$dolibarr_main_url_root_alt="/custom"</strong><br>- <strong>$dolibarr_main_document_root_alt</strong> enabled to value <strong>"%s/custom"</strong>
-HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
+HighlightLinesOnMouseHover=Destacar linhas de tabela quando o mouse passar sobre elas
 PressF5AfterChangingThis=Pressione F5 no teclado depois de mudar este valor para tê-lo eficaz
-NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
diff --git a/htdocs/langs/pt_BR/agenda.lang b/htdocs/langs/pt_BR/agenda.lang
index 607ce5e158db4ca02c91e3aa0d0ebe4f29f81a50..994c57e365ad0621d103cfceee22f9f07e7ff5f7 100644
--- a/htdocs/langs/pt_BR/agenda.lang
+++ b/htdocs/langs/pt_BR/agenda.lang
@@ -2,23 +2,12 @@
 IdAgenda=ID evento
 Actions=Eventos
 ActionsArea=Área de eventos (Atividades e Tarefas)
-Agenda=Agenda
-Agendas=Agendas
-Calendar=Calendário
-Calendars=Calendários
-LocalAgenda=Calendário interno
 ActionsOwnedBy=Evento de propriedade do
-AffectedTo=Atribuído à
 DoneBy=Concluído por
 Event=Evento
-Events=Eventos
 EventsNb=Numero de eventos
-MyEvents=Meus eventos
-OtherEvents=Outros eventos
-ListOfActions=Lista de Eventos
-Location=Localização
 EventOnFullDay=Evento durante todo o dia (s)
-SearchAnAction= Procurar um evento/tarefa
+SearchAnAction=Procurar um evento/tarefa
 MenuToDoActions=Todos os eventos incompletos
 MenuDoneActions=Todas os eventos completos
 MenuToDoMyActions=Os meus eventos incompletas
@@ -30,24 +19,22 @@ ActionsDoneBy=Eventos concluído por
 ActionsForUser=Eventos para o usuário
 ActionsForUsersGroup=Eventos para todos os usuários do grupo
 ActionAssignedTo=Evento atribuído a
-AllMyActions= Todos meus eventos/tarefas
-AllActions= Todas os eventos/tarefas
+AllMyActions=Todos meus eventos/tarefas
+AllActions=Todas os eventos/tarefas
 ViewList=Exibir lista
 ViewCal=Exibir Calendário
 ViewDay=Exibir dia
 ViewWeek=Exibir semana
 ViewPerUser=Visão do usuário
-ViewWithPredefinedFilters= Exibir com filtros predefinidos
-AutoActions= Preenchimento automático
-AgendaAutoActionDesc= Defina aqui quais os eventos que deseja que o Dolibarr adicione automaticamente na sua agenda. Se nada estiver marcado (por padrão), sera incluído só eventos manualmente na agenda.
-AgendaSetupOtherDesc= Esta página fornece opções para permitir a exportação de seus eventos do Dolibarr para um calendário externo (thunderbird, google agenda, ...)
+ViewWithPredefinedFilters=Exibir com filtros predefinidos
+AgendaAutoActionDesc=Defina aqui quais os eventos que deseja que o Dolibarr adicione automaticamente na sua agenda. Se nada estiver marcado (por padrão), sera incluído só eventos manualmente na agenda.
+AgendaSetupOtherDesc=Esta página fornece opções para permitir a exportação de seus eventos do Dolibarr para um calendário externo (thunderbird, google agenda, ...)
 AgendaExtSitesDesc=Esta página permite importar calendários de fontes externas para sua agenda de eventos no Dolibarr.
 ActionsEvents=Para qual eventos o Dolibarr irá criar uma atividade na agenda automaticamente
 PropalValidatedInDolibarr=Proposta %s validada
 InvoiceValidatedInDolibarr=Fatura %s validada
 InvoiceValidatedInDolibarrFromPos=Fatura %s validada no POS
 InvoiceBackToDraftInDolibarr=Fatura %s volta ao estado de rascunho
-InvoiceDeleteDolibarr=Fatura %s apagada
 OrderValidatedInDolibarr=Pedido %s validado
 OrderDeliveredInDolibarr=Ordem %s classificadas entregues
 OrderCanceledInDolibarr=Pedido %s cancelado
@@ -61,15 +48,14 @@ InvoiceSentByEMail=Fatura do cliente %s enviada por e-mail
 SupplierOrderSentByEMail=Pedido do fornecedor %s enviado por e-mail
 SupplierInvoiceSentByEMail=Fatura do fornecedor %s enviada por e-mail
 ShippingSentByEMail=Embarque %s enviada por e-mail
-ShippingValidated= Envio %s validado
+ShippingValidated=Envio %s validado
 InterventionSentByEMail=Intervenção %s enviada por e-mail
-NewCompanyToDolibarr= Fornecedor criado
-DateActionPlannedStart= Data de início do planejamento
-DateActionPlannedEnd= Data final do planejamento
-DateActionDoneStart= Data real de início
-DateActionDoneEnd= Data real de fim
-DateActionStart= Data de Início
-DateActionEnd= Data de término
+NewCompanyToDolibarr=Fornecedor criado
+DateActionPlannedStart=Data de início do planejamento
+DateActionPlannedEnd=Data final do planejamento
+DateActionDoneStart=Data real de início
+DateActionDoneEnd=Data real de fim
+DateActionEnd=Data de término
 AgendaUrlOptions1=Você também pode adicionar os seguintes parâmetros para filtrar o resultado:
 AgendaUrlOptions2=<b>login =%s</b> ​​para restringir a saída para ações criadas por ou atribuídos para o <b>usuário %s.</b>
 AgendaUrlOptions3=<b>logina=%s</b> para restringir açoes de propriedade do usuario <b>%s</b>.
@@ -77,15 +63,10 @@ AgendaUrlOptions4=<b>Usuário=%s</b> permitir apenas resultados para atividades
 AgendaUrlOptionsProject=<b>project=PROJECT_ID</b> para restringir a saida de açoes associadas ao projeto <b>PROJECT_ID</b>.
 AgendaShowBirthdayEvents=Visualizar aniversários dos contatos
 AgendaHideBirthdayEvents=Esconder aniversários dos contatos
-Busy=Ocupado
 ExportDataset_event1=Lista de eventos na agenda
 DefaultWorkingDays=Padrão dias úteis por semana (Exemplo: 1-5, 1-6)
 DefaultWorkingHours=Padrão horas de trabalho em dia (Exemplo: 9-18)
-# External Sites ical
-ExportCal=Exportar calendário
-ExtSites=Importar calendários externos
 ExtSitesEnableThisTool=Mostrar calendários externos (definidos na configuração global) na agenda. Não afeta calendários externos definidos pelos usuários.
-ExtSitesNbOfAgenda=Número de calendários
 AgendaExtNb=Calendário nr. %s
 ExtSiteUrlAgenda=URL para acessar arquivos .ical
 ExtSiteNoLabel=Sem descrição
diff --git a/htdocs/langs/pt_BR/banks.lang b/htdocs/langs/pt_BR/banks.lang
index e133f8fad2c76b7c657c0ae42f52511aa679a547..1a548f0ed3c726df91d32280b7accada412278ba 100644
--- a/htdocs/langs/pt_BR/banks.lang
+++ b/htdocs/langs/pt_BR/banks.lang
@@ -1,11 +1,7 @@
 # Dolibarr language file - Source file is en_US - banks
-Bank=Banco
-Banks=Bancos
 MenuBankCash=Banco/Caixa
 MenuSetupBank=Configuração Banco/Caixa
 BankName=Nome do Banco
-FinancialAccount=Conta
-FinancialAccounts=Contas
 BankAccount=Conta Bancaria
 BankAccounts=Contas Bancarias
 ShowAccount=Visualizar Conta
@@ -19,63 +15,40 @@ CurrentAccounts=Contas Correntes
 SavingAccount=Conta a Prazo
 SavingAccounts=Contas a Prazo
 ErrorBankLabelAlreadyExists=Etiqueta de Conta Financeira já existente
-BankBalance=Saldo
 BankBalanceBefore=Sldo anterior
 BankBalanceAfter=Saldo depois
-BalanceMinimalAllowed=Saldo Máximo Autorizado
-BalanceMinimalDesired=Saldo Mínimo Desejado
-InitialBankBalance=Saldo Inicial
-EndBankBalance=Saldo Final
 CurrentBalance=Saldo atual
-FutureBalance=Saldo Previsto
 ShowAllTimeBalance=Mostrar Balanço Desde do Inicio
 AllTime=Do inicio
-Reconciliation=Conciliação
 RIB=Conta Bancaria
-IBAN=Identificador IBAN
 IbanValid=IBAN é válido
 IbanNotValid=IBAN não é válido
-BIC=Identificador BIC/SWIFT
 SwiftValid=BIC / SWIFT é válido
 SwiftNotValid=BIC / SWIFT não é válido
-StandingOrders=Débitos Diretos
-StandingOrder=Domicilio
-Withdrawals=Reembolsos
-Withdrawal=Reembolso
 AccountStatement=Extrato da Conta
 AccountStatementShort=Extrato
 AccountStatements=Extratos das Contas
 LastAccountStatements=�ltimos Extratos Bancários
-Rapprochement=Conciliação
 IOMonthlyReporting=Relatório Mensal E/S
 BankAccountDomiciliation=Domicilio de Conta
 BankAccountCountry=Conta do pais
 BankAccountOwner=Nome do Proprietário da Conta
 BankAccountOwnerAddress=Endereço do Proprietário da Conta
 RIBControlError=Se a integridade das verificações de valores falhar. Isto significa que informações para este número de conta não estão completos ou errados (verifique País, números e IBAN).
-CreateAccount=Criar Conta
-NewAccount=Nova Conta
 NewBankAccount=Nova Conta Bancaria
 NewFinancialAccount=Nova Conta Financeira
 MenuNewFinancialAccount=Nova Conta Financeira
 NewCurrentAccount=Nova Conta Corrente
 NewSavingAccount=Nova Conta de a Prazo
-NewCashAccount=Nova Conta de Caixa
-EditFinancialAccount=Edição Conta
-AccountSetup=Configuração das Contas financeiras
 SearchBankMovement=Procurar Registo Bancario
-Debts=Dívidas
 LabelBankCashAccount=Etiqueta da Conta ou Caixa
-AccountType=Tipo de Conta
 BankType0=Conta Bancaria a Prazo
 BankType1=Conta Bancaria Corrente
 BankType2=Conta Caixa/Efetivo
 IfBankAccount=Se a Conta Bancária
 AccountsArea=Área das Contas
 AccountCard=Ficha da Conta
-DeleteAccount=Apagar Conta
 ConfirmDeleteAccount=Tem certeza que quer eliminar esta Conta?
-Account=Conta
 ByCategories=Por Categorias
 ByRubriques=Por Rúbricas
 BankTransactionByCategories=Registros bancários por rúbricas
@@ -89,10 +62,6 @@ SearchTransaction=Procurar Registo
 ListTransactions=Lista Transações
 ListTransactionsByCategory=Lista Transações/Categoria
 TransactionsToConciliate=Registros a Conciliar
-Conciliable=Conciliável
-Conciliate=Conciliar
-Conciliation=Conciliação
-ConciliationForAccount=Conciliações nesta Conta
 IncludeClosedAccount=Incluir Contas Fechadas
 OnlyOpenedAccount=Apenas contas abertas
 AccountToCredit=Conta de Crédito
@@ -100,40 +69,29 @@ AccountToDebit=Conta de Débito
 DisableConciliation=Desativar a função de Conciliação para esta Conta
 ConciliationDisabled=Função de Conciliação Desativada
 StatusAccountOpened=Aberto
-StatusAccountClosed=Fechada
-AccountIdShort=Número
 EditBankRecord=Editar Registo
-LineRecord=Registo
 AddBankRecord=Adicionar Registo
 AddBankRecordLong=Realizar um registo manual fora de uma fatura
-ConciliatedBy=Conciliado por
-DateConciliating=Data Conciliação
 BankLineConciliated=Registo Conciliado
 CustomerInvoicePayment=Pagamento de Cliente
 CustomerInvoicePaymentBack=Pagamento do cliente de volta
 SupplierInvoicePayment=Pagamento a Fornecedor
 WithdrawalPayment=Reembolso
-SocialContributionPayment=Pagamento Carga Social
 FinancialAccountJournal=Diário de Tesouraria da Conta
 BankTransfer=Transferencia Bancaria
 BankTransfers=Transferências Bancarias
 TransferDesc=Ao criar uma transferencia de uma das suas contas bancarias fazia outra, Dolibarr cria os registros contabeis (um de débito em uma Conta e outro de crédito, do mesmo valor, na outra Conta. Se utiliza para os dois registros a mesma etiqueta de transferencia e a mesma data)
-TransferFrom=De
-TransferTo=Para
 TransferFromToDone=A transferencia de <b>%s</b> fazia <b>%s</b> de <b>%s</b> %s foi criado.
-CheckTransmitter=Emissor
 ValidateCheckReceipt=Validar esta ficha de entregas?
 ConfirmValidateCheckReceipt=Tem certeza que quer Confirmar esta ficha (Nenhuma modificação será possível uma vez a ficha este validada)?
 DeleteCheckReceipt=Eliminar esta ficha de entregas?
 ConfirmDeleteCheckReceipt=Tem certeza que quer eliminar esta ficha?
-BankChecks=Cheques
 BankChecksToReceipt=Cheques a Depositar
 ShowCheckReceipt=Mostra recibos do deposito com cheque.
 NumberOfCheques=N� de Cheques
 DeleteTransaction=Eliminar a Transação
 ConfirmDeleteTransaction=Tem certeza que quer eliminar esta transação?
 ThisWillAlsoDeleteBankRecord=Esto eliminará também os registros bancários gerados
-BankMovements=Movimentos
 CashBudget=Orçamento de Tesouraria
 PlannedTransactions=Transações Previstas
 Graph=Graficos
@@ -143,13 +101,11 @@ TransactionOnTheOtherAccount=Transação Sobre Outra Conta
 TransactionWithOtherAccount=Transferencia de Conta
 PaymentNumberUpdateSucceeded=Numero de pagamento modificado
 PaymentNumberUpdateFailed=Numero de pagamento não foi possível modificar
-PaymentDateUpdateSucceeded=Data de pagamento modificada
 PaymentDateUpdateFailed=Data de pagamento não pode ser modificada
 Transactions=Transações
 BankTransactionLine=Transação Bancária
 AllAccounts=Todas as Contas bancarias/de Caixa
 BackToAccount=Voltar e a Conta
-ShowAllAccounts=Mostrar para todas as Contas
 FutureTransaction=Transação futura. Impossivel conciliar.
 SelectChequeTransactionAndGenerate=Selecionar/filtrar cheques a se incluir no recibo de deposito e clickar no "Criar"
 InputReceiptNumber=Escolha o extrato bancário relacionadas com a conciliação. Use um valor numérico classificável: AAAAMM ou AAAAMMDD
@@ -159,7 +115,6 @@ ThenCheckLinesAndConciliate=Verificar as linhas presentes no relatorio do banco
 BankDashboard=Somario de contas bancarias
 DefaultRIB=BAN padrao
 AllRIB=Todos BAN
-LabelRIB=Etiqueta BAN
 NoBANRecord=Nao tem registro BAN
 DeleteARib=Apagar registro BAN
 ConfirmDeleteRib=Voce tem certeza que quer apagar este registro BAN ?
diff --git a/htdocs/langs/pt_BR/bills.lang b/htdocs/langs/pt_BR/bills.lang
index 6481f0cbb283b2c6652617cf3fcdecbb78809a9d..efb21a05a68b29b17b8f93a2ad0b427c38251bad 100644
--- a/htdocs/langs/pt_BR/bills.lang
+++ b/htdocs/langs/pt_BR/bills.lang
@@ -24,7 +24,6 @@ InvoiceProFormaDesc=<b>Fatura Pro-Forma</b> é uma verdadeira imagem de uma fatu
 InvoiceReplacement=Fatura de substituição
 InvoiceReplacementAsk=Fatura de substituição para Fatura
 InvoiceReplacementDesc=A <b>fatura retificada</b> serve para cancelar e para substituir uma fatura existente em que ainda não existe pagamentos.<br><br>Nota: só uma fatura sem nenhum pagamento pode retificar se. Sim esta última não está fechada, passará automaticamente ao estado 'abandonada'.
-InvoiceAvoir=Nota de Crédito
 InvoiceAvoirAsk=Nota de Crédito para Corrigir a Fatura
 InvoiceAvoirDesc=A <b>Nota de Crédito</b> é uma fatura negativa destinada a compensar um valor de uma fatura que difere do valor realmente pago (por ter pago a mais ou por devolução de produtos, por Exemplo).<br><br>Nota: Tenha em conta que a fatura original a corrigir deve ter sido fechada (' paga' ou ' paga parcialmente ') para poder realizar uma nota de crédito.
 invoiceAvoirWithLines=Criar Nota de Crédito conforme a fatura  original
@@ -37,7 +36,6 @@ ReplacementByInvoice=Substituído por Fatura
 CorrectInvoice=Corrigir Fatura %s
 CorrectionInvoice=Fatura de correção
 UsedByInvoice=Usada para pagar a fatura %s
-ConsumedBy=Consumida por
 NotConsumed=Sem Consumo
 NoReplacableInvoice=Sem Faturas Retificáveis
 NoInvoiceToCorrect=Sem Faturas a Corrigir
@@ -55,15 +53,12 @@ SuppliersInvoices=Faturas de Fornecedores
 SupplierBill=Fatura de Fornecedor
 SupplierBills=Faturas de Fornecedores
 Payment=Pagamento
-PaymentBack=Reembolso
 Payments=Pagamentos
-PaymentsBack=Reembolsos
 PaidBack=Reembolso
 DatePayment=Data de Pagamento
 DeletePayment=Eliminar o Pagamento
 ConfirmDeletePayment=Tem certeza que quer eliminar este pagamento?
 ConfirmConvertToReduc=Quer converter este deposito numa redução futura?<br>O valor deste deposito ficará guardado para este cliente. Poderá utiliza-lo para reduzir o valor de uma próxima fatura do cliente.
-SupplierPayments=Pagamentos a Fornecedores
 ReceivedPayments=Pagamentos Recebidos
 ReceivedCustomersPayments=Pagamentos Recebidos de Cliente
 PayedSuppliersPayments=Pagamentos pago ao fornecedores
@@ -73,13 +68,11 @@ PaymentsReports=Relatórios de Pagamentos
 PaymentsAlreadyDone=Pagamentos Efetuados
 PaymentsBackAlreadyDone=Reembolsos já efetuados
 PaymentRule=Regra de pagamento
-PaymentMode=Forma de Pagamento
 PaymentTerm=Termo de pagamento
 PaymentConditions=Termos de pagamento
 PaymentConditionsShort=Termos de pagamento
 PaymentAmount=Valor a Pagar
 ValidatePayment=Validar Pagamento
-PaymentHigherThanReminderToPay=Pagamento superior ao resto a pagar
 HelpPaymentHigherThanReminderToPay=Atenção, o valor de uma fatura ou mais faturas e maior do que o que resta a pagar.<br>Editar a sua entrada ou confirme e pense em criar uma nota de credito para o excesso recebido por cada fatura paga alem do valor da mesma.
 HelpPaymentHigherThanReminderToPaySupplier=Atenção, o valor do pagamento de uma ou mais contas é maior do que o resto a pagar. <br> Edite sua entrada, caso contrário, confirmar.
 ClassifyPaid=Clasificar 'pago'
@@ -98,7 +91,6 @@ SendRemindByMail=Enviar Lembrete
 DoPayment=Emitir Pagamento
 DoPaymentBack=Emitir Reembolso
 ConvertToReduc=Converter em Redução Futura
-EnterPaymentReceivedFromCustomer=Adicionar pagamento recebido de cliente
 EnterPaymentDueToCustomer=Realizar pagamento de recibos ao cliente
 DisabledBecauseRemainderToPayIsZero=Desabilitado porque o restante não pago e zero
 Amount=Valor
@@ -108,19 +100,14 @@ BillStatusDraft=Rascunho (A Confirmar)
 BillStatusPaid=Pago
 BillStatusPaidBackOrConverted=Pago ou convertido para o desconto
 BillStatusConverted=Pago (pronto para fatura final)
-BillStatusCanceled=Abandonada
 BillStatusValidated=Validada (A Pagar)
 BillStatusStarted=Paga Parcialmente
 BillStatusNotPaid=Não paga
 BillStatusClosedUnpaid=Fechado (não pago)
 BillStatusClosedPaidPartially=Pago (parcialmente)
-BillShortStatusDraft=Rascunho
 BillShortStatusPaid=Pago
 BillShortStatusPaidBackOrConverted=Processado
 BillShortStatusConverted=Tratada
-BillShortStatusCanceled=Abandonada
-BillShortStatusValidated=Validada
-BillShortStatusStarted=Iniciada
 BillShortStatusNotPaid=Nao pago
 BillShortStatusClosedUnpaid=Fechado
 BillShortStatusClosedPaidPartially=Pago (parcialmente)
@@ -134,8 +121,6 @@ ErrorDiscountAlreadyUsed=Erro, desconto já utilizado
 ErrorInvoiceAvoirMustBeNegative=Erro, uma fatura de tipo deposito deve ter um valor negativo
 ErrorInvoiceOfThisTypeMustBePositive=Erro, uma fatura deste tipo deve ter um valor positivo
 ErrorCantCancelIfReplacementInvoiceNotValidated=Erro, não pode cancelar uma fatura que tenha sido substituída por uma outra fatura e que está status rascunho
-BillFrom=Emissor
-BillTo=Enviar a
 ActionsOnBill=Ações Sobre a fatura
 NewBill=Nova Fatura
 LastBills=As %s últimas faturas
@@ -167,9 +152,7 @@ ConfirmClassifyPaidPartiallyReasonAvoirDesc=Use esta opção se todos os outros
 ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=Um mau cliente, é um cliente que se recusa a pagar a sua dívida.
 ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Esta escolha é utilizado quando o pagamento não está completo, porque alguns dos produtos foram devolvidos
 ConfirmClassifyPaidPartiallyReasonOtherDesc=Use esta opção se todos os outros não se adequar, por exemplo, na seguinte situação: <br> - pagamento não está completo porque alguns produtos foram enviados de volta <br> - montante reclamado muito importante porque um desconto foi esquecido <br> Em todos os casos, a quantidade deve ser corrigido no sistema de contabilidade, criando uma nota de crédito.
-ConfirmClassifyAbandonReasonOther=Outro
 ConfirmClassifyAbandonReasonOtherDesc=Esta eleição será para qualquer outro caso. Por Exemplo a raíz da intenção de Criar uma fatura retificativa.
-ConfirmCustomerPayment=Confirma o processo  deste pagamento de <b>%s</b> %s ?
 ConfirmSupplierPayment=Confirma o processo deste pagamento de <b>%s</b> %s ?
 ConfirmValidatePayment=Tem certeza que quer Confirmar este pagamento (Nenhuma modificação é possível uma vez o pagamento este validado)?
 ValidateBill=Confirmar Fatura
@@ -178,7 +161,6 @@ NumberOfBills=Nº de Faturas
 NumberOfBillsByMonth=Nº de faturas por mês
 AmountOfBills=Valor das Faturas
 AmountOfBillsByMonthHT=Quantidade de faturas por mês (sem ICMS)
-ShowSocialContribution=Mostrar contribução social
 ShowBill=Ver Fatura
 ShowInvoice=Ver Fatura
 ShowInvoiceReplace=Ver fatura retificativa
@@ -189,11 +171,9 @@ File=Arquivo
 AlreadyPaid=Pago
 AlreadyPaidBack=Pagamento voltou
 AlreadyPaidNoCreditNotesNoDeposits=Já pago (sem notas de crédito e depósitos)
-Abandoned=Abandonada
 RemainderToPay=Restante não pago
 RemainderToTake=Valor restante a se levar
 RemainderToPayBack=Valor restante para pagar de volta
-Rest=Pendente
 AmountExpected=Valor Reclamado
 ExcessReceived=Recebido em Excesso
 EscompteOffered=Desconto (Pagamento antecipado)
@@ -208,11 +188,8 @@ RefBill=Ref. Fatura
 ToBill=A Faturar
 RemainderToBill=Falta Faturar
 SendBillByMail=Enviar a fatura por E-Mail
-SendReminderBillByMail=Enviar um lembrete por E-Mail
 RelatedCommercialProposals=Orçamentos Associados
-MenuToValid=A Confirmar
 DateMaxPayment=Data limite de Pagamento
-DateEcheance=Data Vencimento
 DateInvoice=Data da fatura
 NoInvoice=Nenhuma Fatura
 ClassifyBill=Classificar a Fatura
@@ -225,8 +202,6 @@ SetMode=Definir Modo de Pagamento
 Billed=Faturado
 RepeatableInvoice=Modelo fatura
 RepeatableInvoices=Modelos da fatura
-Repeatable=Modelo
-Repeatables=Modelos
 ChangeIntoRepeatableInvoice=Converter para modelo de fatura
 CreateRepeatableInvoice=Criar modelo de fatura
 CreateFromRepeatableInvoice=Criar da fatura modelo
@@ -235,42 +210,23 @@ CustomersInvoicesAndPayments=Faturas a clientes e pagamentos
 ExportDataset_invoice_1=Faturas a clientes e linhas de fatura
 ExportDataset_invoice_2=Faturas a clientes e pagamentos
 ProformaBill=Fatura Pro-Forma:
-Reduction=Redução
 ReductionShort=Desc.
-Reductions=Descontos
 ReductionsShort=Desc.
-Discount=Desconto
-Discounts=Descontos
-AddDiscount=Adicionar Desconto
-AddRelativeDiscount=Criar desconto relativo
 EditRelativeDiscount=Alterar Desconto Relativo
 AddGlobalDiscount=Adicionar Desconto Fixo
 EditGlobalDiscounts=Alterar Descontos Globais
-AddCreditNote=Criar nota de crédito
 ShowDiscount=Ver o Desconto
-ShowReduc=Mostrar a dedução
 RelativeDiscount=Desconto Relativo
 GlobalDiscount=Desconto Fixo
 CreditNote=Depósito
-CreditNotes=Recibos
-Deposit=Depósito
-Deposits=Depósitos
-DiscountFromCreditNote=Desconto resultante do deposito %s
 DiscountFromDeposit=Pagamentos a partir de depósito na fatura %s
 AbsoluteDiscountUse=Este tipo de crédito não pode ser usado em um projeto antes da sua validação
 CreditNoteDepositUse=O projeto deve ser validado para utilizar este tipo de crédito
-NewGlobalDiscount=Novo Desconto fixo
 NewRelativeDiscount=Novo desconto relacionado
-NoteReason=Nota/Motivo
-ReasonDiscount=Motivo
-DiscountOfferedBy=Acordado por
-DiscountStillRemaining=Descontos fixos Pendentes
-DiscountAlreadyCounted=Descontos fixos já aplicados
 BillAddress=Endereço de Faturamento
 HelpEscompte=Um <b>Desconto</b> é um desconto acordado sobre uma fatura dada, a um cliente que realizou o seu pagamento muito antes do vencimiento.
 HelpAbandonBadCustomer=Este valor foi esquecido (cliente classificado como devedor) e considera-se como uma perda excepcional.
 HelpAbandonOther=Este valor foi abandonado já que se tratava de um erro de faturação (mal introdução de dados, fatura sustituida por outra).
-IdSocialContribution=Id Gasto Social
 PaymentId=Id Pagamento
 InvoiceId=Id Fatura
 InvoiceRef=Ref. Fatura
@@ -279,7 +235,6 @@ InvoiceStatus=Status da Fatura
 InvoiceNote=Nota Fatura
 InvoicePaid=Fatura paga
 PaymentNumber=Número de Pagamento
-RemoveDiscount=Eliminar Desconto
 WatermarkOnDraftBill=Marca de água em faturas rascunho (nada se está vazia)
 InvoiceNotChecked=Não há notas fiscais selecionadas
 CloneInvoice=Clonar Fatura
@@ -299,10 +254,6 @@ RelatedSupplierInvoices=Faturas de fornecedores relacionados
 LatestRelatedBill=Últimas fatura correspondente
 WarningBillExist=Atenção, um ou mais fatura já existem
 MergingPDFTool=Mesclando ferramenta PDF
-
-# PaymentConditions
-PaymentConditionShortRECEP=Pronto Pagamento
-PaymentConditionRECEP=Pronto Pagamento
 PaymentConditionShort30D=30 Dias
 PaymentCondition30D=Pagamento a 30 Dias
 PaymentConditionShort30DENDMONTH=30 Dias Fim do Mês
@@ -311,76 +262,47 @@ PaymentConditionShort60D=60 Dias
 PaymentCondition60D=Pagamento a 60 Dias
 PaymentConditionShort60DENDMONTH=60 Dias Fim de Mês
 PaymentCondition60DENDMONTH=Pagamento a 60 Dias até ao Fim do Mês
-PaymentConditionShortPT_DELIVERY=Envio
-PaymentConditionPT_DELIVERY=Na entrega
 PaymentConditionShortPT_ORDER=Em ordem
 PaymentConditionPT_ORDER=Em ordem
-PaymentConditionShortPT_5050=50-50
 PaymentConditionPT_5050=50 por cento adiantado, 50 por cento na entrega
 FixAmount=Quantidade fixa
 VarAmount=Quantidade variável
-# PaymentType
 PaymentTypeVIR=Transferência Bancaria
-PaymentTypeShortVIR=Transferência
 PaymentTypePRE=Débito Direto Bancario
 PaymentTypeShortPRE=Débito Direto
 PaymentTypeLIQ=Espécie
-PaymentTypeShortLIQ=Espécies
-PaymentTypeCB=Cartão
-PaymentTypeShortCB=Cartão
-PaymentTypeCHQ=Cheque
-PaymentTypeShortCHQ=Cheque
 PaymentTypeTIP=Em Dinheiro
 PaymentTypeShortTIP=Em Dinheiro
-PaymentTypeVAD=Pagamento On Line
-PaymentTypeShortVAD=Pagamento On Line
 PaymentTypeTRA=Letra
-PaymentTypeShortTRA=Letra
 BankDetails=Dados Bancários
 BankCode=Código Banco
 DeskCode=Código Balcão
 BankAccountNumber=Número Conta
-BankAccountNumberKey=Dígito Control
 Residence=Domicilio
-IBANNumber=Código IBAN
-IBAN=IBAN
-BIC=BIC/SWIFT
-BICNumber=Código BIC/SWIFT
 ExtraInfos=Informações Complementares
-RegulatedOn=Pagar o
 ChequeNumber=Cheque N�
 ChequeOrTransferNumber=Cheque/Transferência n�
 ChequeMaker=Emissor do Cheque
 ChequeBank=Banco do Cheque
-CheckBank=Verificar
 NetToBePaid=Neto a Pagar
 PhoneNumber=Telf.
 FullPhoneNumber=Telefone
-TeleFax=Fax
 PrettyLittleSentence=Aceito o pagamento mediante cheques a meu nome dos valores em divida, na qualidade de membro de uma empresa autorizada pela Administração Fiscal.
 IntracommunityVATNumber=Número de ICMS Intracomunitario
-PaymentByChequeOrderedTo=Pagamento Mediante Cheque Nominativo a %s enviado a
 PaymentByChequeOrderedToShort=Pagamento Mediante Cheque Nominativo a
 SendTo=- A Enviar Para
 PaymentByTransferOnThisBankAccount=Pagamento Mediante Trasferência Sobre a Conta Bancária Seguinte
 VATIsNotUsedForInvoice=* ICMS não aplicável  art-293B do CGI
-LawApplicationPart1=Por aplicação da lei 80.335 de 12/05/80
 LawApplicationPart2=As mercadoriias permanecem em propiedade de
 LawApplicationPart3=Vendedor até cobrança completa de
 LawApplicationPart4=Os Seus Preços
-LimitedLiabilityCompanyCapital=SRL com capital de
-UseLine=Aplicar
-UseDiscount=Aplicar Desconto
 UseCredit=Utilizar Crédito
 UseCreditNoteInInvoicePayment=Reduzir o pagamento com este depósito
-MenuChequeDeposits=Depósito de Cheques
 MenuCheques=Administração Cheques
-MenuChequesReceipts=Fichas
 NewChequeDeposit=Novo Depósito
 ChequesReceipts=Ficha Emissão de Cheques
 ChequesArea=Área Emissão de Cheques
 ChequeDeposits=Depósito de Cheques
-Cheques=Cheques
 CreditNoteConvertedIntoDiscount=Este depósito converteu-se em %s
 UsBillingContactAsIncoiveRecipientIfExist=Utilizar o endereço do contato de cliente de faturação da fatura em vez do endereço do Fornecedor como destinatário das faturas
 ShowUnpaidAll=Mostrar todas as faturas
@@ -388,17 +310,14 @@ ShowUnpaidLateOnly=Mostrar apenas faturas em Atraso
 PaymentInvoiceRef=Pagamento Fatura %s
 ValidateInvoice=Validar a fatura
 Cash=em dinheiro
-Reported=Atrasado
 DisabledBecausePayments=Não é possível uma vez já que existem alguns pagamentos
 CantRemovePaymentWithOneInvoicePaid=Não é possível remover o pagamento já que há pelo menos uma fatura classificada como pago
 ExpectedToPay=Esperando pagamento
-PayedByThisPayment=Pago 
+PayedByThisPayment=Pago
 ClosePaidInvoicesAutomatically=Classificar "Pago" todo o padrão, situação ou faturas de substituição inteiramente pago.
 ClosePaidCreditNotesAutomatically=Classificar "pagou" todas as notas de crédito totalmente pago de volta.
 AllCompletelyPayedInvoiceWillBeClosed=Todos fatura que permanecer sem pagar será automaticamente fechada ao status de "Paid".
-ToMakePayment=Pagar
 ToMakePaymentBack=pagar tudo
-ListOfYourUnpaidInvoices=Lista de faturas não pagas
 NoteListOfYourUnpaidInvoices=Atenção: Esta lista inclue somente faturas para terceiros para as quais voce esta conectado como vendedor.
 RevenueStamp=Selo da receita
 YouMustCreateInvoiceFromThird=Esta opção só está disponível ao criar fatura de terceiros
@@ -406,7 +325,6 @@ PDFCrabeDescription=Modelo de fatura completo (ICMS, método de pagamento a most
 TerreNumRefModelDesc1=Mostrar número com formato %syymm-nnnn padrão para faturas e %syymm-nnnn para notas de crédito onde yy é o ano, mm mês e nnnn é uma sequência, sem interrupção e não pode mostrar o valor 0
 MarsNumRefModelDesc1=Mostrar número com formato %syymm-nnnn padrão para faturas e %syymm-nnnn para notas de crédito onde yy é o ano, mm mês e nnnn é uma sequência, sem interrupção e não pode mostrar o valor 0
 TerreNumRefModelError=O projeto começa começado por $syymm já existe e não é compatível com este modelo de seq�ência. Remova-o ou renomei-o para ativar este módulo.
-##### Types de contacts #####
 TypeContact_facture_internal_SALESREPFOLL=Responsável do acompanhamento da fatura do cliente
 TypeContact_facture_external_BILLING=Contato fatura cliente
 TypeContact_facture_external_SHIPPING=Contato envio cliente
@@ -415,7 +333,6 @@ TypeContact_invoice_supplier_internal_SALESREPFOLL=Representante seguindo a fatu
 TypeContact_invoice_supplier_external_BILLING=Contato da Fatura de Fornecedor
 TypeContact_invoice_supplier_external_SHIPPING=Contato de envio do fornecedor
 TypeContact_invoice_supplier_external_SERVICE=Contato de servico do fornecedor
-# Situation invoices
 InvoiceFirstSituationAsk=Primeira situação da fatura
 InvoiceFirstSituationDesc=A <b>situação faturas</b> são amarradas às situações relacionadas com uma progressão, por exemplo, a progressão de uma construção. Cada situação é amarrada a uma fatura.
 InvoiceSituation=Situação da fatura
@@ -423,12 +340,9 @@ InvoiceSituationAsk=Fatura acompanhando a situação
 InvoiceSituationDesc=Criar uma nova situação na sequência de um um já existente
 SituationAmount=Situação montante da fatura (líquida)
 SituationDeduction=Situação subtração
-Progress=Progresso
-ModifyAllLines=Modificar todas as linhas
 CreateNextSituationInvoice=Criar proxima situação
 NotLastInCycle=Esta fatura não é a última no ciclo e não deve ser modificado.
 DisabledBecauseNotLastInCycle=A próxima situação já existe.
-DisabledBecauseFinal=Esta situação é final.
 CantBeLessThanMinPercent=O progresso não pode ser menor do que o seu valor na situação anterior.
 NoSituations=Não há situações em aberto
 InvoiceSituationLast=Fatura final e geral
diff --git a/htdocs/langs/pt_BR/boxes.lang b/htdocs/langs/pt_BR/boxes.lang
index e142a668bbe72a88a076192a47cf00285f212675..7c0c64398415bcfdd846edffccbc9eb0bbb4cece 100644
--- a/htdocs/langs/pt_BR/boxes.lang
+++ b/htdocs/langs/pt_BR/boxes.lang
@@ -1,37 +1,26 @@
 # Dolibarr language file - Source file is en_US - boxes
 BoxLastRssInfos=Links de informação RSS
-BoxLastProducts=Últimos %s produtos/serviços
 BoxProductsAlertStock=Produtos em alerta de estoque
-BoxLastProductsInContract=Últimos %s produtos/serviços contratados
 BoxLastSupplierBills=Últimas faturas de Fornecedores
 BoxLastCustomerBills=Últimas faturas a Clientes
 BoxOldestUnpaidCustomerBills=Primeira fatura pendente do cliente
 BoxOldestUnpaidSupplierBills=Primeira fatura pendentes do fornecedor
-BoxLastProposals=Últimos Orçamentos
 BoxLastProspects=Últimos clientes potenciais
 BoxLastCustomers=Últimos clientes
 BoxLastSuppliers=Últimos Fornecedores
 BoxLastCustomerOrders=Últimos pedidos
 BoxLastValidatedCustomerOrders=Últimos pedidos de clientes validados
-BoxLastBooks=Últimos books
 BoxLastActions=Últimas ações
 BoxLastContracts=Últimos contratos
 BoxLastContacts=Últimos contatos/endereços
-BoxLastMembers=Últimos membros
-BoxFicheInter=Últimas intervenções
 BoxCurrentAccounts=Abrir Equilíbrio de contas
-BoxSalesTurnover=Volume de negocio
-BoxTotalUnpaidCustomerBills=Total de faturas pendentes de clientes 
+BoxTotalUnpaidCustomerBills=Total de faturas pendentes de clientes
 BoxTotalUnpaidSuppliersBills=Total de faturas pendentes de fornecedores
-BoxTitleLastBooks=Os %s últimos Favoritos registados
-BoxTitleNbOfCustomers=Número de clientes
 BoxTitleLastRssInfos=As %s últimas Infos de %s
 BoxTitleLastProducts=Os %s últimos Produtos/Serviços Registados
 BoxTitleProductsAlertStock=Produtos em alerta de estoque
 BoxTitleLastCustomerOrders=Últimos %s Pedidos de clientes
 BoxTitleLastModifiedCustomerOrders=Os %s últimos pedidos de clientes modificados
-BoxTitleLastSuppliers=Os %s últimos Fornecedores modificados
-BoxTitleLastCustomers=Os %s últimos clientes modificados
 BoxTitleLastModifiedSuppliers=Últimos %s fornecedores modificados
 BoxTitleLastModifiedCustomers=Últimos clientes
 BoxTitleLastCustomersOrProspects=Os %s clientes ou orçamentos
@@ -42,33 +31,26 @@ BoxTitleLastModifiedCustomerBills=As %s últimas faturas a clientes alteadas
 BoxTitleLastSupplierBills=As %s últimas faturas de Fornecedores registradas
 BoxTitleLastModifiedSupplierBills=As %s últimas faturas de Fornecedores alteradas
 BoxTitleLastModifiedProspects=Últimos clientes potenciais modificados
-BoxTitleLastProductsInContract=Os %s últimos produtos/serviços contratados
 BoxTitleLastModifiedMembers=Últimos %s Membros
 BoxTitleLastFicheInter=As últimas % s intervenções modificadas
 BoxTitleOldestUnpaidCustomerBills=As %s faturas mais antigas de clientes pendente de cobrança
 BoxTitleOldestUnpaidSupplierBills=As %s faturas mais antigas de fornecedores pendente de pagamento
 BoxTitleCurrentAccounts=Abrir saldos de contas
-BoxTitleSalesTurnover=Volume de negocio realizado
 BoxTitleTotalUnpaidCustomerBills=Faturas de Clientes Pendentes de Cobrança
 BoxTitleTotalUnpaidSuppliersBills=Faturas de Fornecedores Pendentes de Pagamento
 BoxTitleLastModifiedContacts=Últimos  %s contatos/endereços
 BoxMyLastBookmarks=Os meus últimos Favoritos
 BoxOldestExpiredServices=Primeiro serviços expirados ativos
-BoxLastExpiredServices=Últimos %s contatos com os serviços expirados ativos 
+BoxLastExpiredServices=Últimos %s contatos com os serviços expirados ativos
 BoxTitleLastActionsToDo=As %s últimas ações a realizar
-BoxTitleLastContracts=Últimos contratos
-BoxTitleLastModifiedDonations=As ultimas %s doações modificadaas 
+BoxTitleLastModifiedDonations=As ultimas %s doações modificadaas
 BoxTitleLastModifiedExpenses=Últimas despesas modificadas
 BoxGlobalActivity=Atividade geral (notas fiscais, propostas, ordens)
 FailedToRefreshDataInfoNotUpToDate=Erro na atualização do fluxos RSS. Data da última atualização: %s
 LastRefreshDate=Data da última atualização
-NoRecordedBookmarks=Não existem favoritos pessoais. Click aqui para adicionar.
 ClickToAdd=Clique aqui para adicionar
-NoRecordedCustomers=Nenhum cliente registado
 NoRecordedContacts=Nenhum contato registrado
 NoActionsToDo=Sem ações a realizar
-NoRecordedOrders=Sem pedidos de clientes registados
-NoRecordedProposals=Sem Orçamentos registados
 NoRecordedInvoices=Sem faturas a clientes registados
 NoUnpaidCustomerBills=Cliente sem faturas em aberto
 NoRecordedSupplierInvoices=Sem faturas de Fornecedores
@@ -87,11 +69,9 @@ BoxCustomersInvoicesPerMonth=Faturas de cliente por mês
 BoxSuppliersInvoicesPerMonth=Faturas de fornecedor por mês
 BoxCustomersOrdersPerMonth=Pedidos de clientes por mês
 BoxSuppliersOrdersPerMonth=Pedidos de fornecedor por mês
-BoxProposalsPerMonth=Propostas por mês
 NoTooLowStockProducts=Nenhum produto abaixo do limite de estoque
 BoxProductDistribution=Produtos / Serviços e distribuição
 BoxProductDistributionFor=Distribuição de para
 ForCustomersInvoices=Faturas de Clientes
 ForCustomersOrders=Ordem de clientes
-ForProposals=Orçamentos
 LastXMonthRolling=O último mês de rolamento %s
diff --git a/htdocs/langs/pt_BR/categories.lang b/htdocs/langs/pt_BR/categories.lang
index 2d3cc7ead400275c29976a2af53948701fc9124e..f14bc25647972c123a66616f2af18ed6365cfccc 100644
--- a/htdocs/langs/pt_BR/categories.lang
+++ b/htdocs/langs/pt_BR/categories.lang
@@ -5,19 +5,11 @@ categories=tags / categorias
 TheCategorie=A tag / categoria
 NoCategoryYet=Nenhuma tag / categoria deste tipo criado
 In=Em
-AddIn=Adicionar em
-modify=Modificar
-Classify=Classificar
 CategoriesArea=Área Tags / Categorias
-ProductsCategoriesArea=Products/Services tags/categories area
 SuppliersCategoriesArea=Área tags / categorias de Fornecedores
 CustomersCategoriesArea=Área tags / categorias de Clientes
-ThirdPartyCategoriesArea=Third parties tags/categories area
-MembersCategoriesArea=Members tags/categories area
-ContactsCategoriesArea=Área tags / categorias de Contatos 
+ContactsCategoriesArea=Área tags / categorias de Contatos
 MainCats=Principais tags / categorias
-SubCats=Sub-Categorias
-CatStatistics=Estatísticas
 CatList=Lista de tags / categorias
 AllCats=Todas as tags / categorias
 ViewCat=Ver tag / categoria
@@ -27,10 +19,7 @@ ModifCat=Modificar tag / categoria
 CatCreated=Tag / categoria criada
 CreateCat=Criar tag / categoria
 CreateThisCat=Criar esta tag / categoria
-ValidateFields=Confirmar os campos
 NoSubCat=Esta categoria não contém Nenhuma subcategoria.
-SubCatOf=Subcategoria
-FoundCats=Found tags/categories
 FoundCatsForName=Tags / categorias encontradas para o nome:
 FoundSubCatsIn=Subcategorias encontradas no tag / categoria
 ErrSameCatSelected=Você selecionou a mesma tag / categoria várias vezes
@@ -40,31 +29,20 @@ ErrCatAlreadyExists=Este nome esta sendo utilizado
 AddProductToCat=Adicionar este produto a um tag / categoria?
 ImpossibleAddCat=Impossível adicionar a tag / categoria
 ImpossibleAssociateCategory=Impossível associar o tag / categoria
-WasAddedSuccessfully=Foi adicionado com êxito.
 ObjectAlreadyLinkedToCategory=Elemento já está ligada a esta tag / categoria.
 CategorySuccessfullyCreated=Esta tag / categoria %s foi adicionado com sucesso.
 ProductIsInCategories=Produto / serviço está ligada à seguintes tags / categorias
-SupplierIsInCategories=Third party is linked to following suppliers tags/categories
-CompanyIsInCustomersCategories=This third party is linked to following customers/prospects tags/categories
-CompanyIsInSuppliersCategories=This third party is linked to following suppliers tags/categories
 MemberIsInCategories=Esse membro está vinculado a seguintes membros tags / categorias
 ContactIsInCategories=Este contato é ligado à sequência de contatos tags / categorias
 ProductHasNoCategory=Este produto / serviço não está em nenhuma tags / categorias
 SupplierHasNoCategory=Este fornecedor não está em nenhum tags / categorias
-CompanyHasNoCategory=This thirdparty is not in any tags/categories
 MemberHasNoCategory=Este membro não está em nenhum tags / categorias
 ContactHasNoCategory=Este contato não está em nenhum tags / categorias
 ClassifyInCategory=Adicionar para tag / categoria
-NoneCategory=Nenhuma
 NotCategorized=Sem tag / categoria
-CategoryExistsAtSameLevel=Esta categoria já existe na mesma localização
-ReturnInProduct=Voltar à ficha produto/serviço
-ReturnInSupplier=Voltar à ficha fornecedor
-ReturnInCompany=Voltar à ficha cliente/cliente potencial
 ContentsVisibleByAll=O Conteúdo Será Visivel por Todos?
 ContentsVisibleByAllShort=Conteúdo visivel por todos
 ContentsNotVisibleByAllShort=Conteúdo não visivel por todos
-CategoriesTree=Tags/categories tree
 DeleteCategory=Excluir tag / categoria
 ConfirmDeleteCategory=Tem certeza de que deseja excluir esta tag / categoria?
 RemoveFromCategory=Remover o link com tag / categoria
@@ -76,7 +54,6 @@ ProductsCategoryShort=Produtos tag / categoria
 MembersCategoryShort=Membros tag / categoria
 SuppliersCategoriesShort=Fornecedores tags / categorias
 CustomersCategoriesShort=Clientes tags / categorias
-CustomersProspectsCategoriesShort=Cat. Clientes/Potenciais
 ProductsCategoriesShort=Produtos tags / categorias
 MembersCategoriesShort=Tag / categorias de Membros
 ContactCategoriesShort=Contatos tags / categorias
@@ -85,26 +62,16 @@ ThisCategoryHasNoSupplier=Esta categoria não contém a nenhum fornecedor.
 ThisCategoryHasNoCustomer=Esta categoria não contém a nenhum cliente.
 ThisCategoryHasNoMember=Esta categoria nao contem nenhum membro.
 ThisCategoryHasNoContact=Esta categoria nao contem nenhum contato.
-AssignedToCustomer=Atribuir a um cliente
-AssignedToTheCustomer=Atribuido a um cliente
-InternalCategory=Categoria Interna
-CategoryContents=Tag/category contents
 CategId=ID Tag / categoria
 CatSupList=Lista de fornecedores tags / categorias
-CatCusList=List of customer/prospect tags/categories
 CatProdList=Lista de produtos tags / categorias
 CatMemberList=Lista de membros tags / categorias
 CatContactList=Lista de contatos tags / categorias
 CatSupLinks=Ligações entre fornecedores e tags / categorias
-CatCusLinks=Links between customers/prospects and tags/categories
-CatProdLinks=Links between products/services and tags/categories
 CatMemberLinks=Ligações entre os membros e tags / categorias
 DeleteFromCat=Remover de tags / categoria
-DeletePicture=Apagar foto
-ConfirmDeletePicture=Confirmar eliminação de fotografias
 ExtraFieldsCategories=atributos complementares
 CategoriesSetup=Configuração Tags / categorias
-CategorieRecursiv=Link with parent tag/category automatically
 CategorieRecursivHelp=Se ativado, o produto também será ligada a categoria original quando adicionando em uma subcategoria
 AddProductServiceIntoCategory=Adicione o seguinte produto / serviço
 ShowCategory=Mostrar tag / categoria
diff --git a/htdocs/langs/pt_BR/commercial.lang b/htdocs/langs/pt_BR/commercial.lang
index 23c5499800ebc14f40a58fbfd06ec8b2427564ed..b07a4443788f9749c3bb2549373a1b579df573b8 100644
--- a/htdocs/langs/pt_BR/commercial.lang
+++ b/htdocs/langs/pt_BR/commercial.lang
@@ -1,25 +1,15 @@
 # Dolibarr language file - Source file is en_US - commercial
-Commercial=Comercial
 CommercialArea=Área Comercial
-CommercialCard=Ficha Comercial
-CustomerArea=Área de Clientes
-Customer=Cliente
-Customers=Clientes
-Prospect=Cliente Potencial
-Prospects=Clientes Potenciais
 DeleteAction=Eliminar um evento/tarefa
 NewAction=Novo evento/tarefa
 AddAction=Criar evento/tarefa
 AddAnAction=Criar um evento/tarefa
 AddActionRendezVous=Criar evento tipo Rendez-vous
-Rendez-Vous=Reunião
 ConfirmDeleteAction=Você tem certeza que deseja excluir este evento/tarefa?
 CardAction=Ficha de evento
 PercentDone=Percentual completo
 ActionOnCompany=Tarefa relativa à empresa
 ActionOnContact=Tarefa relativa a um contato
-TaskRDV=Reunião
-TaskRDVWith=Reunião com %s
 ShowTask=Visualizar tarefa
 ShowAction=Visualizar evento
 ActionsReport=Relatório de eventos
@@ -33,8 +23,6 @@ ErrorWrongCode=Código Incorreto
 NoSalesRepresentativeAffected=Nenhum Comercial Afetado
 ShowCustomer=Ver Cliente
 ShowProspect=Ver Clientes Potenciais
-ListOfProspects=Lista de Clientes Potenciais
-ListOfCustomers=Lista de Clientes
 LastDoneTasks=As %s últimas Ações Efetuadas
 LastRecordedTasks=últimas Ações Registradas
 LastActionsToDo=As %s últimas Ações não Completadas
@@ -48,7 +36,6 @@ SendPropalRef=Confirmação de proposta comercial %s
 SendOrderRef=Confirmação da ordem %s
 StatusNotApplicable=Não aplicavel
 StatusActionToDo=A Realizar
-StatusActionDone=Realizado
 MyActionsAsked=Ações que Registei
 MyActionsToDo=Ações que tenho que fazer
 MyActionsDone=Ações que me afetam
@@ -60,7 +47,6 @@ LastProspectToContact=A Contactar
 LastProspectContactInProcess=Contato em Curso
 LastProspectContactDone=Clientes Potenciais Contactados
 DateActionPlanned=Data Planificação
-DateActionDone=Data realização
 ActionAskedBy=Ação Questionada por
 ActionAffectedTo=Evento atribuído a
 ActionDoneBy=Ação Realizada por
@@ -69,22 +55,14 @@ ErrorStatusCantBeZeroIfStarted=Se o campo '<b>Ficha de Realização</b>' tiver d
 ActionAC_TEL=Chamada Telefônica
 ActionAC_FAX=Envio Fax
 ActionAC_PROP=Envio Orçamento por Correio
-ActionAC_EMAIL=Envio E-Mail
-ActionAC_RDV=Reunião
 ActionAC_INT=Intervenção no lugar
 ActionAC_FAC=Envio Fatura por Correio
 ActionAC_REL=Lembrete fatura por correio
-ActionAC_CLO=Fechar
 ActionAC_EMAILING=Envio mailing massivo
 ActionAC_COM=Envio Pedido por Correio
 ActionAC_SHIP=Enviar Por E-Mail
 ActionAC_SUP_ORD=Enviar pedido de fornecedor por e-mail
 ActionAC_SUP_INV=Enviar fatura de fornecedor por e-mail
-ActionAC_OTH=Outro
-ActionAC_OTH_AUTO=Outros (eventos inseridos automaticamente)
-ActionAC_MANUAL=Eventos inseridos manualmente
-ActionAC_AUTO=Eventos inseridos automaticamente
-Stats=Estatisticas de Venda
 CAOrder=Ordem CA
 FromTo=A partir de %s até %s
 MargeOrder=Ordem da Margem
diff --git a/htdocs/langs/pt_BR/companies.lang b/htdocs/langs/pt_BR/companies.lang
index 9ee631695760b16bd34758d19474d9041660f97b..dfe2558d495a590a19bb1b8ccb34ffbfb65a7a58 100644
--- a/htdocs/langs/pt_BR/companies.lang
+++ b/htdocs/langs/pt_BR/companies.lang
@@ -8,29 +8,20 @@ ConfirmDeleteCompany=Tem certeza que quer excluir esta empresa e toda a informa
 DeleteContact=Excluir um contato
 ConfirmDeleteContact=Tem certeza que quer excluir este contato e toda a sua informação inerente?
 MenuNewThirdParty=Novo cliente/fornecedor
-MenuNewCompany=Nova Empresa
-MenuNewCustomer=Novo Cliente
 MenuNewProspect=Novo cliente em potencial
 MenuNewSupplier=Novo fornecedor
-MenuNewPrivateIndividual=Novo Particular
-MenuSocGroup=Grupos
 NewCompany=Nova Empresa (cliente em potencial, cliente, fornecedor)
 NewThirdParty=Novo cliente/fornecedor (cliente em potencial, cliente, fornecedor)
 NewSocGroup=Novo grupo de empresas
 NewPrivateIndividual=Nova pessoa física (cliente em potencial, cliente, fornecedor)
 CreateDolibarrThirdPartySupplier=Criar um fornecedor
-ProspectionArea=Área de prospeção
 SocGroup=Agrupamento de empresas
 IdThirdParty=ID do cliente/fornecedor
-IdCompany=Id Empresa
 IdContact=Id Contato
 Contacts=Contatos
 ThirdPartyContacts=Contatos de clientes/fornecedores
 ThirdPartyContact=Contato/Endereço de cliente/fornecedor
 StatusContactValidated=Estado do Contato
-Company=Empresa
-CompanyName=Razão Social
-Companies=Empresas
 CountryIsInEEC=País da Comunidadeee Económica Europeia
 ThirdPartyName=Nome do cliente/fornecedor
 ThirdParty=Cliente/Fornecedor
@@ -38,227 +29,57 @@ ThirdParties=Clientes/Fornecedores
 ThirdPartyAll=Clientes/Fornecedores (Todos)
 ThirdPartyProspects=Clientes em potencial
 ThirdPartyProspectsStats=Clientes em potencial
-ThirdPartyCustomers=Clientes
-ThirdPartyCustomersStats=Clientes
-ThirdPartyCustomersWithIdProf12=Clientes com %s ó %s
-ThirdPartySuppliers=Fornecedores
 ThirdPartyType=Tipo de cliente/fornecedor
-Company/Fundation=Empresa/Associação
-Individual=Particular
 ToCreateContactWithSameName=Criar automaticamente um contato fisico com a mesma informação
 ParentCompany=Casa Mãe
 Subsidiary=Subsidiário
 Subsidiaries=Subsidiários
 NoSubsidiary=Sem subsidiário
-ReportByCustomers=Relatório por cliente
-ReportByQuarter=Relatório por trimestre
-CivilityCode=Código cortesía
 RegisteredOffice=Domicilio Social
-Name=Nome
-Lastname=Apelidos
-Firstname=Primeiro Nome
-PostOrFunction=Posto/Função
-UserTitle=Título
-Surname=Pseudonimo
 Address=Endereço
-State=Distrito
-Region=Região
-Country=País
 CountryCode=Código País
 CountryId=ID do país
-Phone=Telefone
-Skype=Skype
 Call=Ligar
-Chat=Chat
-PhonePro=Telef. Trabalho
 PhonePerso=Telef. Particular
-PhoneMobile=Telemovel
 No_Email=Não envie e-mails em massa
-Fax=Fax
 Zip=Código Postal
 Town=Município
-Web=Web
-Poste= Posição
 DefaultLang=Linguagem por padrão
 VATIsUsed=Sujeito a ICMS
 VATIsNotUsed=Não Sujeito a ICMS
 CopyAddressFromSoc=Preencha com o endereço do cliente/fornecedor
 NoEmailDefined=Não tem email definido
-##### Local Taxes #####
-LocalTax1IsUsedES= Sujeito a RE
-LocalTax1IsNotUsedES= Não sujeito a RE
-LocalTax2IsUsedES= Sujeito a IRPF
-LocalTax2IsNotUsedES= Não sujeito a IRPF
-LocalTax1ES=RE
-LocalTax2ES=IRPF
+LocalTax1IsUsedES=Sujeito a RE
+LocalTax1IsNotUsedES=Não sujeito a RE
+LocalTax2IsUsedES=Sujeito a IRPF
+LocalTax2IsNotUsedES=Não sujeito a IRPF
 TypeLocaltax1ES=RE Tipo
 TypeLocaltax2ES=IRPF Tipo
-TypeES=Tipo
-ThirdPartyEMail=%s
 WrongCustomerCode=Código cliente incorreto
 WrongSupplierCode=Código do fornecedor incorreto
-CustomerCodeModel=Modelo de código cliente
-SupplierCodeModel=Modelo de código fornecedor
-Gencod=Código de barras
-##### Professional ID #####
-ProfId1Short=Prof. id 1
-ProfId2Short=Prof. id 2
-ProfId3Short=Prof. id 3
-ProfId4Short=Prof. id 4
-ProfId5Short=Prof. id 5
 ProfId6Short=Prof. id 6
-ProfId1=ID profesional 1
-ProfId2=ID profesional 2
-ProfId3=ID profesional 3
-ProfId4=ID profesional 4
 ProfId5=ID profesional 5
 ProfId6=ID profesional 6
-ProfId1AR=Prof Id 1 (CUIT/CUIL)
 ProfId2AR=Prof Id 2 (Receitas brutas)
-ProfId3AR=-
-ProfId4AR=-
-ProfId5AR=-
-ProfId6AR=-
-ProfId1AU=ABN
-ProfId2AU=-
-ProfId3AU=-
-ProfId4AU=-
-ProfId5AU=-
-ProfId6AU=-
 ProfId1BE=Núm da Ordem
-ProfId2BE=-
-ProfId3BE=-
-ProfId4BE=-
-ProfId5BE=-
-ProfId6BE=-
-ProfId1BR=-
-ProfId2BR=IE (Inscricao Estadual)
-ProfId3BR=IM (Inscricao Municipal)
-ProfId4BR=CPF
-#ProfId5BR=CNAE
-#ProfId6BR=INSS
-ProfId1CH=-
-ProfId2CH=-
-ProfId3CH=Número federado
-ProfId4CH=Núm. Registo de Comércio
-ProfId5CH=-
-ProfId6CH=-
-ProfId1CL=Prof Id 1 (R.U.T.)
-ProfId2CL=-
-ProfId3CL=-
-ProfId4CL=-
-ProfId5CL=-
-ProfId6CL=-
-ProfId1CO=Prof Id 1 (R.U.T.)
-ProfId2CO=-
-ProfId3CO=-
-ProfId4CO=-
-ProfId5CO=-
-ProfId6CO=-
-ProfId1DE=Prof Id 1 (USt.-IdNr)
-ProfId2DE=Prof Id 2 (USt.-Nr)
-ProfId3DE=Prof Id 3 (Handelsregister-Nr.)
-ProfId4DE=-
-ProfId5DE=-
-ProfId6DE=-
-ProfId1ES=Prof Id 1 (CIF/NIF)
 ProfId2ES=Prof Id 2 (Número do seguro social)
-ProfId3ES=Prof Id 3 (CNAE)
-ProfId4ES=Prof Id 4 (Collegiate number)
-ProfId5ES=-
-ProfId6ES=-
-ProfId1FR=SIREN
-ProfId2FR=SIRET
-ProfId3FR=NAF (Ex APE)
-ProfId4FR=RCS/RM
-ProfId5FR=-
-ProfId6FR=-
-ProfId1GB=Número Registo
-ProfId2GB=-
-ProfId3GB=SIC
-ProfId4GB=-
-ProfId5GB=-
-ProfId6GB=-
-ProfId1HN=Id prof. 1 (RTN)
-ProfId2HN=-
-ProfId3HN=-
-ProfId4HN=-
-ProfId5HN=-
-ProfId6HN=-
-ProfId1IN=Prof Id 1 (TIN)
-ProfId2IN=Prof Id 2 (PAN)
 ProfId3IN=Prof Id 3 (Taxa de Serviço)
-ProfId4IN=Prof Id 4
-ProfId5IN=Prof Id 5
-ProfId6IN=-
-ProfId1MA=Id prof. 1 (R.C.)
-ProfId2MA=Id prof. 2 (Patente)
-ProfId3MA=Id prof. 3 (I.F.)
-ProfId4MA=Id prof. 4 (C.N.S.S.)
-ProfId5MA=-
-ProfId6MA=-
-ProfId1MX=Prof Id 1 (R.F.C).
-ProfId2MX=Prof Id 2 (R..P. IMSS)
 ProfId3MX=Prof Id 3 (Carta Profissional)
-ProfId4MX=-
-ProfId5MX=-
-ProfId6MX=-
-ProfId1NL=KVK nummer
-ProfId2NL=-
-ProfId3NL=-
-ProfId4NL=Burgerservicenummer (BSN)
-ProfId5NL=-
-ProfId6NL=-
-ProfId1PT=NIPC
-ProfId2PT=Núm. Segurança Social
-ProfId3PT=Num. Reg. Comercial
-ProfId4PT=Conservatória
-ProfId5PT=-
-ProfId6PT=-
-ProfId1SN=RC
-ProfId2SN=NINEA
-ProfId3SN=-
-ProfId4SN=-
-ProfId5SN=-
-ProfId6SN=-
-ProfId1TN=RC
-ProfId2TN=Matrícula Fiscal
-ProfId3TN=Código na Alfandega
-ProfId4TN=CCC
-ProfId5TN=-
-ProfId6TN=-
 ProfId1RU=Id prof 1 (I.E.)
 ProfId2RU=Id prof 2 (I.M.)
 ProfId3RU=Id prof. 3 (CGC)
 ProfId4RU=Id prof. 4 (Livre)
-ProfId5RU=-
-ProfId6RU=-
 VATIntra=Cadastro Nacional Pessoa Juridica - CNPJ
-VATIntraShort=CNPJ
-VATIntraVeryShort=CNPJ
-VATIntraSyntaxIsValid=Sintaxe Válida
-VATIntraValueIsValid=Valor Válido
 ProspectCustomer=Cliente em potencial/Cliente
 Prospect=Cliente em potencial
-CustomerCard=Ficha de Cliente
-Customer=Cliente
-CustomerDiscount=Desconto Cliente
-CustomerRelativeDiscount=Desconto Cliente Relativo
-CustomerAbsoluteDiscount=Desconto Cliente Fixo
-CustomerRelativeDiscountShort=Desconto Relativo
-CustomerAbsoluteDiscountShort=Desconto Fixo
 CompanyHasRelativeDiscount=Este cliente tem um Desconto por default de <b>%s%%</b>
 CompanyHasNoRelativeDiscount=Este cliente não tem Descontos relativos por default
 CompanyHasAbsoluteDiscount=Este cliente tem <b>%s %s</b> Descontos fixos disponíveis
 CompanyHasCreditNote=Este cliente tem <b>%s %s</b> recibos disponíveis
 CompanyHasNoAbsoluteDiscount=Este cliente não tem mais Descontos fixos disponíveis
 CustomerAbsoluteDiscountAllUsers=Descontos fixos em curso (acordado por todos os Usuário)
-CustomerAbsoluteDiscountMy=Descontos fixos em curso (acordados Pessoalmente)
 DefaultDiscount=Desconto por Fefeito
 AvailableGlobalDiscounts=Descontos Fixos Disponíveis
-DiscountNone=Nenhuma
-Supplier=Fornecedor
-CompanyList=Lista de Empresas
 AddContact=Criar contato
 AddContactAddress=Criar contato/endereço
 EditContact=Editar contato
@@ -268,34 +89,21 @@ ContactsAddresses=Contatos/Enderecos
 NoContactDefinedForThirdParty=Nenhum contato definido para este cliente/fornecedor
 NoContactDefined=Nenhum contato definido
 DefaultContact=Contato por Padrao
-AddCompany=Criar empresa
 AddThirdParty=Criar cliente/fornecedor
-DeleteACompany=Eliminar uma Empresa
-PersonalInformations=Informação Pessoal
-AccountancyCode=Código Contabilidade
-CustomerCode=Código Cliente
 SupplierCode=Código do fornecedor
-CustomerAccount=Conta Cliente
 SupplierAccount=Conta do fornecedor
-CustomerCodeDesc=Código único cliente para cada cliente
 SupplierCodeDesc=Código do fornecedor, único para cada fornecedor
 RequiredIfCustomer=Requerida se for cliente ou cliente em potencial
 RequiredIfSupplier=Obrigatório se for fornecedor
-ValidityControledByModule=Validação Controlada pelo Módulo
-ThisIsModuleRules=Esta é a regra para este módulo
 LastProspect=último cliente em potencial
 ProspectToContact=Cliente em potencial a contatar
-CompanyDeleted=A Empresa "%s" foi Eliminada
 ListOfContacts=Lista de Contatos/Endereços
 ListOfContactsAddresses=Lista de Contatos/Endereços
 ListOfProspectsContacts=Lista de Contatos Clientes Potenciais
 ListOfCustomersContacts=Lista de Contatos Clientes
 ListOfSuppliersContacts=Lista de contatos de fornecedores
-ListOfCompanies=Lista de Empresas
 ListOfThirdParties=Lista de clientes/fornecedores
-ShowCompany=Mostar Empresa
 ShowContact=Mostrar Contato
-ContactsAllShort=Todos (sem filtro)
 ContactType=Tipo de Contato
 ContactForOrders=Contato para Pedidos
 ContactForProposals=Contato de Orçamentos
@@ -309,50 +117,23 @@ NewContact=Novo Contato
 NewContactAddress=Novo Contato/Endereço
 LastContacts=Últimos contatos
 MyContacts=Meus Contatos
-Phones=Telefones
-Capital=Capital
-CapitalOf=Capital Social de %s
-EditCompany=Modificar Empresa
 EditDeliveryAddress=Modificar Endereço de Envio
 ThisUserIsNot=Este usuário não é um cliente em potencial, nem um cliente, nem um fornecedor
-VATIntraCheck=Verificar
 VATIntraCheckDesc=o link <b>%s</b> permite consultar à serviço europeo de control de números de ICMS intracomunitario. Se requer acesso a internet para que o serviço funcione
 VATIntraCheckURL=http://www.receita.fazenda.gov.br/pessoajuridica/cnpj/cnpjreva/cnpjreva_solicitacao.asp
 VATIntraCheckableOnEUSite=Verificar na web da Comisión Europea
 VATIntraManualCheck=pode também realizar uma verificação manual na web europea <a href
 ErrorVATCheckMS_UNAVAILABLE=Verificação Impossível. O serviço de verificação não é prestado pelo país membro (%s).
 NorProspectNorCustomer=Nem cliente, nem cliente em potencial
-JuridicalStatus=Forma Jurídica
-Staff=Empregados
-ProspectLevelShort=Cli. Potenc.
 ProspectLevel=Cliente em potencial
-ContactPrivate=Privado
 ContactPublic=Compartilhado
-ContactVisibility=Visibilidade
 OthersNotLinkedToThirdParty=Outros, não associado à um cliente/fornecedor
 ProspectStatus=Estado do cliente em potencial
-PL_NONE=Nenhum
-PL_UNKNOWN=Desconhecida
-PL_LOW=Baixo
-PL_MEDIUM=Medio
-PL_HIGH=Alto
-TE_UNKNOWN=-
-TE_STARTUP=Pequena
-TE_GROUP=Grande
-TE_MEDIUM=Media
-TE_ADMIN=Administração Pública
-TE_SMALL=Pequena
-TE_RETAIL=Retalhista
-TE_WHOLE=Grossista
-TE_PRIVATE=Micro
-TE_OTHER=Outro
 StatusProspect-1=Não contatar
-StatusProspect0=Nunca Contactado
 StatusProspect1=A contatar
 StatusProspect2=Contato em Curso
 StatusProspect3=Contato Realizado
 ChangeDoNotContact=Alterar o estado para ' Não contatar '
-ChangeNeverContacted=Alterar o Estado para 'Nunca Nontactado'
 ChangeToContact=Alterar o estado para 'A contatar'
 ChangeContactInProcess=Alterar o Estado para 'Contato em Curso'
 ChangeContactDone=Alterar o Estado para 'Contato Realizado'
@@ -360,13 +141,8 @@ ProspectsByStatus=Clientes em potencial por estado
 BillingContact=Contato para Faturação
 NbOfAttachedFiles=N de Arquivos Anexos
 AttachANewFile=Adicionar um Novo Arquivo
-NoRIB=Nenhuma Conta Definida
-NoParentCompany=Nenhuma
-ExportImport=Importar-Exportar
 ExportCardToFormat=Exportar Ficha para o Formato
 ContactNotLinkedToCompany=Contato não associado à um cliente/fornecedor
-DolibarrLogin=Login
-NoDolibarrAccess=Sem Acesso
 ExportDataset_company_1=Cilentes/Fornecedores (Empresas/Instituíções/Pessoas Fisicas) e propriedades
 ExportDataset_company_2=Contatos de Fornecedor e Atributos
 ImportDataset_company_1=Clientes/Fornecedores (Empresas/Fundações/Pessoas Físicas) e propriedades
@@ -389,10 +165,7 @@ ConfirmDeleteFile=? Tem certeza que quer eliminar este Arquivo?
 AllocateCommercial=Assinado ao representate de vendas
 SelectCountry=Selecionar um País
 SelectCompany=Selecionar um Fornecedor
-Organization=Organismo
 AutomaticallyGenerated=Gerado Automaticamente
-FiscalYearInformation=Informação do Ano Fiscal
-FiscalMonthStart=Mês de Inicio do Exercício
 YouMustCreateContactFirst=Você deve cadastrar contatos de e-mail para um cliente/fornecedor para ser possível adicionar notificações por e-mail.
 ListSuppliersShort=Lista de Fornecedores
 ListProspectsShort=Lista de clientes em potencial
@@ -400,15 +173,12 @@ ListCustomersShort=Lista de Clientes
 ThirdPartiesArea=Área de clientes/fornecedores e contatos
 LastModifiedThirdParties=Os ultimos %s clitentes/fornecedores modificados
 UniqueThirdParties=Total de clientes/fornecedores únicos
-InActivity=Aberto
-ActivityCeased=Fechado
 ActivityStateFilter=Status das atividades
 ProductsIntoElements=Lista de produtos para %s
 CurrentOutstandingBill=Notas aberta correntes
 OutstandingBill=Max. permitido para uma nota aberta
 OutstandingBillReached=Chegou ao max permitido para nostas abertas
 MonkeyNumRefModelDesc=Devolve um número baixo o formato %syymm-nnnn para os códigos de clientes e %syymm-nnnn para os códigos dos Fornecedores, donde yy é o ano, mm o mês e nnnn um contador seq�êncial sem ruptura e sem Voltar a 0.
-LeopardNumRefModelDesc=Código de cliente/fornecedor livre sem verificação. pode ser modificado em qualquer momento.
 ManagingDirectors=Nome do Representante(CEO,Diretor,Presidente...)
 SearchThirdparty=Pesquisar terceiros
 SearchContact=Procurar contato
diff --git a/htdocs/langs/pt_BR/compta.lang b/htdocs/langs/pt_BR/compta.lang
index ff1e70035300883a5696a257a391388bebb39322..60c0f0ff0e86bd576450fd97debb23e6c5c7a0a7 100644
--- a/htdocs/langs/pt_BR/compta.lang
+++ b/htdocs/langs/pt_BR/compta.lang
@@ -1,42 +1,23 @@
 # Dolibarr language file - Source file is en_US - compta
-Accountancy=Contabilidade
-AccountancyCard=Ficha Contabilidade
-Treasury=Tesouraria
-MenuFinancial=Financeira
 TaxModuleSetupToModifyRules=Vá para <a href="%s">configuração do módulo Impostos</a> para modificar regras de cálculo
 TaxModuleSetupToModifyRulesLT=Ir para <a href="%s">Configurações da Empresa</a> para modificar as regras de calculação
 OptionMode=Opção de Administração Contabilidade
 OptionModeTrue=Opção Depositos/Despesas
-OptionModeVirtual=Opção Créditos/Dividas
 OptionModeTrueDesc=Neste método, o balanço calcula-se sobre a base das faturas pagas.\nA validade dos valores não está garantida pois a Administração da Contabilidade pasa rigurosamente pelas entradas/saidas das contas mediante as faturas.\nNota : Nesta Versão, Dolibarr utiliza a data da fatura ao estado ' Validada ' e não a data do estado ' paga '.
 OptionModeVirtualDesc=neste método, o balanço se calcula sobre a base das faturas validadas. pagas o não, aparecen ao resultado em quanto sejam discolocaçãos.
 FeatureIsSupportedInInOutModeOnly=função disponível somente ao modo contas CREDITOS-dividas (Véase a configuração do módulo contas)
 VATReportBuildWithOptionDefinedInModule=Os valores aqui apresentados são calculados usando as regras definidas pela configuração do módulo Fiscal.
 LTReportBuildWithOptionDefinedInModule=Valores mostrados aqui são calculados usando as regras definidas nas configurações da empresa.
-Param=Parametrização
 RemainingAmountPayment=Pagamento montante remanescente:
 AmountToBeCharged=O valor total a pagar:
-AccountsGeneral=Contas Gerais
-Account=Conta
-Accounts=Contas
 Accountparent=Conta pai
 Accountsparent=Contas pai
 BillsForSuppliers=Faturas de Fornecedores
 Income=Depositos
-Outcome=Despesas
-ReportInOut=Resultado / Exercício
-ReportTurnover=Volume de Negócios
 PaymentsNotLinkedToInvoice=pagamentos vinculados a Nenhuma fatura, por o que nenhum Fornecedor
 PaymentsNotLinkedToUser=pagamentos não vinculados a um usuário
-Profit=Beneficio
 AccountingResult=Resultado contábil
-Balance=Saldo
-Debit=Débito
-Credit=Crédito
 Piece=Contabilidade Doc.
-Withdrawal=Levantamento
-Withdrawals=Levantamentos
-AmountHTVATRealReceived=Total Recebido
 AmountHTVATRealPaid=líquido pago
 VATToPay=ICMS a Pagar
 VATReceived=ICMS Recebido
@@ -53,33 +34,12 @@ LT2SupplierES=IRPF de compras
 LT1CustomerES=RE vendas
 LT1SupplierES=RE compras
 VATCollected=ICMS Recuperado
-ToPay=A Pagar
-ToGet=Para restituir 
-SpecialExpensesArea=Área para todos os pagamentos especiais
-TaxAndDividendsArea=Área Impostos, gastos sociais e dividendos
-SocialContribution=Gasto social
-SocialContributions=Gastos sociais
+ToGet=Para restituir
 MenuSpecialExpenses=Despesas especiais
-MenuTaxAndDividends=Impostos e Dividas
-MenuSalaries=Salários
-MenuSocialContributions=Gastos sociais
-MenuNewSocialContribution=Novo gasto
-NewSocialContribution=Novo gasto social
-ContributionsToPay=Gastos por pagar
-AccountancyTreasuryArea=Área Contabilidade/Tesouraria
-AccountancySetup=Configuração Contabilidade
-NewPayment=Novo Pagamento
-Payments=Pagamentos
 PaymentCustomerInvoice=Pagamento de fatura do cliente
 PaymentSupplierInvoice=Pagamento de fatura do fornecedor
-PaymentSocialContribution=pagamento gasto social
 PaymentVat=Pagamento ICMS
 PaymentSalary=Pagamento de salário
-ListPayment=Lista de pagamentos
-ListOfPayments=Lista de pagamentos
-ListOfCustomerPayments=Lista de pagamentos de clientes
-ListOfSupplierPayments=Lista de pagamentos a Fornecedores
-DatePayment=Data de Pagamento
 DateStartPeriod=Período de início e data
 DateEndPeriod=Período e data final
 NewVATPayment=Novo Pagamento de ICMS
@@ -91,46 +51,26 @@ LT1PaymentES=RE pagamento
 LT1PaymentsES=RE pagamentos
 VATPayment=Pagamento ICMS
 VATPayments=Pagamentos ICMS
-SocialContributionsPayments=Pagamento de contribuições sociais
 ShowVatPayment=Ver Pagamentos ICMS
-TotalToPay=Total a Pagar
 TotalVATReceived=Total do ICMS Recebido
-CustomerAccountancyCode=Código contabilidade cliente
-SupplierAccountancyCode=Código contabilidade fornecedor
-AccountNumberShort=Nº de conta
 AccountNumber=Nº de conta
-NewAccount=Nova conta
-SalesTurnover=Volume de Negócio
 SalesTurnoverMinimum=Volume de negócios mínimo de vendas
 ByThirdParties=Por Fornecedor
 ByUserAuthorOfInvoice=Por autor da fatura
 AccountancyExport=exportação Contabilidade
 ErrorWrongAccountancyCodeForCompany=Código contabilidade incorreto para %s
-SuppliersProductsSellSalesTurnover=Volume de negócio gerado por venda de produtos aos Fornecedores
-CheckReceipt=Ficha de cheques
-CheckReceiptShort=Ficha
 LastCheckReceiptShort=Ultimos %s cheques recebidos
-NewCheckReceipt=Novo Cheque
-NewCheckDeposit=Novo Deposito
-NewCheckDepositOn=Criar Novo deposito na conta: %s
-NoWaitingChecks=Não existe cheque em espera para depositar.
-DateChequeReceived=Data introdução de dados de recepção cheque
 NbOfCheques=N� de Cheques
-PaySocialContribution=Pagar uma gasto social
-ConfirmPaySocialContribution=? Tem certeza que quer classificar esta gasto social como paga?
-DeleteSocialContribution=Eliminar gasto social
-ConfirmDeleteSocialContribution=? Tem certeza que quer eliminar esta gasto social?
-ExportDataset_tax_1=gastos sociais e pagamentos
 CalcModeVATDebt=<b>Modo% S VAT compromisso da contabilidade% s.</b>
 CalcModeVATEngagement=<b>Modo% SVAT sobre os rendimentos e as despesas% s.</b>
 CalcModeDebt=Modo <b>% s declarações de dívidas% s </ b> diz <b> Compromisso da contabilidade </ b>.
 CalcModeEngagement=Modo <b>% s rendimentos e as despesas% s </ b> contabilidade do caixa <b> </ b>>
-CalcModeLT1= Modo <b>%sRE nas faturas dos clientes - faturas dos fornecedores%s</b>
+CalcModeLT1=Modo <b>%sRE nas faturas dos clientes - faturas dos fornecedores%s</b>
 CalcModeLT1Debt=Modo <b>%sRE nas faturas dos clientes%s</b>
-CalcModeLT1Rec= Modo <b>%sRE nas faturas dos fornecedores%s</b>
-CalcModeLT2= Modo <b>%sIRPF nas faturas de clientes - fornecedores%s</b>
+CalcModeLT1Rec=Modo <b>%sRE nas faturas dos fornecedores%s</b>
+CalcModeLT2=Modo <b>%sIRPF nas faturas de clientes - fornecedores%s</b>
 CalcModeLT2Debt=Modo <b>%sIRPF nas faturas de clientes%s</b>
-CalcModeLT2Rec= Modo <b>%sIRPF nas faturas de fornecedores%s</b>
+CalcModeLT2Rec=Modo <b>%sIRPF nas faturas de fornecedores%s</b>
 AnnualSummaryDueDebtMode=Balanço de receitas e despesas, resumo anual
 AnnualSummaryInputOutputMode=Balanço de receitas e despesas, resumo anual
 AnnualByCompaniesDueDebtMode=balanço de depositos e despesas, desglosado por Fornecedores, em modo <b>%sCréditos-dividas%s</b> chamada <b>Contabilidade de compromisso</b>.
@@ -154,7 +94,6 @@ LT2ReportByQuartersInInputOutputMode=Relatoriopor rata IRPF
 VATReportByQuartersInDueDebtMode=Relatório da taxa do IVA cobrado e pago
 LT1ReportByQuartersInDueDebtMode=Relatorio por rata RE
 LT2ReportByQuartersInDueDebtMode=Relatorio por rata IRPF
-SeeVATReportInInputOutputMode=Ver o Relatório <b>%sIVA pago%s</b> para um modo de cálculo Standard
 SeeVATReportInDueDebtMode=Ver o Relatório <b>%sIVA a dever%s</b> para um modo de cálculo com a opção sobre a divida
 RulesVATInServices=- No caso dos serviços, o relatório inclui os regulamentos IVA efetivamente recebidas ou emitidas com base na data de pagamento.
 RulesVATInProducts=- Para os bens materiais, que inclui as notas fiscais de IVA com base na data da fatura.
@@ -166,18 +105,14 @@ NotUsedForGoods=Bens não utilizados
 ProposalStats=As estatísticas sobre as propostas
 OrderStats=Estatísticas de comandos
 InvoiceStats=As estatísticas sobre as contas
-Dispatch=Repartição
-Dispatched=Repartições
-ToDispatch=A Repartir
 ThirdPartyMustBeEditAsCustomer=Fornecedor deve ser definido como um cliente
 SellsJournal=Diário de Vendas
 PurchasesJournal=Diário de  Compras
 DescSellsJournal=Diário de Vendas
 DescPurchasesJournal=Diário de  Compras
-InvoiceRef=Ref. Fatura
 CodeNotDef=Não Definida
 AddRemind=Exibir o valor disponível
-RemainToDivide= Saldo disponível
+RemainToDivide=Saldo disponível
 WarningDepositsNotIncluded=Depósitos faturas não estão incluídos nesta versão com este módulo de contabilidade.
 DatePaymentTermCantBeLowerThanObjectDate=Data Prazo de pagamento não pode ser inferior a data da compra ou aquisição
 Pcg_version=Versão Pcg
@@ -186,22 +121,14 @@ Pcg_subtype=PCG subtipo
 InvoiceLinesToDispatch=Linhas de nota fiscal para envio
 InvoiceDispatched=Faturas remetidas
 AccountancyDashboard=Resumo Contabilidade
-ByProductsAndServices=Por produtos e serviços
 RefExt=Ref externo
 ToCreateAPredefinedInvoice=Para criar uma Fatura predefinida, criar uma fatura padrão, em seguida, sem validá-la, clique no botão "Converter para fatura pré-definida".
 LinkedOrder=Atalho para ordem
-ReCalculate=Recalcular
-Mode1=Método 1
-Mode2=Método 2
 CalculationRuleDesc=Para calcular o total do VAT, há dois métodos: <br> Método 1 é arredondamento cuba em cada linha, em seguida, soma-los. <br> Método 2 é somando tudo cuba em cada linha, em seguida, o arredondamento resultado. <br> Resultado final pode difere de alguns centavos. O modo padrão é o <b>modo% s.</b>
 CalculationRuleDescSupplier=De acordo com o fornecedor, escolher o método adequado aplicar mesma regra de cálculo e obter mesmo resultado esperado pelo seu fornecedor.
 TurnoverPerProductInCommitmentAccountingNotRelevant=Relatório Volume de negócios por produto, quando se usa um modo de <b>contabilidade de caixa</b> não é relevante. Este relatório está disponível somente quando utilizar o modo de <b>contabilidade engajamento</b> (ver configuração do módulo de contabilidade).
-CalculationMode=Modo de cálculo
 AccountancyJournal=Codigo do jornal fiscal
-ACCOUNTING_VAT_ACCOUNT=Codigo contavel padrao para credito VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Codigo contavel padrao para pagamento do VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Codigo contavel padrao para clientes
 ACCOUNTING_ACCOUNT_SUPPLIER=Codigo contavel padrao para fornecedores
-CloneTax=Clonar contribuição social
-ConfirmCloneTax=Confirmar clonação da contribuição social
 CloneTaxForNextMonth=Clonar para o proximo mes
diff --git a/htdocs/langs/pt_BR/contracts.lang b/htdocs/langs/pt_BR/contracts.lang
index b199aba9a0e096cc152f6787689d4d182ad7049f..2a176ef5269e9172de84cba624ae175c43cfbb45 100644
--- a/htdocs/langs/pt_BR/contracts.lang
+++ b/htdocs/langs/pt_BR/contracts.lang
@@ -4,39 +4,24 @@ ListOfContracts=Lista de Contratos
 LastModifiedContracts=Os %s últimos contratos alterados
 AllContracts=Todos os Contratos
 ContractCard=Ficha Contrato
-ContractStatus=Estado do Contrato
 ContractStatusNotRunning=Fora de Serviço
-ContractStatusRunning=Em Serviço
-ContractStatusDraft=Rascunho
-ContractStatusValidated=Validado
-ContractStatusClosed=Encerrado
 ServiceStatusInitial=Inativo
 ServiceStatusRunning=Em Serviço
 ServiceStatusNotLate=Rodando, nao vencido
 ServiceStatusNotLateShort=Nao vencido
 ServiceStatusLate=Em Serviço, Expirado
-ServiceStatusLateShort=Expirado
 ServiceStatusClosed=Encerrado
 ServicesLegend=Legenda para os Serviços
 Contracts=Contratos
 ContractsAndLine=Contratos e linha de contratos
-Contract=Contrato
 NoContracts=Sem Contratos
-MenuServices=Serviços
 MenuInactiveServices=Serviços Inativos
 MenuRunningServices=Serviços Ativos
-MenuExpiredServices=Serviços Expirados
-MenuClosedServices=Serviços Fechados
-NewContract=Novo Contrato
 AddContract=Criar contrato
-SearchAContract=Procurar um Contrato
-DeleteAContract=Eliminar um Contrato
-CloseAContract=Fechar um Contrato
 ConfirmDeleteAContract=Tem certeza que quer eliminar este contrato?
 ConfirmValidateContract=Tem certeza que quer Confirmar este contrato?
 ConfirmCloseContract=Tem certeza que quer Fechar este contrato?
 ConfirmCloseService=Tem certeza que quer Fechar este serviço?
-ValidateAContract=Confirmar um contrato
 ActivateService=Ativar o serviço
 ConfirmActivateService=Tem certeza que quer ativar este serviço em data %s?
 RefContract=Referencia contrato
@@ -80,10 +65,7 @@ CloseAllContracts=Fechar Todos os Contratos
 DeleteContractLine=Eliminar a linha do contrato
 ConfirmDeleteContractLine=Voce tem certeza que deseja apagar esta linha de contrato ?
 MoveToAnotherContract=Mover o serviço a outro contrato deste Fornecedor.
-ConfirmMoveToAnotherContract=Escolhi o contrato e confirmo o alterar de serviço ao presente contrato.
 ConfirmMoveToAnotherContractQuestion=Escolha qualquer outro contrato do mesmo Fornecedor, deseja mover este serviço?
-PaymentRenewContractId=Renovação do Serviço (Numero %s)
-ExpiredSince=Expirado desde
 RelatedContracts=Contratos relativos
 NoExpiredServices=Nao tem servicos ativos vencidos
 ListOfServicesToExpireWithDuration=Lista de servicos a vencer em %s dias
@@ -93,10 +75,6 @@ NoteListOfYourExpiredServices=Esta lista contém apenas contratos de serviços d
 StandardContractsTemplate=Modelo de contratos simples
 ContactNameAndSignature=Para %s, nome e assinatura:
 OnlyLinesWithTypeServiceAreUsed=Somente as linhas com o tipo de "serviço" será clonado.
-
-##### Types de contacts #####
-TypeContact_contrat_internal_SALESREPSIGN=Comercial assinante do contrato
-TypeContact_contrat_internal_SALESREPFOLL=Comercial seguimento do contrato
 TypeContact_contrat_external_BILLING=Contato cliente de faturação do contrato
 TypeContact_contrat_external_CUSTOMER=Contato cliente seguimento do contrato
 TypeContact_contrat_external_SALESREPSIGN=Contato cliente assinante do contrato
diff --git a/htdocs/langs/pt_BR/cron.lang b/htdocs/langs/pt_BR/cron.lang
index b7dda62800965e43f8042951b37381fecd7e3703..e660f6fa32b96726444ba6c3e9c58aac5890b1b1 100644
--- a/htdocs/langs/pt_BR/cron.lang
+++ b/htdocs/langs/pt_BR/cron.lang
@@ -1,31 +1,23 @@
 # Dolibarr language file - Source file is en_US - cron
-# About page
-About = Sobre
-CronAbout = Sobre Cron
-CronAboutPage = Pagina sobre Cron
-# Right
-Permission23101 = Leia trabalho Programado
-Permission23102 = Criar / atualização de tarefa agendada
-Permission23103 = Excluir trabalho agendado
-Permission23104 = Executar trabalho agendado
-# Admin
-CronSetup= Configuração do gerenciamento de trabalho agendado
+About =Sobre
+CronAboutPage =Pagina sobre Cron
+Permission23101 =Leia trabalho Programado
+Permission23102 =Criar / atualização de tarefa agendada
+Permission23103 =Excluir trabalho agendado
+Permission23104 =Executar trabalho agendado
+CronSetup=Configuração do gerenciamento de trabalho agendado
 URLToLaunchCronJobs=URL para checar e iniciar os cron se necessario
 OrToLaunchASpecificJob=Ou checkar e iniciar um specifico trabalho
 KeyForCronAccess=Chave seguranca para URL que lanca tarefas cron
 FileToLaunchCronJobs=Linha de comando para iniciar tarefas agendadas
 CronExplainHowToRunUnix=No ambiente Unix você deve usar a seguinte entrada crontab para executar a linha de comando a cada 5 minutos
 CronExplainHowToRunWin=Em ambiente Microsoft (tm)  Windows,  Você PODE USAR Ferramentas de Tarefa agendada Para executar a Linha de Comando de Cada 5 Minutos
-# Menu
 CronJobs=Trabalhos programados
 CronListActive=Lista de tarefas ativas / Programadas
 CronListInactive=Lista de trabalhos nao ativos
-# Page list
 CronDateLastRun=Ultimo acionamento
 CronLastOutput=Saida do ultimo acionamento
 CronLastResult=Codigo do ultimo resultado
-CronListOfCronJobs=Lista de tarefas agendadas
-CronCommand=Comando
 CronList=As tarefas agendadas
 CronDelete=Excluir trabalhos agendados
 CronConfirmDelete=Tem certeza de que deseja apagar estes trabalhos agendados?
@@ -44,18 +36,15 @@ CronClass=Classe
 CronMethod=Metodo
 CronModule=Modulo
 CronAction=Açao
-CronStatus=Estado
 CronStatusActive=Ativado
 CronStatusInactive=Desativado
 CronNoJobs=Nenhum trabalho registrado
-CronPriority=Prioridade
 CronLabel=Descriçao
 CronNbRun=Nr. execuçao
 CronEach=Cada
 JobFinished=Trabalho iniciado e terminado
-#Page card
-CronAdd= Adicionar trabalho
-CronHourStart= Iniciar a hora e data de emprego
+CronAdd=Adicionar trabalho
+CronHourStart=Iniciar a hora e data de emprego
 CronEvery=Executar cada trabalho
 CronObject=Instancia/Objeto a se criar
 CronArgs=Parametros
@@ -67,7 +56,6 @@ CronStatusActiveBtn=Ativar
 CronStatusInactiveBtn=Desativar
 CronTaskInactive=Este trabalho foi desativado
 CronDtLastResult=Data ultimo resultado
-CronId=Id
 CronClassFile=Classe (nomearquivo.class.php)
 CronModuleHelp=Nome do diretório do módulo Dolibarr (também trabalha com módulo Dolibarr externo). Por exemplo para buscar método do objeto Dolibarr Product /htdocs/<u>produto</u>/class/product.class.php, o valor do módulo é o <i>produto</i>
 CronClassFileHelp=O nome do arquivo a ser carregado.<BR>Por exemplo para buscar método do objeto Dolibarr Product /htdocs/produtos/classe/<u>product.class.php</u>, o valor do nome do arquivo de classe é <i>product.class.php</i>
@@ -76,13 +64,10 @@ CronMethodHelp=O método de objeto para o lançamento. Por exemplo para buscar m
 CronArgsHelp=Os argumentos do método. Por exemplo para buscar método do objeto Product do Dolibarr /htdocs/produto/class/product.class.php, o valor de paramtetros pode ser <i>0, ProductRef</i>
 CronCommandHelp=A linha de comando do sistema a se executar.
 CronCreateJob=Criar novo trabalho agendado
-# Info
 CronInfoPage=Informaçao
-# Common
 CronType=Tipo de emprego
 CronType_method=Chamar metodo da classe Dolibarr
 CronType_command=Comando Shell
-CronMenu=Cron
 CronCannotLoadClass=Nao e possivel carregar a classe %s ou o objeto %s
 UseMenuModuleToolsToAddCronJobs=Vá ao menu "Principal - Módulo de ferramentas - Lista de trabalhos" para ver e editar a programação dos trabalhos.
 TaskDisabled=trabalho desativado
diff --git a/htdocs/langs/pt_BR/donations.lang b/htdocs/langs/pt_BR/donations.lang
index c8ab3c4a1c0efb76b5720cf0e9e428afd80b55cf..db8c55b3504b5c1ec31afa88d7534fbae0a8459f 100644
--- a/htdocs/langs/pt_BR/donations.lang
+++ b/htdocs/langs/pt_BR/donations.lang
@@ -9,34 +9,22 @@ NewDonation=Nova Doação
 DeleteADonation=Excluir uma doação
 ConfirmDeleteADonation=Tem certeza de que deseja excluir esta doação?
 ShowDonation=Mostrar doaçaõ
-DonationPromise=Promessa de Doação
-PromisesNotValid=Promessas Não Validadas
-PromisesValid=Promessas Validadas
 DonationsPaid=Doações pagas
 DonationsReceived=Doações Recebidas
 PublicDonation=Doação Pública
 DonationsNumber=Número de Doações
 DonationsArea=Área de Doações
-DonationStatusPromiseNotValidated=Promessa Não Validada
-DonationStatusPromiseValidated=Promessa Validada
 DonationStatusPaid=Doaçaõ recebida
-DonationStatusPromiseNotValidatedShort=Não Validada
 DonationStatusPromiseValidatedShort=Validada
-DonationStatusPaidShort=Recebido
 DonationTitle=Recibo de doação
 DonationDatePayment=Data de pagamento
-ValidPromess=Validar promessa
 DonationReceipt=Recibo doaçaõ
-BuildDonationReceipt=Criar Recibo
 DonationsModels=Modelo de documento de recepção de Doação
-LastModifiedDonations=As ultimas %s doações modificadaas 
+LastModifiedDonations=As ultimas %s doações modificadaas
 SearchADonation=Buscar doaçaõ
 DonationRecipient=Recipiente doaçaõ
-ThankYou=Obrigado
 IConfirmDonationReception=Declaro o recebimento como doaçaõ, de seguinte montante.
 MinimumAmount=O montante mínimo é de %s
-FreeTextOnDonations=Texto livre para mostrar no rodapé
-FrenchOptions=Opções para França
 DONATION_ART200=Mostrar o artigo 200 do CGI se você está preocupado
 DONATION_ART238=Mostrar o artigo 238 do CGI se você está preocupado
 DONATION_ART885=Mostrar o artigo 885 do CGI se você está preocupado
diff --git a/htdocs/langs/pt_BR/errors.lang b/htdocs/langs/pt_BR/errors.lang
index 2b4941657079bcd8126a5e88c1f4e2ff46d8b969..12eec79723a4e078b2f9be5e2d9f0e6121b49f45 100644
--- a/htdocs/langs/pt_BR/errors.lang
+++ b/htdocs/langs/pt_BR/errors.lang
@@ -1,10 +1,5 @@
 # Dolibarr language file - Source file is en_US - errors
-
-# No errors
 NoErrorCommitIsDone=Nenhum erro, cometemos
-# Errors
-Error=Erro
-Errors=Erros
 ErrorButCommitIsDone=Erros encontrados, mas que, apesar disso validar
 ErrorBadEMail=EMail% s está errado
 ErrorBadUrl=Url% s está errado
@@ -16,27 +11,20 @@ ErrorFailToRenameFile=Falha ao renomear o arquivo <b>'% s'</b> para <b>'% s'.</b
 ErrorFailToDeleteFile=Error à eliminar o Arquivo '<b>%s</b>'.
 ErrorFailToCreateFile=Erro ao criar o arquivo '<b<%s</b>'
 ErrorFailToRenameDir=Error à renombar a pasta '<b>%s</b>' a '<b>%s</b>'.
-ErrorFailToCreateDir=Erro ao criar a pasta '<b>%s</b>'
 ErrorFailToDeleteDir=Error à eliminar a pasta '<b>%s</b>'.
 ErrorFailedToDeleteJoinedFiles=impossível eliminar a entidade já que tem Arquivos anexos. Elimine antes os Arquivos anexos
 ErrorThisContactIsAlreadyDefinedAsThisType=Este contato já está definido como contato para este tipo.
-ErrorCashAccountAcceptsOnlyCashMoney=Esta conta bancaria é de tipo Caixa e só aceita o método de pagamento de tipo <b>especie</b>.
 ErrorFromToAccountsMustDiffers=a conta origem e destino devem ser diferentes.
 ErrorBadThirdPartyName=Nome de Fornecedor incorreto
 ErrorProdIdIsMandatory=Obrigatório
 ErrorBadCustomerCodeSyntax=a sintaxis do código cliente é incorreta
 ErrorBadBarCodeSyntax=Bad sintaxe para código de barras. Pode ser que você definir um tipo de código de barras mal ou você definida uma máscara de código de barras para a numeração que não coincide com o valor verificado.
-ErrorCustomerCodeRequired=Código cliente obrigatório
 ErrorBarCodeRequired=Código de barras necessário
-ErrorCustomerCodeAlreadyUsed=Código de cliente já utilizado
 ErrorBarCodeAlreadyUsed=Código de barras já utilizado
-ErrorPrefixRequired=Prefixo obrigatório
 ErrorUrlNotValid=O Endereço do Site está incorreta
 ErrorBadSupplierCodeSyntax=a sintaxis do código fornecedor é incorreta
-ErrorSupplierCodeRequired=Código fornecedor obrigatório
-ErrorSupplierCodeAlreadyUsed=Código de fornecedor já utilizado
 ErrorBadParameters=parâmetros incorretos
-ErrorBadValueForParameter=Valor errado, parâmetro incorreto 
+ErrorBadValueForParameter=Valor errado, parâmetro incorreto
 ErrorBadImageFormat=Arquivo imagem de formato não suportado (Seu PHP não suporta funções para converter neste formato)
 ErrorBadDateFormat=Valor tem o formato de data errada
 ErrorWrongDate=A data não está correta!
@@ -72,33 +60,27 @@ ErrorLDAPSetupNotComplete=a configuração Dolibarr-LDAP é incompleta.
 ErrorLDAPMakeManualTest=foi criado unn Arquivo .ldif na pasta %s. Trate de gastor manualmente este Arquivo a partir da linha de comandos para Obter mais detalles acerca do error.
 ErrorCantSaveADoneUserWithZeroPercentage=No se pode cambiar uma acção ao estado no comenzada si tiene un usuario realizante de  a acción.
 ErrorRefAlreadyExists=a referencia utilizada para a criação já existe
-ErrorPleaseTypeBankTransactionReportName=Introduzca o Nome do registo bancario sobre a qual o escrito está constatado (formato AAAAMM ó AAAMMJJ)
 ErrorRecordHasChildren=não se pode eliminar o registo porque tem hijos.
 ErrorRecordIsUsedCantDelete=Não é possível excluir registro. Ele já é usado ou incluídos em outro objeto.
 ErrorModuleRequireJavascript=Javascript não deve ser desativado para ter esse recurso funcionando. Para ativar / desativar o Javascript, vá ao menu Home-> Configuração-> Display.
-ErrorPasswordsMustMatch=Ambas as senhas digitadas devem corresponder entre si
 ErrorContactEMail=Ocorreu um erro técnico. Por favor, contate o administrador no seguinte e-mail <b>%s</b> e forneça o seguinte código de erro <b>%s</b> em sua mensagem. Ou, se possível, adicione uma foto da tela - print screen.
 ErrorWrongValueForField=Valor errado para o número do <b>campo% s</b> (valor <b>'% s'</b> não corresponde <b>regra% s)</b>
 ErrorFieldValueNotIn=Valor errado para o número do campo <b>%s</b> (valor <b>'%s'</b> não é um valor disponível no campo<b>%s</b> da <b>tabela% s =%s)</b>
 ErrorFieldRefNotIn=Valor errado para o número do <b>campo% s</b> (valor <b>'% s'</b> não é <b>um% s</b> ref existente)
 ErrorsOnXLines=Erros no registro de <b>origem% s</b> (s)
-ErrorFileIsInfectedWithAVirus=O programa antivírus não foi capaz de validar o arquivo (arquivo pode ser infectado por um vírus)
 ErrorSpecialCharNotAllowedForField=Os caracteres especiais não são permitidos para o campo "% s"
 ErrorDatabaseParameterWrong=Parâmetro de configuração do banco de dados <b>'% s'</b> tem um valor não é compatível para usar Dolibarr (deve ter o valor <b>'% s').</b>
 ErrorNumRefModel=Uma referência existe no banco de dados (% s) e não é compatível com esta regra de numeração. Remover registro ou referência renomeado para ativar este módulo.
 ErrorQtyTooLowForThisSupplier=Quantidade insuficiente para este fornecedor
 ErrorModuleSetupNotComplete=Configuração do módulo parece ser incompleto. Vá em Setup - Módulos para ser concluído.
-ErrorBadMask=Erro na máscara
 ErrorBadMaskFailedToLocatePosOfSequence=Erro, máscara sem número de sequência
 ErrorBadMaskBadRazMonth=Erro, valor de redefinição ruim
 ErrorMaxNumberReachForThisMask=Número máximo de alcance para essa máscara
 ErrorCounterMustHaveMoreThan3Digits=Contador deve ter mais de 3 dígitos
-ErrorSelectAtLeastOne=Erro. Selecione pelo menos uma entrada.
 ErrorProductWithRefNotExist=O produto com referência não existem <i>'% s'</i>
 ErrorDeleteNotPossibleLineIsConsolidated=Não e possívelexcluir porque registro está ligada a uma transação bancária que está conciliada
 ErrorProdIdAlreadyExist=% S é atribuída a outro terço
 ErrorFailedToSendPassword=Erro ao enviar a senha
-ErrorFailedToLoadRSSFile=Falha ao obter feed RSS. Tente adicionar MAIN_SIMPLEXMLLOAD_DEBUG constante se as mensagens de erro não fornecer informações suficientes.
 ErrorPasswordDiffers=As Senhas não são identicas, volte a introduzi-las
 ErrorForbidden=acesso não autorizado.<br>Tentando acessar a uma página, zona o função sem estar em uma Sessão autentificada o que não se autoriza para a sua conta de usuário.
 ErrorForbidden2=Os permissões para este usuário podem ser designados por o administrador Dolibarr mediante o menu %s-> %s.
@@ -106,7 +88,6 @@ ErrorForbidden3=Dolibarr não parece funcionar em uma Sessão autentificada. Con
 ErrorNoImagickReadimage=a função imagick_readimage não está presente nesta Instalação de PHP. a resenha não está pois disponível. Os administradores podem desativar esta separador ao menu configuração - visualização.
 ErrorRecordAlreadyExists=registo já existente
 ErrorCantReadFile=Erro na leitura do arquivo '&s'
-ErrorCantReadDir=Erro na leitura da pasta '%s'
 ErrorFailedToFindEntity=Error de leitura da entidade '%s'
 ErrorBadLoginPassword=Identificadores de usuário o senha incorretos
 ErrorLoginDisabled=a sua conta está desativada
@@ -117,8 +98,7 @@ ErrorLoginHasNoEmail=Este usuário não tem e-mail. impossível continuar.
 ErrorBadValueForCode=Valor incorreto para o código. volte a \ttentar com um Novo valor...
 ErrorBothFieldCantBeNegative=Campos% se% s não pode ser tanto negativo
 ErrorQtyForCustomerInvoiceCantBeNegative=A quantidade nas linhas das notas de clientes não pode ser negativa
-ErrorWebServerUserHasNotPermission=Conta de usuário usado para executar servidor não tem permissão 
-ErrorNoActivatedBarcode=Nenhum tipo de código de barras ativado
+ErrorWebServerUserHasNotPermission=Conta de usuário usado para executar servidor não tem permissão
 ErrUnzipFails=Falha ao descompactar com ZipArchive
 ErrNoZipEngine=Não esta instaladoo programa para descompactar o arquivo% s neste PHP
 ErrorFileMustBeADolibarrPackage=O arquivo deve ser um pacote zip Dolibarr
@@ -129,7 +109,6 @@ ErrorFailedToRemoveToMailmanList=Falha ao remover registro% s para% s Mailman li
 ErrorNewValueCantMatchOldValue=O novo valor não pode ser igual ao anterior
 ErrorFailedToValidatePasswordReset=Falha ao reinicializar senha. Pode ser o reinit já foi feito (este link pode ser usado apenas uma vez). Se não, tente reiniciar o processo reinit.
 ErrorToConnectToMysqlCheckInstance=Conecte-se ao banco de dados falhar. Verifique servidor MySQL está rodando (na maioria dos casos, você pode iniciá-lo a partir de linha de comando com o "sudo / etc / init.d / mysql start ').
-ErrorFailedToAddContact=Falha ao adicionar contato
 ErrorDateMustBeBeforeToday=A data não pode ser maior do que hoje
 ErrorPaymentModeDefinedToWithoutSetup=A modalidade de pagamento foi definido para tipo% s mas a configuração do módulo de fatura não foi concluída para definir as informações para mostrar para esta modalidade de pagamento.
 ErrorPHPNeedModule=Erro, o PHP deve ter <b>módulo% s</b> instalado para usar este recurso.
@@ -159,8 +138,6 @@ ErrorPriceExpression22=Resultado negativo '%s'
 ErrorPriceExpressionInternal=Erro interno '%s'
 ErrorPriceExpressionUnknown=Erro desconhecido '%s'
 ErrorSrcAndTargetWarehouseMustDiffers=Origem e de destino de armazéns devem ser diferentes
-ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on a product requiring lot/serial information
-ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action
 ErrorCantSetReceptionToTotalDoneWithReceptionDenied=Todas as recepções gravadas primeiro devem ser verificada (aprovado) antes de serem autorizados a fazer esta ação
 ErrorGlobalVariableUpdater0=Pedido HTTP falhou com o erro '%s'
 ErrorGlobalVariableUpdater1=Formato JSON inválido '%s'
@@ -171,8 +148,6 @@ ErrorGlobalVariableUpdater5=Nenhuma variável global selecionado
 ErrorFieldMustBeANumeric=O campo <b>%s</b> deve ser um valor numérico
 ErrorFieldMustBeAnInteger=O campo <b>%s</b> deve ser um inteiro
 ErrorMandatoryParametersNotProvided=Parâmetro (s) de preenchimento obrigatório não fornecidas
-
-# Warnings
 WarningMandatorySetupNotComplete=Parâmetros de configuração obrigatórios ainda não estão definidos
 WarningSafeModeOnCheckExecDir=Atenção, a opção PHP <b>safe_mode</b> está em modo de comando devem ser armazenados dentro de um diretório declarado pelo php parâmetro <b>safe_mode_exec_dir.</b>
 WarningAllowUrlFopenMustBeOn=o parâmetro <b>allow_url_fopen</b> deve ser especificado a <b>on</b> ao Arquivo <b>php.ini</b> para discolocar deste módulo completamente ativo. deve modificar este Arquivo manualmente
diff --git a/htdocs/langs/pt_BR/holiday.lang b/htdocs/langs/pt_BR/holiday.lang
index c34e906ca64b5b2102fca5d104c593e00c362f95..fd0f6ae6a84b6196e376e41d5a83f5fb9762af53 100644
--- a/htdocs/langs/pt_BR/holiday.lang
+++ b/htdocs/langs/pt_BR/holiday.lang
@@ -1,18 +1,14 @@
 # Dolibarr language file - Source file is en_US - holiday
-HRM=HRM
 Holidays=Folhas
 CPTitreMenu=Folhas
 MenuReportMonth=Relatorio mensal
-MenuAddCP=Faça um pedido de licença
 NotActiveModCP=Você deve permitir módulo de folhas para visualizar esta página.
-NotConfigModCP=You must configure the module Leaves 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=Você não tem qualquer dia disponível.
 AddCP=Faça um pedido de licença
 Employe=Empregado
 DateDebCP=Data inicio
 DateFinCP=Data fim
 DateCreateCP=Data criacão
-DraftCP=Rascunho
 ToReviewCP=Aguardando aprovação
 ApprovedCP=Aprovado
 CancelCP=Cancelado
@@ -20,12 +16,8 @@ RefuseCP=Negado
 ValidatorCP=Aprovador
 ListeCP=Lista de folhas
 ReviewedByCP=Sera revisado por
-DescCP=Descrição
 SendRequestCP=Criar pedido de licença
-DelayToRequestCP=Leave requests must be made at least <b>%s day(s)</b> before them.
-MenuConfCP=Edit balance of leaves
 UpdateAllCP=Atualize as folhas
-SoldeCPUser=Leaves balance is <b>%s</b> days.
 ErrorEndDateCP=Você deve selecionar uma data final posterior à data inicial.
 ErrorSQLCreateCP=Ocorreu um erro no SQL durante a criação:
 ErrorIDFicheCP=Ocorreu um erro, o pedido de licença não existe.
@@ -36,13 +28,9 @@ InfosWorkflowCP=Fluxo de Trabalho de Informação
 RequestByCP=Requisitado por
 TitreRequestCP=Deixar pedido
 NbUseDaysCP=Número de dias de férias consumida
-EditCP=Editar
 DeleteCP=Eliminar
 ActionValidCP=Confirmar
 ActionRefuseCP=Não autorizar
-ActionCancelCP=Cancelar
-StatutCP=Estado
-SendToValidationCP=Enviar para validação
 TitleDeleteCP=Excluir o pedido de licença
 ConfirmDeleteCP=Confirme a eliminação do pedido de licença?
 ErrorCantDeleteCP=Erro você não tem o direito de excluir este pedido de licença.
@@ -54,7 +42,6 @@ NoDateFin=Você deve selecionar uma data final.
 ErrorDureeCP=O seu pedido de licença não contém dia de trabalho.
 TitleValidCP=Aprovar o pedido de licença
 ConfirmValidCP=Tem certeza de que deseja aprovar o pedido de licença?
-DateValidCP=Data aprovada
 TitleToValidCP=Enviar pedido de licença
 ConfirmToValidCP=Tem certeza de que deseja enviar a solicitação de licença?
 TitleRefuseCP=Recusar o pedido de licença
@@ -71,22 +58,16 @@ MotifCP=Razão
 UserCP=Usuário
 ErrorAddEventToUserCP=Ocorreu um erro ao adicionar a licença excepcional.
 AddEventToUserOkCP=A adição da licença excepcional tenha sido concluída.
-MenuLogCP=Ver registos de pedidos de licença
 LogCP=Log de atualizações de dias de férias disponíveis
 ActionByCP=Interpretada por
-UserUpdateCP=Para o utilizador
 PrevSoldeCP=Balanço anterior
 NewSoldeCP=Novo Balanco
 alreadyCPexist=Um pedido de licença já foi feito sobre este período.
 UserName=Apelidos
-Employee=Empregado
-FirstDayOfHoliday=Primeiro dia de férias
 LastDayOfHoliday=Último dia de férias
 HolidaysMonthlyUpdate=A atualização mensal
 ManualUpdate=Atualização manual
 HolidaysCancelation=Deixar pedido de cancelamento
-
-## Configuration du Module ##
 ConfCP=Configuração do módulo de pedido de licença
 DescOptionCP=Descrição da opção
 ValueOptionCP=Valor
@@ -95,21 +76,15 @@ ConfirmConfigCP=Validar a configuração
 LastUpdateCP=Última atualização automática de alocação de folhas
 UpdateConfCPOK=Atualizado com sucesso.
 ErrorUpdateConfCP=Ocorreu um erro durante a atualização, por favor, tente novamente.
-AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
 DelayForSubmitCP=Prazo de fazer pedidos de licença
-AlertapprobatortorDelayCP=Prevent the approbator if the leave request does not match the deadline
-AlertValidatorDelayCP=Préevent the approbator if the leave request exceed delay
-AlertValidorSoldeCP=Prevent the approbator if the leave request exceed the balance
 nbUserCP=Número de usuários suportados nas folhas de módulo
 nbHolidayDeductedCP=Número de dias de férias a ser deduzido por dia de férias tomadas
 nbHolidayEveryMonthCP=Número de dias de férias adicionados a cada mês
-Module27130Name= Gestão de pedidos de licença
-Module27130Desc= Gestão de pedidos de licença
+Module27130Name=Gestão de pedidos de licença
+Module27130Desc=Gestão de pedidos de licença
 TitleOptionMainCP=Definições principais do pedido de licença
-TitleOptionEventCP=Settings of leave requets for events
 ValidEventCP=Confirmar
 UpdateEventCP=Eventos de atualização
-CreateEventCP=Criar
 NameEventCP=Nome do evento
 OkCreateEventCP=A adição do evento correu bem.
 ErrorCreateEventCP=Erro ao criar o evento.
@@ -127,22 +102,11 @@ ErrorMailNotSend=Ocorreu um erro durante o envio de e-mail:
 NoCPforMonth=Não deixe este mês.
 nbJours=Número de dias
 TitleAdminCP=Configuração das folhas
-#Messages
-Hello=Olá
 HolidaysToValidate=Validar as solicitações de licença
 HolidaysToValidateBody=Abaixo está um pedido de licença para validar
-HolidaysToValidateDelay=This leave request will take place within a period of less than %s days.
-HolidaysToValidateAlertSolde=The user who made this leave reques do not have enough available days.
 HolidaysValidated=Pedidos de licença validados
 HolidaysValidatedBody=O seu pedido de licença para %s para %s foi validado.
 HolidaysRefused=Pedido negado
 HolidaysRefusedBody=O seu pedido de licença para %s para %s foi negado pelo seguinte motivo:
-HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=O seu pedido de licença para %s para %s foi cancelada.
-Permission20000=Read you own leave requests
-Permission20001=Criar / alterar os seus pedidos de licença
-Permission20002=Criar / modificar pedidos de licença para todos
 Permission20003=Excluir pedidos de licença
-Permission20004=Setup users available vacation days
-Permission20005=Log avaliação de pedidos de licença modificados
-Permission20006=Read leaves monthly report
diff --git a/htdocs/langs/pt_BR/incoterm.lang b/htdocs/langs/pt_BR/incoterm.lang
index 589f47dbe0f650ff613eb7900474b67f2f489f05..65047fa2de0c781e9d9a9fe0b6a4dec8fdbc5def 100644
--- a/htdocs/langs/pt_BR/incoterm.lang
+++ b/htdocs/langs/pt_BR/incoterm.lang
@@ -1,7 +1,5 @@
-Module62000Name=Incoterm
+# Dolibarr language file - Source file is en_US - incoterm
 Module62000Desc=Adicione recursos para gerenciar Incoterm
 IncotermLabel=Incotermos
-IncotermSetupTitle1=Função
-IncotermSetupTitle2=Estado
 IncotermSetup=Configurações do modulo Incoterm
 IncotermFunctionDesc=Ativar recursos Incoterm (Terceiros, Propostas, Ordems de clientes, Faturas de clientes, Envios, Ordems de fornecedores)
diff --git a/htdocs/langs/pt_BR/install.lang b/htdocs/langs/pt_BR/install.lang
index 2ea606dddd1e0ad7f8269d3325890f8ae2f26349..e41876a3285823d570a75792072c71e237e86c9c 100644
--- a/htdocs/langs/pt_BR/install.lang
+++ b/htdocs/langs/pt_BR/install.lang
@@ -1,7 +1,6 @@
 # Dolibarr language file - Source file is en_US - install
 InstallEasy=Tentámos tornar a instalação do Dolibarr o mais fácil possível. É favor seguir as instruções passo-a-passo.
 MiscellaneousChecks=Checkando pré-requisitos
-DolibarrWelcome=Bem-vindo ao Dolibarr
 ConfFileExists=O arquivo de configuração <b>conf.php</b> existe.
 ConfFileDoesNotExists=Arquivo de <b>configuração %s</b> não existe!
 ConfFileDoesNotExistsAndCouldNotBeCreated=Arquivo de <b>configuração %s</b> não existe e não poderia ser criado!
@@ -16,7 +15,6 @@ PHPSupportGD=Este suporte PHP GD gráfica funções.
 PHPSupportUTF8=Este suporte PHP UTF8 funções.
 PHPMemoryOK=Seu PHP max sessão memória está definido <b>para %s.</b> Isto deve ser suficiente.
 PHPMemoryTooLow=Seu PHP max sessão memória está definido <b>para %s</b> bytes. Isto deve ser muito baixo. Alterar o seu <b>php.inem memory_limit</b> para definir parâmetro para pelo <b>menos %s</b> bytes.
-Recheck=Clique aqui para um teste mais significativo
 ErrorPHPDoesNotSupportSessions=Sua instalação não suporta PHP sessões. Esta característica é necessária para tornar Dolibarr trabalho. Verifique a sua configuração do PHP.
 ErrorPHPDoesNotSupportGD=Sua instalação PHP não suporta gráficos função GD. Não gráfico estarão disponíveis.
 ErrorPHPDoesNotSupportUTF8=Sua instalação PHP não suporta UTF8 funções. Dolibarr pode não funcionar corretamente. Resolva este antes de instalar Dolibarr.
@@ -33,9 +31,6 @@ ErrorDatabaseAlreadyExists=Base de dados' %s' já existe.
 IfDatabaseNotExistsGoBackAndUncheckCreate=Se não existe base de dados, volte e verifique a opção "Criar uma base de dados".
 IfDatabaseExistsGoBackAndCheckCreate=Caso dados já existe, volte e desmarque "Criar uma base de dados" opção.
 WarningBrowserTooOld=Navegador antigo. Faça a atualizaçao do seu navegador para uma versao mais recente de Firefox, Chrome ou Opera, e altamente recomendado.
-PHPVersion=Versão PHP
-YouCanContinue=Pode continuar...
-PleaseBePatient=Por favor, seja paciente ...
 License=A usar licença
 ConfigurationFile=Arquivo de configuração
 WebPagesDirectory=Directoria onde armazenar as páginas web
@@ -45,21 +40,12 @@ ForceHttps=Forcar conexoes seguras (https)
 CheckToForceHttps=Escolha esta opcao para forcar conexoes seguras (https).<br>Isto requere que o servidor web esta configurado para uso com certificado SSL.
 DolibarrDatabase=Base de dados Dolibarr
 DatabaseChoice=Escolha de base de dados
-DatabaseType=Tipo de base de dados
-DriverType=Driver tipo
-Server=Servidor
-ServerAddressDescription=Nome ou endereço IP para o servidor de dados, normalmente 'localhost' ao banco de dados está hospedado no mesmo servidor que servidor web
 ServerPortDescription=Database server port. Mantenha vazio se desconhecido.
-DatabaseServer=Database server
-DatabaseName=Nome da base de dados
 DatabasePrefix=Prefixo tabela banco de dados
-Login=Login
 AdminLogin=Login para o administrador da base de dados Dolibarr. Deixar em branco se a conexão é feita com anônimo
-Password=Password
 PasswordAgain=Introduza a password uma segunda vez
 AdminPassword=Password para o administrador da base de dados Dolibarr. Deixar em branco se a conexão é feita com anônimo
 CreateDatabase=Criar uma base de dados
-CreateUser=Criar usuário
 DatabaseSuperUserAccess=Base de dados - Acesso Superuser
 CheckToCreateDatabase=Verifique se caixa de dados não existe e deve ser criado. <br> Neste caso, você deve preencher o login / senha para o superusuário em conta, na parte inferior desta página.
 CheckToCreateUser=Caixa de login, se não existe e deve ser criado. <br> Neste caso, você deve preencher o login / senha para o superusuário em conta, na parte inferior desta página.
@@ -76,15 +62,12 @@ UserCreation=Usuário criação
 CreateDatabaseObjects=Criação dos objetos na base de dados...
 ReferenceDataLoading=Dados de base a carregar...
 TablesAndPrimaryKeysCreation=Tabelas e chaves primárias criação
-CreateTableAndPrimaryKey=Criar tabela %s
-CreateOtherKeysForTable=Crie chaves estrangeiras e índices para a tabela %s
 OtherKeysCreation=Chaves estrangeiras e índices criação
 FunctionsCreation=Funções criação
 AdminAccountCreation=A criar login do Administradore
 PleaseTypePassword=Por favor escreva uma password, passwords vazias não são permitidas !
 PleaseTypeALogin=Por favor escreva um login !
 PasswordsMismatch=As passwords diferem, tente novamente sff !
-SetupEnd=Fim da Configuração
 SystemIsInstalled=Instalação completa.
 SystemIsUpgraded=Dolibarr foi atualizado com êxito.
 YouNeedToPersonalizeSetup=Agora necessita de configurar o Dolibarr por forma a corresponder às suas necessidades (aspecto, funcionalidades, ...). Para tal clique no seguinte link:
@@ -93,53 +76,33 @@ GoToDolibarr=Vai para Dolibarr
 GoToSetupArea=Prosseguir para a área de configuração
 MigrationNotFinished=A versao do banco de dados nao e competamente atualizada, voce tera que aviar o processo de atualizacao novamente.
 GoToUpgradePage=Vai para a pagina de atualizaçao novamente
-Examples=Exemplos
 WithNoSlashAtTheEnd=Sem a barra "/" no final
 DirectoryRecommendation=É recomendado que você ponha esta directry das páginas da web diretório.
-LoginAlreadyExists=Já existe
-DolibarrAdminLogin=Dolibarr admin login
 AdminLoginAlreadyExists=Dolibarr conta administrador <b>' %s'</b> já existe.
 WarningRemoveInstallDir=Atenção, por razões de segurança, uma vez que a instalação ou atualização estiver completa, você deve remover o <b>diretório</b> de <b>instalação ou renomeá-lo para install.lock a fim de evitar o seu uso malicioso.</b>
 ThisPHPDoesNotSupportTypeBase=PHP Este sistema não suporta qualquer tipo de interface para acesso de dados %s
-FunctionNotAvailableInThisPHP=Não disponível neste PHP
-MigrateScript=Migrar script
-ChoosedMigrateScript=Escolhido migrar script
-DataMigration=Migração de dados
 DatabaseMigration=Estrutura migração de dados
 ProcessMigrateScript=Script transformação
 ChooseYourSetupMode=Escolha o seu modo de configuração e clique em "Iniciar" ...
 FreshInstall=Fresh instalar
 FreshInstallDesc=Utilize este modo, se esta for a primeira instalação. Se não, este modo pode reparar uma instalação anterior incompleto, mas se você deseja atualizar sua versão, selecione "Atualizar" modo.
-Upgrade=Upgrade
 UpgradeDesc=Use este modo se você tiver substituído Dolibarr antigos arquivos com arquivos de uma versão mais recente. Isto irá atualizar o seu banco de dados e dados.
-Start=Iniciar
 InstallNotAllowed=Instalação não permitidas pela <b>conf.php</b> permissões
-NotAvailable=Não disponível
 YouMustCreateWithPermission=Você deve criar o arquivo %s e definir permissões escrever sobre ele para instalar o servidor web durante o processo.
 CorrectProblemAndReloadPage=Corrija o problema e pressione a tecla F5 para recarregar página.
 AlreadyDone=Já migrou
 DatabaseVersion=Database versão
-ServerVersion=Database server version
 YouMustCreateItAndAllowServerToWrite=Você deve criar este diretório e para permitir que o servidor da web para escrever nela.
 CharsetChoice=Conjunto de caracteres escolha
-CharacterSetClient=Conjunto de caracteres utilizados para páginas HTML geradas
-CharacterSetClientComment=Escolher conjunto de caracteres para exibir na web. <br/> Padrão proposto um conjunto de caracteres é o do seu banco de dados.
 DBSortingCollation=Caracteres triagem fim
-DBSortingCollationComment=Escolha página código que define o caráter triagem fim utilizado por base de dados. Este parâmetro é também chamado de "recolha" por alguns bancos de dados. <br/> Esse parâmetro não pode ser definido se de dados já existe.
 CharacterSetDatabase=Conjunto de caracteres para o banco de dados
-CharacterSetDatabaseComment=Escolher conjunto de caracteres queria para o banco de dados criação. <br/> Esse parâmetro não pode ser definido se de dados já existe.
 YouAskDatabaseCreationSoDolibarrNeedToConnect=Você pergunta para criar base de <b>dados %s,</b> mas, para isso, Dolibarr necessidade de se conectar ao servidor com o <b>super-usuário %s %s</b> permissões.
 YouAskLoginCreationSoDolibarrNeedToConnect=Você pergunta para criar base de dados <b>login %s,</b> mas, para isso, Dolibarr necessidade de se conectar ao servidor com o <b>super-usuário %s %s</b> permissões.
-BecauseConnectionFailedParametersMayBeWrong=Como conexão falhou, de acolhimento ou super usuário parâmetros devem ser errado.
 OrphelinsPaymentsDetectedByMethod=Orphelins pagamento detectado pelo método %s
 RemoveItManuallyAndPressF5ToContinue=Removê-lo manualmente e pressione F5 para continuar.
-KeepDefaultValuesWamp=Você usa o DoliWamp Setup Wizard, para valores propostos aqui já estão otimizados. Alterá-los apenas se souber o que você faz.
 KeepDefaultValuesDeb=Voce esta usando o assistente de configuração do Dolibarr do pacote Linux (Ubuntu, Debian, Fedora...), portanto os valores propostos aqui estao ja optimizados. O unico parametro a se completar e a senha do administrador de banco de dados. Mude outros parametros somente se voce sabe o que esta fazendo.
-KeepDefaultValuesMamp=Você usa o DoliMamp Setup Wizard, para valores propostos aqui já estão otimizados. Alterá-los apenas se souber o que você faz.
 KeepDefaultValuesProxmox=Voçê esta usando o asistente de configuração do Dolibarr da Proxmox aplicação virtual, portanto os valores propostos aqui estão ja otimizados. Mude-os somente se voçê sabe o que esta fazendo.
-FieldRenamed=Campo renomeado
 IfLoginDoesNotExistsCheckCreateUser=Se login não existe ainda, você deve verificar a opção "Criar usuário"
-ErrorConnection=Servidor <b>" %s",</b> nome do banco de dados <b>" %s",</b> login <b>" %s",</b> ou banco de dados senha pode estar errado ou PHP versão cliente pode ser muito velho para comparação de dados versão.
 InstallChoiceRecommanded=Versao recomendada para instalação <b>%s</b> da sua versao corrente <b>%s</b>
 InstallChoiceSuggested=<b>Escolha sugerida pelo sistema de installação</b>
 MigrateIsDoneStepByStep=A versão (%s) alvo tem uma lacuna de varias versões, portanto o asistente de instalação retornara com a sugestão seguinte apos terminado esta instalação.
@@ -152,53 +115,31 @@ NextStepMightLastALongTime=O passo seguinte pode demorar alguns minutos. Por fav
 MigrationCustomerOrderShipping=Migrar espedicao para pedidos de cliente de armazenamento
 MigrationShippingDelivery=Atualizar armazenamento de espediçoes
 MigrationShippingDelivery2=Atualizar armazenamento de espediçao 2
-MigrationFinished=Migração terminada
 LastStepDesc=<strong>Ultimo passo</strong>: Defina aqui o usuario e a senha que voce planeja usar para conectar-se ao software. Nao perca estas credenciais, pois sao da conta que administra todas as outras contas.
 ActivateModule=Ativar modulo %s
 ShowEditTechnicalParameters=Clique aqui para mostrar/editar parametros avançados (modo avançado)
 WarningUpgrade=Aviso:\nVocê realizou já um backup do banco de dados ?\nIsto é altamente recomendado: por exemplo, devido a alguns bugs em sistemas de bancos de dados (exemplo da versão 5.5.40 do mySql), alguns dados ou tabelas podem ser perdidos durante este processo, por isso é altamente recomendado ter um backup completo de seu banco de dados antes de iniciar a migração.\n\nClique em OK para iniciar o processo de migração...
 ErrorDatabaseVersionForbiddenForMigration=Sua versão de banco de dados é %s. Ele tem uma perda de dados tomada de bug crítico se você fizer mudanças na estrutura de seu banco de dados, como é exigido pelo processo de migração. Por sua razão, a migração não será permitida até que você atualize seu banco de dados para uma versão fixa superior (lista de versão grampeado conhecido: %s)
-
-#########
-# upgrade
 MigrationFixData=Correção para dados não normalizados
-MigrationOrder=Migração de dados para os clientes "ordens
-MigrationSupplierOrder=Migração de dados de Fornecedores' ordens
 MigrationProposal=Migração de dados de propostas comerciais
 MigrationInvoice=Migração de dados para os clientes "faturas
-MigrationContract=Migração de dados para os contratos
-MigrationSuccessfullUpdate=Atualização bem sucedida
 MigrationUpdateFailed=Falied atualizar processo
 MigrationRelationshipTables=Migração de dados para as tabelas de relação (%s)
-MigrationPaymentsUpdate=Pagamento correção de dados
-MigrationPaymentsNumberToUpdate=%s pagamento (s) para atualizar
-MigrationProcessPaymentUpdate=Atualização pagamento (s) %s
-MigrationPaymentsNothingToUpdate=Não há mais coisas para fazer
 MigrationPaymentsNothingUpdatable=Não mais pagamentos que podem ser corrigidos
 MigrationContractsUpdate=Contrato correção de dados
-MigrationContractsNumberToUpdate=%s contrato (s) para atualizar
-MigrationContractsLineCreation=Criar uma linha de contrato contrato ref %s
-MigrationContractsNothingToUpdate=Não há mais coisas para fazer
-MigrationContractsFieldDontExist=Campo fk_facture não existe mais. Nada a fazer.
 MigrationContractsEmptyDatesUpdate=Contrato vazio data correção
 MigrationContractsEmptyDatesUpdateSuccess=Contrato emtpy data correção feita com sucesso
 MigrationContractsEmptyDatesNothingToUpdate=Nenhum contrato vazio data para corrigir
-MigrationContractsEmptyCreationDatesNothingToUpdate=Nenhum contrato data de criação para corrigir
 MigrationContractsInvalidDatesUpdate=Bad data valor contrato correção
 MigrationContractsInvalidDateFix=Corret contrato %s (Contrato date
-MigrationContractsInvalidDatesNumber=%s contratos modificados
 MigrationContractsInvalidDatesNothingToUpdate=Não data com valor negativo para corrigir
 MigrationContractsIncoherentCreationDateUpdate=Bad valor contrato data de criação correção
 MigrationContractsIncoherentCreationDateUpdateSuccess=Bad valor contrato data de criação correção feita com sucesso
 MigrationContractsIncoherentCreationDateNothingToUpdate=Não mau contrato data de criação de valor para corrigir
 MigrationReopeningContracts=Abrir contrato encerrado pelo erro
-MigrationReopenThisContract=Reabra contrato %s
-MigrationReopenedContractsNumber=%s contratos modificados
 MigrationReopeningContractsNothingToUpdate=Não encerrado contrato para abrir
 MigrationBankTransfertsUpdate=Atualizar vínculos entre banco e uma transação bancária transferência
-MigrationBankTransfertsNothingToUpdate=Todas as ligações são até à data
 MigrationShipmentOrderMatching=Sendings recepção atualização
-MigrationDeliveryOrderMatching=Entrega recepção atualização
 MigrationDeliveryDetail=Entraga atualizada
 MigrationStockDetail=Atualizar valores do estoque dos produtos
 MigrationMenusDetail=Atualize menus das tabelas dinâmicas
@@ -208,8 +149,6 @@ MigrationProjectUserResp=Dados da migração do campo fk_user_resp de llx_projet
 MigrationProjectTaskTime=Atualizar tempo gasto em sgundos
 MigrationActioncommElement=Atualizar dados nas ações
 MigrationPaymentMode=Migração de dados para o modo de pagamento
-MigrationCategorieAssociation=Migração de categorias
 MigrationEvents=Migração de eventos para adicionar proprietário evento na tabela de atribuição
-
 ShowNotAvailableOptions=Mostrar as opções não disponíveis
 HideNotAvailableOptions=Esconder as opção não disponível
diff --git a/htdocs/langs/pt_BR/interventions.lang b/htdocs/langs/pt_BR/interventions.lang
index 019238c6d71c5705eb55d368bb0c429477d09f61..abefcec463957832f673f58ea6b90b553e40dd3a 100644
--- a/htdocs/langs/pt_BR/interventions.lang
+++ b/htdocs/langs/pt_BR/interventions.lang
@@ -1,29 +1,13 @@
 # Dolibarr language file - Source file is en_US - interventions
-Intervention=Intervenção
-Interventions=Intervenções
-InterventionCard=Ficha de Intervenção
-NewIntervention=Nova Intervenção
 AddIntervention=Criar Intervenção
-ListOfInterventions=Lista de Intervenções
-EditIntervention=Editar
 ActionsOnFicheInter=Açoes na intervençao
-LastInterventions=As %s últimas Intervenções
-AllInterventions=Todas as Intervenções
-CreateDraftIntervention=Criar Rascunho
 CustomerDoesNotHavePrefix=O cliente não tem prefixoo de definido
 InterventionContact=Contato Intervenção
-DeleteIntervention=Eliminar Intervenção
-ValidateIntervention=Confirmar Intervenção
 ModifyIntervention=Modificar intervençao
-DeleteInterventionLine=Eliminar Linha de Intervenção
 ConfirmDeleteIntervention=Tem certeza que quer eliminar esta intervenção?
 ConfirmValidateIntervention=Tem certeza que quer Confirmar esta intervenção?
 ConfirmModifyIntervention=Tem certeza que quer modificar esta intervenção?
 ConfirmDeleteInterventionLine=Tem certeza que quer eliminar esta linha?
-NameAndSignatureOfInternalContact=Nome e Assinatura do Participante:
-NameAndSignatureOfExternalContact=Nome e Assinatura do Cliente:
-DocumentModelStandard=Modelo da Norma Intervenção
-InterventionCardsAndInterventionLines=Fichas e Linhas de Intervenção
 InterventionClassifyBilled=Classificar "Faturado"
 InterventionClassifyUnBilled=Classificar "à faturar"
 StatusInterInvoiced=Faturado
@@ -36,16 +20,11 @@ InterventionValidatedInDolibarr=Intervenção %s validada
 InterventionModifiedInDolibarr=Intervenção %s alterada
 InterventionClassifiedBilledInDolibarr=Intervenção %s classificada como Faturada
 InterventionClassifiedUnbilledInDolibarr=Intervenção %s definida como à faturar
-InterventionSentByEMail=Intervenção %s enviada por e-mail
 InterventionDeletedInDolibarr=Intervenção %s excluída
 SearchAnIntervention=Pesquisar uma intervenção
-##### Types de contacts #####
 TypeContact_fichinter_internal_INTERREPFOLL=Responsável do Seguimento da Intervenção
-TypeContact_fichinter_internal_INTERVENING=Interveniente
 TypeContact_fichinter_external_BILLING=Contato do cliente da faturação da intervenção
 TypeContact_fichinter_external_CUSTOMER=Contato do cliente do seguimento da intervenção
-# Modele numérotation
-ArcticNumRefModelDesc1=Modelo de numeração genérico
 ArcticNumRefModelError=Ativação Impossível
 PacificNumRefModelDesc1=Devolve o número com o formato %syymm-nnnn onde yy é o ano, mm. O mês e nnnn um contador seq�êncial sem ruptura e sem ficar a 0
 PacificNumRefModelError=Uma fatura que começa por # $$syymm existe na base e é incompativel com esta numeração. Eliminia  ou renomea-la para ativar este módulo.
diff --git a/htdocs/langs/pt_BR/languages.lang b/htdocs/langs/pt_BR/languages.lang
index 86557683d30e41d27639ae472c07bf02cd16064b..4ebb88a86c90e6dbf88be18981cd839d1458880f 100644
--- a/htdocs/langs/pt_BR/languages.lang
+++ b/htdocs/langs/pt_BR/languages.lang
@@ -1,10 +1,7 @@
 # Dolibarr language file - Source file is en_US - languages
-
 Language_ar_AR=Arabe
 Language_ar_SA=Arabe
-Language_bn_BD=Bengali
 Language_bg_BG=Bulgaro
-Language_bs_BA=Bósnio
 Language_ca_ES=Catalao
 Language_cs_CZ=Tcheco
 Language_da_DA=Danes
@@ -12,7 +9,6 @@ Language_da_DK=Danes
 Language_de_DE=Alemao
 Language_de_AT=Alemao (Austria)
 Language_de_CH=Alemão (Suíça)
-Language_el_GR=Grego
 Language_en_AU=Ingles (Australia)
 Language_en_CA=Ingles (Canada)
 Language_en_GB=Ingles (Renho Unido)
@@ -20,59 +16,25 @@ Language_en_IN=Ingles (India)
 Language_en_NZ=Ingles (Nova Zelandia)
 Language_en_SA=Ingles (Arabia Saudita)
 Language_en_US=Ingles (Estados Unidos)
-Language_en_ZA=Inglês (África do Sul)
-Language_es_ES=Espanhol
-Language_es_AR=Espanhol (Argentina)
-Language_es_CL=Espanhol (Chile)
 Language_es_CO=Espanhol (Colômbia)
-Language_es_DO=Espanhol (República Dominicana)
-Language_es_HN=Espanhol (Honduras)
 Language_es_MX=Espanhol (Mexico)
-Language_es_PY=Espanhol (Paraguai)
-Language_es_PE=Espanhol (Peru)
-Language_es_PR=Espanhol (Porto Rico)
 Language_et_EE=Estone
-Language_eu_ES=Basco
 Language_fa_IR=Persio
 Language_fi_FI=Finlandes
 Language_fr_BE=Fançes (Belgica)
 Language_fr_CA=Françes (Canada)
 Language_fr_CH=Françes (Suiça)
 Language_fr_FR=Françes
-Language_fr_NC=Francês (Nova Caledónia)
 Language_he_IL=Ebreo
-Language_hr_HR=Croata
 Language_hu_HU=Ungeres
-Language_id_ID=Indonésio
 Language_is_IS=Islandes
-Language_it_IT=Italiano
 Language_ja_JP=Japones
 Language_ka_GE=Georgiano
-Language_kn_IN=Kannada
-Language_ko_KR=Coreano
-Language_lo_LA=Lao
-Language_lt_LT=Lituano
-Language_lv_LV=Letão
-Language_mk_MK=Macedónio
 Language_nb_NO=Norveges (Bokmal)
-Language_nl_BE=Holandês (Bélgica)
 Language_nl_NL=Holandês (Holanda)
 Language_pl_PL=Polones
 Language_pt_BR=Portugues (Brasil)
 Language_pt_PT=Portugues
-Language_ro_RO=Romeno
-Language_ru_RU=Russo
 Language_ru_UA=Russo (Ukrania)
-Language_tr_TR=Turco
-Language_sl_SI=Esloveno
-Language_sv_SV=Sueco
-Language_sv_SE=Sueco
-Language_sq_AL=Albanês
-Language_sk_SK=Eslovaco
-Language_sw_SW=Kiswahili
-Language_th_TH=Thai
-Language_uk_UA=Ucraniano
-Language_uz_UZ=Uzbeque
-Language_vi_VN=Vietnamita
 Language_zh_CN=Chines
 Language_zh_TW=Chines (Tradicional)
diff --git a/htdocs/langs/pt_BR/loan.lang b/htdocs/langs/pt_BR/loan.lang
index 119685cd22a193b5e4d49e19d7bd6af53f2a9edf..21d18c46f1750b641cd7f268d601380016e09df0 100644
--- a/htdocs/langs/pt_BR/loan.lang
+++ b/htdocs/langs/pt_BR/loan.lang
@@ -5,23 +5,14 @@ NewLoan=Novo emprestimo
 ShowLoan=Mostrar emprestimo
 PaymentLoan=Pagamento do emprestimo
 ShowLoanPayment=Mostrar pagamento do emprestimo
-Capital=Capital
-Insurance=Seguro
 Interest=Juro
 Nbterms=Numero de termos
-LoanAccountancyCapitalCode=Accountancy code capital
-LoanAccountancyInsuranceCode=Accountancy code insurance
-LoanAccountancyInterestCode=Accountancy code interest
 LoanPayment=Pagamento de empréstimo
 ConfirmDeleteLoan=Confirme a exclusão deste empréstimo
-LoanDeleted=Loan Deleted Successfully
-ConfirmPayLoan=Confirm classify paid this loan
 LoanPaid=Empréstimo pago
 ErrorLoanCapital=Montante do empréstimo tem de ser numérico e maior que zero.
 ErrorLoanLength=Prazo do empréstimo tem de ser numérico e maior que zero.
 ErrorLoanInterest=Juros anual tem de ser numérico e maior que zero.
-# Calc
-LoanCalc=Bank Loans Calculator
 PurchaseFinanceInfo=Compra e Financiamento Informação
 SalePriceOfAsset=Preço de venda de ativos
 PercentageDown=Percentagem de Down
@@ -31,23 +22,6 @@ ExplainCalculations=Explique Cálculos
 ShowMeCalculationsAndAmortization=Mostre-me os cálculos e amortização
 MortgagePaymentInformation=Informação do pagamento de hipoteca
 DownPayment=Pagamento Inicial
-DownPaymentDesc=The <b>down payment</b> = The price of the home multiplied by the percentage down divided by 100 (for 5% down becomes 5/100 or 0.05)
-InterestRateDesc=The <b>interest rate</b> = The annual interest percentage divided by 100
-MonthlyFactorDesc=The <b>monthly factor</b> = The result of the following formula
-MonthlyInterestRateDesc=The <b>monthly interest rate</b> = The annual interest rate divided by 12 (for the 12 months in a year)
-MonthTermDesc=The <b>month term</b> of the loan in months = The number of years you've taken the loan out for times 12
-MonthlyPaymentDesc=The montly payment is figured out using the following formula
-AmortizationPaymentDesc=The <a href="#amortization">amortization</a> breaks down how much of your monthly payment goes towards the bank's interest, and how much goes into paying off the principal of your loan.
 AmountFinanced=Valor Financiado
 AmortizationMonthlyPaymentOverYears=Amortização de pagamento mensal: <b>%s%</b>de  %s ao longo dos anos
 Totalsforyear=Os totais de ano
-MonthlyPayment=Pagamento Mensal
-LoanCalcDesc=This <b>mortgage calculator</b> can be used to figure out monthly payments of a home mortgage loan, based on the home's sale price, the term of the loan desired, buyer's down payment percentage, and the loan's interest rate.<br> This calculator factors in PMI (Private Mortgage Insurance) for loans where less than 20% is put as a down payment. Also taken into consideration are the town property taxes, and their effect on the total monthly mortgage payment.<br>
-GoToInterest=%s will go towards INTEREST
-GoToPrincipal=%s will go towards PRINCIPAL
-YouWillSpend=You will spend %s on your house in year %s
-# Admin
-ConfigLoan=Configuração do módulo de empréstimo
-LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Accountancy code capital by default
-LOAN_ACCOUNTING_ACCOUNT_INTEREST=Accountancy code interest by default
-LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Accountancy code insurance by default
diff --git a/htdocs/langs/pt_BR/mails.lang b/htdocs/langs/pt_BR/mails.lang
index 1c2610c14b2e673ee73f40384f0463d355e62625..53eb4cab598518164443951824ac4696c3a2cfc3 100644
--- a/htdocs/langs/pt_BR/mails.lang
+++ b/htdocs/langs/pt_BR/mails.lang
@@ -1,47 +1,11 @@
 # Dolibarr language file - Source file is en_US - mails
-Mailing=Mailing
-EMailing=Mailing
-Mailings=Mailings
-EMailings=Mailings
-AllEMailings=Todos os E-Mailings
-MailCard=Ficha de Mailing
 MailTargets=Destinatários
-MailRecipients=Dsetinatarios
 MailRecipient=Destinatário
-MailTitle=Titulo
-MailFrom=Remetente
-MailErrorsTo=Erros a
-MailReply=Responder a
 MailTo=Destinatário(s)
 MailCC=Copiar para
-MailCCC=Adicionar Cópia a
-MailTopic=Assunto do e-mail
-MailText=Mensagem
 MailFile=Arquivo
-MailMessage=Mensagem do e-mail
-ShowEMailing=Mostrar E-Mailing
-ListOfEMailings=Lista de mailings
-NewMailing=Novo Mailing
-EditMailing=Editar Mailing
 ResetMailing=Limpar Mailing
-DeleteMailing=Eliminar Mailing
-DeleteAMailing=Eliminar um Mailing
-PreviewMailing=Previsualizar um Mailing
-PrepareMailing=Preparar Mailing
-CreateMailing=Criar E-Mailing
-MailingDesc=Esta página permite enviar e-mails a um grupo de pessoas.
 MailingResult=Resultado do envio de e-mails
-TestMailing=Teste mailing
-ValidMailing=Confirmar Mailing
-ApproveMailing=Aprovar Mailing
-MailingStatusDraft=Rascunho
-MailingStatusValidated=Validado
-MailingStatusApproved=Aprovado
-MailingStatusSent=Enviado
-MailingStatusSentPartialy=Enviado Parcialmente
-MailingStatusSentCompletely=Enviado Completamente
-MailingStatusError=Erro
-MailingStatusNotSent=Não Enviado
 MailSuccessfulySent=E-mail enviado corretamente (de %s a %s)
 MailingSuccessfullyValidated=Emailins validado com sucesso
 MailUnsubcribe=Desenscrever
@@ -49,19 +13,13 @@ Unsuscribe=Desenscrever
 MailingStatusNotContact=Nao contactar mais
 ErrorMailRecipientIsEmpty=A endereço do destinatário está vazia
 WarningNoEMailsAdded=nenhum Novo e-mail a Adicionar à lista destinatários.
-ConfirmValidMailing=Confirma a validação do mailing?
-ConfirmResetMailing=Confirma a limpeza do mailing?
-ConfirmDeleteMailing=Confirma a eliminação do mailing?
-NbOfRecipients=Número de destinatários
 NbOfUniqueEMails=N� de e-mails únicos
 NbOfEMails=N� de E-mails
 TotalNbOfDistinctRecipients=Número de destinatários únicos
 NoTargetYet=Nenhum destinatário definido
 AddRecipients=Adicionar destinatários
 RemoveRecipient=Eliminar destinatário
-CommonSubstitutions=Substituições comuns
 YouCanAddYourOwnPredefindedListHere=Para Criar o seu módulo de seleção e-mails, tem que ir a htdocs/core/modules/mailings/README.
-EMailTestSubstitutionReplacedByGenericValues=Em modo teste, as Variávels de substituição são sustituidas por valores genéricos
 MailingAddFile=Adicionar este Arquivo
 NoAttachedFiles=Sem arquivos anexos
 BadEMail=Valor errado para e-mail
@@ -71,8 +29,6 @@ CloneContent=Clonar mensagem
 CloneReceivers=Clonar recebidores
 DateLastSend=Data ultimo envio
 DateSending=Data envio
-SentTo=Enviado para <b>%s</b>
-MailingStatusRead=Ler
 CheckRead=Ler recebidor
 YourMailUnsubcribeOK=O e-mail <b>%s</b> foi removido com sucesso da lista
 MailtoEMail=Hyper-link ao e-mail
@@ -87,11 +43,8 @@ RemindSent=%s lembrete(s) de envio
 AllRecipientSelectedForRemind=Todos os endereços de e-mails dos representantes selecionados (note que será enviada uma mensagem por fatura)
 NoRemindSent=Sem lembrete de e-mail enviado
 ResultOfMassSending=Resultado do lembretes de envio em massa de e-mails
-
-# Libelle des modules de liste de destinataires mailing
 MailingModuleDescContactCompanies=Contatos de Fornecedores (clientes potenciais, clientes, Fornecedores...)
 MailingModuleDescDolibarrUsers=Usuários de Dolibarr que tem e-mail
-MailingModuleDescFundationMembers=Membros que tem e-mail
 MailingModuleDescEmailsFromFile=E-Mails de um Arquivo (e-mail;Nome;Vários)
 MailingModuleDescEmailsFromUser=Entrar e-mails de usuario (email;sobrenome;nome;outro)
 MailingModuleDescContactsCategories=Fornecedores com e-mail (por categoria)
@@ -103,36 +56,22 @@ MailingModuleDescContactsByFunction=Contatos/Enderecos de terceiros (por posiç
 LineInFile=Linha %s em arquivo
 RecipientSelectionModules=Módulos de seleção dos destinatários
 MailSelectedRecipients=Destinatários selecionados
-MailingArea=Área mailings
-LastMailings=Os %s últimos mailings
 TargetsStatistics=Estatísticas destinatários
 NbOfCompaniesContacts=Contatos únicos de empresas
 MailNoChangePossible=Destinatários de um mailing validado não modificaveis
-SearchAMailing=Procurar um mailing
-SendMailing=Enviar mailing
-SendMail=Enviar e-mail
-SentBy=Enviado por
 MailingNeedCommand=Para razões de segurança, o envio de um mailing em massa e melhor quando feito da linha de comando. Se voce tem uma, pergunte ao seu administrador de serviço de executar o comando seguinte para enviar o mailing em massa a todos os destinatarios:
 MailingNeedCommand2=Pode enviar em linha adicionando o parâmetro MAILING_LIMIT_SENDBYWEB com um valor número que indica o máximo n� de e-mails enviados por Sessão.
 ConfirmSendingEmailing=Caso voçê não pode ou prefere envia-los do seu www navegador, por favor confirme que voce tem certeza que quer enviar um mailing em massa do seu navegador ?
 LimitSendingEmailing=Observação: Envios de mailings em massa da interface web são feitas em varias vezes por causa de segurança e tempo limite, <b>%s</b> destinatarios por sessão de envio.
-TargetsReset=Limpar lista
 ToClearAllRecipientsClickHere=Para limpar a lista dos destinatários deste mailing, faça click ao botão
 ToAddRecipientsChooseHere=Para Adicionar destinatários, escoja os que figuran em listas a continuação
 NbOfEMailingsReceived=Mailings em massa recebidos
 NbOfEMailingsSend=E-mails em massa enviados
-IdRecord=ID registo
-DeliveryReceipt=Recibo de recpção
 YouCanUseCommaSeparatorForSeveralRecipients=Pode usar o caracter0 de separação <b>coma </b> para especificar multiplos destinatários.
 TagCheckMail=Seguir quando o e-mail sera lido
 TagUnsubscribe=Atalho para se desenscrever
 TagSignature=Assinatura do remetente
 TagMailtoEmail=E-mail destinatario
-# Module Notifications
-Notifications=Notificações
-NoNotificationsWillBeSent=Nenhuma notificação por e-mail está prevista para este evento e empresa
-ANotificationsWillBeSent=1 notificação vai a ser enviada por e-mail
-SomeNotificationsWillBeSent=%s Notificações vão ser enviadas por e-mail
 AddNewNotification=Ativar uma nova notificação email para alvo
 ListOfActiveNotifications=Listar todos os alvos ativos para notificação de email
 ListOfNotificationsDone=Listar todas as notificações de e-mail enviadas
diff --git a/htdocs/langs/pt_BR/main.lang b/htdocs/langs/pt_BR/main.lang
index 989404992d013bb726bd66964109b8bca32f0a70..3cdc90d671b7ffc80043a0fabcdad6bb5a2e727d 100644
--- a/htdocs/langs/pt_BR/main.lang
+++ b/htdocs/langs/pt_BR/main.lang
@@ -1,9 +1,5 @@
 # Dolibarr language file - Source file is en_US - main
 DIRECTION=ltr
-# Note for Chinese:
-# msungstdlight or cid0ct are for traditional Chinese (traditional does not render with Ubuntu pdf reader)
-# stsongstdlight or cid0cs are for simplified Chinese
-# To read Chinese pdf with Linux: sudo apt-get install poppler-data
 FONTFORPDF=helvetica
 FONTSIZEFORPDF=10
 SeparatorDecimal=,
@@ -23,43 +19,24 @@ FormatDateHourShort=%d/%m/%Y %I:%M %p
 FormatDateHourSecShort=%d/%m/%Y %I:%M:%S %p
 FormatDateHourTextShort=%d %b, %Y, %I:%M %p
 FormatDateHourText=%d %B, %Y, %I:%M %p
-DatabaseConnection=Login à Base de Dados
-NoTranslation=Sem tradução
 NoRecordFound=Registro nao encontrado
 NoError=Sem erro
-Error=Erro
-ErrorFieldRequired=O campo '%s' é obrigatório
 ErrorFieldFormat=O campo '%s' tem um valor incorreto
 ErrorFileDoesNotExists=O Arquivo %s não existe
 ErrorFailedToOpenFile=Impossível abrir o arquivo %s
-ErrorCanNotCreateDir=Impossível criar a pasta %s
-ErrorCanNotReadDir=Impossível ler a pasta %s
-ErrorConstantNotDefined=Parâmetro %s não definido
-ErrorUnknown=Erro desconhecido
-ErrorSQL=Erro de SQL
 ErrorLogoFileNotFound=O arquivo logo '%s' não se encontra
-ErrorGoToGlobalSetup=Ir á configuração ' Empresa/Instituição ' para corrigir
-ErrorGoToModuleSetup=Ir á configuração do módulo para corrigir
 ErrorFailedToSendMail=Erro ao envio do e-mail (emissor
 ErrorAttachedFilesDisabled=A Administração dos arquivos associados está desativada neste servidor
 ErrorFileNotUploaded=O arquivo não foi possível transferir
-ErrorInternalErrorDetected=Erro detectado
-ErrorNoRequestRan=Nenhuma petição realizada
-ErrorWrongHostParameter=Parâmetro Servidor inválido
 ErrorYourCountryIsNotDefined=O seu país não está definido. corrija indo a Configuração-Geral-Editar
 ErrorRecordIsUsedByChild=Impossível de suprimir este registo. Esta sendo utilizado como pai pelo menos em um registo filho.
 ErrorWrongValue=Valor incorreto
 ErrorWrongValueForParameterX=Valor incorreto do parâmetro %s
-ErrorNoRequestInError=Nenhuma petição em erro
 ErrorServiceUnavailableTryLater=Serviço não disponível atualmente. Volte a execução mais tarde.
-ErrorDuplicateField=Duplicado num campo único
-ErrorSomeErrorWereFoundRollbackIsDone=Encontraram-se alguns erros. Modificações desfeitas.
 ErrorConfigParameterNotDefined=O parâmetro <b>%s</b> não está definido ao arquivo de configuração Dolibarr <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Impossível encontrar o usuário <b>%s</b> na base de dados do Dolibarr.
 ErrorNoVATRateDefinedForSellerCountry=Erro, nenhum tipo de ICMS definido para o país '%s'.
-ErrorNoSocialContributionForSellerCountry=Erro, nenhum tipo de contribuição social definido para o pais '%s'.
 ErrorFailedToSaveFile=Erro, o registo do arquivo falhou.
-SetDate=Definir data
 SelectDate=Selecionar uma data
 SeeAlso=Ver tambem %s
 SeeHere=veja aqui
@@ -70,22 +47,15 @@ FileWasNotUploaded=O arquivo foi selecionado, mas nao foi ainda enviado. Clique
 NbOfEntries=Nr. de entradas
 GoToWikiHelpPage=Ler ajuda online ( necesita de acosso a internet)
 GoToHelpPage=Consulte a ajuda (pode necessitar de acesso à internet)
-RecordSaved=Registo Guardado
 RecordDeleted=Registro apagado
 LevelOfFeature=Nível de funções
-NotDefined=Não Definida
 DefinedAndHasThisValue=Definido e valor para
-IsNotDefined=indefinido
 DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr está configurado em modo de autenticação <b>%s</b> ao arquivo de configuração <b>conf.php</b>.<br> Eso significa que a base de dados das Senhas é externa a Dolibarr, por eso toda modificação deste campo pode resultar sem efeito alguno.
-Administrator=Administrador
-Undefined=Não Definido
 PasswordForgotten=Esqueceu de da sua senha?
 SeeAbove=Mencionar anteriormente
-HomeArea=Área Principal
 LastConnexion=último login
 PreviousConnexion=último login
 ConnectedOnMultiCompany=Conectado no ambiente
-ConnectedSince=Conectado desde
 AuthenticationMode=Modo autenticação
 RequestedUrl=Url solicitada
 DatabaseTypeManager=Tipo de gerente de base de dados
@@ -93,144 +63,68 @@ RequestLastAccess=Petição último acesso e a base de dados
 RequestLastAccessInError=Petição último acesso e a base de dados errado
 ReturnCodeLastAccessInError=Código devolvido último acesso e a base de dados errado
 InformationLastAccessInError=informação sobre o último acesso e a base de dados errado
-DolibarrHasDetectedError=O Dolibarr detectou um erro técnico
-InformationToHelpDiagnose=É aqui que a informação pode ajudar no diagnóstico
-MoreInformation=Mais Informação
-TechnicalInformation=Informação técnica 
-NotePublic=Nota (pública)
-NotePrivate=Nota (privada)
 PrecisionUnitIsLimitedToXDecimals=Dolibarr está configurado para limitar a precisão dos preços unitários a <b>%s</b> Decimais.
-DoTest=Teste
-ToFilter=Filtrar
 WarningYouHaveAtLeastOneTaskLate=Atenção, tem um elemento a menos que passou a data de tolerância.
 yes=sim
-Yes=Sim
 no=não
-No=Não
-All=Tudo
-Home=Inicio
-Help=Ajuda
 OnlineHelp=Ajuda online
 PageWiki=Pagina wiki
-Always=Sempre
-Never=Nunca
-Under=Baixo
-Period=Periodo
 PeriodEndDate=Data final periodo
 Activate=Ativar
 Activated=Ativado
-Closed=Encerrado
 Closed2=Encerrado
 Enabled=Ativado
-Deprecated=Obsoleto
 Disable=Desativar
 Disabled=Desativado
-Add=Adicionar
 AddLink=Adicionar link
 Update=Modificar
 AddActionToDo=Adicionar ação a realizar
 AddActionDone=Adicionar ação realizada
-Close=Fechar
-Close2=Fechar
-Confirm=Confirmar
 ConfirmSendCardByMail=Quer enviar esta ficha por e-mail?
 Delete=Eliminar
 Remove=Retirar
-Resiliate=Cancelar
-Cancel=Cancelar
-Modify=Modificar
-Edit=Editar
 Validate=Confirmar
-ValidateAndApprove=Validar e Aprovar
 ToValidate=A Confirmar
-Save=Guardar
 SaveAs=Guardar como
 TestConnection=Teste a login
 ToClone=Cópiar
 ConfirmClone=Selecciones dados que deseja Cópiar.
 NoCloneOptionsSpecified=Não existem dados definidos para copiar
-Of=de
 Go=Ir
 Run=Attivo
-CopyOf=Cópia de
 Show=Ver
 ShowCardHere=Mostrar cartão
-Search=Procurar
-SearchOf=Procurar
-Valid=Confirmar
-Approve=Aprovar
-Disapprove=Desaprovar
-ReOpen=Reabrir
 Upload=Enviar Arquivo
-ToLink=Link
-Select=Selecionar
-Choose=Escolher
 ChooseLangage=Escolher o seu idioma
 Resize=Modificar tamanho
 Recenter=Recolocar no centro
-Author=Autor
 User=Usuário
 Users=Usuário
-Group=Grupo
-Groups=Grupos
 NoUserGroupDefined=Nenhum grupo definido pelo usuário
-Password=Senha
 PasswordRetype=Repetir Senha
 NoteSomeFeaturesAreDisabled=Antenção, só poucos módulos/funcionalidade foram ativados nesta demo
-Name=Nome
-Person=Pessoa
-Parameter=Parâmetro
-Parameters=Parâmetros
-Value=Valor
-GlobalValue=Valor global
 PersonalValue=Valor Personalizado
-NewValue=Novo valor
 CurrentValue=Valor atual
-Code=Código
-Type=Tipo
-Language=Idioma
 MultiLanguage=Multi Idioma
-Note=Nota
-CurrentNote=Nota atual
-Title=Título
-Label=Etiqueta
 RefOrLabel=Ref. da etiqueta
-Info=Log
-Family=Familia
-Description=Descrição
-Designation=Designação
-Model=Modelo
 DefaultModel=Modelo Padrão
 Action=Ação
 About=Acerca de
-Number=Número
 NumberByMonth=Numero por mes
-AmountByMonth=Valor por mês
-Numero=Número
 Limit=Límite
-Limits=Limites
 DevelopmentTeam=Equipe de Desenvolvimento
 Logout=Sair
 NoLogoutProcessWithAuthMode=No recurso de desconexão aplicativo com modo de autenticação
 Connection=Login
-Setup=Configuração
-Alert=Alerta
-Previous=Anterior
-Next=Seguinte
-Cards=Fichas
-Card=Ficha
 Now=Agora
 HourStart=Comece hora
-Date=Data
 DateAndHour=Data e hora
 DateStart=Data Inicio
 DateEnd=Data Fim
-DateCreation=Data de Criação
 DateModification=Data Modificação
 DateModificationShort=Data Modif.
 DateLastModification=Data última Modificação
 DateValidation=Data Validação
-DateClosing=Data de Encerramento
 DateDue=Data Vencimento
 DateValue=Data Valor
 DateValueShort=Data Valor
@@ -239,71 +133,24 @@ DateOperationShort=Data Op.
 DateLimit=Data Límite
 DateRequest=Data Consulta
 DateProcess=Data Processo
-DatePlanShort=Data Planif.
-DateRealShort=Data Real
-DateBuild=Data da geração do Relatório
-DatePayment=Data de pagamento
 DateApprove=Data de aprovação
 DateApprove2=Data de aprovação (segunda aprovação)
-DurationYear=Ano
-DurationMonth=Mês
-DurationWeek=Semana
 DurationDay=Día
-DurationYears=Anos
-DurationMonths=Meses
-DurationWeeks=Semanas
-DurationDays=Dias
-Year=Ano
-Month=Mês
-Week=Semana
 Day=Día
-Hour=Hora
-Minute=Minuto
-Second=Segundo
-Years=Anos
-Months=Meses
-Days=Dias
 days=Dias
-Hours=Horas
-Minutes=Minutos
-Seconds=Segundos
 Weeks=Semandas
-Today=Hoje
-Yesterday=Ontem
-Tomorrow=Amanhã
 Morning=Manha
-Afternoon=Tarde
 Quadri=Trimistre
-MonthOfDay=Dia do mês
-HourShort=H
-MinuteShort=mn
-Rate=Tipo
 UseLocalTax=Incluindo taxa
-Bytes=Bytes
-KiloBytes=Kilobytes
-MegaBytes=Megabytes
-GigaBytes=Gigabytes
-TeraBytes=Terabytes
-b=b.
-Kb=Kb
-Mb=Mb
-Gb=Gb
-Tb=Tb
-Cut=Cortar
-Copy=Copiar
-Paste=Colar
 Default=Padrao
 DefaultValue=Valor por default
 DefaultGlobalValue=Valor global
-Price=Preço
 UnitPrice=Preço Unit.
 UnitPriceHT=Preço Base
 UnitPriceTTC=Preço Unit. Total
 PriceU=Preço Unit.
 PriceUHT=Preço Unit.
 AskPriceSupplierUHT=UP net solicitada
-PriceUTTC=Preço Unit. Total
-Amount=Valor
 AmountInvoice=Valor Fatura
 AmountPayment=Valor Pagamento
 AmountHTShort=Valor (neto)
@@ -317,59 +164,30 @@ AmountLT1ES=Valor RE
 AmountLT2ES=Valor IRPF
 AmountTotal=Valor Total
 AmountAverage=Valor médio
-PriceQtyHT=Preço para a quantidade total
-PriceQtyMinHT=Preço quantidade min total
-PriceQtyTTC=Preço total para a quantidade
-PriceQtyMinTTC=Preço quantidade min. total
-Percentage=Percentagem
-Total=Total
-SubTotal=Subtotal
 TotalHTShort=Total (neto)
 TotalTTCShort=Total (incl. taxas)
 TotalHT=Valor
 TotalHTforthispage=Total (sem impostos) desta pagina
 TotalTTC=Total
-TotalTTCToYourCredit=Total a crédito
 TotalVAT=Total do ICMS
 TotalLT1=Total taxa 2
 TotalLT2=Total taxa 3
-TotalLT1ES=Total RE
-TotalLT2ES=Total IRPF
 IncludedVAT=ICMS incluido
 HT=Sem ICMS
 TTC=ICMS Incluido
 VAT=ICMS
-LT1ES=RE
-LT2ES=IRPF
 VATRate=Taxa ICMS
-Average=Média
-Sum=Soma
-Delta=Divergencia
-Module=Módulo
-Option=Opção
-List=Lista
-FullList=Lista Completa
-Statistics=Estatísticas
 OtherStatistics=Outras estatisticas
-Status=Estado
 Favorite=Favorito
-ShortInfo=Info.
-Ref=Ref.
-ExternalRef=Ref. extern
 RefSupplier=Ref. Fornecedor
 RefPayment=Ref. Pagamento
-CommercialProposalsShort=Orçamentos
 Comment=Comentario
 Comments=Comentarios
 ActionsToDo=Ações a realizar
 ActionsDone=Ações realizadas
-ActionsToDoShort=A realizar
 ActionsRunningshort=Iniciada
-ActionsDoneShort=Realizadas
 ActionNotApplicable=Não aplicavel
 ActionRunningNotStarted=A Iniciar
-ActionRunningShort=Iniciado
-ActionDoneShort=Terminado
 ActionUncomplete=Imcompleto
 CompanyFoundation=Companhia/Fundação
 ContactsForCompany=Contatos desta empresa
@@ -378,175 +196,49 @@ AddressesForCompany=Endereços para este terceiro
 ActionsOnCompany=Ações nesta sociedade
 ActionsOnMember=Eventos deste membro
 NActions=%s ações
-NActionsLate=%s em atraso
 RequestAlreadyDone=Pedido ja registrado
-Filter=Filtro
 RemoveFilter=Eliminar filtro
-ChartGenerated=Gráficos gerados
-ChartNotGenerated=Gráfico não gerado
 GeneratedOn=Gerado a %s
-Generate=Gerar
-Duration=Duração
-TotalDuration=Duração total
-Summary=Resumo
-MyBookmarks=Os Meus Favoritos
-OtherInformationsBoxes=Outras Caixas de informação
-DolibarrBoard=Indicadores
-DolibarrStateBoard=Estatísticas
-DolibarrWorkBoard=Indicadores de Trabalho
 Available=Disponivel
 NotYetAvailable=Ainda não disponível
-NotAvailable=Não disponível
-Popularity=Popularidade
 Categories=Tags / categorias
 Category=Tag / categoria
-By=Por
-From=De
 to=para
-and=e
-or=ou
-Other=Outro
-Others=Outros
-OtherInformations=Outras Informações
-Quantity=quantidade
-Qty=Quant.
-ChangedBy=Modificado por
 ApprovedBy=Aprovado por
 ApprovedBy2=Aprovado pelo (segunda aprovação)
 Approved=Aprovado
 Refused=Recusado
-ReCalculate=Recalcular
-ResultOk=Éxito
-ResultKo=Erro
-Reporting=Relatório
-Reportings=Relatórios
-Draft=Rascunho
-Drafts=Drafts
-Validated=Validado
-Opened=Aberto
-New=Novo
-Discount=Desconto
-Unknown=Desconhecido
-General=General
-Size=Tamanho
-Received=Recebido
-Paid=Pago
-Topic=Assunto
-ByCompanies=Por empresa
 ByUsers=Por usuário
-Links=Links
-Link=Link
-Receipts=Recibos
-Rejects=Reprovado
-Preview=Preview
-NextStep=Passo Seguinte
-PreviousStep=Passo Anterior
-Datas=Dados
-None=Nenhum
-NoneF=Nenhuma
-Late=Atraso
-Photo=Foto
-Photos=Fotos
-AddPhoto=Adicionar foto
-Login=Login
 CurrentLogin=Login atual
-January=Janeiro
-February=Fevereiro
-March=Março
-April=Abril
-May=Maio
-June=Junho
-July=Julho
-August=Agosto
-September=Setembro
-October=Outubro
-November=Novembro
-December=Dezembro
-JanuaryMin=Jan
 FebruaryMin=Fev
-MarchMin=Mar
 AprilMin=Abr
 MayMin=Mai
-JuneMin=Jun
-JulyMin=Jul
 AugustMin=Ago
 SeptemberMin=Set
 OctoberMin=Out
-NovemberMin=Nov
 DecemberMin=Dez
-Month01=Janeiro
-Month02=Fevereiro
-Month03=Março
-Month04=Abril
-Month05=Maio
-Month06=Junho
-Month07=Julho
-Month08=Agosto
-Month09=Setembro
-Month10=Outubro
-Month11=Novembro
-Month12=Dezembro
-MonthShort01=Jan
 MonthShort02=Fev
-MonthShort03=Mar
 MonthShort04=Abr
 MonthShort05=Mai
-MonthShort06=Jun
-MonthShort07=Jul
 MonthShort08=Ago
 MonthShort09=Set
 MonthShort10=Out
-MonthShort11=Nov
 MonthShort12=Dez
 AttachedFiles=Arquivos e Documentos Anexos
 FileTransferComplete=Foi transferido corretamente o Arquivo
-DateFormatYYYYMM=YYYY-MM
-DateFormatYYYYMMDD=YYYY-MM-DD
-DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS
-ReportName=Nome do Relatório
 ReportPeriod=Periodo de Análise
-ReportDescription=Descrição
-Report=Relatório
-Keyword=Chave
-Legend=Legenda
 FillTownFromZip=Indicar Município
 Fill=Preencher
 Reset=Resetar
 ShowLog=Ver Histórico
-File=Arquivo
 Files=Arquivos
-NotAllowed=Não Autorizado
-ReadPermissionNotAllowed=Leitura não Autorizada
 AmountInCurrency=Valores Apresentados em %s
-Example=Exemplo
-Examples=Exemplos
-NoExample=Sem Exemplo
-FindBug=Sinalizar um bug
 NbOfThirdParties=Numero de Fornecedores
-NbOfCustomers=Numero de Clientes
-NbOfLines=Numeros de Linhas
 NbOfObjects=Numero de Objetos
 NbOfReferers=Numero de Referencias
 Referers=Referindo-se objetos
-TotalQuantity=Quantidade Total
-DateFromTo=De %s a %s
-DateFrom=A partir de %s
-DateUntil=Até %s
-Check=Verificar
 Uncheck=Desmarque
-Internal=Interno
-External=Externo
-Internals=Internos
-Externals=Externos
-Warning=Alerta
-Warnings=Alertas
-BuildPDF=Gerar o PDF
-RebuildPDF=Recriar o PDF
-BuildDoc=Gerar o doc
-RebuildDoc=Recriar o doc
-Entity=Entidade
 Entities=Entidadees
-EventLogs=Log
 CustomerPreview=Historico Cliente
 SupplierPreview=Historico Fornecedor
 AccountancyPreview=Historico Contabilidade
@@ -554,142 +246,67 @@ ShowCustomerPreview=Ver Historico Cliente
 ShowSupplierPreview=Ver Historico Fornecedor
 ShowAccountancyPreview=Ver Historico Contabilidade
 ShowProspectPreview=Ver Historico Cliente Potencial
-RefCustomer=Ref. Cliente
-Currency=Moeda
-InfoAdmin=Informação para os administradores
-Undo=Desfazer
-Redo=Refazer
-ExpandAll=Expandir tudo
-UndoExpandAll=Anular Expansão
-Reason=Razão
-FeatureNotYetSupported=Funcionalidade ainda não suportada
-CloseWindow=Fechar Janela
-Question=Pregunta
-Response=Resposta
-Priority=Prioridade
 SendByMail=Enviado por e-mail
-MailSentBy=Mail enviado por
-TextUsedInTheMessageBody=Texto utilizado no corpo da mensagem
-SendAcknowledgementByMail=Envio rec. por e-mail
-NoEMail=Sem e-mail
 NoMobilePhone=Sem celular
 Owner=Proprietário
-DetectedVersion=Versão Detectada
-FollowingConstantsWillBeSubstituted=As seguintes constantes serão substituidas pelo seu valor correspondente.
 Refresh=Atualizar
-BackToList=Mostar Lista
-GoBack=Voltar
 CanBeModifiedIfOk=Pode modificarse se é valido
 CanBeModifiedIfKo=Pode modificarse senão é valido
-RecordModifiedSuccessfully=Registo modificado com êxito
 RecordsModified=%s registros modificados
-AutomaticCode=Criação automática de código
-NotManaged=Não gerado
 FeatureDisabled=Função Desativada
-MoveBox=Mover a Caixa %s
-Offered=Oferta
 NotEnoughPermissions=Não tem permissões para esta ação
-SessionName=Nome Sessão
-Method=Método
-Receive=Recepção
-PartialWoman=Parcial
-PartialMan=Parcial
-TotalWoman=Total
-TotalMan=Total
-NeverReceived=Nunca Recebido
-Canceled=Cancelado
 YouCanChangeValuesForThisListFromDictionarySetup=Voce pode modificar os valores para esta lista no menu Configuração - dicionario
-Color=Cor
-Documents=Documentos
 DocumentsNb=Arquivos conectados (%s)
-Documents2=Documentos
-BuildDocuments=Documentos Gerados
 UploadDisabled=Carregamento Desativada
-MenuECM=Documentos
-MenuAWStats=Estatisticas
-MenuMembers=Membros
-MenuAgendaGoogle=Agenda Google
-ThisLimitIsDefinedInSetup=Límite Dolibarr (menu inicio-configuração-segurança): %s Kb, PHP limit: %s Kb
-NoFileFound=Não existem documentos guardados nesta pasta
 CurrentUserLanguage=Idioma atual
 CurrentTheme=Tema atual
 CurrentMenuManager=Administração do menu atual
 DisabledModules=Módulos desativados
-For=Para
-ForCustomer=Para cliente
-Signature=Assinatura
 HidePassword=Mostrar comando com senha oculta
 UnHidePassword=Mostrar comando com senha e a vista
-Root=Raíz
-Informations=Informação
-Page=Página
-Notes=Notas
-AddNewLine=Adicionar nova linha
 AddFile=Adicionar arquivo
 ListOfFiles=Lista de arquivos disponiveis
-FreeZone=Entrada livre
 FreeLineOfType=Entrada livre de tipo
 CloneMainAttributes=Clonar o objeto com estes atributos
 PDFMerge=Fusão de PDF
 Merge=Fusão
 PrintContentArea=Mostrar pagina a se imprimir na area principal
-MenuManager=Administração do menu
 NoMenu=Sem sub-menu
 WarningYouAreInMaintenanceMode=Atenção, voce esta no modo de manutenção, somente o login <b>%s</b> tem permissões para uso da aplicação no momento.
-CoreErrorTitle=Erro de sistema
-CoreErrorMessage=Occoreu erro. Verifique os arquivos de log ou contate seu administrador de sistema. 
+CoreErrorMessage=Occoreu erro. Verifique os arquivos de log ou contate seu administrador de sistema.
 CreditCard=Cartão de credito
 FieldsWithAreMandatory=Campos com <b>%s</b> são obrigatorios
 FieldsWithIsForPublic=Campos com <b>%s</b> são mostrados na lista publica de membros. Se não deseja isto, deselecione a caixa "publico".
 AccordingToGeoIPDatabase=(conforme a convenção GeoIP)
-Line=Linha
 NotSupported=Não suportado
 RequiredField=Campo obrigatorio
-Result=Resultado
-ToTest=Teste
 ValidateBefore=Precisa de um cartão valido antes de usar esta função
-Visibility=Visibilidade
-Private=Privado
 Hidden=Escondido
 Resources=Resorsas
-Source=Fonte
-Prefix=Prefixo
-Before=Antes
-After=Depois
 IPAddress=endereco IP
 Frequency=Frequencia
 IM=Mensagems instantaneas
-NewAttribute=Novo atributo
 AttributeCode=Codigo do atributo
 OptionalFieldsSetup=Configuração dos atributos extra
 URLPhoto=URL da photo/logo
-SetLinkToThirdParty=Atalho para outro terceiro
 CreateDraft=Criar RascunhoCriar rascunho
 SetToDraft=Voltar para modo rascunho
-ClickToEdit=Clique para editar
 ObjectDeleted=Objeto %s apagado
-ByCountry=Por país
-ByTown=Por cidade
-ByDate=Por data
 ByMonthYear=Por mes/ano
 ByYear=Por ano
 ByMonth=Por mes
 ByDay=Por día
 BySalesRepresentative=Por vendedor representante
-LinkedToSpecificUsers=Conectado com um contato particular do usuario 
+LinkedToSpecificUsers=Conectado com um contato particular do usuario
 DeleteAFile=Apagar arquivo
-ConfirmDeleteAFile=Voce tem certeza que quer apagar este arquivo 
-NoResults=Sem resultados
+ConfirmDeleteAFile=Voce tem certeza que quer apagar este arquivo
 SystemTools=Ferramentas do sistema
 ModulesSystemTools=Ferramentas de modulos
-Test=Teste
-Element=Elemento
 NoPhotoYet=Sem fotos disponiveis no momento
 HomeDashboard=Resumo de inicio
 Deductible=Deduzivel
 from=de
 toward=para
-Access=Acesso
 HelpCopyToClipboard=Use Ctrl+C para copiar para o clipboard
 SaveUploadedFileWithMask=Salvar arquivo no servidor com nome "<strong>%s</strong>" (alternativamente "%s")
 OriginFileName=Nome original do arquivo
@@ -702,40 +319,12 @@ PublicUrl=URL pública
 AddBox=Adicionar caixa
 SelectElementAndClickRefresh=Selecionar um elemento e clickar atualizar
 PrintFile=Imprimir arquivo %s
-ShowTransaction=Mostrar transação
 GoIntoSetupToChangeLogo=Vá para casa - Configuração - Empresa de mudar logotipo ou ir para casa - Setup - Display para esconder.
 Deny=Negar
 Denied=Negado
 ListOfTemplates=Lista de modelos
 Genderman=Homem
 Genderwoman=Mulher
-# Week day
-Monday=Segunda-feira
-Tuesday=Terça-feira
-Wednesday=Quarta-feira
-Thursday=Quinta-feira
-Friday=Sexta-feira
 Saturday=Sabado
-Sunday=Domingo
-MondayMin=Seg
-TuesdayMin=Ter
-WednesdayMin=Qua
-ThursdayMin=Qui
-FridayMin=Sex
 SaturdayMin=Sab
-SundayMin=Dom
-Day1=Segunda-Feira
-Day2=Terça-Feira
-Day3=Quarta-Feira
-Day4=Quinta-Feira
-Day5=Sexta-Feria
-Day6=Sábado
-Day0=Domingo
-ShortMonday=Seg
-ShortTuesday=Ter
-ShortWednesday=Qua
-ShortThursday=Qui
-ShortFriday=Sex
-ShortSaturday=Sab
-ShortSunday=Dom
 SelectMailModel=Escolha um modelo de e-mail
diff --git a/htdocs/langs/pt_BR/members.lang b/htdocs/langs/pt_BR/members.lang
index 6b81e85596ee1e92e37b01a42597caeaa0606e7a..36bd3668beb5fe7b4ce7b6fc69ed1511cd5aa334 100644
--- a/htdocs/langs/pt_BR/members.lang
+++ b/htdocs/langs/pt_BR/members.lang
@@ -15,6 +15,9 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Outro membro  já está vinculado a u
 ErrorUserPermissionAllowsToLinksToItselfOnly=Por razões de segurança, você deve ter permissões para editar todos os usuários sejam capazes de ligar um membro a um usuário que não é seu.
 ThisIsContentOfYourCard=Este é os detalhes do seu cartão
 CardContent=Conteúdo da sua ficha de membro
+SetLinkToThirdParty=Link para um fornecedor Dolibarr
+MembersListUpToDate=Lista dos Membros válidos ao día de adesão
+MembersListNotUpToDate=Lista dos Membros válidos não ao día de adesão
 MembersListResiliated=Lista dos Membros cancelados
 MenuMembersUpToDate=Membros ao día
 MenuMembersNotUpToDate=Membros não ao día
@@ -69,6 +72,7 @@ BlankSubscriptionFormDesc=Dolibarr pode fornecer uma URL pública para permitir
 EnablePublicSubscriptionForm=Habilite a forma pública auto-assinatura
 ExportDataset_member_1=Membros e Filiações
 LastSubscriptionsModified=Assinaturas Últimas modificadas
+Date=Data
 MemberNotOrNoMoreExpectedToSubscribe=não submetida a cotação
 AddSubscription=Criar subscripção
 MemberModifiedInDolibarr=membro modificado em Dolibarr
@@ -100,6 +104,7 @@ MembersByTownDesc=Esta tela mostrará estatísticas sobre usuários por cidade.
 MembersStatisticsDesc=Escolha as estatísticas que você quer ler ...
 MenuMembersStats=Estatísticas
 LastMemberDate=Data do membro
+Nature=Tipo de produto
 Public=Informações são públicas
 NewMemberbyWeb=Novo membro adicionado. Aguardando aprovação
 NewMemberForm=Formulário para novo membro
@@ -110,7 +115,6 @@ MEMBER_NEWFORM_PAYONLINE=Ir na página de pagamento online integrado
 DOLIBARRFOUNDATION_PAYMENT_FORM=Para fazer o seu pagamento de assinatura usando uma transferência bancária, consulte a página <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Para pagar utilizando um cartão de crédito ou Paypal, clique no botão na parte inferior desta página. <br>
 ByProperties=Por características
 MembersStatisticsByProperties=Membros estatísticas por características
-MembersByNature=Membros, por natureza,
 VATToUseForSubscriptions=Taxa de VAT para utilizar as assinaturas
 NoVatOnSubscription=Não TVA para assinaturas
 MEMBER_PAYONLINE_SENDEMAIL=E-mail para avisar quando Dolibarr receber uma confirmação de um pagamento validados para subscrição
diff --git a/htdocs/langs/pt_BR/orders.lang b/htdocs/langs/pt_BR/orders.lang
index b95890056e6d0916a35800828564577d402f4083..bed5a9472f39b2d523e48dc068c957bdb263da78 100644
--- a/htdocs/langs/pt_BR/orders.lang
+++ b/htdocs/langs/pt_BR/orders.lang
@@ -1,20 +1,8 @@
 # Dolibarr language file - Source file is en_US - orders
 OrdersArea=Área de Pedidos de Clientes
-SuppliersOrdersArea=Área de Pedidos a Fornecedores
-OrderCard=Ficha Pedido
 OrderId=ID Pedido
-Order=Pedido
-Orders=Pedidos
 OrderLine=Linha de Comando
-OrderFollow=Seguimento
-OrderDate=Data Pedido
 OrderToProcess=Pedido a se processar
-NewOrder=Novo Pedido
-ToOrder=Realizar Pedido
-MakeOrder=Realizar Pedido
-SupplierOrder=Pedido a Fornecedor
-SuppliersOrders=Pedidos a Fornecedores
-SuppliersOrdersRunning=Pedidos a Fornecedores em Curso
 CustomerOrder=Pedido de Cliente
 CustomersOrders=Pedidos de clientes
 CustomersOrdersRunning=Pedidos dos clientes atuais
@@ -24,75 +12,37 @@ OrdersToBill=Pedidos dos clientes entregue
 OrdersInProcess=Pedidos de clientes em processo
 OrdersToProcess=Pedidos de clientes para processar
 SuppliersOrdersToProcess=Fornecedor ordens para processar
-StatusOrderCanceledShort=Anulado
-StatusOrderDraftShort=Rascunho
-StatusOrderValidatedShort=Validado
 StatusOrderSentShort=Em processo
 StatusOrderSent=Envio em processo
 StatusOrderOnProcessShort=Pedido
-StatusOrderProcessedShort=Processado
 StatusOrderToBillShort=Entregue
 StatusOrderToBill2Short=A se faturar
-StatusOrderApprovedShort=Aprovado
-StatusOrderRefusedShort=Reprovado
-StatusOrderToProcessShort=A Processar
-StatusOrderReceivedPartiallyShort=Recebido Parcialmente
-StatusOrderReceivedAllShort=Recebido
-StatusOrderCanceled=Anulado
-StatusOrderDraft=Rascunho (a Confirmar)
-StatusOrderValidated=Validado
 StatusOrderOnProcess=Pedido - Aguardando Recebimento
 StatusOrderOnProcessWithValidation=Ordenada - recepção Standby ou validação
-StatusOrderProcessed=Processado
 StatusOrderToBill=A Faturar
 StatusOrderToBill2=A Faturar
-StatusOrderApproved=Aprovado
-StatusOrderRefused=Reprovado
-StatusOrderReceivedPartially=Recebido Parcialmente
-StatusOrderReceivedAll=Recebido
 ShippingExist=Existe envio
 ProductQtyInDraft=Quantidade do produto em projetos de ordens
 ProductQtyInDraftOrWaitingApproved=Quantidade do produto em projecto ou ordens aprovadas, ainda não ordenou
 DraftOrWaitingApproved=Rascunho aprovado mas ainda não controlado
-DraftOrWaitingShipped=Rascunho o validado mas ainda não expedido
 MenuOrdersToBill=Pedidos por Faturar
 MenuOrdersToBill2=Ordens faturáveis
-SearchOrder=Procurar um Pedido
 SearchACustomerOrder=Procure um pedido do cliente
 SearchASupplierOrder=Pesquisar uma ordem de fornecedor
-ShipProduct=Enviar Produto
-Discount=Desconto
-CreateOrder=Criar Pedido
-RefuseOrder=Rejeitar o Pedido
 ApproveOrder=Aprovar pedidos
 Approve2Order=Aprovar pedido (segundo nível)
-ValidateOrder=Confirmar o Pedido
 UnvalidateOrder=Desaprovar pedido
-DeleteOrder=Eliminar o pedido
-CancelOrder=Anular o Pedido
 AddOrder=Criar ordem
-AddToMyOrders=Adicionar os meus Pedidos
-AddToOtherOrders=Adicionar a outros pedidos
 AddToDraftOrders=Adicionar a projeto de pedido
-ShowOrder=Mostrar Pedido
 OrdersOpened=Pedidos para processar
 NoOpenedOrders=Sem pedidos em aberto
 NoOtherOpenedOrders=Não há outros pedidos em aberto
 NoDraftOrders=Não há projetos de pedidos
-OtherOrders=Outros Pedidos
 LastOrders=Pedidos de clientes Última %s
 LastCustomerOrders=Pedidos de clientes Última %s
 LastSupplierOrders=Pedidos a fornecedores Última %s
-LastModifiedOrders=Os %s últimos pedidos modificados
 LastClosedOrders=Os últimos %s Pedidos
-AllOrders=Todos os Pedidos
-NbOfOrders=Número de Pedidos
-OrdersStatistics=Estatísticas de pedidos
-OrdersStatisticsSuppliers=Estatísticas de Pedidos a Fornecedores
-NumberOfOrdersByMonth=Número de Pedidos por Mês
 AmountOfOrdersByMonthHT=Numero de pedidos por mes (sem impostos)
-ListOfOrders=Lista de Pedidos
-CloseOrder=Fechar Pedido
 ConfirmCloseOrder=Tem certeza de que deseja fechar este pedido? Quando um pedido é fechado, ele só pode ser cobrado.
 ConfirmCloseOrderIfSending=Tem certeza de que deseja fechar este pedido? Veve fechar no somente quando todos os transfretes marítimos são feitos.
 ConfirmDeleteOrder=Tem certeza que quer eliminar este pedido?
@@ -103,29 +53,16 @@ ConfirmMakeOrder=Tem certeza que quer confirmar este pedido em data de<b>%s</b>
 GenerateBill=Faturar
 ClassifyShipped=Clasificar entregue
 ClassifyBilled=Classificar "Faturado"
-ComptaCard=Ficha Contabilidade
-DraftOrders=Rascunhos de Pedidos
-RelatedOrders=Pedidos Anexos
 RelatedCustomerOrders=Pedidos de clientes relacionadas
 RelatedSupplierOrders=Pedidos a fornecedores relacionadas
-OnProcessOrders=Pedidos em Processo
-RefOrder=Ref. Pedido
-RefCustomerOrder=Ref. Pedido Cliente
-RefCustomerOrderShort=Ref. Ped. Cliente
-SendOrderByMail=Enviar pedido por e-mail
 ActionsOnOrder=Ações sobre o pedido
 NoArticleOfTypeProduct=Não existe artigos de tipo 'produto' e por tanto expedidos neste pedido
-OrderMode=Método de pedido
-AuthorRequest=Autor/Solicitante
 UseCustomerContactAsOrderRecipientIfExist=Utilizar endereço do contato do cliente de seguimento cliente se está definido em vez do Fornecedor como destinatário dos pedidos
-RunningOrders=Pedidos em Curso
 UserWithApproveOrderGrant=Usuários autorizados a aprovar os pedidos.
-PaymentOrderRef=Pagamento de Pedido %s
 CloneOrder=Copiar o Pedido
 ConfirmCloneOrder=Tem certeza de que deseja clonar este<b>%s</b> ?
 DispatchSupplierOrder=Receber pedido de fornecedor %s
 FirstApprovalAlreadyDone=A primeira aprovação já feito
-##### Types de contacts #####
 TypeContact_commande_internal_SALESREPFOLL=Responsável do seguimento do pedido do cliente
 TypeContact_commande_internal_SHIPPING=Representante seguindo o envio
 TypeContact_commande_external_BILLING=Contato fatura cliente
@@ -136,32 +73,15 @@ TypeContact_order_supplier_internal_SHIPPING=Representante seguindo o envio
 TypeContact_order_supplier_external_BILLING=Contato fatura fornecedor
 TypeContact_order_supplier_external_SHIPPING=Contato envio fornecedor
 TypeContact_order_supplier_external_CUSTOMER=Contato fornecedor seguindo o pedido
-
-Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Constante COMMANDE_SUPPLIER_ADDON não definida
-Error_COMMANDE_ADDON_NotDefined=Constante COMMANDE_ADDON não definida
 Error_FailedToLoad_COMMANDE_SUPPLIER_ADDON_File=Erro na carga do Arquivo módulo '%s'
 Error_FailedToLoad_COMMANDE_ADDON_File=Erro na carga de arquivo módulo '%s'
 Error_OrderNotChecked=Nenhum pedido seleçionado para se faturar
-# Sources
-OrderSource0=Orçamento Proposto
-OrderSource1=Internet
-OrderSource2=Campanha por correio
 OrderSource3=Campanha telefônica
-OrderSource4=Campanha por fax
-OrderSource5=Comercial
-OrderSource6=Revistas
-QtyOrdered=Quant. Pedida
 AddDeliveryCostLine=Adicionar uma linha de despesas de fretes indicando o peso do pedido
-# Documents models
 PDFEinsteinDescription=Modelo de pedido completo (logo...)
 PDFEdisonDescription=O modelo simplificado do pedido
 PDFProformaDescription=A proforma fatura completa (logomarca...)
-# Orders modes
-OrderByMail=Correio
-OrderByFax=Fax
 OrderByEMail=E-mail
-OrderByWWW=Online
-OrderByPhone=Telefone
 CreateInvoiceForThisCustomer=Faturar pedidos
 NoOrdersToInvoice=Nenhum pedido faturavel
 CloseProcessedOrdersAutomatically=Clasificar "processados" os pedidos selecionados.
diff --git a/htdocs/langs/pt_BR/other.lang b/htdocs/langs/pt_BR/other.lang
index 280cb67ca09bdb4843cadcf789e656351a049ce6..0a578f6dea50295b65c73762961de52b8a9b507c 100644
--- a/htdocs/langs/pt_BR/other.lang
+++ b/htdocs/langs/pt_BR/other.lang
@@ -1,13 +1,11 @@
 # Dolibarr language file - Source file is en_US - other
 SecurityCode=Código Segurança
-Calendar=Calendário
-Tools=Utilidades
-ToolsDesc=Esta area e dedicada para o grupo de ferramentas varias não disponivel em outros menus.<br><br>Estas ferramentas podem se acionar atraves do menu ao lado. 
+ToolsDesc=Esta area e dedicada para o grupo de ferramentas varias não disponivel em outros menus.<br><br>Estas ferramentas podem se acionar atraves do menu ao lado.
 Birthday=Aniversário
 BirthdayDate=Data de aniversário
 DateToBirth=Data de nascimento
-BirthdayAlertOn= Alerta de aniversário ativo
-BirthdayAlertOff= Alerta de aniversário desativado
+BirthdayAlertOn=Alerta de aniversário ativo
+BirthdayAlertOff=Alerta de aniversário desativado
 Notify_FICHINTER_VALIDATE=Intervenção validada
 Notify_FICHINTER_SENTBYMAIL=Intervenção enviada por e-mail
 Notify_BILL_VALIDATE=Fatura cliente validada
@@ -23,24 +21,19 @@ Notify_WITHDRAW_TRANSMIT=Revogação de transmissão
 Notify_WITHDRAW_CREDIT=Revogação de credito
 Notify_WITHDRAW_EMIT=Revogação de performance
 Notify_ORDER_SENTBYMAIL=Pedido cliente enviado por e-mail
-Notify_COMPANY_CREATE=Terceiro criado
 Notify_COMPANY_SENTBYMAIL=E-mails enviados a partir do cartão de terceiros
 Notify_PROPAL_SENTBYMAIL=Proposta comercial enviada por e-mail
 Notify_BILL_PAYED=Fatura cliente paga
 Notify_BILL_CANCEL=Fatura cliente cancelada
 Notify_BILL_SENTBYMAIL=Fatura cliente enviada por e-mail
-Notify_ORDER_SUPPLIER_VALIDATE=Ordem fornecedor registrado
 Notify_ORDER_SUPPLIER_SENTBYMAIL=Pedido fornecedor enviado por e-mail
 Notify_BILL_SUPPLIER_VALIDATE=Fatura fornecedor validada
 Notify_BILL_SUPPLIER_PAYED=Fatura fornecedor paga
 Notify_BILL_SUPPLIER_SENTBYMAIL=Fatura fornecedor enviada por e-mail
 Notify_BILL_SUPPLIER_CANCELED=Fornecedor fatura cancelada
-Notify_CONTRACT_VALIDATE=Contrato validado
 Notify_FICHEINTER_VALIDATE=Intervenção validada
 Notify_SHIPPING_VALIDATE=Envio validado
 Notify_SHIPPING_SENTBYMAIL=Envio enviado por e-mail
-Notify_MEMBER_VALIDATE=Membro validado
-Notify_MEMBER_MODIFY=Membro modificado
 Notify_MEMBER_SUBSCRIPTION=Membro inscrito
 Notify_MEMBER_RESILIATE=Membro resiliado
 Notify_MEMBER_DELETE=Membro apagado
@@ -49,19 +42,14 @@ Notify_TASK_CREATE=Tarefa criada
 Notify_TASK_MODIFY=Tarefa alterada
 Notify_TASK_DELETE=Tarefa excluída
 SeeModuleSetup=Veja configuração do módulo %s
-NbOfAttachedFiles=Número Arquivos/Documentos Anexos
 TotalSizeOfAttachedFiles=Tamanho Total dos Arquivos/Documentos Anexos
-MaxSize=Tamanho Máximo
-AttachANewFile=Adicionar Novo Arquivo/Documento
 LinkedObject=Arquivo Anexo
-Miscellaneous=Diversos
 NbOfActiveNotifications=Número de notificações (nb de e-mails de destinatários)
 PredefinedMailTest=Esse e um teste de envio.⏎\nAs duas linhas estao separadas por retono de linha.⏎\n⏎\n__SIGNATURE__
 PredefinedMailTestHtml=Esse e um email de <b>teste</b> (a palavra test deve ser em bold).<br>As duas linhas estao separadas por retorno de linha.<br><br>__SIGNATURE__
 PredefinedMailContentSendInvoice=__CONTACTCIVNAME__ Você vai encontrar aqui a factura __ FACREF__ __ PERSONALIZED__Sincerely __ SIGNATURE__
 PredefinedMailContentSendInvoiceReminder=__ CONTACTCIV NAM E__ Gostaríamos de avisar que a fatura __ FACREF__ parece não ter sido pago. Portanto, esta é a fatura em anexo novamente, como um lembrete. __PERSONALIZED __ Sincerely __ SIGNATURE __
 PredefinedMailContentSendProposal=__ CONTACTCIV NAME__ Você vai encontrar aqui a proposta comercial __ PROPREF__ __ PERSONALIZED__Sincerely __ SIGNATURE__
-PredefinedMailContentSendAskPriceSupplier=__CONTACTCIVNAME__\n\nYou will find here the price request __ASKREF__\n\n__PERSONALIZED__Sincerely\n\n__SIGNATURE__
 PredefinedMailContentSendOrder=__CONTACTCIV NAME__ Você vai encontrar aqui a ordem __ ORDERREF__ __ PERSONALIZED__Sincerely __ SIGNATURE__
 PredefinedMailContentSendSupplierOrder=__CONTACTCIVNAME__ Você vai encontrar aqui o nosso pedido __ ORDERREF__ __ PERSONALIZED__Sincerely __ SIGNATURE__
 PredefinedMailContentSendSupplierInvoice=__CONTACTCIVNAME__ Você vai encontrar aqui a factura __ FACREF__ __ PERSONALIZED__Sincerely __ SIGNATURE__
@@ -77,10 +65,6 @@ DemoCompanyShopWithCashDesk=Administração de uma loja com Caixa
 DemoCompanyProductAndStocks=Administração de uma PYME com venda de produtos
 DemoCompanyAll=Administração de uma PYME com Atividades multiplos (todos Os módulos principais)
 GoToDemo=Acessar ao demo
-CreatedBy=Criado por %s
-ModifiedBy=Modificado por %s
-ValidatedBy=Validado por %s
-CanceledBy=Anulado por %s
 ClosedBy=Encerrado por %s
 CreatedById=Id usuario que criou
 ModifiedById=Id usuario que fiz a ultima alteração
@@ -98,54 +82,10 @@ FeatureNotYetAvailableShort=Disponível numa próxima versão
 FeatureNotYetAvailable=Funcionalidade não disponível nesta versão
 FeatureExperimental=Funcionalidade experimental. não é estável nesta versão
 FeatureDevelopment=Funcionalidade em Desenvolvimento. não estável nesta versão
-FeaturesSupported=Funcionalidades suportadas
-Width=Largura
-Height=Altura
-Depth=Fundo
-Top=Topo
-Bottom=Fundo
 Left=Esquerda
 Right=Direita
-CalculatedWeight=Peso calculado
-CalculatedVolume=Volume calculado
-Weight=Peso
-TotalWeight=Peso total
-WeightUnitton=Toneladas
-WeightUnitkg=kg
-WeightUnitg=g
-WeightUnitmg=mg
-WeightUnitpound=libra
-Length=Comprimento
-LengthUnitm=m
-LengthUnitdm=dm
-LengthUnitcm=cm
-LengthUnitmm=mm
-Surface=Area
-SurfaceUnitm2=m2
-SurfaceUnitdm2=dm2
-SurfaceUnitcm2=cm2
-SurfaceUnitmm2=mm2
-SurfaceUnitfoot2=ft2
-SurfaceUnitinch2=in2
-Volume=Volume
-TotalVolume=Volume total
-VolumeUnitm3=m3
-VolumeUnitdm3=dm3
-VolumeUnitcm3=cm3
-VolumeUnitmm3=mm3
-VolumeUnitfoot3=ft3
-VolumeUnitinch3=in3
-VolumeUnitounce=onça
-VolumeUnitlitre=litro
 VolumeUnitgallon=gallão
-Size=Tamanho
-SizeUnitm=m
-SizeUnitdm=dm
-SizeUnitcm=cm
-SizeUnitmm=mm
-SizeUnitinch=polegada
 SizeUnitfoot=pe
-SizeUnitpoint=ponto
 BugTracker=Incidências
 SendNewPasswordDesc=Este formulário permite enviar uma Nova senha. Será enviado ao e-mail do usuário<br>a modificação da senha não será efetiva até que o usuário click no link de confirmação neste e-mail.<br>Verifique sua caixa de correio.
 BackToLoginPage=Voltar e a página de login
@@ -153,16 +93,9 @@ AuthenticationDoesNotAllowSendNewPassword=o modo de autentificação de Dolibarr
 EnableGDLibraryDesc=deve ativar o instalar a Bibliotéca GD na sua PHP para poder ativar esta Opção
 EnablePhpAVModuleDesc=deve instalar um módulo PHP compatible com a sua antivírus. (Clamav : php4-clamavlib ó php5-clamavlib)
 ProfIdShortDesc=<b>Prof Id %s</b> é uma informação dePendente do país do Fornecedor.<br>Por Exemplo, para o país  <b>%s</b>, é o código <b>%s</b>.
-DolibarrDemo=Demo de Dolibarr ERP/CRM
-StatsByNumberOfUnits=Estatísticas em número de unidades de produto/serviço
-StatsByNumberOfEntities=Estatísticas em número de identidadees referentes
-NumberOfProposals=Número de Orçamentos nos últimos 12 meses
-NumberOfCustomerOrders=Número de pedidos de clientes nos últimos 12 meses
 NumberOfCustomerInvoices=Número de faturas a clientes nos últimos 12 meses
 NumberOfSupplierOrders=Numero de pedidos dos fornecedores nos ultimos 12 meses
 NumberOfSupplierInvoices=Número de faturas de Fornecedores nos últimos 12 meses
-NumberOfUnitsProposals=Número de unidades nos Orçamentos nos últimos 12 meses
-NumberOfUnitsCustomerOrders=Número de unidades nos pedidos de clientes nos últimos 12 meses
 NumberOfUnitsCustomerInvoices=Número de unidades em faturas a clientes nos últimos 12 meses
 NumberOfUnitsSupplierOrders=Numero de unidades nos pedidos a fornecedor nos ultimos 12 meses
 NumberOfUnitsSupplierInvoices=Número de unidades em faturas de Fornecedores nos últimos 12 meses
@@ -170,16 +103,10 @@ EMailTextInterventionValidated=A intervenção %s foi validada
 EMailTextInvoiceValidated=A fatura %s foi validada.
 EMailTextProposalValidated=A proposta %s foi validada.
 EMailTextOrderValidated=O pedido %s foi validado.
-EMailTextOrderApproved=Pedido %s Aprovado
 EMailTextOrderValidatedBy=A ordem %s foi gravada por %s.
-EMailTextOrderApprovedBy=Pedido %s Aprovado por %s
-EMailTextOrderRefused=Pedido %s Reprovado
-EMailTextOrderRefusedBy=Pedido %s Reprovado por %s
-EMailTextExpeditionValidated=O envio %s foi validado.
 ImportedWithSet=Data importacao
 DolibarrNotification=Notificação automatica
 ResizeDesc=Insira a nova largura <b>OU</b> o novo peso. A proporção sera mantida durante a transformacao...
-NewLength=Nova largura
 NewHeight=Nova altrua
 NewSizeAfterCropping=Nova dimensao depois do recorte
 DefineNewAreaToPick=Definir nova area na imagem para escolher ( click esquerdo na imagem e depois arastar ate o canto oposto)
@@ -188,15 +115,12 @@ ImageEditor=Editor de imagems
 YouReceiveMailBecauseOfNotification=Voce recebeu esta mensagem porque o seu endereco de e-mail foi adicionado a lista de alvos a ser informados de algums eventos no %s software de %s.
 YouReceiveMailBecauseOfNotification2=Este evento e o seguinte:
 ThisIsListOfModules=Esta e a lista de modulos pre-seleçionados pelo profilo demo escolhido (somente os modulos mais comums são visiveis nesta demo). Para uma demo mais pesoalizada editar aqui e presionar "Inicio".
-ClickHere=Clickque aqui
 UseAdvancedPerms=Use as permissões avançadas de algums modulos
 FileFormat=Arquivo formato
 SelectAColor=Escolha a cor
-AddFiles=Adicionar arquivos
 StartUpload=Iniciar o "upload"
 CancelUpload=Cancelar o "upload"
 FileIsTooBig=Tamanho do arquivo grande de mais
-PleaseBePatient=Por favor aguarde....
 RequestToResetPasswordReceived=Recebemos a pedido de mudar a sua senha do Dolibarr
 NewKeyIs=Estas sao as suas novas chaves de acesso
 NewKeyWillBe=Sua nova chave de acesso do software sera
@@ -205,18 +129,13 @@ YouMustClickToChange=Voce tem que clickar no seguinte atalho para validar a sua
 ForgetIfNothing=Se voce nao pediu esta mudanca, simplismente esquece deste email. Suas credenciais estao seguras.
 IfAmountHigherThan=Se a quantia mais elevada do que <strong>%s</strong>
 SourcesRepository=Repositório de fontes
-
-##### Calendar common #####
 AddCalendarEntry=Adicionar entrada ao calendário
-NewCompanyToDolibarr=Empresa %s adicionada
 ContractValidatedInDolibarr=Contrato %s validado
 ContractCanceledInDolibarr=Contrato %s cancelado
 ContractClosedInDolibarr=Contrato %s fechado
 PropalClosedSignedInDolibarr=Proposta %s assinada
 PropalClosedRefusedInDolibarr=Proposta %s declinada
-PropalValidatedInDolibarr=Proposta %s validada
 PropalClassifiedBilledInDolibarr=Proposta %s classificada faturada
-InvoiceValidatedInDolibarr=Fatura %s validada
 InvoicePaidInDolibarr=Fatura %s marcada paga
 InvoiceCanceledInDolibarr=Fatura %s cancelada
 PaymentDoneInDolibarr=Pagamento %s effetuado
@@ -228,15 +147,5 @@ MemberDeletedInDolibarr=Membro %s cancelado
 MemberSubscriptionAddedInDolibarr=Inscrição do membo %s adicionada
 ShipmentValidatedInDolibarr=Envio %s validado
 ShipmentDeletedInDolibarr=Envio %s cancelado
-##### Export #####
 Export=Exportar
-ExportsArea=Área de Exportações
-AvailableFormats=Formatos disponíveis
-LibraryUsed=Bibliotéca utilizada
-LibraryVersion=Versão
-ExportableDatas=dados exportáveis
 NoExportableData=não existe dados exportáveis (sem módulos com dados exportáveis gastodos, necessitam de permissões)
-ToExport=Exportar
-NewExport=Nova Exportação
-##### External sites #####
-ExternalSites=Sites externos
diff --git a/htdocs/langs/pt_BR/printing.lang b/htdocs/langs/pt_BR/printing.lang
index 5e0fa9ebfc0f9c87c98a713191aee79d704c53ac..58cf136dff3befadd60cdef6e0f23e16431118c3 100644
--- a/htdocs/langs/pt_BR/printing.lang
+++ b/htdocs/langs/pt_BR/printing.lang
@@ -6,7 +6,6 @@ PrintingDesc=Este módulo adiciona um botão Imprimir para enviar documentos dir
 ModuleDriverSetup=Configuração do modulo driver
 PrintingDriverDesc=Configuração de variáveis para o driver de impressão.
 ListDrivers=Lista de drivers
-PrintTestDesc=Lista de Impressoras.
 FileWasSentToPrinter=Arquivo %s enviado para impressora
 NoActivePrintingModuleFound=Sem módulo ativo para impressão de documentos
 PleaseSelectaDriverfromList=Por favor, selecione um driver da lista.
@@ -14,60 +13,35 @@ SetupDriver=Configuração de Driver
 TestDriver=Teste
 TargetedPrinter=Impressora em questão
 UserConf=Configuração por usuário
-PRINTGCP=Google Cloud Print
 PrintGCPDesc=Este driver permite enviar documentos diretamente para uma impressora com o Google Cloud Print.
 PrintingDriverDescprintgcp=Configuração das variáveis para o driver de impressão do Google Cloud Print.
 PrintTestDescprintgcp=Lista de Impressoras para Google Cloud Print.
 PRINTGCP_LOGIN=Login de conta GOOGLE
 PRINTGCP_PASSWORD=Senha de conta GOOGLE
-STATE_ONLINE=Online
-STATE_UNKNOWN=Desconhecido
-STATE_OFFLINE=Offline
 STATE_DORMANT=Off-line por um bom tempo
-TYPE_GOOGLE=Google
 TYPE_HP=HP Impressora
-TYPE_DOCS=DOCS
-TYPE_DRIVE=Google Drive
-TYPE_FEDEX=Fedex
-TYPE_ANDROID_CHROME_SNAPSHOT=Android
-TYPE_IOS_CHROME_SNAPSHOT=IOS
-GCP_Name=Nome
 GCP_displayName=Nome De Exibição
 GCP_Id=ID da impressora
 GCP_OwnerName=Nome do proprietário
 GCP_State=Estado da impressora
 GCP_connectionStatus=Estado online
 GCP_Type=Tipo de impressora
-PRINTIPP=PrintIPP Driver
 PrintIPPSetup=Configuração do módulo de Impressão Direta
 PrintIPPDesc=Este driver permite enviar documentos diretamente para uma impressora. Ele requer um sistema Linux com CUPS instalados.
 PrintingDriverDescprintipp=Configuração das variáveis para o driver de impressão PrintIPP.
 PrintTestDescprintipp=Lista de Impressoras para driver PrintIPP.
 PRINTIPP_ENABLED=Mostrar ícone "Impressão direta" em listas de documentos
 PRINTIPP_HOST=Servidor de impressão
-PRINTIPP_PORT=Porta
-PRINTIPP_USER=Login
-PRINTIPP_PASSWORD=Senha
 NoPrinterFound=Nenhuma impressora encontrada (verifique a configuração do CUPS)
 NoDefaultPrinterDefined=Nenhuma impressora padrão definida
 DefaultPrinter=Impressora padrão
-Printer=Impressora
-CupsServer=Servidor CUPS
-IPP_Uri=Printer Uri
 IPP_Name=\nNome da impressora
 IPP_State=Estado da impressora
 IPP_State_reason=Estado razão
 IPP_State_reason1=Estado razão1
-IPP_BW=BW
-IPP_Color=Cor
-IPP_Device=Dispositivo
 IPP_Media=Mídia da impressora
 IPP_Supported=Tipo de mídia
-STATE_IPP_idle=Idle
 STATE_IPP_stopped=Parou
-STATE_IPP_paused=Pausada
 STATE_IPP_toner-low-report=Toner Baixo
-STATE_IPP_none=Nenhum
 MEDIA_IPP_stationery=artigos de papelaria
 MEDIA_IPP_thermal=Térmico
-IPP_COLOR_print-black=Impressora BW
diff --git a/htdocs/langs/pt_BR/productbatch.lang b/htdocs/langs/pt_BR/productbatch.lang
index 9e39d26622dbef1a6664853223b8625b81de0b71..5fe41cd166de2c97edbd4497b4408c69745061d6 100644
--- a/htdocs/langs/pt_BR/productbatch.lang
+++ b/htdocs/langs/pt_BR/productbatch.lang
@@ -1,9 +1,7 @@
-# ProductBATCH language file - en_US - ProductBATCH
+# Dolibarr language file - Source file is en_US - productbatch
 ManageLotSerial=Use lote / número de série
 ProductStatusOnBatch=Sim (lote / série necessário)
 ProductStatusNotOnBatch=Não (lote / série não utilizado)
-ProductStatusOnBatchShort=Sim
-ProductStatusNotOnBatchShort=Não
 Batch=Lote / Serial
 atleast1batchfield=Compra prazo de validade ou data de venda ou Lote / Número de série
 batch_number=Lote / Número de série
@@ -17,6 +15,5 @@ printEatby=Compra-por: %s
 printSellby=Venda-por: %s
 printQty=Qtde: %d
 AddDispatchBatchLine=Adicione uma linha para Shelf Life expedição
-BatchDefaultNumber=Não Definido
 WhenProductBatchModuleOnOptionAreForced=Quando o módulo Lote / Serial estiver ligado, aumentar / diminuir modo estoque é forçado a última opção e não pode ser editado. Outras opções podem ser definidas como você quer.
 ProductDoesNotUseBatchSerial=Este produto não utiliza Lote / número de série
diff --git a/htdocs/langs/pt_BR/products.lang b/htdocs/langs/pt_BR/products.lang
index 1fbbd00a56cd89abffa49bb851e4ca27d2fa5ee1..751244fa369cfef22694fca68af9271cb3789404 100644
--- a/htdocs/langs/pt_BR/products.lang
+++ b/htdocs/langs/pt_BR/products.lang
@@ -1,119 +1,56 @@
 # Dolibarr language file - Source file is en_US - products
 ProductRef=Ref produto.
 ProductLabel=Nome do Produto
-ProductServiceCard=Ficha Produto/Serviço
-Products=Produtos
-Services=Serviços
-Product=Produto
-Service=Serviço
-ProductId=ID Produto/Serviço
-Create=Criar
-Reference=Referencia
-NewProduct=Novo Produto
-NewService=Novo Serviço
-ProductCode=Código Produto
-ServiceCode=Código Serviço
 ProductVatMassChange=Mudança VAT Massa
 ProductVatMassChangeDesc=Esta página pode ser utilizado para modificar uma taxa VAT definido em produtos ou serviços a partir de um valor para outro. Atenção, esta mudança é feita em todos os banco de dados.
-MassBarcodeInit=Inicialização de código de barras. 
+MassBarcodeInit=Inicialização de código de barras.
 MassBarcodeInitDesc=Esta página pode ser usado para inicializar um código de barras em objetos que não têm código de barras definidas. Verifique antes que a instalação do módulo de código de barras é completa.
 ProductAccountancyBuyCode=Codigo contabilidade (compras)
 ProductAccountancySellCode=Codigo contabilidade (vendas)
-ProductOrService=Produto ou Serviço
-ProductsAndServices=Produtos e Serviços
-ProductsOrServices=Produtos ou Serviços
 ProductsAndServicesOnSell=Produtos e Serviços para venda ou para compra
 ProductsAndServicesNotOnSell=Produtos e Serviços Não estáo à venda
-ProductsAndServicesStatistics=Estatísticas Produtos e Serviços
-ProductsStatistics=Estatísticas Produtos
 ProductsOnSell=Produto para venda ou para compra
 ProductsNotOnSell=Produto não está à venda e não está para compra
 ProductsOnSellAndOnBuy=Produtos para venda e compra
 ServicesOnSell=Serviços para venda ou para compra
 ServicesNotOnSell=Serviços Não está à venda
 ServicesOnSellAndOnBuy=Serviços para venda e compra
-InternalRef=Referencia Interna
 LastRecorded=últimos Produtos/Serviços em Venda Registados
 LastRecordedProductsAndServices=Os %s últimos Produtos/Perviços Registados
 LastModifiedProductsAndServices=Os %s últimos Produtos/Serviços Registados
 LastRecordedProducts=Os %s últimos Produtos Registados
 LastRecordedServices=Os %s últimos Serviços Registados
 LastProducts=últimos Produtos
-CardProduct0=Ficha do Produto
-CardProduct1=Ficha do Serviço
-CardContract=Ficha do Contrato
-Warehouse=Armazém
-Warehouses=Armazens
-WarehouseOpened=Armazém aberta
-WarehouseClosed=Armazém Encerrado
-Stock=Estoque
-Stocks=Estoques
-Movement=Movimento
-Movements=Movimentos
-Sell=Vendas
-Buy=Compras
 OnSell=Para Venda
 OnBuy=Para compra
-NotOnSell=Fora de Venda
 ProductStatusOnSell=Para Venda
-ProductStatusNotOnSell=Fora de Venda
 ProductStatusOnSellShort=Para Venda
-ProductStatusNotOnSellShort=Fora de venda
 ProductStatusOnBuy=Para compra
 ProductStatusNotOnBuy=Não para-se comprar
 ProductStatusOnBuyShort=Para compra
 ProductStatusNotOnBuyShort=Não para-se comprar
-UpdatePrice=Alterar preço
-AppliedPricesFrom=Preço de venda válido a partir de
 SellingPrice=Preço de Venda
 SellingPriceHT=Preço de venda (sem taxas)
 SellingPriceTTC=Preço de venda (incl. taxas)
-PublicPrice=Preço público
 CurrentPrice=Preço atual
 NewPrice=Novo Preço
 MinPrice=Min. preço de venda
 MinPriceHT=Min. preço de venda (líquido de impostos)
 MinPriceTTC=Min. preço de venda (inc. impostos)
 CantBeLessThanMinPrice=O preço de venda não deve ser inferior ao mínimo para este produto (%s ICMS)
-ContractStatus=Estado de contrato
 ContractStatusClosed=Encerrado
 ContractStatusRunning=Contínuo
-ContractStatusExpired=Expirado
 ContractStatusOnHold=Em espera
 ContractStatusToRun=Faça em curso
 ContractNotRunning=Este contrato não está em curso
-ErrorProductAlreadyExists=Um produto com a referencia %s já existe.
 ErrorProductBadRefOrLabel=O valor da referencia ou etiqueta é incorreto
 ErrorProductClone=Aconteceu um problema durante a clonação do produto ou serviço.
 ErrorPriceCantBeLowerThanMinPrice=Erro, o preço não pode ser inferior ao preço mínimo.
-Suppliers=Fornecedores
-SupplierRef=Ref. fornecedor
-ShowProduct=Mostrar produto
-ShowService=Mostrar serviço
-ProductsAndServicesArea=Área de Produtos e Serviços
-ProductsArea=Área de Produtos
-ServicesArea=Área de Serviços
-AddToMyProposals=Adicionar aos meus Orçamentos
-AddToOtherProposals=Adicionar a Outros Orçamentos
 AddToMyBills=Adicionar às minhas faturas
 AddToOtherBills=Adicionar a Outras faturas
-CorrectStock=Corrigir estoque
-AddPhoto=Adicionar uma foto
-ListOfStockMovements=Lista de movimentos de estoque
-BuyingPrice=Preço de compra
-SupplierCard=Ficha fornecedor
-CommercialCard=Ficha comercial
 AllWays=Rota para encontrar o sua produto ao estoque
 NoCat=O sua produto não pertence a nenhuma categoria
-PrimaryWay=Rota Primaria:
-PriceRemoved=Preço eliminado
-BarCode=Código de barras
-BarcodeType=Tipo de código de barras
-SetDefaultBarcodeType=Defina o tipo de código de barras
-BarcodeValue=Valor do código de barras
 NoteNotVisibleOnBill=Nota (Não é visivel as faturas, orçamentos, etc.)
-CreateCopy=Criar Cópia
-ServiceLimitedDuration=Sim o serviço é de Duração limitada :
 MultiPricesAbility=Vários  preços por produto / serviço
 MultiPricesNumPrices=Numero de preços
 MultiPriceLevelsName=Categoria de preços
@@ -123,52 +60,26 @@ AssociatedProductsNumber=Número de produtos a compor este produto pacote
 ParentProductsNumber=Numero de pacotes pais do produto
 IfZeroItIsNotAVirtualProduct=Se for 0, este produto não é um produto pacote
 IfZeroItIsNotUsedByVirtualProduct=Se 0, este produto não é usado por qualquer produto do pacote
-EditAssociate=Associar
-Translation=Tradução
-KeywordFilter=Filtro por Chave
 CategoryFilter=Filtro por categoria
-ProductToAddSearch=Procurar produtos a Adicionar
-AddDel=Adicionar/Retirar
-Quantity=Quantidade
-NoMatchFound=Não foram encontrados resultados
 ProductAssociationList=Lista dos produtos / serviços que são componente deste produto / pacote virtual
 ProductParentList=Lista de pacote produtos/serviços com este produto como componente
 ErrorAssociationIsFatherOfThis=Um dos produtos selecionados é pai do produto em curso
-DeleteProduct=Eliminar um produto/serviço
 ConfirmDeleteProduct=? Tem certeza que quer eliminar este produto/serviço?
-ProductDeleted=O produto/serviço "%s" foi eliminado da base de dados.
-DeletePicture=Eliminar uma foto
 ConfirmDeletePicture=? Tem certeza que quer eliminar esta foto?
-ExportDataset_produit_1=Produtos e Serviços
-ExportDataset_service_1=Serviços
-ImportDataset_produit_1=Produtos
-ImportDataset_service_1=Serviços
-DeleteProductLine=Eliminar linha de produto
 ConfirmDeleteProductLine=Tem certeza que quer eliminar esta linha de produto?
-NoProductMatching=Nenhum produto/serviço responde à criterio
-MatchingProducts=Produtos/Serviços encontrados
 NoStockForThisProduct=Não existe estoque deste produto
 NoStock=Sem estoque
-Restock=Recolocar
-ProductSpecial=Especial
 QtyMin=Quantidade min
-PriceQty=Preço para a quantidade
 PriceQtyMin=Preco para esta qtd min. (sem desconto)
 VATRateForSupplierProduct=Percentual ICMS (para este fornecedor/produto)
 DiscountQtyMin=Desconto padrao para qtd
-NoPriceDefinedForThisSupplier=Nenhum Preço/Quant. definido para este fornecedor/produto
-NoSupplierPriceDefinedForThisProduct=Nenhum Preço/Quant. Fornecedor definida para este produto
-RecordedProducts=Produtos em venda
 RecordedServices=Serviços gravados
-RecordedProductsAndServices=Produtos/Serviços para Venda
 PredefinedProductsToSell=Produtos pré-definidas para vender
 PredefinedServicesToSell=Serviços predefinidos para vender
 PredefinedProductsAndServicesToSell=Produtos / serviços pré-definidas para vender
 PredefinedProductsToPurchase=Produto pré-definidas para compra
 PredefinedServicesToPurchase=Serviços pré-definidos para compra
 PredefinedProductsAndServicesToPurchase=Produtos / serviços predefinidos para compra.
-GenerateThumb=Gerar a etiqueta
-ProductCanvasAbility=Usar as extensões especiais "canvas"
 ServiceNb=Serviço n� %s
 ListProductServiceByPopularity=Lista de produtos/serviços por popularidade
 ListProductByPopularity=Lista de produtos por popularidade
@@ -179,7 +90,6 @@ CloneProduct=Clonar produto ou serviço
 ConfirmCloneProduct=Voce tem certeza que deseja clonar o produto ou servico <b>%s</b> ?
 CloneContentProduct=Clonar todas as principais informações de um produto/serviço
 ClonePricesProduct=Clonar principais informações e preços
-CloneCompositionProduct=Clone packaged product/service
 ProductIsUsed=Este produto é usado
 NewRefForClone=Ref. do novo produto/serviço
 CustomerPrices=Os preços dos clientes
@@ -188,48 +98,29 @@ SuppliersPricesOfProductsOrServices=Fornecedor de preços (produtos ou serviços
 CustomCode=Codigo NCM
 CountryOrigin=Pais de origem
 HiddenIntoCombo=Escondido nas listas de seleções
-Nature=Tipo de produto
 ShortLabel=Etiqueta curta
-Unit=Unidade
-p=u.
 set=conjunto
 se=conjunto
 second=segundo
-s=s
 hour=hora
-h=h
 day=dia
-d=d
 kilogram=quilograma
-kg=Kg
 gram=grama
-g=g
 meter=medidor
-m=m
-linear medidor = metro linear
-lm=lm
-square medidor = metro quadrado
-m2=m²
-cubic medidor = metro cúbico
-m3=m³
 liter=litro
-l=L
 ProductCodeModel=Modelo de ref. de produto
 ServiceCodeModel=Modelo de ref. de serviço
 AddThisProductCard=Criar ficha produto
 HelpAddThisProductCard=Esta opção permite de criar ou clonar um produto caso nao exista.
 AddThisServiceCard=Criar ficha serviço
 HelpAddThisServiceCard=Esta opção permite de criar ou clonar um serviço caso o mesmo não existe.
-CurrentProductPrice=Preço atual
 AlwaysUseNewPrice=Usar sempre preço atual do produto/serviço
 AlwaysUseFixedPrice=Usar preço fixo
 PriceByQuantity=Diferentes preços por quantidade
 PriceByQuantityRange=Intervalo de quantidade
 ProductsDashboard=Resumo de produtos/serviços
-UpdateOriginalProductLabel=Modificar etiqueta original
 HelpUpdateOriginalProductLabel=Permite editar o nome do produto
-### composition fabrication
-Building=Produção e despacho de items 
+Building=Produção e despacho de items
 Build=Produzir
 BuildIt=Produzir & Enviar
 BuildindListInfo=Quantidade disponivel para produção por cada estoque (coloque 0 para nenhuma ação)
@@ -238,7 +129,6 @@ UnitPmp=Unidades VWAP
 CostPmpHT=Total unidades VWAP
 ProductUsedForBuild=Automaticamente consumidos pela produção
 ProductBuilded=Produção completada
-ProductsMultiPrice=Produto multi-preço
 ProductsOrServiceMultiPrice=Preços de Clientes (de produtos ou serviços, multi-preços)
 ProductSellByQuarterHT=Total de produtos vendidos no trimestre
 ServiceSellByQuarterHT=Total de servicos vendidos no trimestre
@@ -270,27 +160,14 @@ MinimumRecommendedPrice=Preço minimo recomendado e: %s
 PriceExpressionEditor=Editor de expressão Preço
 PriceExpressionSelected=Expressão de preço Selecionado
 PriceExpressionEditorHelp1="Preço = 2 + 2" ou "2 + 2" para fixação do preço. use; para separar expressões
-PriceExpressionEditorHelp2=You can access ExtraFields with variables like <b>#extrafield_myextrafieldkey#</b> and global variables with <b>#global_mycode#</b>
-PriceExpressionEditorHelp3=In both product/service and supplier prices there are these variables available:<br><b>#tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min#</b>
-PriceExpressionEditorHelp4=In product/service price only: <b>#supplier_min_price#</b><br>In supplier prices only: <b>#supplier_quantity# and #supplier_tva_tx#</b>
 PriceExpressionEditorHelp5=Valores globais disponíveis:
 PriceMode=Modo de Preço
-PriceNumeric=Número
 DefaultPrice=Preço padrão
-ComposedProductIncDecStock=Increase/Decrease stock on parent change
 ComposedProduct=Sub-produto
 MinSupplierPrice=Preço mínimo fornecedor
 DynamicPriceConfiguration=Configuração de preço dinâmico
 GlobalVariables=As variáveis ​​globais
 GlobalVariableUpdaters=Updaters variáveis ​​globais
-GlobalVariableUpdaterType0=Dados JSON
-GlobalVariableUpdaterHelp0=Parses JSON data from specified URL, VALUE specifies the location of relevant value,
-GlobalVariableUpdaterHelpFormat0=format is {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"}
 GlobalVariableUpdaterType1=Dados WebService
-GlobalVariableUpdaterHelp1=Parses WebService data from specified URL, NS specifies the namespace, VALUE specifies the location of relevant value, DATA should contain the data to send and METHOD is the calling WS method
-GlobalVariableUpdaterHelpFormat1=format is {"URL": "http://example.com/urlofws", "VALUE": "array,targetvalue", "NS": "http://example.com/urlofns", "METHOD": "myWSMethod", "DATA": {"your": "data, "to": "send"}}
-UpdateInterval=Intervalo de atualização (minutos)
 LastUpdated=Ultima atualização
-CorrectlyUpdated=Corretamente atualizado
-PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Selecione os arquivos PDF
diff --git a/htdocs/langs/pt_BR/projects.lang b/htdocs/langs/pt_BR/projects.lang
index ce90c8651774b2e08b99488a9b4561803a605e45..0218e5cdf20d149c5cb13ac05c38dbdce037c576 100644
--- a/htdocs/langs/pt_BR/projects.lang
+++ b/htdocs/langs/pt_BR/projects.lang
@@ -1,8 +1,5 @@
 # Dolibarr language file - Source file is en_US - projects
-RefProject=Ref. do projeto
 ProjectId=Id do projeto
-Project=Projeto
-Projects=Projetos
 ProjectStatus=Status Projeto
 SharedProject=A todos
 PrivateProject=Contatos do projeto
@@ -14,9 +11,6 @@ MyTasksDesc=Esta exibição é limitado a projetos ou tarefas que você é um co
 OnlyOpenedProject=Só os projetos abertos são visíveis (projetos em fase de projeto ou o estado fechado não são visíveis).
 TasksPublicDesc=Essa exibição apresenta todos os projetos e tarefas que você tem permissão para ler.
 TasksDesc=Essa exibição apresenta todos os projetos e tarefas (suas permissões de usuário concede-lhe ver tudo).
-AllTaskVisibleButEditIfYouAreAssigned=Todas as tarefas para o referido projeto são visíveis, mas você pode inserir o tempo apenas para tarefa que está atribuído por diante.
-ProjectsArea=Área de Projetos
-NewProject=Novo Projeto
 AddProject=Criar projeto
 DeleteAProject=Eliminar um Projeto
 DeleteATask=Eliminar uma Tarefa
@@ -24,10 +18,7 @@ ConfirmDeleteAProject=Tem certeza que quer eliminar este projeto?
 ConfirmDeleteATask=Tem certeza que quer eliminar esta tarefa?
 OfficerProject=Responsável do Projeto
 LastProjects=Os %s últimos Projetos
-AllProjects=Todos os Projetos
-ProjectsList=Lista de Projetos
 ShowProject=Adicionar Projeto
-SetProject=Definir Projeto
 NoProject=Nenhum Projeto Definido
 NbOpenTasks=Nb de tarefas abertas
 NbOfProjects=No de Projetos
@@ -36,68 +27,41 @@ TimeSpentByYou=Tempo gasto por você
 TimeSpentByUser=Tempo gasto por usuário
 TimesSpent=Tempo gasto
 RefTask=Ref. Tarefa
-LabelTask=Etiqueta de Tarefa
 TaskTimeSpent=O tempo gasto nas tarefas
 TaskTimeUser=Usuário
-TaskTimeNote=Nota
-TaskTimeDate=Data
 TasksOnOpenedProject=Tarefas em projetos abertos
-WorkloadNotDefined=Carga de trabalho não definida
 NewTimeSpent=Novo Tempo Dedicado
 MyTimeSpent=O Meu Tempo Dedicado
 MyTasks=As minhas Tarefas
-Tasks=Tarefas
-Task=Tarefa
-TaskDateStart=Data de início da tarefa
 TaskDateEnd=Data final da tarefa
-TaskDescription=Descrição da tarefa
-NewTask=Nova Tarefa
 AddTask=Criar tarefa
 AddDuration=Indicar Duração
-Activity=Atividade
-Activities=Tarefas/Atividades
-MyActivity=A Minha Atividade
 MyActivities=Minhas Tarefas/Atividades
-MyProjects=Os Meus Projetos
-DurationEffective=Duração Efetiva
-Progress=Progresso
 ProgressDeclared=o progresso declarado
 ProgressCalculated=calculado do progresso
-Time=Tempo
-ListProposalsAssociatedProject=Lista de Orçamentos Associados ao Projeto
 ListOrdersAssociatedProject=Lista de Pedidos Associados ao Projeto
-ListInvoicesAssociatedProject=Lista de Faturas Associadas ao Projeto
-ListPredefinedInvoicesAssociatedProject=Lista de Faturas a Clientes Predefinidas Associadas ao Projeto
-ListSupplierOrdersAssociatedProject=Lista de Pedidos a Fornecedores Associados ao Projeto
 ListSupplierInvoicesAssociatedProject=Lista de Faturas de Fornecedor Associados ao Projeto
-ListContractAssociatedProject=Lista de Contratos Associados ao Projeto
-ListFichinterAssociatedProject=Lista de intervenções associadas ao projeto
 ListExpenseReportsAssociatedProject=Lista de relatórios de despesas associadas ao projeto
 ListDonationsAssociatedProject=Lista de doações associados ao projeto
-ListActionsAssociatedProject=Lista de eventos associados ao projeto
 ListTaskTimeUserProject=Lista de tempo consumido nas tarefas de projecto
 ActivityOnProjectThisWeek=Atividade ao Projeto esta Semana
 ActivityOnProjectThisMonth=Atividade ao Projeto este Mês
 ActivityOnProjectThisYear=Atividade ao Projeto este Ano
 ChildOfTask=Link da Tarefa
 NotOwnerOfProject=Não é responsável deste projeto privado
-AffectedTo=Atribuido a
 CantRemoveProject=Este projeto não pode ser eliminado porque está referenciado por muito objetos (facturas, pedidos e outros). ver a lista no separador referencias.
 ValidateProject=Validar projeto
 ConfirmValidateProject=Você tem certeza que deseja validar esse projeto?
-CloseAProject=Fechar projeto
 ConfirmCloseAProject=Tem certeza de que quer encerrar esse projeto?
 ReOpenAProject=Abrir projeto
 ConfirmReOpenAProject=Tem certeza de que quer voltar a abrir este projeto?
 ProjectContact=Contatos do projeto
 ActionsOnProject=Eventos do projeto
 YouAreNotContactOfProject=Você não é um contato deste projeto privado
-DeleteATimeSpent=Excluir o tempo gasto
 ConfirmDeleteATimeSpent=Tem certeza de que deseja excluir este tempo?
 DoNotShowMyTasksOnly=Ver tambem tarefas não associadas comigo
 ShowMyTasksOnly=Ver so minhas tarefas
 TaskRessourceLinks=Recursos
-ProjectsDedicatedToThisThirdParty=Projetos dedicados a este terceiro
 NoTasks=Não há tarefas para este projeto
 LinkedToAnotherCompany=Ligado a outros terceiros
 TaskIsNotAffectedToYou=Tarefas não associadas a voce
@@ -112,26 +76,17 @@ CloneProjectFiles=Copiar arquivos do projetos
 CloneTaskFiles=Copia(s) do(s) arquivo(s) do projeto(s) finalizado
 CloneMoveDate=Atualizar projeto / tarefas com lançamento a partir de agora?
 ConfirmCloneProject=Tem certeza que deseja copiar este projeto?
-ProjectReportDate=Alterar a data da tarefa de acordo com a data de início do projeto
 ErrorShiftTaskDate=Impossível mudar data da tarefa de acordo com a nova data de início do projeto
-ProjectsAndTasksLines=Projetos e tarefas
-ProjectCreatedInDolibarr=Projeto %s criado
 TaskCreatedInDolibarr=Tarefa %s criada
 TaskModifiedInDolibarr=Tarefa %s alterada
 TaskDeletedInDolibarr=Tarefa %s excluída
-##### Types de contacts #####
 TypeContact_project_internal_PROJECTLEADER=Chefe de projeto
 TypeContact_project_external_PROJECTLEADER=Chefe de projeto
-TypeContact_project_internal_PROJECTCONTRIBUTOR=Colaborador
-TypeContact_project_external_PROJECTCONTRIBUTOR=Colaborador
 TypeContact_project_task_internal_TASKEXECUTIVE=Tarefa executada
 TypeContact_project_task_external_TASKEXECUTIVE=Tarefa executada
-TypeContact_project_task_internal_TASKCONTRIBUTOR=Colaborador
-TypeContact_project_task_external_TASKCONTRIBUTOR=Colaborador
 SelectElement=Selecionar componente
 AddElement=Link para componente
 UnlinkElement=Desligar elemento
-# Documents models
 DocumentModelBaleine=Modelo de relatório de um projeto completo (logo. ..)
 PlannedWorkload=carga horária planejada
 PlannedWorkloadShort=Carga de trabalho
diff --git a/htdocs/langs/pt_BR/propal.lang b/htdocs/langs/pt_BR/propal.lang
index a2e2bc26d01ade744514f22406856b281154d7a2..0638d8dad40bf084617b66073d1e08f89ba9b405 100644
--- a/htdocs/langs/pt_BR/propal.lang
+++ b/htdocs/langs/pt_BR/propal.lang
@@ -1,76 +1,33 @@
 # Dolibarr language file - Source file is en_US - propal
-Proposals=Orçamentos
-Proposal=Orçamento
-ProposalShort=Proposta
-ProposalsDraft=Orçamentos Rascunho
-ProposalDraft=Orçamento Rascunho
 ProposalsOpened=Propostas comerciais abertas
-Prop=Orçamentos
-CommercialProposal=Orçamento
-CommercialProposals=Orçamentos
 ProposalCard=Cartao de proposta
-NewProp=Novo Orçamento
-NewProposal=Novo Orçamento
-NewPropal=Novo Orçamento
-Prospect=Cliente Potencial
-ProspectList=Lista de Clientes Potenciais
-DeleteProp=Eliminar Orçamento
-ValidateProp=Confirmar Orçamento
 AddProp=Criar proposta
 ConfirmDeleteProp=Tem certeza que quer eliminar este orçamento?
 ConfirmValidateProp=Tem certeza que quer Confirmar este orçamento?
 LastPropals=Os %s últimos Orçamentos
 LastClosedProposals=Os últimos Orçamentos Encerrados
 LastModifiedProposals=As últimas %s propostas modificadas
-AllPropals=Todos Os Orçamentos
 LastProposals=últimos Orçamentos
-SearchAProposal=Procurar um Orçamento
-ProposalsStatistics=Estatísticas de Orçamentos
-NumberOfProposalsByMonth=Número por Mês
 AmountOfProposalsByMonthHT=Valor por Mês (sem ICMS)
-NbOfProposals=Número Orçamentos
-ShowPropal=Ver Orçamento
-PropalsDraft=Rascunho
 PropalsOpened=Aberto
 PropalsNotBilled=Não Faturados
-PropalStatusDraft=Rascunho (a Confirmar)
-PropalStatusValidated=Validado (Orçamento Aberto)
-PropalStatusOpened=Validado (Orçamento Aberto)
-PropalStatusClosed=Encerrado
 PropalStatusSigned=Assinado (A Faturar)
 PropalStatusNotSigned=Sem Assinar (Encerrado)
 PropalStatusBilled=Faturado
-PropalStatusDraftShort=Rascunho
-PropalStatusValidatedShort=Validado
 PropalStatusOpenedShort=Aberto
 PropalStatusClosedShort=Encerrado
-PropalStatusSignedShort=Assinado
-PropalStatusNotSignedShort=Sem Assinar
 PropalStatusBilledShort=Faturado
 PropalsToClose=Orçamentos a Fechar
 PropalsToBill=Orçamentos Assinados a Faturar
-ListOfProposals=Lista de Orçamentos
 ActionsOnPropal=Ações sobre o Orçamento
 NoOpenedPropals=Não há propostas comerciais abertas
 NoOtherOpenedPropals=Não há outras propostas comerciais abertas
-RefProposal=Ref. Orçamento
-SendPropalByMail=Enviar Orçamento por E-mail
-AssociatedDocuments=Documentos Associados ao Orçamento :
 ErrorCantOpenDir=Impossível Abrir a Pasta
 DatePropal=Data da Proposta
-DateEndPropal=Válido até
-DateEndPropalShort=Data Fim
-ValidityDuration=Duração da Validade
 CloseAs=Fechado como
-ClassifyBilled=Classificar Faturado
 BuildBill=Criar Fatura
-ErrorPropalNotFound=Orçamento %s Inexistente
-Estimate=Orçamento:
-EstimateShort=Orç.
-OtherPropals=Outros Orçamentos
 AddToDraftProposals=Adicionar a projeto de proposta
 NoDraftProposals=Não há projetos de propostas
-CopyPropalFrom=Criar orçamento por Cópia de um existente
 CreateEmptyPropal=Criar orçamento a partir da Lista de produtos predefinidos
 DefaultProposalDurationValidity=Prazo de validez por default (em dias)
 UseCustomerContactAsPropalRecipientIfExist=Utilizar endereço contato de seguimento de cliente definido em vez do endereço do Fornecedor como destinatário dos Orçamentos
@@ -82,19 +39,10 @@ ProposalLine=Linha da Proposta
 AvailabilityPeriod=Data de aprontamento
 SetAvailability=Atrazo de entrega
 AfterOrder=Apos o pedido
-##### Availability #####
-AvailabilityTypeAV_NOW=Imediato
-AvailabilityTypeAV_1W=1 semana
-AvailabilityTypeAV_2W=2 semanas
-AvailabilityTypeAV_3W=3 semanas
 AvailabilityTypeAV_1M=1 mes
-##### Types de contacts #####
 TypeContact_propal_internal_SALESREPFOLL=Representante seguindo a proposta
 TypeContact_propal_external_BILLING=Contato da fatura cliente
-TypeContact_propal_external_CUSTOMER=Contato cliente seguindo a proposta 
-# Document models
-DocModelAzurDescription=Modelo de orçamento completo (logo...)
-DocModelJauneDescription=Modelo de Orçamento Jaune
+TypeContact_propal_external_CUSTOMER=Contato cliente seguindo a proposta
 DefaultModelPropalCreate=Criaçao modelo padrao
 DefaultModelPropalToBill=Modelo padrao no fechamento da proposta comercial ( a se faturar)
 DefaultModelPropalClosed=Modelo padrao no fechamento da proposta comercial (nao faturada)
diff --git a/htdocs/langs/pt_BR/salaries.lang b/htdocs/langs/pt_BR/salaries.lang
index 147de3d89df880067f435b82f071914e9d35e63b..4ad87183104e96bc36eef1fb5ea8c780f2796a1c 100644
--- a/htdocs/langs/pt_BR/salaries.lang
+++ b/htdocs/langs/pt_BR/salaries.lang
@@ -1,13 +1,9 @@
-# Dolibarr language file - Source file is en_US - users
+# Dolibarr language file - Source file is en_US - salaries
 SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Codigo contabilidade para pagamentos de salarios
 SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Codigo contabilidade para despesas financeiras
-Salary=Salário
-Salaries=Salários
-Employee=Empregado
 NewSalaryPayment=Novo pagamento de salário
 SalaryPayment=Pagamento de salário
 SalariesPayments=Pagamentos de salários
-ShowSalaryPayment=Mostrar pagamento de salário
 THM=Preço medio por hora
 TJM=Preço medio por diaria
 CurrentSalary=Salário atual
diff --git a/htdocs/langs/pt_BR/sendings.lang b/htdocs/langs/pt_BR/sendings.lang
index 69db47c9d81e7e59450d65aa8d5ae6464b994795..66125fb7eb09b3d7247080155a036ef305e07964 100644
--- a/htdocs/langs/pt_BR/sendings.lang
+++ b/htdocs/langs/pt_BR/sendings.lang
@@ -1,44 +1,13 @@
 # Dolibarr language file - Source file is en_US - sendings
 RefSending=Ref. Envio
-Sending=Envio
-Sendings=Envios
 AllSendings=Todos os embarques
-Shipment=Envio
-Shipments=Envios
 ShowSending=Mostrar Envio
-Receivings=Receipts
 SendingsArea=Área Envios
-ListOfSendings=Lista de Envios
-SendingMethod=Método de Envio
-SendingReceipt=Entrega
 LastSendings=Os %s últimos Envios
-SearchASending=Procurar Envio
-StatisticsOfSendings=Estatísticas de Envios
-NbOfSendings=Número de Envios
-NumberOfShipmentsByMonth=Número de envios por mês
 SendingCard=Cartão de embarque
-NewSending=Novo Envio
-CreateASending=Criar um Envio
-CreateSending=Criar Envio
-QtyOrdered=Quant. Pedida
-QtyShipped=Quant. Enviada
-QtyToShip=Quant. a Enviar
 QtyReceived=Quant. Recibida
 KeepToShip=Permaneça para enviar
-OtherSendingsForSameOrder=Outros Envios deste Pedido
-DateSending=Data de Expedição
-DateSendingShort=Data de Expedição
-SendingsForSameOrder=Expedições deste Pedido
-SendingsAndReceivingForSameOrder=Envios e Recepções deste pedido
-SendingsToValidate=Envios a Confirmar
-StatusSendingCanceled=Cancelado
-StatusSendingDraft=Rascunho
 StatusSendingValidated=Validado (produtos a enviar o enviados)
-StatusSendingProcessed=Processado
-StatusSendingCanceledShort=Cancelado
-StatusSendingDraftShort=Rascunho
-StatusSendingValidatedShort=Validado
-StatusSendingProcessedShort=Processado
 SendingSheet=Folha de embarque
 Carriers=Transportadoras
 Carrier=Transportadora
@@ -47,9 +16,6 @@ NewCarrier=Novo Transportadora
 ConfirmDeleteSending=Tem certeza que quer eliminar esta expedição?
 ConfirmValidateSending=Tem certeza que quer Confirmar esta expedição?
 ConfirmCancelSending=Tem certeza que quer anular esta expedição?
-GenericTransport=Transporte Genérico
-Enlevement=Pick-up por o Cliente
-DocumentModelSimple=Modelo Simples
 DocumentModelMerou=Modelo A5 Merou
 WarningNoQtyLeftToSend=Atenção, nenhum produto à espera de ser enviado.
 StatsOnShipmentsOnlyValidated=Estatisticas referentes os envios , mas somente validados. Data usada e data da validacao do envio ( a data planejada da entrega nao e sempre conhecida).
@@ -69,18 +35,13 @@ ProductQtyInCustomersOrdersRunning=Quantidade do produto em aberto ordens client
 ProductQtyInSuppliersOrdersRunning=Quantidade do produto em ordens abertas fornecedores
 ProductQtyInShipmentAlreadySent=Quantidade do produto da ordem do cliente abriu já foi enviado
 ProductQtyInSuppliersShipmentAlreadyRecevied=Quantidade do produto a partir da ordem fornecedor abriu já recebeu
-
-# Sending methods
 SendingMethodCATCH=Remoção pelo cliente
 SendingMethodTRANS=Transportadora
 SendingMethodCOLSUI=Acompanhamento
-# ModelDocument
 DocumentModelSirocco=Modelo de Documento Sirocco
 DocumentModelTyphon=Modelo de Documento Typhon
 Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constante EXPEDITION_ADDON_NUMBER nao definida
 SumOfProductVolumes=Soma do volume dos pedidos
 SumOfProductWeights=Soma do peso dos produtos
-
-# warehouse details
-DetailWarehouseNumber= Detalhes do estoque
-DetailWarehouseFormat= W:%s (Qtd : %d)
+DetailWarehouseNumber=Detalhes do estoque
+DetailWarehouseFormat=W:%s (Qtd : %d)
diff --git a/htdocs/langs/pt_BR/stocks.lang b/htdocs/langs/pt_BR/stocks.lang
index 8427d4ef59ffc2bb0c16c8ff386516076073a82e..b6f29941abaef0f5a4e2a207f8bc9ecd629baf29 100644
--- a/htdocs/langs/pt_BR/stocks.lang
+++ b/htdocs/langs/pt_BR/stocks.lang
@@ -9,47 +9,30 @@ WarehouseOpened=Armazém aberta
 WarehouseClosed=Armazém Encerrado
 WarehouseSource=Armazém Origem
 WarehouseSourceNotDefined=Sem armazém definido,
-AddOne=Adicionar um
-WarehouseTarget= Destino do armazenamento
+WarehouseTarget=Destino do armazenamento
 ValidateSending=Confirmar Envio
 CancelSending=Cancelar Envio
 DeleteSending=Eliminar Envio
 Stock=Estoque
 Stocks=Estoques
 StocksByLotSerial=Estoque por lot / serial
-Movement=Movimento
-Movements=Movimentos
 ErrorWarehouseRefRequired=Nome de referência do armazenamento é necessária
 ErrorWarehouseLabelRequired=A etiqueta do armazenamento é obrigatória
 CorrectStock=Corrigir Estoque
 ListOfWarehouses=Lista de armazenamento
-ListOfStockMovements=Lista de movimentos de stock
 StocksArea=Area de estoque
-Location=Localização
-LocationSummary=Nome abreviado da localização
 NumberOfDifferentProducts=Número de produtos diferentes
-NumberOfProducts=Numero total de produtos
-LastMovement=Último movimento
-LastMovements=Últimos movimentos
-Units=Unidades
-Unit=Unidade
 StockCorrection=Correção estoque
 StockTransfer=Banco de transferência
-StockMovement=Transferencia
 StockMovements=Movimentos de estoque
 LabelMovement=Etiqueta Movimento
-NumberOfUnit=Número de peças
 UnitPurchaseValue=Preço de compra da unidade
 TotalStock=Total em estoque
 StockTooLow=Estoque insuficiente
 StockLowerThanLimit=Da ação inferior limite de alerta
-EnhancedValue=Valor
-PMPValue=Valor (PMP)
-PMPValueShort=PMP
 EnhancedValueOfWarehouses=Valor de estoques
 UserWarehouseAutoCreate=Criar existencias automaticamente na criação de um usuário
 IndependantSubProductStock=Estoque de produtos e estoque subproduto são independentes
-QtyDispatched=Quantidade desagregada
 QtyDispatchedShort=Qtde despachou
 QtyToDispatchShort=Qtde de expedição
 OrderDispatch=Recepção de estoques
@@ -65,7 +48,6 @@ ReStockOnDeleteInvoice=Aumentar os estoques reais sobre exclusão fatura
 OrderStatusNotReadyToDispatch=Não tem ordem  ainda não ou nato tem um status que permite envio de produtos em para armazenamento.
 StockDiffPhysicTeoric=Explicação para a diferença entre o estoque físico e teórico
 NoPredefinedProductToDispatch=Não há produtos pré-definidos para este objeto. Portanto, não envio em estoque é necessária.
-DispatchVerb=Expedição
 StockLimitShort=Limite para alerta
 StockLimit=Limite de estoque para alerta
 PhysicalStock=Estoque físico
@@ -83,8 +65,6 @@ WarehousesAndProductsBatchDetail=Armazéns e produtos (com detalhe por lote / s
 AverageUnitPricePMPShort=Preço médio de entrada
 AverageUnitPricePMP=Preço médio de entrada
 SellPriceMin=Venda Preço unitário
-EstimatedStockValueSellShort=Valor para vender
-EstimatedStockValueSell=Valor para vender
 EstimatedStockValueShort=O valor das ações de entrada
 EstimatedStockValue=O valor das ações de entrada
 DeleteAWarehouse=Excluir um arquivo
@@ -100,7 +80,6 @@ DesiredMaxStock=Estoque máximo desejado
 StockToBuy=Para encomendar
 Replenishment=Reabastecimento
 ReplenishmentOrders=Pedidos de reposição
-VirtualDiffersFromPhysical=According to increase/decrease stock options, physical stock and virtual stock (physical + current orders) may differ
 UseVirtualStockByDefault=Use estoque virtuais por padrão, em vez de estoque físico, para o recurso de reposição
 UseVirtualStock=Use estoque virtuais
 UsePhysicalStock=Use estoque físico
@@ -109,7 +88,6 @@ CurentlyUsingVirtualStock=Estoque virtual
 CurentlyUsingPhysicalStock=Estoque físico
 RuleForStockReplenishment=Regra para as ações de reposição
 SelectProductWithNotNullQty=Selecione pelo menos um produto com um qty não nulo e um fornecedor
-AlertOnly= Só Alertas
 WarehouseForStockDecrease=Os arquivos serão utilizados para redução estoque
 WarehouseForStockIncrease=O arquivos serão utilizados para aumento de
 ForThisWarehouse=Para este armazenamento
@@ -117,7 +95,7 @@ ReplenishmentStatusDesc=Esta é uma lista de todos os produtos com um estoque me
 ReplenishmentOrdersDesc=Esta é uma lista de todas as ordens de fornecedor abertos, incluindo os produtos pré-definidos. Apenas abriu pedidos com produtos pré-definidos, de modo ordens que podem afetar os estoques, são visíveis aqui.
 Replenishments=Reconstituições
 NbOfProductBeforePeriod=Quantidade de produtos em estoque antes do período selecionado
-NbOfProductAfterPeriod=Quantidade de produtos em estoque período selecionado depois 
+NbOfProductAfterPeriod=Quantidade de produtos em estoque período selecionado depois
 MassMovement=Movimento de massas
 MassStockMovement=Movimento de estoque em massa
 SelectProductInAndOutWareHouse=Selecione um produto, uma quantidade, um armazém de origem e um armazém de destino e clique em "% s". Uma vez feito isso para todos os movimentos necessários, clique em "% s".
@@ -127,14 +105,12 @@ StockMovementRecorded=Movimentos de estoque gravados
 RuleForStockAvailability=Regras sobre os requisitos de ações
 StockMustBeEnoughForInvoice=Nível de estoque deve ser suficiente para adicionar o produto / serviço para faturar
 StockMustBeEnoughForOrder=Nível de estoque deve ser suficiente para adicionar o produto / serviço por encomenda
-StockMustBeEnoughForShipment= Nível de estoque deve ser suficiente para adicionar o produto / serviço para embarque
+StockMustBeEnoughForShipment=Nível de estoque deve ser suficiente para adicionar o produto / serviço para embarque
 MovementLabel=Rótulo de Movimento
 InventoryCode=Código de movimento ou de inventário
 IsInPackage=Contido em pacote
 ShowWarehouse=Mostrar armazém
 MovementCorrectStock=Da correção para o produto %s
 MovementTransferStock=Da transferência de produto %s em um outro armazém
-WarehouseMustBeSelectedAtFirstStepWhenProductBatchModuleOn=Source warehouse must be defined here when "Product lot" module is on. It will be used to list wich lot/serial is available for product that required lot/serial data for movement. If you want to send products from different warehouses, just make the shipment into several steps.
 InventoryCodeShort=Inv. / Mov. código
 NoPendingReceptionOnSupplierOrder=Sem recepção pendente devido a abrir ordem fornecedor
-ThisSerialAlreadyExistWithDifferentDate=This lot/serial number (<strong>%s</strong>) already exists but with different eatby or sellby date (found <strong>%s</strong> but you enter <strong>%s</strong>).
diff --git a/htdocs/langs/pt_BR/suppliers.lang b/htdocs/langs/pt_BR/suppliers.lang
index 0060f4179bafcf4c2ffbdb0a0035a2995123e5d8..e30dbf4ab04fed3afe0eae0d114eade56b2019dc 100644
--- a/htdocs/langs/pt_BR/suppliers.lang
+++ b/htdocs/langs/pt_BR/suppliers.lang
@@ -1,42 +1,22 @@
 # Dolibarr language file - Source file is en_US - suppliers
-Suppliers=Fornecedores
 AddSupplier=Criar fornecedor
-SupplierRemoved=Fornecedor Eliminado
 SuppliersInvoice=Faturas do Fornecedor
-NewSupplier=Novo Fornecedor
-History=Histórico
-ListOfSuppliers=Lista de Fornecedores
-ShowSupplier=Mostrar Fornecedor
-OrderDate=Data Pedido
-BuyingPrice=Preço de Compra
 BuyingPriceMin=Preco de compra minimo
 BuyingPriceMinShort=Preco de compra min
 TotalBuyingPriceMin=Total de precos de compra dos subprodutos
 SomeSubProductHaveNoPrices=Algums dos sub-produtos nao tem um preco definido
-AddSupplierPrice=Adicionar Preço de Fornecedor
-ChangeSupplierPrice=Modificar Preço de Fornecedor
-ErrorQtyTooLowForThisSupplier=Quantidade insuficiente para este fornecedor
-ErrorSupplierCountryIsNotDefined=O país deste fornecedor não está definido, corrija na sua ficha
 ProductHasAlreadyReferenceInThisSupplier=Este produto já tem uma referencia neste fornecedor
 ReferenceSupplierIsAlreadyAssociatedWithAProduct=Esta referencia de fornecedor ja esta asociada com a referenca: %s
-NoRecordedSuppliers=Sem Fornecedores Registados
-SupplierPayment=Pagamento a Fornecedor
-SuppliersArea=Área Fornecedores
-RefSupplierShort=Ref. Fornecedor
 Availability=Entrega
 ExportDataset_fournisseur_1=Faturas de Fornecedores e Linhas de Fatura
 ExportDataset_fournisseur_2=Faturas Fornecedores e Pagamentos
 ExportDataset_fournisseur_3=Ordems de fornecedor e linhas de ordem
-ApproveThisOrder=Aprovar este Pedido
 ConfirmApproveThisOrder=Tem certeza que quer aprovar este pedido?
 DenyingThisOrder=Negar esta ordem
 ConfirmDenyingThisOrder=Tem certeza que quer negar este pedido?
 ConfirmCancelThisOrder=Tem certeza que quer cancelar este pedido?
-AddCustomerOrder=Criar Pedido do Cliente
 AddCustomerInvoice=Criar Fatura para o Cliente
-AddSupplierOrder=Criar Pedido a Fornecedor
 AddSupplierInvoice=Criar Fatura do Fornecedor
-ListOfSupplierProductForSupplier=Lista de produtos e preços do fornecedor <b>%s</b>
 NoneOrBatchFileNeverRan=Nenhum lote ou <b>%s</b> não foi executado recentemente
 SentToSuppliers=Enviado para fornecedores
 ListOfSupplierOrders=Lista de pedidos do fornecedor
diff --git a/htdocs/langs/pt_BR/trips.lang b/htdocs/langs/pt_BR/trips.lang
index 8323329a58ecb4f37283b8da53fc9ee2aaf26903..767b1265747e743908630492db585bf7cd7b3f76 100644
--- a/htdocs/langs/pt_BR/trips.lang
+++ b/htdocs/langs/pt_BR/trips.lang
@@ -1,5 +1,4 @@
 # Dolibarr language file - Source file is en_US - trips
-ExpenseReport=Relatório de despesas
 ExpenseReports=Os relatórios de despesas
 Trip=Relatório de despesas
 Trips=Os relatórios de despesas
@@ -8,14 +7,10 @@ TripsAndExpensesStatistics=Estatísticas de relatórios de despesas
 TripCard=Despesa de cartão de relatório
 AddTrip=Criar relatório de despesas
 ListOfTrips=Lista de relatórios de despesas
-ListOfFees=Lista de Taxas
-NewTrip=Novo relatório de despesas
-CompanyVisited=Empresa/Instituição Visitada
 Kilometers=Kilometros
 FeesKilometersOrAmout=Quantidade de Kilometros
 DeleteTrip=Excluir relatório de despesas
 ConfirmDeleteTrip=Tem certeza de que deseja excluir este relatório de despesas?
-ListTripsAndExpenses=Lista de relatórios de despesas
 ListToApprove=Esperando aprovação
 ExpensesArea=Área de relatórios de despesas
 SearchATripAndExpense=Pesquisar um relatório de despesas
@@ -27,75 +22,41 @@ AnyOtherInThisListCanValidate=Pessoa para informar para validação.
 TripSociete=Informações da empresa
 TripSalarie=Informações do usuário
 TripNDF=Informações relatório de despesas
-DeleteLine=Excluir uma linha do relatório de despesas
-ConfirmDeleteLine=Tem certeza de que deseja excluir esta linha?
 PDFStandardExpenseReports=Template padrão para gerar um documento PDF para relatório de despesa
 ExpenseReportLine=Linha de relatório de despesas
-TF_OTHER=Outro
 TF_TRANSPORTATION=Transporte
-TF_LUNCH=Alimentação
-TF_METRO=Metro
 TF_TRAIN=Trem
 TF_BUS=Onibus
-TF_CAR=Carro
 TF_PEAGE=Pedágio
 TF_ESSENCE=Combustivel
-TF_HOTEL=Hotel
-TF_TAXI=Taxi
-
 ErrorDoubleDeclaration=Você declarou outro relatório de despesas em um intervalo de datas semelhante.
 AucuneNDF=Não há relatórios de despesas encontrados para este critério
 AucuneLigne=Não há relatório de despesas declaradas ainda
 AddLine=Adicionar linha
-AddLineMini=Adicionar
-
 Date_DEBUT=Data de início
 Date_FIN=Data final do período
 ModePaiement=Modo de pagamento
-Note=Nota
-Project=Projeto
-
 VALIDATOR=Usuário responsável pela aprovação
-VALIDOR=Aprovado por
 AUTHOR=Gravada por
 AUTHORPAIEMENT=Pago por
 REFUSEUR=Negado pelo
 CANCEL_USER=Excluída por
-
 MOTIF_REFUS=Razão
 MOTIF_CANCEL=Razão
-
 DATE_REFUS=Negar data
 DATE_SAVE=Validado em
-DATE_VALIDE=Validado em 
+DATE_VALIDE=Validado em
 DATE_CANCEL=Data de cancelamento
-DATE_PAIEMENT=Data de pagamento
-
-TO_PAID=Pagar
-BROUILLONNER=Reabrir
 SendToValid=Enviado em aprovação
-ModifyInfoGen=Editar
 ValidateAndSubmit=Validar e submeter à aprovação
-
 NOT_VALIDATOR=Você não tem permissão para aprovar este relatório de despesas
 NOT_AUTHOR=Você não é o autor deste relatório de despesas. Operação cancelada.
-
 RefuseTrip=Negar um relatório de despesas
 ConfirmRefuseTrip=Tem certeza de que deseja negar este relatório de despesas?
-
-ValideTrip=Aprovar relatório de despesas
 ConfirmValideTrip=Tem certeza de que deseja aprovar este relatório de despesas?
-
-PaidTrip=Pagar um relatório de despesas
 ConfirmPaidTrip=Tem certeza de que deseja alterar o status do relatório de despesas para "Pago"?
-
-CancelTrip=Cancelar um relatório de despesas
 ConfirmCancelTrip=Tem certeza de que deseja cancelar este relatório de despesas?
-
 BrouillonnerTrip=Voltar relatório de despesas para o status de "Rascunho"
 ConfirmBrouillonnerTrip=Tem certeza de que deseja mover este relatório de despesas para o status de "Rascunho"?
-
-SaveTrip=Validar relatório de despesas
 ConfirmSaveTrip=Tem certeza de que deseja validar esse relatório de despesas?
-
 NoTripsToExportCSV=Nenhum relatório de despesas para exportar para este período.
diff --git a/htdocs/langs/pt_BR/users.lang b/htdocs/langs/pt_BR/users.lang
index 9460dbb38f6ae19f32b3b7afcd35c2c1a2f92d76..f07e623c06f90fb14f35bc16b3488c545d343c5d 100644
--- a/htdocs/langs/pt_BR/users.lang
+++ b/htdocs/langs/pt_BR/users.lang
@@ -2,10 +2,7 @@
 HRMArea=área de gestão de recursos humanos
 UserCard=Ficha de Usuário
 ContactCard=Ficha de Contato
-GroupCard=Ficha de Grupo
 NoContactCard=Nenhum cartão para os contatos
-Permission=Permissão
-Permissions=Permissões
 EditPassword=Alterar senha
 SendNewPassword=Enviar nova senha
 ReinitPassword=Gerar nova senha
@@ -16,12 +13,9 @@ OwnedRights=As minhas permissões
 GroupRights=Permissões do grupo
 UserRights=Permissões do usuário
 UserGUISetup=Interface do usuário
-DisableUser=Desativar
 DisableAUser=Desativar um usuário
 DeleteUser=Excluir
 DeleteAUser=Excluir um usuário
-DisableGroup=Desativar
-DisableAGroup=Desativar um Grupo
 EnableAUser=Reativar um Usuário
 EnableAGroup=Reativar um Grupo
 DeleteGroup=Excluir
@@ -41,14 +35,12 @@ SearchAUser=Buscar um usuário
 LoginNotDefined=O usuário não está definido
 NameNotDefined=O nome não está definido
 ListOfUsers=Lista de usuário
-Administrator=Administrador
 SuperAdministrator=Super Administrador
 SuperAdministratorDesc=Administrador geral
 AdministratorDesc=Entidade do administrador
 DefaultRights=Permissões por Padrao
 DefaultRightsDesc=Defina aqui <u>padrão</u> permissões que são concedidas automaticamente para um <u>novo usuário criado</u> (Vá em fichas de usuário para alterar as permissões de um usuário existente).
 DolibarrUsers=Usuário Dolibarr
-LastName=Sobrenome
 FirstName=Primeiro nome
 ListOfGroups=Lista de grupos
 NewGroup=Novo grupo
@@ -58,7 +50,6 @@ PasswordChangedAndSentTo=Senha alterada e enviada a <b>%s</b>.
 PasswordChangeRequestSent=Solicitação para alterar a senha para <b>%s</b> enviada a <b>%s</b>.
 MenuUsersAndGroups=Usuários e Grupos
 MenuMyUserCard=Meu cartão de usuario
-LastGroupsCreated=Os %s últimos grupos criados
 LastUsersCreated=Os %s últimos usuários criados
 ShowGroup=Visualizar grupo
 ShowUser=Visualizar usuário
@@ -80,17 +71,12 @@ CreateDolibarrThirdParty=Criar um fornecedor
 LoginAccountDisable=A conta está desativada, indique um Novo login para a ativar.
 LoginAccountDisableInDolibarr=A conta está desativada no Dolibarr
 LoginAccountDisableInLdap=A conta está desativada ao domínio
-UsePersonalValue=Utilizar valores personalizados
 GuiLanguage=Idioma do Interface
-InternalUser=Usuário Interno
-MyInformations=A Minha Informação
 ExportDataset_user_1=Usuários e Atributos
 DomainUser=Usuário de Domínio
-Reactivate=Reativar
 CreateInternalUserDesc=Este formulario permite criar um usuario interno a sua compania/fundação. Para criar um usuario externo (cliente, fornecedor, ...), use o botão 'Criar usuario Dolibarr' da ficha de contatos dos terceiro..
 InternalExternalDesc=Um usuário <b>interno</b> é um usuário que pertence à sua Empresa/Instituição.<br>Um usuário <b>externo</b> é um usuário cliente, fornecedor ou outro.<br><br>Nos 2 casos, as permissões de Usuários definem os direitos de acesso, mas o usuário externo pode além disso ter  um gerente de menus diferente do usuário interno (ver Inicio - configuração - visualização)
 PermissionInheritedFromAGroup=A permissão dá-se já que o herda de um grupo ao qual pertence o usuário.
-Inherited=Herdado
 UserWillBeInternalUser=Usuario criado sera um usuario interno (porque nao esta conectado a um particular terceiro)
 UserWillBeExternalUser=Usuario criado sera um usuario externo (porque esta conectado a um particular terceiro)
 IdPhoneCaller=ID chamador (telefone)
@@ -102,7 +88,6 @@ EventUserModified=Usuário %s Modificado
 UserDisabled=Usuário %s Desativado
 UserEnabled=Usuário %s Ativado
 UserDeleted=Usuário %s Eliminado
-NewGroupCreated=Grupo %s Criado
 GroupModified=Grupo %s Alterado
 GroupDeleted=Grupo %s Eliminado
 ConfirmCreateContact=Tem certeza que quer criar uma conta para este contato?
@@ -112,12 +97,10 @@ LoginToCreate=Login a Criar
 NameToCreate=Nome do Fornecedor a Criar
 YourRole=Suas funções
 YourQuotaOfUsersIsReached=Sua cota de usuarios ativos atingida !
-NbOfUsers=N. de usuarios 
+NbOfUsers=N. de usuarios
 DontDowngradeSuperAdmin=Somente um Super Administrador pode rebaixar um Super Administrador
-HierarchicalResponsible=Supervisor
 HierarchicView=Visão hierárquica
 UseTypeFieldToChange=Use campo Tipo para mudar
 OpenIDURL=URL do OpenID
 LoginUsingOpenID=Usar o OpenID para efetuar o login
-WeeklyHours=Horas semanais
 ColorUser=Cor do usuario
diff --git a/htdocs/langs/pt_BR/withdrawals.lang b/htdocs/langs/pt_BR/withdrawals.lang
index 6c43f0377bed964badbe8fde15308e0cdaf65021..4ade1c448d51f0d07c94dbef9f8480e983be1a3c 100644
--- a/htdocs/langs/pt_BR/withdrawals.lang
+++ b/htdocs/langs/pt_BR/withdrawals.lang
@@ -1,19 +1,9 @@
 # Dolibarr language file - Source file is en_US - withdrawals
 StandingOrdersArea=Área ordens permanentes
 CustomersStandingOrdersArea=Área de Débitos Diretos de Clientes
-StandingOrders=Débitos Diretos
-StandingOrder=Débitos Diretos
 NewStandingOrder=Novo Débito Direto
 StandingOrderToProcess=A Processar
-StandingOrderProcessed=Processado
-Withdrawals=Levantamentos
-Withdrawal=Levantamento
-WithdrawalsReceipts=Ordens de Levantamento
-WithdrawalReceipt=Ordem de Levantamento
-WithdrawalReceiptShort=Ordem
-LastWithdrawalReceipts=As %s últimas ordens de levantamento
 WithdrawedBills=Faturas de Levantamentos
-WithdrawalsLines=Linhas de Levantamento
 RequestStandingOrderToTreat=Pedido de processamento das ordems abertas
 RequestStandingOrderTreated=Pedido para ordems abertas processado
 NotPossibleForThisStatusOfWithdrawReceiptORLine=Ainda não é possível. Retirar o status deve ser definido como 'creditado' antes de declarar rejeitar em linhas específicas.
@@ -22,11 +12,9 @@ CustomerStandingOrder=Débito Direto de Cliente
 NbOfInvoiceToWithdraw=Nb. da fatura para  realizar pedido
 NbOfInvoiceToWithdrawWithInfo=Nb. da fatura para realizar pedido para os clientes com informações de conta bancária definida
 InvoiceWaitingWithdraw=Faturas em Espera de Levantamento
-AmountToWithdraw=Quantidade a Levantar
 WithdrawsRefused=Débitos Diretos Rejeitados
 NoInvoiceToWithdraw=Nenhuma fatura a cliente com modo de pagamento 'Débito Directo' em espera. Ir ao separador 'Débito Directo' na ficha da fatura para fazer um pedido.
 ResponsibleUser=Usuário Responsável dos Débitos Diretos
-WithdrawalsSetup=Configuração dos Débitos Diretos
 WithdrawStatistics=Estatísticas de Débitos Diretos
 WithdrawRejectStatistics=Estatísticas de Débitos Diretos Rejeitados
 LastWithdrawalReceipt=Os %s últimos Débitos Diretos Recebidos
@@ -38,21 +26,14 @@ ClassCredited=Classificar Acreditados
 ClassCreditedConfirm=Você tem certeza que querer marcar este pagamento como realizado em a sua conta bancaria?
 TransData=Data da transferência
 TransMetod=Método de transferência
-Send=Enviar
-Lines=Linhas
 StandingOrderReject=Emitir uma recusa
 WithdrawalRefused=Retirada recusada
 WithdrawalRefusedConfirm=Você tem certeza que quer entrar com uma rejeição de retirada para a sociedade
-RefusedData=Data de rejeição
-RefusedReason=Motivo da rejeição
 RefusedInvoicing=Cobrança da rejeição
 NoInvoiceRefused=Não carregue a rejeição
 InvoiceRefused=Fatura recusada (Verificar a rejeição junto ao cliente)
-Status=Estado
-StatusUnknown=Desconhecido
 StatusWaiting=Aguardando
 StatusTrans=Enviado
-StatusCredited=Creditado
 StatusRefused=Negado
 StatusMotif0=Não especificado
 StatusMotif1=Saldo insuficiente
@@ -60,20 +41,14 @@ StatusMotif2=Solicitação contestada
 StatusMotif3=Não há pedido de retirada
 StatusMotif4=Pedido do Cliente
 StatusMotif5=RIB inutilizável
-StatusMotif6=Conta sem saldo
-StatusMotif7=Decisão Judicial
 StatusMotif8=Outras razões
 CreateAll=Retirar tudo
 CreateGuichet=Apenas do escritório
-CreateBanque=Apenas banco
 OrderWaiting=Aguardando resolução
 NotifyTransmision=Retirada de Transmissão
-NotifyEmision=Emissões de retirada 
+NotifyEmision=Emissões de retirada
 NotifyCredit=Revogação de crédito
 NumeroNationalEmetter=Nacional Número Transmissor
-PleaseSelectCustomerBankBANToWithdraw=Selecione informações sobre conta bancária do cliente para retirar
-WithBankUsingRIB=Para contas bancárias usando RIB
-WithBankUsingBANBIC=Para contas bancárias usando IBAN / BIC / SWIFT
 BankToReceiveWithdraw=Conta bancária para receber saques
 CreditDate=A crédito
 WithdrawalFileNotCapable=Não foi possível gerar arquivos recibo retirada para o seu país %s (O seu país não é suportado)
@@ -84,8 +59,6 @@ WithdrawalFile=Arquivo Retirada
 SetToStatusSent=Defina o status "arquivo enviado"
 ThisWillAlsoAddPaymentOnInvoice=Isto também se aplica aos pagamentos de faturas e classificá-los como "Paid"
 StatisticsByLineStatus=Estatísticas por situação de linhas
-
-### Notifications
 InfoCreditSubject=Pagamento pendente pelo banco
 InfoCreditMessage=O pedido pendente foi pago pelo banco <br> Dados de pagamento:% s
 InfoTransSubject=Transmissão de pedido pendente para o banco
diff --git a/htdocs/langs/pt_BR/workflow.lang b/htdocs/langs/pt_BR/workflow.lang
index abc16b092153336fb9df97fddc1e09a4cd457d15..55c711cad68d0e9b251085b0bdbc8cf5b2cfe5be 100644
--- a/htdocs/langs/pt_BR/workflow.lang
+++ b/htdocs/langs/pt_BR/workflow.lang
@@ -1,11 +1,7 @@
-# Dolibarr language file - Source file is en_US - admin
+# Dolibarr language file - Source file is en_US - workflow
 WorkflowSetup=Configuração do módulo de Fluxo de Trabalho
 WorkflowDesc=Este módulo é concebido para modificar o comportamento das ações automáticas para aplicação. Por padrão, o fluxo de trabalho está aberto (você pode fazer as coisas na ordem que você quiser). Você pode ativar as ações automáticas que você está interessado.
-ThereIsNoWorkflowToModify=Não há fluxo de trabalho para modificar para o módulo ativado.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Criar automaticamente uma ordem de cliente depois de uma proposta comercial é assinado
-descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically criar uma fatura de cliente depois que uma proposta comercial é assinado
-descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically criar uma fatura de cliente depois de um contrato é validado
-descWORKFLOW_ORDER_AUTOCREATE_INVOICEAutomatically criar uma fatura de cliente depois de uma ordem do cliente é fechado
 descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classificar proposta fonte ligada ao bico quando a ordem do cliente é definido como pago
 descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classifique os pedido do cliente vinculado as fonte(s) das faturas quando a fatura do cliente ainda não foi paga
 descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classifique os pedidos do cliente vinculado as fonte(s) das faturas quando a fatura do cliente  for paga.
diff --git a/htdocs/langs/pt_PT/admin.lang b/htdocs/langs/pt_PT/admin.lang
index dc72e59e8989ed282710b74633ab76f14cfa5ef6..3404bc1b717be44ab5e58242dca3664d123c9611 100644
--- a/htdocs/langs/pt_PT/admin.lang
+++ b/htdocs/langs/pt_PT/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Orçamentos
 Module20Desc=Gestão de Orçamentos/Propostas comerciais
 Module22Name=E-Mailings
 Module22Desc=Administração e envío de E-Mails massivos
-Module23Name= Energia
-Module23Desc= Acompanhamento do consumo de energia
+Module23Name=Energia
+Module23Desc=Acompanhamento do consumo de energia
 Module25Name=Pedidos de clientes
 Module25Desc=Gestão de pedidos de clientes
 Module30Name=Facturas e Recibos
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Interface com calendario Webcalendar
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salários
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notificações
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Bolsas
 Module700Desc=Gestão de Bolsas
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Criar/Modificar produtos/serviços
 Permission34=Eliminar produtos/serviços
 Permission36=Exportar produtos/serviços
 Permission38=Exportar Produtos
-Permission41=Consultar projectos
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Criar/Modificar projectos
 Permission44=Eliminar projectos
 Permission61=Consultar Intervenções
@@ -600,10 +600,10 @@ Permission86=Enviar pedidos de clientes
 Permission87=Fechar pedidos de clientes
 Permission88=Anular pedidos de clientes
 Permission89=Eliminar pedidos de clientes
-Permission91=Consultar Impostos e IVA
-Permission92=Criar/Modificar Impostos e IVA
-Permission93=Eliminar Impostos e IVA
-Permission94=Exportar Impostos Sociais
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Consultar balanços e resultados
 Permission101=Consultar envios
 Permission102=Criar/modificar envios
@@ -621,9 +621,9 @@ Permission121=Consultar empresas
 Permission122=Criar/Modificar empresas
 Permission125=Eliminar empresas
 Permission126=Exportar as empresas
-Permission141=Leia as tarefas
-Permission142=Criar / modificar funções
-Permission144=Exclusão de tarefas
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Consultar Fornecedores
 Permission147=Consultar Estados
 Permission151=Consultar Débitos Directos
@@ -801,7 +801,7 @@ DictionaryCountry=Países
 DictionaryCurrency=Moedas
 DictionaryCivility=Civility title
 DictionaryActions=Tipo de eventos da agenda
-DictionarySocialContributions=Tipos de contribuições sociais
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Condições de Pagamento
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Modelos para o gráfíco de contas
 DictionaryEMailTemplates=Modelos de Mensagens
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Configuração guardada
 BackToModuleList=Voltar à lista de módulos
 BackToDictionaryList=Voltar à lista de dicionários
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Tem a certeza que quer eliminar a entrada de menu <b>%s</b> ?
 DeleteLine=Apagar a linha
 ConfirmDeleteLine=Tem a certeza que quer eliminar esta linha?
 ##### Tax #####
-TaxSetup=Configuração do Módulo Impostos, Cargas Sociais e Dividendos
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Opção de carga de IVA
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=Clientes SOAP devem enviar os seus pedidos à Dolibarr final disponí
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Banco módulo de configuração
 FreeLegalTextOnChequeReceipts=Texto livre em recibos dos cheques
@@ -1596,6 +1599,7 @@ ProjectsSetup=Projeto de instalação do módulo
 ProjectsModelModule=Modelo de projeto de documento de relatório
 TasksNumberingModules=Módulo de numeração das tarefas
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = Configuração GED
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/pt_PT/agenda.lang b/htdocs/langs/pt_PT/agenda.lang
index 3c906efba05315f0c49667fae2cf3ae834713e62..46b349cd554621f8b7ceb9efee42c6e6bfac1813 100644
--- a/htdocs/langs/pt_PT/agenda.lang
+++ b/htdocs/langs/pt_PT/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Encomenda %s aprovada
 OrderRefusedInDolibarr=Encomenda %s recusada
 OrderBackToDraftInDolibarr=Encomenda %s voltou ao estado de rascunho
-OrderCanceledInDolibarr=Encomenda %s cancelada
 ProposalSentByEMail=Proposta a cliente %s enviada por e-mail
 OrderSentByEMail=Encomenda de cliente %s enviada por email
 InvoiceSentByEMail=Factura de cliente %s enviada por e-mail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/pt_PT/banks.lang b/htdocs/langs/pt_PT/banks.lang
index 0b8f4dd69c33fef9193b32a0b5144be0a7ed43d6..812cee8ceabe667136d4750f278e599f5c2f2b3c 100644
--- a/htdocs/langs/pt_PT/banks.lang
+++ b/htdocs/langs/pt_PT/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Pagamento de cliente
 CustomerInvoicePaymentBack=Devolução pagamento de cliente
 SupplierInvoicePayment=Pagamento a fornecedor
 WithdrawalPayment=Pagamento de retirada
-SocialContributionPayment=Pagamento carga social
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Diário de tesouraria da Conta
 BankTransfer=Transferência bancária
 BankTransfers=Transferencias bancarias
diff --git a/htdocs/langs/pt_PT/bills.lang b/htdocs/langs/pt_PT/bills.lang
index e43a16de6e90f69cec94543972661160e6d4e0b0..21c11edd6933e438f07d1ca638e81195fdf09bc0 100644
--- a/htdocs/langs/pt_PT/bills.lang
+++ b/htdocs/langs/pt_PT/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nº de facturas
 NumberOfBillsByMonth=Nb de facturas por mês
 AmountOfBills=Montante das facturas
 AmountOfBillsByMonthHT=Quantidade de facturas por mês (líquidos de impostos)
-ShowSocialContribution=Mostrar contribuição social
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Ver factura
 ShowInvoice=Ver factura
 ShowInvoiceReplace=Ver factura rectificativa
@@ -270,7 +270,7 @@ BillAddress=Morada de facturação
 HelpEscompte=Um <b>Desconto</b> é um desconto acordado sobre uma factura dada, a um cliente que realizou o seu pagamento muito antes do vencimento.
 HelpAbandonBadCustomer=Este Montante é deixado (cliente julgado como devedor) e se considera como uma perda excepcional.
 HelpAbandonOther=Este Montante é deixado,já que se tratava de um erro de facturação (má introdução de dados, factura substituída por outra).
-IdSocialContribution=Contribuição Social id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Pagamento id
 InvoiceId=Id factura
 InvoiceRef=Ref. factura
diff --git a/htdocs/langs/pt_PT/companies.lang b/htdocs/langs/pt_PT/companies.lang
index 91b77f124f2f2c56384281f9eb44d43c6bc395e6..ab339498b390689fa97314bb1e083346088ee516 100644
--- a/htdocs/langs/pt_PT/companies.lang
+++ b/htdocs/langs/pt_PT/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Contacto de Terceiro
 StatusContactValidated=Estado do Contacto
 Company=Empresa
 CompanyName=Razão social
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Empresas
 CountryIsInEEC=País da Comunidade Económica Europeia
 ThirdPartyName=Nome de terceiros
diff --git a/htdocs/langs/pt_PT/compta.lang b/htdocs/langs/pt_PT/compta.lang
index c43f8cdc6955c4b6065c59c9a250a1cf68eae5db..8958606da5ad27fd71be634bd712c9676074c18b 100644
--- a/htdocs/langs/pt_PT/compta.lang
+++ b/htdocs/langs/pt_PT/compta.lang
@@ -56,23 +56,23 @@ VATCollected=IVA Recuperado
 ToPay=A Pagar
 ToGet=Para Voltar
 SpecialExpensesArea=Área para todos os pagamentos especiais
-TaxAndDividendsArea=Área Impostos, gastos sociais e dividendos
-SocialContribution=Gasto social
-SocialContributions=Gastos sociais
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Despesas Especiais
 MenuTaxAndDividends=Impostos e Dividas
 MenuSalaries=Salários
-MenuSocialContributions=Gastos sociais
-MenuNewSocialContribution=Novo gasto
-NewSocialContribution=Novo gasto social
-ContributionsToPay=Gastos por pagar
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Área Contabilidade/Tesouraria
 AccountancySetup=Configuração Contabilidade
 NewPayment=Novo Pagamento
 Payments=Pagamentos
 PaymentCustomerInvoice=Cobrança factura a cliente
 PaymentSupplierInvoice=Pagamento factura de fornecedor
-PaymentSocialContribution=Pagamento gasto social
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Pagamento IVA
 PaymentSalary=Pagamento de Salário
 ListPayment=Lista de pagamentos
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=Pagamento IVA
 VATPayments=Pagamentos IVA
-SocialContributionsPayments=Contribuições de pagamentos Social
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Ver Pagamentos IVA
 TotalToPay=Total a Pagar
 TotalVATReceived=Total do IVA Recebido
@@ -116,11 +116,11 @@ NewCheckDepositOn=Criar Novo deposito na conta: %s
 NoWaitingChecks=Não existe cheque em espera para depositar.
 DateChequeReceived=Data introdução de dados de recepção cheque
 NbOfCheques=Nº de Cheques
-PaySocialContribution=Pagar uma gasto social
-ConfirmPaySocialContribution=Está seguro de querer classificar este gasto social como pago?
-DeleteSocialContribution=Eliminar gasto social
-ConfirmDeleteSocialContribution=Está seguro de querer eliminar este gasto social?
-ExportDataset_tax_1=gastos sociais e pagamentos
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Modo de cálculo
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clonar uma contribuição social
-ConfirmCloneTax=Confirme a clonagem de uma contribuição social
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Cloná-la para o mês seguinte
diff --git a/htdocs/langs/pt_PT/cron.lang b/htdocs/langs/pt_PT/cron.lang
index 2691ad51da738469052521795b2e8fc453bf02cc..16181345f9289701122a67f7c62ffb27a9bf08d6 100644
--- a/htdocs/langs/pt_PT/cron.lang
+++ b/htdocs/langs/pt_PT/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Informação
 # Common
diff --git a/htdocs/langs/pt_PT/ecm.lang b/htdocs/langs/pt_PT/ecm.lang
index 2527487d24972fe9a4fe71293a505f1707f19a92..466583a2062f98897087ffe50ace0cd0b3d6c9e9 100644
--- a/htdocs/langs/pt_PT/ecm.lang
+++ b/htdocs/langs/pt_PT/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Procurar por Objecto
 ECMSectionOfDocuments=Pastas de Documentos
 ECMTypeManual=Manual
 ECMTypeAuto=Automático
-ECMDocsBySocialContributions=Documentos associados a contribuições sociais
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documentos associados a terceiros
 ECMDocsByProposals=Documentos associcados a orçamentos
 ECMDocsByOrders=Documentos associados a pedidos
diff --git a/htdocs/langs/pt_PT/errors.lang b/htdocs/langs/pt_PT/errors.lang
index 681f804c473bc6c31f483ae6a1936f28b42b9198..7f7a91e56aafbfe86090ec19725aaa042f11baba 100644
--- a/htdocs/langs/pt_PT/errors.lang
+++ b/htdocs/langs/pt_PT/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/pt_PT/holiday.lang b/htdocs/langs/pt_PT/holiday.lang
index 63bb32c103375e145408daecf24fc08eca82b42e..c71919e336e5d997e9daab6f1bde4dea36f06557 100644
--- a/htdocs/langs/pt_PT/holiday.lang
+++ b/htdocs/langs/pt_PT/holiday.lang
@@ -3,7 +3,7 @@ HRM=RH
 Holidays=Licenças
 CPTitreMenu=Licenças
 MenuReportMonth=Comunicado mensal
-MenuAddCP=Efetue um pedido de licença
+MenuAddCP=New leave request
 NotActiveModCP=Deve ativar o módulo de Licenças para ver esta página.
 NotConfigModCP=Deve configurar o módulo de Licenças para ver esta página. Para o efetuar, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> clique aqui </ a>.
 NoCPforUser=Não tem nenhum dia disponivel.
@@ -71,7 +71,7 @@ MotifCP=Motivo
 UserCP=Utilizador
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=Veja registo de requisições
+MenuLogCP=View change logs
 LogCP=Registo de actualizações de dias disponíveis  
 ActionByCP=Realizado por
 UserUpdateCP=Para o utilizador
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Grupo habilitado para aprovar requisições
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Ultima atualização de alocação de requisições 
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Olá
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/pt_PT/mails.lang b/htdocs/langs/pt_PT/mails.lang
index a8f7b8620766fea2a8b00f75ee0f112e4a5b76ce..22957d35c85d026b569742b6f634c2508276c003 100644
--- a/htdocs/langs/pt_PT/mails.lang
+++ b/htdocs/langs/pt_PT/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Endereço de cancelamento de subscrição
 TagSignature=Signature sending user
 TagMailtoEmail=E-mail do destinatário
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notificações
 NoNotificationsWillBeSent=Nenhuma notificação por e-mail está prevista para este evento e empresa
diff --git a/htdocs/langs/pt_PT/main.lang b/htdocs/langs/pt_PT/main.lang
index c03b3f7e7cf1cb2d82a514e7c2b6fca52694bff2..973cbf5de07d3ce70e8cd7f7c1a975ea85d4ab6c 100644
--- a/htdocs/langs/pt_PT/main.lang
+++ b/htdocs/langs/pt_PT/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Encontraram-se alguns erros. Modificaçõe
 ErrorConfigParameterNotDefined=O parâmetro <b>%s</b> não está definido ao fichero de configuração Dolibarr <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Impossivel encontrar o utilizador <b>%s</b> na base de dados do Dolibarr.
 ErrorNoVATRateDefinedForSellerCountry=Erro, nenhum tipo de IVA definido para o país '%s'.
-ErrorNoSocialContributionForSellerCountry=Erro, nenhum tipo de contribuição social definida para o país &quot;%s&quot;.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Erro, o registo do ficheiro falhou.
 SetDate=Definir data
 SelectDate=Seleccionar uma data
@@ -302,7 +302,7 @@ UnitPriceTTC=Preço Unitário
 PriceU=P.U.
 PriceUHT=P.U. (base)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=P.U.
+PriceUTTC=U.P. (inc. tax)
 Amount=Montante
 AmountInvoice=Montante da Fatura
 AmountPayment=Montante do Pagamento
@@ -339,6 +339,7 @@ IncludedVAT=IVA incluído
 HT=Sem IVA
 TTC=IVA incluido
 VAT=IVA
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Taxa IVA
diff --git a/htdocs/langs/pt_PT/members.lang b/htdocs/langs/pt_PT/members.lang
index b30a848fa5ab496dc67aa4bb09c37250f891e5a4..89a1e009bff5a0640b198288a973d2b97f932151 100644
--- a/htdocs/langs/pt_PT/members.lang
+++ b/htdocs/langs/pt_PT/members.lang
@@ -199,7 +199,8 @@ Entreprises=Empresas
 DOLIBARRFOUNDATION_PAYMENT_FORM=Para fazer o seu pagamento de inscrição através de transferência bancária, consulte a página <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Para pagar com cartão de crédito ou Paypal, clique no botão na parte inferior desta página. <br>
 ByProperties=por categorias
 MembersStatisticsByProperties=Estatísticas do utilizador por categorias
-MembersByNature=Membros, por categoria
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Taxa de IVA a utilizar para assinaturas
 NoVatOnSubscription=Sem TVA para assinaturas
 MEMBER_PAYONLINE_SENDEMAIL=Enviar e-mail para avisar quando Dolibarr receber uma confirmação de pagamento validados por assinatura
diff --git a/htdocs/langs/pt_PT/products.lang b/htdocs/langs/pt_PT/products.lang
index f4484cbf62bfdce2e0ba4eb1743847f162d2a6b8..f506c37959dbc6462269b38adf7663f5b28d8f67 100644
--- a/htdocs/langs/pt_PT/products.lang
+++ b/htdocs/langs/pt_PT/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Última atualização
 CorrectlyUpdated=Corretamente atualizado
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/pt_PT/projects.lang b/htdocs/langs/pt_PT/projects.lang
index 3fd60ef881a5015984e66e43c22acf2ef79134e1..185e07b83f83de35d9209f450508600d5a0b32c7 100644
--- a/htdocs/langs/pt_PT/projects.lang
+++ b/htdocs/langs/pt_PT/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Esta visualização está limitada aos projetos ou tarefas em que é
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Esta visualização apresenta todos os projetos e tarefas que está autorizado a ler.
 TasksDesc=Esta visualização apresenta todos os projetos e tarefas (as suas permissões de utilizador concedem-lhe permissão para ver tudo).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Área de Projetos
 NewProject=Novo Projeto
 AddProject=Criar Projeto
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=Lista de eventos associados ao projeto
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Atividade do Projeto nesta Semana
 ActivityOnProjectThisMonth=Actividade do Projecto neste Mês
 ActivityOnProjectThisYear=Actividade do Projecto neste Ano
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/pt_PT/trips.lang b/htdocs/langs/pt_PT/trips.lang
index 6d319982a5fb3ce8827729c4adb9f03172c70775..f38129b2c8036b6df0e738f16d1594ee429987d9 100644
--- a/htdocs/langs/pt_PT/trips.lang
+++ b/htdocs/langs/pt_PT/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reabrir
 SendToValid=Sent on approval
 ModifyInfoGen=Editar
 ValidateAndSubmit=Validar e submeter para aprovação 
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/pt_PT/withdrawals.lang b/htdocs/langs/pt_PT/withdrawals.lang
index 618fa87646765aeab9046b27fcde481f3607cfa9..3f242c7e71ee033a2e4b8d7e03b8662550f9399b 100644
--- a/htdocs/langs/pt_PT/withdrawals.lang
+++ b/htdocs/langs/pt_PT/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=arquivo retirado
 SetToStatusSent=Definir o estado como "arquivo enviado"
 ThisWillAlsoAddPaymentOnInvoice=Isso também irá criar pagamentos em facturas e classificá-los para pagar
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Pagamento de %s ordem permanente pelo banco
diff --git a/htdocs/langs/pt_PT/workflow.lang b/htdocs/langs/pt_PT/workflow.lang
index adb9e5fa6918a94b4a1d6beb3f4966c660ff40ed..b5e838766f8dbb3d43d804df57c51dc07f56dd65 100644
--- a/htdocs/langs/pt_PT/workflow.lang
+++ b/htdocs/langs/pt_PT/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Configuração do módulo de Workflow
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/ro_RO/admin.lang b/htdocs/langs/ro_RO/admin.lang
index 97448c03782813d2d3b20afc2abae47f46ba43db..83979bf971c09230e3595b30733c3bde77bc16b2 100644
--- a/htdocs/langs/ro_RO/admin.lang
+++ b/htdocs/langs/ro_RO/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Oferte
 Module20Desc=Managementul Ofertelor Comerciale
 Module22Name=Emailing
 Module22Desc=Managementul trimiterilor de emailuri în masă
-Module23Name= Energie
-Module23Desc= Monitorizarea consumului de energie
+Module23Name=Energie
+Module23Desc=Monitorizarea consumului de energie
 Module25Name=Comenzi clienţi
 Module25Desc=Managementul Comenzilor Clienţi
 Module30Name=Facturi
@@ -492,7 +492,7 @@ Module400Desc=Managementul de proiecte, oportunități sau potențiali. Puteți,
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integrare
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salarii
 Module510Desc=Managementul salariilor angajatilor si a plaţiilor
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notificări
 Module600Desc=Trimite notificări prin email la unele evenimente de afaceri Dolibarr la contactele terților (configurare definită pe fiecare terţ)
 Module700Name=Donatii
 Module700Desc=MAnagementul Donaţiilor
-Module770Name=Raport Cheltuieli
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Creare / Modificare produse / servicii
 Permission34=Ştergere produse / servicii
 Permission36=Exportul de produse / servicii
 Permission38=Exportul de produse
-Permission41=Citiţi cu proiecte şi sarcini
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Creare / Modificare de proiecte, pentru a edita sarcinile mele de proiecte
 Permission44=Ştergere proiecte
 Permission61=Citeşte intervenţii
@@ -600,10 +600,10 @@ Permission86=Trimite ordinelor clienţilor
 Permission87=Inchide ordinelor clienţilor
 Permission88=Anulare ordinelor clienţilor
 Permission89=Ştergere ordinelor clienţilor
-Permission91=Citiţi contribuţiile sociale şi de TVA
-Permission92=Creare / Modificare a contribuţiilor sociale şi a TVA-ului
-Permission93=Ştergere a contribuţiilor sociale şi a TVA-ului
-Permission94=Export contribuţiilor sociale
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Citeşte rapoarte
 Permission101=Citeşte sendings
 Permission102=Creare / Modificare Livrare
@@ -621,9 +621,9 @@ Permission121=Citiţi cu terţe părţi legate de utilizator
 Permission122=Creare / Modificare terţe părţi legate de utilizator
 Permission125=Ştergere terţe părţi legate de utilizator
 Permission126=Export terţi
-Permission141=Citiţi sarcini
-Permission142=Crearea / modificarea sarcinilor
-Permission144=Ştergeţi sarcini
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Citiţi cu furnizorii
 Permission147=Citeşte stats
 Permission151=Citiţi cu ordine de plată
@@ -801,7 +801,7 @@ DictionaryCountry=Ţări
 DictionaryCurrency=Monede
 DictionaryCivility=Mod adresare
 DictionaryActions=Tip evenimente agenda
-DictionarySocialContributions=Tipuri Contribuţii sociale
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=Cote TVA sau Cote Taxe Vanzări
 DictionaryRevenueStamp=Valoarea timbrelor fiscale
 DictionaryPaymentConditions=Conditiile de plata
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Model pentru plan de conturi
 DictionaryEMailTemplates=Șabloane e-mailuri 
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup salvate
 BackToModuleList=Inapoi la lista de module
 BackToDictionaryList=Inapoi la lista de dicţionare
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Sunteţi sigur că doriţi să ştergeţi meniul de <b>intrare
 DeleteLine=Ştergere rând
 ConfirmDeleteLine=Sunteţi sigur că doriţi să ştergeţi această linie?
 ##### Tax #####
-TaxSetup=Impozite, contribuţii sociale şi dividende de modul de configurare
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Opţiunea de exigibilit de TVA
 OptionVATDefault=Bazată pe incasări
 OptionVATDebitOption=Bazată pe debit
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clienţii trebuie să trimită cererile lor la Dolibarr final di
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Banca modul de configurare
 FreeLegalTextOnChequeReceipts=Free text pe cec încasări
@@ -1596,6 +1599,7 @@ ProjectsSetup=Proiect modul de configurare
 ProjectsModelModule=Proiectul de raport document model
 TasksNumberingModules=Model de numerotaţie al taskurilor
 TaskModelModule=Modele  de document de rapoarte taskuri
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Arborescenţa automată este disponibilă
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/ro_RO/agenda.lang b/htdocs/langs/ro_RO/agenda.lang
index 5e8e04e5de91bdd2e8101a966282ef41f4f8b8c2..4b2adc8063d4bab8c790074d862ea8e853bdd047 100644
--- a/htdocs/langs/ro_RO/agenda.lang
+++ b/htdocs/langs/ro_RO/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Comanda %s aprobată
 OrderRefusedInDolibarr=Comanda %s refuzată
 OrderBackToDraftInDolibarr=Comanda %s revenită de statutul schiţă
-OrderCanceledInDolibarr=Comanda  %s anulată
 ProposalSentByEMail=Oferta comercială %s  trimisă prin e-mail
 OrderSentByEMail=Comanda client %s trimisă prin e-mail
 InvoiceSentByEMail=Factura client %s trimisă prin e-mail
@@ -96,3 +95,5 @@ AddEvent=Creare eveniment
 MyAvailability=Disponibilitatea mea
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/ro_RO/banks.lang b/htdocs/langs/ro_RO/banks.lang
index 349e57144657e463d0b15d72713604676a4d7b8d..d61a8c13be64398e13bf09213e4a70725d15c49f 100644
--- a/htdocs/langs/ro_RO/banks.lang
+++ b/htdocs/langs/ro_RO/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Plată Client
 CustomerInvoicePaymentBack=Return Plată client
 SupplierInvoicePayment=Plată Furnizor
 WithdrawalPayment=Retragerea de plată
-SocialContributionPayment=Plată contribuţie socială
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Jurnal Cont Financiar
 BankTransfer=Virament bancar
 BankTransfers=Viramente 
diff --git a/htdocs/langs/ro_RO/bills.lang b/htdocs/langs/ro_RO/bills.lang
index 6381cc4f4a3f13199e8fd5c87348d31a74b54de9..4961f09ab015c23ae825a22d3730fa8903ca2ff6 100644
--- a/htdocs/langs/ro_RO/bills.lang
+++ b/htdocs/langs/ro_RO/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nr  facturi
 NumberOfBillsByMonth=Nr facturi pe luni
 AmountOfBills=Valoare facturi
 AmountOfBillsByMonthHT=Valoarea facturilor pe luni (fără tva)
-ShowSocialContribution=Afisează  contribuţiile sociale
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Afisează  factura
 ShowInvoice=Afisează  factura
 ShowInvoiceReplace=Afisează  factura de înlocuire
@@ -270,7 +270,7 @@ BillAddress=Adresa de facturare
 HelpEscompte=Această reducere este un discount acordat clientului pentru că plata  a fost făcută înainte de termen.
 HelpAbandonBadCustomer=Această sumă a fost abandonată (client ae declarat  client de rău platnic) şi este considerat ca fiind o pierdere excepţională.
 HelpAbandonOther=Această sumă a fost abandonată, deoarece a fost o eroare (client greșit sau factura înlocuită cu alta, de exemplu)
-IdSocialContribution=ID Contribuţie Socială
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=ID Plată
 InvoiceId=ID Factură
 InvoiceRef=Ref. Factură
diff --git a/htdocs/langs/ro_RO/companies.lang b/htdocs/langs/ro_RO/companies.lang
index 51d6c2e4203185ea1a725fbd413dc9b60809cd29..814a36773711a1d51dacedaab5d4341d0575e229 100644
--- a/htdocs/langs/ro_RO/companies.lang
+++ b/htdocs/langs/ro_RO/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Contact Terţ
 StatusContactValidated=Status Contact
 Company=Societate
 CompanyName=Nume  societate
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Societăţi
 CountryIsInEEC=Ţara este în interiorul Comunităţii Economice Europene
 ThirdPartyName=Nume Terţ
diff --git a/htdocs/langs/ro_RO/compta.lang b/htdocs/langs/ro_RO/compta.lang
index 71204246fb04921cf9635bee1a75b63aefb5f025..d095dbc84f8d7de748bf1c1af0270ad854c2d19f 100644
--- a/htdocs/langs/ro_RO/compta.lang
+++ b/htdocs/langs/ro_RO/compta.lang
@@ -56,23 +56,23 @@ VATCollected=TVA colectat
 ToPay=De plată
 ToGet=De rambursat
 SpecialExpensesArea=Plăţi speciale
-TaxAndDividendsArea=Taxe, Contribuţii Sociale şi Dividende
-SocialContribution=Contribuţie socială
-SocialContributions=Contribuţii sociale
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Cheltuieli speciale
 MenuTaxAndDividends=Impozite şi dividende
 MenuSalaries=Salarii
-MenuSocialContributions=Contribuţii sociale
-MenuNewSocialContribution=Contribuţie nouă
-NewSocialContribution=Contribuţie socială nouă
-ContributionsToPay=Contribuţii de plată
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Contabilitate / Trezorerie
 AccountancySetup=Setări Contabilitate
 NewPayment=Plată nouă
 Payments=Plăţi
 PaymentCustomerInvoice=Plată factură client
 PaymentSupplierInvoice=Plată factură  furnizor
-PaymentSocialContribution=Plată  contribuţie socială
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Plată TVA
 PaymentSalary=Plata salariu
 ListPayment=Listă plăţi
@@ -91,7 +91,7 @@ LT1PaymentES=RE Plată
 LT1PaymentsES=RE Plăţi
 VATPayment=Plată TVA
 VATPayments=Plăţi TVA
-SocialContributionsPayments=Plăţi contribuţii sociale
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Arata plata TVA
 TotalToPay=Total de plată
 TotalVATReceived=Total TVA primit
@@ -116,11 +116,11 @@ NewCheckDepositOn=New verifica depozit în contul: %s
 NoWaitingChecks=Niciun cec de depus.
 DateChequeReceived=Data primire Cec
 NbOfCheques=Nr cecuri
-PaySocialContribution=Plătesc o contribuţie socială
-ConfirmPaySocialContribution=Sunteţi sigur că doriţi pentru a clasifica această contribuţie socială ca platite?
-DeleteSocialContribution=Ştergeţi o contribuţie socială
-ConfirmDeleteSocialContribution=Sunteţi sigur că doriţi să ştergeţi această contribuţie socială?
-ExportDataset_tax_1=Contribuţii sociale, cât şi plăţile
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mod <b>%s TVA pe baza contabilității de angajament %s</b>.
 CalcModeVATEngagement=Mod <b>%s TVA pe baza venituri-cheltuieli%s.</b>
 CalcModeDebt=Mod <b>%sCreanțe-Datorii%s</b> zisă <b> contabilitatea de angajamente</b>
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=în funcție de furnizor, alege metoda potrivită pe
 TurnoverPerProductInCommitmentAccountingNotRelevant=Raportul cifra de afaceri pe produs, atunci când se utilizează modul <b>contabilitate de casă</b> nu este relevant. Acest raport este disponibil numai atunci când se utilizează modul  <b>contabilitate de angajament</b> (a se vedea configurarea modulului de contabilitate).
 CalculationMode=Mod calcul
 AccountancyJournal=Jurnal cod contabilitate
-ACCOUNTING_VAT_ACCOUNT=Cont Contabilitate Predefinit pentru TVA Colectată
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Cont Contabilitate Predefinit pentru TVA Platită
 ACCOUNTING_ACCOUNT_CUSTOMER=Cont Contabilitate Predefinit pentru terţi Clienţi
 ACCOUNTING_ACCOUNT_SUPPLIER=Cont Contabilitate Predefinit pentru terţi Furnizori
-CloneTax=Clonaţi o contribuţie socială
-ConfirmCloneTax=Confirmaţi Clona  contribuţie sociale
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clonaţi-o pentru luna următoare
diff --git a/htdocs/langs/ro_RO/cron.lang b/htdocs/langs/ro_RO/cron.lang
index 8af55b907dc9eac2885305bdc539b6ce92b75796..d2134728a3546163befbdefc2d97c34e091c7d60 100644
--- a/htdocs/langs/ro_RO/cron.lang
+++ b/htdocs/langs/ro_RO/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=Metoda obiectului de încărcat. <BR> De exemplu să aducă metod
 CronArgsHelp=Argumentele metodei . <BR> De exemplu să aducă metoda  obiect ului Produs Dolibarr  /htdocs/product/class/product.class.php, valoarea parametrilor pot fi este  <i>0, ProductRef</i>
 CronCommandHelp=Linia de comandă de sistem pentru a executa.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Informatie
 # Common
diff --git a/htdocs/langs/ro_RO/ecm.lang b/htdocs/langs/ro_RO/ecm.lang
index 49c4ce3bb8ea5737fe7e5ec460fdcfccf11e3dfd..4285360baba2c200e415a4fbd3d2ebd1d9857051 100644
--- a/htdocs/langs/ro_RO/ecm.lang
+++ b/htdocs/langs/ro_RO/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Caută după obiect
 ECMSectionOfDocuments=Directoare  documente
 ECMTypeManual=Manual
 ECMTypeAuto=Automat
-ECMDocsBySocialContributions=Documente legate de contribuţiile sociale
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documente legate de terţi
 ECMDocsByProposals=Documente legate de oferte
 ECMDocsByOrders=Documente legate de comenzi  clienţi
diff --git a/htdocs/langs/ro_RO/errors.lang b/htdocs/langs/ro_RO/errors.lang
index 65d80665a072c373a7b725980eb4b7230f59c096..096c6458ee513f829788cbd41e7b2d9ded5523e3 100644
--- a/htdocs/langs/ro_RO/errors.lang
+++ b/htdocs/langs/ro_RO/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Operaţiuni irelevante pentru acest dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Funcţionalitate dezactivată atunci când configurarea de afișare este optimizată pentru nevăzători sau de browsere text .
 WarningPaymentDateLowerThanInvoiceDate=Data plăţii(%s) este mai veche decât data facturii (%s) pentru factura %s
 WarningTooManyDataPleaseUseMoreFilters=Prea multe date. Folosiţi mai multe filtre
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/ro_RO/holiday.lang b/htdocs/langs/ro_RO/holiday.lang
index 1e22f40b9b82f70722bf8853ff1f08dcbe6b86e7..52db0965fe5cda33b368a7afb7dc15c0ac5a42e3 100644
--- a/htdocs/langs/ro_RO/holiday.lang
+++ b/htdocs/langs/ro_RO/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Concedii
 CPTitreMenu=Concedii
 MenuReportMonth=Situaţia lunară
-MenuAddCP=Crează o cerere de concediu
+MenuAddCP=New leave request
 NotActiveModCP=Trebuie să activaţi modulul de concedii pentru a vedea această pagină.
 NotConfigModCP=Trebuie să configuraţi modulul Concedii pentru a vedea această pagină.Pentru aceasta , <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> clic aici </ a>.
 NoCPforUser=Nu mai aveţi nici o zi disponibilă
@@ -71,7 +71,7 @@ MotifCP=Motiv
 UserCP=Utilizator
 ErrorAddEventToUserCP=O eroare a survenit in timpul adaugarii de concediu exceptional.
 AddEventToUserOkCP=Adaugarea de concediu exceptional a fost efectuat
-MenuLogCP=Vezi logurile cererilor de concedii
+MenuLogCP=View change logs
 LogCP=Loguri al actualizărilor zilelor de concediu
 ActionByCP=Realizat de
 UserUpdateCP=Pentru utilizatorul
@@ -93,6 +93,7 @@ ValueOptionCP=Valoare
 GroupToValidateCP=Grup cu drepturi de  aprobare a concediilor
 ConfirmConfigCP=Validare configuraţie
 LastUpdateCP=Ultima actualizare automată a concediilor
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Actualizare realizată.
 ErrorUpdateConfCP=O eroare a apărut în timpul actualizării,  încercaţi din nou.
 AddCPforUsers=Adaugaţi soldul concediului alocat utilizatorului la <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clic aici</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=O eroare a intervenit la trimiterea mailului :
 NoCPforMonth=Niciun concediu această lună.
 nbJours=Număr zile
 TitleAdminCP=Configurarea modulului concedii
+NoticePeriod=Notice period
 #Messages
 Hello=Salut
 HolidaysToValidate=Validează cereri concedii
@@ -139,10 +141,11 @@ HolidaysRefused=Cerere respinsă
 HolidaysRefusedBody=Cererea dvs pentru concediu  pentru %s la %s a fost respinsă pentru următoul motiv:
 HolidaysCanceled=Cereri Concedii anulate
 HolidaysCanceledBody=Cererea dvs pentru concediu  pentru %s la %s a fost anulată.
-Permission20000=Citeşte cererile de plecare proprii
-Permission20001=Crează/modifică cererile tale de concediu
-Permission20002=Creaează/modifică toate cererile de concediu 
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Şterge cererile de concediu
-Permission20004=Configurare zile disponibile
-Permission20005=Revezi logurile ale cererilor de concedii modificate
-Permission20006=Citeşte raport concedii lunare
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/ro_RO/mails.lang b/htdocs/langs/ro_RO/mails.lang
index a67fdcd9003df2816bafc316e04cbce7092be598..1d0ab1c5b7fafde12c84def05e2286573df0ce17 100644
--- a/htdocs/langs/ro_RO/mails.lang
+++ b/htdocs/langs/ro_RO/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Urmăreşte deschiderea emailului
 TagUnsubscribe=Link Dezabonare
 TagSignature=Semnătura utilizator expeditor
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Anunturi
 NoNotificationsWillBeSent=Nu notificări prin email sunt planificate pentru acest eveniment şi a companiei
diff --git a/htdocs/langs/ro_RO/main.lang b/htdocs/langs/ro_RO/main.lang
index d93efaa79ad33e88daead474ab231251e079d467..893d93e18aac10403d88ec023cc80d8d9d506243 100644
--- a/htdocs/langs/ro_RO/main.lang
+++ b/htdocs/langs/ro_RO/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Câteva erori găsite . Vom reveni asupra
 ErrorConfigParameterNotDefined=Parametrul <b> %s</b> nu este definit în  fişierul de configurare  Dolibarr<b>conf.php.</b>
 ErrorCantLoadUserFromDolibarrDatabase=Utilizatorul<b>%s</b>  negăsit  în baza de date Dolibarr.
 ErrorNoVATRateDefinedForSellerCountry=Eroare,  nici o cota de TVA definită pentru  ţara '% s'.
-ErrorNoSocialContributionForSellerCountry=Eroare, nici un  tip de contribuții sociale definite pentru țara '% s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Eroare,  salvarea fişierului eşuată.
 SetDate=setează data
 SelectDate=selectează data
@@ -302,7 +302,7 @@ UnitPriceTTC=Preț unitar
 PriceU=UP
 PriceUHT=UP (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=UP
+PriceUTTC=U.P. (inc. tax)
 Amount=Valoare
 AmountInvoice=Valoare Factură
 AmountPayment=Valoare de plată
@@ -339,6 +339,7 @@ IncludedVAT=Inclusiv TVA
 HT=Net fără tva
 TTC=Inc. taxe
 VAT=TVA
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Taxa TVA
diff --git a/htdocs/langs/ro_RO/members.lang b/htdocs/langs/ro_RO/members.lang
index 88e34a08e29cf8f9e3508f10a95aa0d40cc6bfb3..44cc821bcab0e61e5b8055683709375f78249d2a 100644
--- a/htdocs/langs/ro_RO/members.lang
+++ b/htdocs/langs/ro_RO/members.lang
@@ -199,7 +199,8 @@ Entreprises=Societăţi
 DOLIBARRFOUNDATION_PAYMENT_FORM=Pentru a face plata cotizaţiei folosind un transfer bancar, a se vedea pagina <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Pentru a plăti cu un card de credit sau Paypal, faceţi clic pe butonul de la partea de jos a acestei pagini. <br>
 ByProperties=După caracteristici
 MembersStatisticsByProperties=Statistici Membri după caracteristici
-MembersByNature=Membri după personalitate juridică
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Rata TVA utilizată pentru înscrieri
 NoVatOnSubscription=Fără TVA la adeziuni
 MEMBER_PAYONLINE_SENDEMAIL=Email de avertizare atunci când Dolibarr primeşte o confirmare a unei plăți validate pentru înscriere
diff --git a/htdocs/langs/ro_RO/products.lang b/htdocs/langs/ro_RO/products.lang
index 339168231d7d8ae4f7eb7babbf27b964ae293c3a..1a537c9d1732a55582a3b381f3500994d70d64a6 100644
--- a/htdocs/langs/ro_RO/products.lang
+++ b/htdocs/langs/ro_RO/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/ro_RO/projects.lang b/htdocs/langs/ro_RO/projects.lang
index e2a45f8d270555d091f3e7402b93c30b750305cf..a00610d7969d93b67cd742413357e67ab0aaf001 100644
--- a/htdocs/langs/ro_RO/projects.lang
+++ b/htdocs/langs/ro_RO/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Această vedere  este limitată la proiecte sau sarcini  pentru care
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Această vedere prezintă toate proiectele şi activităţile  care sunt permise să le  citiţi.
 TasksDesc=Această vedere prezintă toate proiectele şi sarcinile (permisiuni de utilizator va acorda permisiunea de a vizualiza totul).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Proiecte
 NewProject=Proiect nou
 AddProject=Creare proiect
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Lista rapoartelor cheltuieli  asociate proie
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=Lista evenimentelor  asociate la proiectului
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activitatea de pe proiect în această săptămână
 ActivityOnProjectThisMonth=Activitatea de pe proiect în această lună
 ActivityOnProjectThisYear=Activitatea de pe proiect în acest an
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/ro_RO/trips.lang b/htdocs/langs/ro_RO/trips.lang
index 2470dc401f1db195266ed5f580ecf5c63a3a5f25..d51fac5fa8deacd106d6aed329abd612b49f2a7a 100644
--- a/htdocs/langs/ro_RO/trips.lang
+++ b/htdocs/langs/ro_RO/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Redeschide
 SendToValid=Sent on approval
 ModifyInfoGen=Editare
 ValidateAndSubmit=Validareaza și trimite pentru aprobare
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=Nu aveti permisiunea să aprobati acest raport de cheltuieli
 NOT_AUTHOR=Tu nu esti autorul acestui raport de cheltuieli. Operatiune anulata.
diff --git a/htdocs/langs/ro_RO/withdrawals.lang b/htdocs/langs/ro_RO/withdrawals.lang
index 28dd4d7d3c9ff5cdec3d19134ef8669142b175e4..4156c8f2cb6aaab107967f2e2932e09280a85ff3 100644
--- a/htdocs/langs/ro_RO/withdrawals.lang
+++ b/htdocs/langs/ro_RO/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Fişier Retragere
 SetToStatusSent=Setează statusul "Fişier Trimis"
 ThisWillAlsoAddPaymentOnInvoice=Aceasta se va aplica, de asemenea, plății facturilor și vor  fi clasificate ca "Plătit"
 StatisticsByLineStatus=Statistici după starea  liniilor
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Plata %s comandă în picioare de către bancă
diff --git a/htdocs/langs/ro_RO/workflow.lang b/htdocs/langs/ro_RO/workflow.lang
index 3ad05814d42f38be9dd7c9bba03b4f19d798628e..dea2b1598f5e4f763e06a8bd40d486b952a83a11 100644
--- a/htdocs/langs/ro_RO/workflow.lang
+++ b/htdocs/langs/ro_RO/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Configurare Modul Flux de Lucru
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/ru_RU/admin.lang b/htdocs/langs/ru_RU/admin.lang
index 9716f08b19c6916dad30b635488eb121585d876f..5f4d831f57dcec21f224569bab190a01d28a6846 100644
--- a/htdocs/langs/ru_RU/admin.lang
+++ b/htdocs/langs/ru_RU/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Предложения
 Module20Desc=Коммерческие предложения управления
 Module22Name=E-рассылок
 Module22Desc=E-рассылок управления
-Module23Name= Энергия
-Module23Desc= Мониторинг потребления энергии
+Module23Name=Энергия
+Module23Desc=Мониторинг потребления энергии
 Module25Name=Приказы клиентов
 Module25Desc=Клиент заказов управления
 Module30Name=Счета-фактуры
@@ -492,7 +492,7 @@ Module400Desc=Управление проектами, возможностям
 Module410Name=Webcalendar
 Module410Desc=Webcalendar интеграции
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Зарплаты
 Module510Desc=Управление зарплатами сотрудников и платежами
 Module520Name=Ссуда
@@ -501,7 +501,7 @@ Module600Name=Уведомления
 Module600Desc=Отправлять уведомления контактам контрагентов по электронной почте о некоторых бизнес-событиях системы Dolibarr (настройка задана для каждого контрагента)
 Module700Name=Пожертвования
 Module700Desc=Пожертвования управления
-Module770Name=Отчёт о затратах
+Module770Name=Expense reports
 Module770Desc=Управление и утверждение отчётов о затратах (на транспорт, еду)
 Module1120Name=Коммерческое предложение поставщика
 Module1120Desc=Запросить у поставщика коммерческое предложение и цены
@@ -579,7 +579,7 @@ Permission32=Создать / изменить продукцию / услуги
 Permission34=Исключить продукты / услуги
 Permission36=Экспорт товаров / услуг
 Permission38=Экспорт продукции
-Permission41=Читать проектов и задач
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Создать / изменить проекты, редактировать задачи, для моих проектов
 Permission44=Удаление проектов
 Permission61=Читать мероприятий
@@ -600,10 +600,10 @@ Permission86=Отправить заказов клиентов
 Permission87=Закрыть заказов клиентов
 Permission88=Отмена заказов клиентов
 Permission89=Удалить заказов клиентов
-Permission91=Читать социальных отчислений и налога на добавленную стоимость
-Permission92=Создать / изменить социальных отчислений и налога на добавленную стоимость
-Permission93=Удалить социального взноса и налога на добавленную стоимость
-Permission94=Экспорт социальных взносов
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Читать сообщения
 Permission101=Читать отправок
 Permission102=Создать / изменить отправок
@@ -621,9 +621,9 @@ Permission121=Читать третьей стороны, связанных с
 Permission122=Создать / изменить третьих сторон, связанных с пользователем
 Permission125=Удалить третьей стороны, связанных с пользователем
 Permission126=Экспорт третьей стороны
-Permission141=Читайте задач
-Permission142=Создать / изменить задач
-Permission144=Удалить задач
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Читать провайдеров
 Permission147=Читайте статистику
 Permission151=Прочитайте Регламент
@@ -801,7 +801,7 @@ DictionaryCountry=Страны
 DictionaryCurrency=Валюты
 DictionaryCivility=Вежливое обращение
 DictionaryActions=Тип событий по повестке дня
-DictionarySocialContributions=Типы социальных выплат
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=Значения НДС или налога с продаж
 DictionaryRevenueStamp=Количество акцизных марок
 DictionaryPaymentConditions=Условия оплаты
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Модели для диаграммы счетов
 DictionaryEMailTemplates=Шаблоны электронных писем
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Настройки сохранены
 BackToModuleList=Вернуться к списку модулей
 BackToDictionaryList=Назад к списку словарей
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Вы уверены, что хотите удалить мен
 DeleteLine=Удалить строки
 ConfirmDeleteLine=Вы уверены, что хотите удалить эту строку?
 ##### Tax #####
-TaxSetup=Налоги, социальные взносы и дивиденды модуль настройки
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Вариант d'exigibilit де TVA
 OptionVATDefault=Кассовый
 OptionVATDebitOption=Принцип начисления
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP клиенты должны направить свои заяв
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Банк модуль настройки
 FreeLegalTextOnChequeReceipts=Свободный текст на чеке расписки
@@ -1596,6 +1599,7 @@ ProjectsSetup=Проект модуля установки
 ProjectsModelModule=доклад документ проекта модели
 TasksNumberingModules=Модуль нумерации Задач
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Автоматическое дерево папок и документов
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Установка внешнего модуля из
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/ru_RU/agenda.lang b/htdocs/langs/ru_RU/agenda.lang
index 907b0e05c152cd9af9c3f0c1592b17fd14692f86..f6352d702330d53cc33adc1f728553a839280634 100644
--- a/htdocs/langs/ru_RU/agenda.lang
+++ b/htdocs/langs/ru_RU/agenda.lang
@@ -47,18 +47,17 @@ PropalValidatedInDolibarr=Предложение проверены
 InvoiceValidatedInDolibarr=Счет проверены
 InvoiceValidatedInDolibarrFromPos=Счёт %s подтверждён с платёжного терминала
 InvoiceBackToDraftInDolibarr=Счет %s вернуться к проекту статус
-InvoiceDeleteDolibarr=Счет-фактура %s удалена
+InvoiceDeleteDolibarr=Счёт %s удален
 OrderValidatedInDolibarr=Заказ %s проверен
-OrderDeliveredInDolibarr=Order %s classified delivered
+OrderDeliveredInDolibarr=Заказ %s  доставлен
 OrderCanceledInDolibarr=Заказ %s отменен
-OrderBilledInDolibarr=Order %s classified billed
+OrderBilledInDolibarr=Заказ %s готов к выставлению счёта
 OrderApprovedInDolibarr=Заказ %s утвержден
 OrderRefusedInDolibarr=Заказ %s  отклонён
 OrderBackToDraftInDolibarr=Заказ %s возращен в статус черновик
-OrderCanceledInDolibarr=Заказ %s отменен
 ProposalSentByEMail=Коммерческое предложение %s отправлены по электронной почте
 OrderSentByEMail=Заказ покупателя %s отправлен по электронной почте
-InvoiceSentByEMail=Счет-фактура клиента %s отправлен по электронной почте
+InvoiceSentByEMail=Счёт клиента %s отправлен по электронной почте
 SupplierOrderSentByEMail=Поставщик порядке %s отправлены по электронной почте
 SupplierInvoiceSentByEMail=Поставщиком счета %s отправлены по электронной почте
 ShippingSentByEMail=Посылка %s отправлена с помощью EMail
@@ -94,5 +93,7 @@ WorkingTimeRange=Диапазон рабочего времени
 WorkingDaysRange=Диапазон рабочих дней
 AddEvent=Создать событие
 MyAvailability=Моя доступность
-ActionType=Event type
-DateActionBegin=Start event date
+ActionType=Тип события
+DateActionBegin=Дата начала события
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/ru_RU/banks.lang b/htdocs/langs/ru_RU/banks.lang
index 8896ea280be5b5ec87c7c51f61fd29e3aa9b329b..743f810f1ac7171096ed4772a7d5bfbaed108f95 100644
--- a/htdocs/langs/ru_RU/banks.lang
+++ b/htdocs/langs/ru_RU/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Заказчиком оплаты
 CustomerInvoicePaymentBack=Банк для платежей клиента
 SupplierInvoicePayment=Поставщик оплаты
 WithdrawalPayment=Снятие оплаты
-SocialContributionPayment=Социальный вклад оплаты
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Финансовые счета журнале
 BankTransfer=Банковский перевод
 BankTransfers=Банковские переводы
diff --git a/htdocs/langs/ru_RU/bills.lang b/htdocs/langs/ru_RU/bills.lang
index 1f9ae4a14adea6f89657023d5484a779d6aacb49..1f5a827cd778325dd36dfc1d546b875e2aad110d 100644
--- a/htdocs/langs/ru_RU/bills.lang
+++ b/htdocs/langs/ru_RU/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Кол-во счетов-фактур
 NumberOfBillsByMonth=Кол-во счетов-фактур по месяцам
 AmountOfBills=Сумма счетов-фактур
 AmountOfBillsByMonthHT=Сумма счетов-фактур за месяц (за вычетом налога)
-ShowSocialContribution=Показать социальный взнос
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Показать счет-фактуру
 ShowInvoice=Показать счет-фактуру
 ShowInvoiceReplace=Показать заменяющий счет-фактуру
@@ -270,7 +270,7 @@ BillAddress=Адрес выставления
 HelpEscompte=Эта скидка предоставлена Покупателю за досрочный платеж.
 HelpAbandonBadCustomer=От этой суммы отказался Покупатель (считается плохим клиентом) и она считается чрезвычайной потерей.
 HelpAbandonOther=От этой суммы отказались из-за ошибки (например, неправильный клиент или счет-фактура был заменен на другой)
-IdSocialContribution=Код Социальных взносов
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Код платежа
 InvoiceId=Код счета-фактуры
 InvoiceRef=Ref. счета-фактуры
diff --git a/htdocs/langs/ru_RU/companies.lang b/htdocs/langs/ru_RU/companies.lang
index 8b49ebabcaf99a5b27f917c0aa92f1e9a58af664..c41724b7bfc43c491deca6ccbea8d025addd83dc 100644
--- a/htdocs/langs/ru_RU/companies.lang
+++ b/htdocs/langs/ru_RU/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Контакт контрагента
 StatusContactValidated=Статус контакта
 Company=Компания
 CompanyName=Название компании
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Компании
 CountryIsInEEC=Страна входит в состав Европейского экономического сообщества
 ThirdPartyName=Наименование контрагента
diff --git a/htdocs/langs/ru_RU/compta.lang b/htdocs/langs/ru_RU/compta.lang
index 2b8adba6916720d351dc06d4b39f72c44ce6e354..1633355bd30d7694797a2772aac1f20bad645c8f 100644
--- a/htdocs/langs/ru_RU/compta.lang
+++ b/htdocs/langs/ru_RU/compta.lang
@@ -3,7 +3,7 @@ Accountancy=Бухгалтерия
 AccountancyCard=Карточка бухгалтерии 
 Treasury=Казначейство
 MenuFinancial=Финансовые
-TaxModuleSetupToModifyRules=Go to <a href="%s">Taxes module setup</a> to modify rules for calculation
+TaxModuleSetupToModifyRules=Используйте <a href="%s">Настройку модуля Налоги</a> для изменения правил расчёта
 TaxModuleSetupToModifyRulesLT=Go to <a href="%s">Company setup</a> to modify rules for calculation
 OptionMode=Вариант для бухгалтеров
 OptionModeTrue=Вариант "затраты-выпуск"
@@ -56,23 +56,23 @@ VATCollected=НДС собрали
 ToPay=Для оплаты
 ToGet=Чтобы вернуться
 SpecialExpensesArea=Раздел для всех специальных платежей
-TaxAndDividendsArea=Налог, социальные отчисления и дивиденды области
-SocialContribution=Социальный вклад
-SocialContributions=Социальные взносы
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Специальные расходы
 MenuTaxAndDividends=Налоги и дивиденды
 MenuSalaries=Зарплаты
-MenuSocialContributions=Социальные взносы
-MenuNewSocialContribution=Новый вклад
-NewSocialContribution=Новый социальный взнос
-ContributionsToPay=Взносы платить
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Бухгалтерия / Казначейство области
 AccountancySetup=Бухгалтерия установки
 NewPayment=Новые оплаты
 Payments=Платежи
 PaymentCustomerInvoice=Заказчиком оплаты счетов-фактур
 PaymentSupplierInvoice=Поставщик оплате счета-фактуры
-PaymentSocialContribution=Социальный вклад оплаты
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=НДС платеж
 PaymentSalary=Выплата зарплаты
 ListPayment=Список платежей
@@ -91,7 +91,7 @@ LT1PaymentES=Погашение
 LT1PaymentsES=Погашения
 VATPayment=Оплата НДС
 VATPayments=НДС Платежи
-SocialContributionsPayments=Социальные отчисления платежей
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Показать оплате НДС
 TotalToPay=Всего к оплате
 TotalVATReceived=Общая сумма НДС, полученные
@@ -116,28 +116,28 @@ NewCheckDepositOn=Новый депозит проверить на счету:
 NoWaitingChecks=Не дожидаясь проверок на хранение.
 DateChequeReceived=Чек при ввода даты
 NbOfCheques=Кол-во чеков
-PaySocialContribution=Оплатить социального взноса
-ConfirmPaySocialContribution=Вы уверены, что хотите классифицировать этот социальный вклад, как оплачивается?
-DeleteSocialContribution=Удалить социального взноса
-ConfirmDeleteSocialContribution=Вы уверены, что хотите удалить этот социальный взнос?
-ExportDataset_tax_1=Социальные взносы и платежи
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
 CalcModeEngagement=Mode <b>%sIncomes-Expenses%s</b> said <b>cash accounting</b>
-CalcModeLT1= Mode <b>%sRE on customer invoices - suppliers invoices%s</b>
-CalcModeLT1Debt=Mode <b>%sRE on customer invoices%s</b>
-CalcModeLT1Rec= Mode <b>%sRE on suppliers invoices%s</b>
-CalcModeLT2= Mode <b>%sIRPF on customer invoices - suppliers invoices%s</b>
-CalcModeLT2Debt=Mode <b>%sIRPF on customer invoices%s</b>
-CalcModeLT2Rec= Mode <b>%sIRPF on suppliers invoices%s</b>
+CalcModeLT1= Режим <b>%sRE на счетах клиентов - счетах поставщиков%s</b>
+CalcModeLT1Debt=Режим <b>%sRE на счетах клиентов%s</b>
+CalcModeLT1Rec= Режим <b>%sRE на счетах поставщиков%s</b>
+CalcModeLT2= Режим <b>%sIRPF на счетах клиентов - счетах поставщиков%s</b>
+CalcModeLT2Debt=Режим <b>%sIRPF  на счетах клиентов%s</b>
+CalcModeLT2Rec= Режим <b>%sIRPF на счетах поставщиков%s</b>
 AnnualSummaryDueDebtMode=Баланс доходов и расходов, годовые итоги
 AnnualSummaryInputOutputMode=Баланс доходов и расходов, годовые итоги
 AnnualByCompaniesDueDebtMode=Билан DES recettes и dpenses, dtail пар ярусов, в <b>режиме %sCrances-Dettes %s</b> DIT <b>comptabilit d'участия.</b>
 AnnualByCompaniesInputOutputMode=Билан DES recettes и dpenses, dtail пар ярусов, в <b>режиме %sRecettes-Dpenses %s</b> DIT <b>comptabilit де ящик.</b>
 SeeReportInInputOutputMode=См. LE <b>отношения %sRecettes-Dpenses %s</b> DIT <b>comptabilit де ящик</b> POUR UN CALCUL SUR LES paiements effectivement raliss
 SeeReportInDueDebtMode=См. LE <b>отношения %sCrances-Dettes %s</b> DIT <b>comptabilit d'участие</b> POUR UN CALCUL SUR LES factures Мизеса
-RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
+RulesAmountWithTaxIncluded= - Суммы даны с учётом всех налогов
 RulesResultDue=- Суммы указаны с НДС <br> - Она включает в себя неоплаченные счета, расходы и НДС ли они выплачиваются или нет. <br> - Он основан на одобрении даты счета-фактуры и НДС, и на сегодняшний день из-за расходов.
 RulesResultInOut=- It includes the real payments made on invoices, expenses and VAT. <br>- It is based on the payment dates of the invoices, expenses and VAT.
 RulesCADue=- Она включает в себя клиентов из-за счетов ли они выплачиваются или нет. <br> - Он основан на дату одобрения этих счетов-фактур. <br>
@@ -161,7 +161,7 @@ RulesVATInProducts=- Для материальных ценностей, она
 RulesVATDueServices=- Для услуг, отчет включает в себя счета-фактуры за счет, оплачиваемый или нет, исходя из даты выставления счета.
 RulesVATDueProducts=- Для материальных ценностей, она включает в себя НДС, счета-фактуры, на основе даты выставления счета.
 OptionVatInfoModuleComptabilite=Примечание: Для материальных ценностей, она должна использовать даты доставки будет более справедливым.
-PercentOfInvoice=%%/счет-фактура
+PercentOfInvoice=%%/счёт
 NotUsedForGoods=Не используется на товары
 ProposalStats=Статистика по предложениям
 OrderStats=Статистика по заказам
@@ -187,7 +187,7 @@ InvoiceLinesToDispatch=Строки счёта для отправки
 InvoiceDispatched=Отправленные счета
 AccountancyDashboard=Суммарная информация по бухгалтерии
 ByProductsAndServices=По продуктам и услугам
-RefExt=External ref
+RefExt=Внешняя ссылка
 ToCreateAPredefinedInvoice=To create a predefined invoice, create a standard invoice then, without validating it, click onto button "Convert to predefined invoice".
 LinkedOrder=Link to order
 ReCalculate=Пересчитать
@@ -197,11 +197,11 @@ CalculationRuleDesc=To calculate total VAT, there is two methods:<br>Method 1 is
 CalculationRuleDescSupplier=according to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier.
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Режим вычислений
-AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+AccountancyJournal=Журнал бухгалтерских кодов
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Клонировать для следующего месяца
diff --git a/htdocs/langs/ru_RU/cron.lang b/htdocs/langs/ru_RU/cron.lang
index 971e90d9221b5112ee6d2ab9688f8a8ee4beec9a..54adbe56cf66b0371d47e3acc57d59b077d84bf9 100644
--- a/htdocs/langs/ru_RU/cron.lang
+++ b/htdocs/langs/ru_RU/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=Команда для выполнения
 CronCreateJob=Создать новое запланированное задание
+CronFrom=From
 # Info
 CronInfoPage=Информация
 # Common
diff --git a/htdocs/langs/ru_RU/ecm.lang b/htdocs/langs/ru_RU/ecm.lang
index 07ce2ffd803d1ddea9342e911fd09fa1c8d3083d..40bc676044f8fb65b02c033ed56c742b774e7a5c 100644
--- a/htdocs/langs/ru_RU/ecm.lang
+++ b/htdocs/langs/ru_RU/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Поиск по объекту
 ECMSectionOfDocuments=Директории документов
 ECMTypeManual=Ручной
 ECMTypeAuto=Автоматический
-ECMDocsBySocialContributions=Документы, связанные с отчислениями на социальные нужды
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Документы, связанные с третьими сторонами
 ECMDocsByProposals=Документы, связанные с предложениями
 ECMDocsByOrders=Документы, связанные с заказчиками заказов
diff --git a/htdocs/langs/ru_RU/errors.lang b/htdocs/langs/ru_RU/errors.lang
index 3f34976983200c4a7f42430ddfff04d94105c76a..42a13ea584d99f5552ea60b953134739a641de40 100644
--- a/htdocs/langs/ru_RU/errors.lang
+++ b/htdocs/langs/ru_RU/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Ненужная операция для этого набо
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Функция отключена, когда отображение оадптировано для слабовидящих или текстовых браузеров. 
 WarningPaymentDateLowerThanInvoiceDate=Дата платежа (%s)  меньше, чем дата  (%s)  счёта  %s.
 WarningTooManyDataPleaseUseMoreFilters=Слишком много данных. Пожалуйста, используйте дополнительные фильтры 
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/ru_RU/holiday.lang b/htdocs/langs/ru_RU/holiday.lang
index 941e40ee0b49927aec427235418c15ae9040e153..69437528e49eb2c93da8d802273aafd5f7ea03be 100644
--- a/htdocs/langs/ru_RU/holiday.lang
+++ b/htdocs/langs/ru_RU/holiday.lang
@@ -3,7 +3,7 @@ HRM=Отдел кадров
 Holidays=Отпуска
 CPTitreMenu=Отпуска
 MenuReportMonth=Ежемесячная выписка
-MenuAddCP=Подать аявление на отпуск
+MenuAddCP=New leave request
 NotActiveModCP=Вы должны включить модуль "Отпуска" для просмотра этой страницы
 NotConfigModCP=Вы должны настроить модуль "Отпуска" для просмотра этой страницы. Для этого <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">нажмите здесь </ a>.
 NoCPforUser=У вас нет доступных дней отдыха.
@@ -71,7 +71,7 @@ MotifCP=Причина
 UserCP=Пользователь
 ErrorAddEventToUserCP=Возникла ошибка при добавлении исключительного отпуска.
 AddEventToUserOkCP=Добавление исключительного отпуска успешно завершено. 
-MenuLogCP=Посмотреть журнал заявлений на отпуск
+MenuLogCP=View change logs
 LogCP=Журнал обновлений доступных выходных дней
 ActionByCP=Выполнено 
 UserUpdateCP=Для пользователя
@@ -93,6 +93,7 @@ ValueOptionCP=Значение
 GroupToValidateCP=Группа с возможностями для утверждения заявлений на отпуск
 ConfirmConfigCP=Проверить конфигурацию
 LastUpdateCP=Последнее автоматическое обновление распределения отпусков
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Обновлено успешно
 ErrorUpdateConfCP=Во время обновления произошла ошибка. Пожалуйста, попробуйте еще раз.
 AddCPforUsers=Пожалуйста, задайте баланс распределения  отпусков пользователей. Для этого,  <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">нажмите сюда</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Произошла ошибка при отправке эле
 NoCPforMonth=Нет отпуска в этом месяце
 nbJours=Количество дней
 TitleAdminCP=Настройка модуля "Отпуска"
+NoticePeriod=Notice period
 #Messages
 Hello=Здравствуйте
 HolidaysToValidate=Подтверждение заявления на отпуск
@@ -139,10 +141,11 @@ HolidaysRefused=Заявление отклонено.
 HolidaysRefusedBody=Ваше заявление на отпуск с  %s по %s отклонено по следующей причине: 
 HolidaysCanceled=Отменённые заявления на отпуск
 HolidaysCanceledBody=Ваше заявление на отпуск с  %s по %s отменено. 
-Permission20000=Посмотреть мои заявления на отпуск
-Permission20001=Создать/изменить мои заявления на отпуск
-Permission20002=Создать/изменить заявления на отпуск для всех
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Удалить заявления на отпуск
-Permission20004=Настройка доступных дней отпуска для пользователей
-Permission20005=посмотреть журнал изменённых заявлений на отпуск
-Permission20006=Посмотреть отчёт  о отпусках по месяцам
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/ru_RU/mails.lang b/htdocs/langs/ru_RU/mails.lang
index 564469cbee8ed83e6510266afdf142babcd0cc29..4f7933b37e3e734380bb3deb080dbd84d9b63d0d 100644
--- a/htdocs/langs/ru_RU/mails.lang
+++ b/htdocs/langs/ru_RU/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Отслеживать открытие писем
 TagUnsubscribe=Ссылка для отказа от подписки
 TagSignature=Подпись отправителя
 TagMailtoEmail=EMail получателя
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Уведомления
 NoNotificationsWillBeSent=Нет электронной почте уведомления, планируется к этому мероприятию и компании
diff --git a/htdocs/langs/ru_RU/main.lang b/htdocs/langs/ru_RU/main.lang
index 36b58b38d173bdfb4791bebde46ca15f8d742cea..c93051bb965d04bae7e65a6d5281dcd484f5e889 100644
--- a/htdocs/langs/ru_RU/main.lang
+++ b/htdocs/langs/ru_RU/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Были обнаружены некото
 ErrorConfigParameterNotDefined=Параметр <b>%s</b> не определен внутри конфигурационного файла Dolibarr <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Не удалось найти пользователя <b>%s</b> в базе данных Dolibarr.
 ErrorNoVATRateDefinedForSellerCountry=Ошибка, ставки НДС не установлены для страны '%s'.
-ErrorNoSocialContributionForSellerCountry=Ошибка, не определен тип социальных взносов для страны %s.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Ошибка, не удалось сохранить файл.
 SetDate=Установить дату
 SelectDate=Выбрать дату
@@ -302,7 +302,7 @@ UnitPriceTTC=Цена за единицу
 PriceU=Цена ед.
 PriceUHT=Цена ед. (нетто)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=Цена ед.
+PriceUTTC=U.P. (inc. tax)
 Amount=Сумма
 AmountInvoice=Сумма счета-фактуры
 AmountPayment=Сумма платежа
@@ -339,6 +339,7 @@ IncludedVAT=Включает НДС
 HT=Без налога
 TTC=Вкл-я налог
 VAT=НДС
+VATs=Sales taxes
 LT1ES=Повторно
 LT2ES=IRPF
 VATRate=Ставка НДС
@@ -413,8 +414,8 @@ Qty=Кол-во
 ChangedBy=Изменен
 ApprovedBy=Утверждено
 ApprovedBy2=Утверждено (повторно)
-Approved=Approved
-Refused=Refused
+Approved=Утверждено
+Refused=Отклонено
 ReCalculate=Пересчитать
 ResultOk=Успешно
 ResultKo=Неудачно
@@ -680,7 +681,7 @@ LinkedToSpecificUsers=Связан с особым контактом польз
 DeleteAFile=Удалить файл
 ConfirmDeleteAFile=Вы уверены, что хотите удалить файл?
 NoResults=Нет результатов
-SystemTools=System tools
+SystemTools=Системные инструменты
 ModulesSystemTools=Настройки модулей
 Test=Тест
 Element=Элемент
@@ -706,9 +707,9 @@ ShowTransaction=Показать транзакции
 GoIntoSetupToChangeLogo=Используйте Главная-Настройки-Компании для изменения логотипа или  Главная-Настройки-Отображение для того, чтобы его скрыть.
 Deny=Запретить
 Denied=Запрещено
-ListOfTemplates=List of templates
-Genderman=Man
-Genderwoman=Woman
+ListOfTemplates=Список шаблонов
+Genderman=Мужчина
+Genderwoman=Женщина
 # Week day
 Monday=Понедельник
 Tuesday=Вторник
@@ -738,4 +739,4 @@ ShortThursday=Чт
 ShortFriday=Пт
 ShortSaturday=Сб
 ShortSunday=Вс
-SelectMailModel=Select email template
+SelectMailModel=Выбрать шаблон электронного письма
diff --git a/htdocs/langs/ru_RU/members.lang b/htdocs/langs/ru_RU/members.lang
index 77d60e9040276b53a174947cbe0ef93b4d1da057..07c997ae68f3392f30117ebaf17252a031135e2b 100644
--- a/htdocs/langs/ru_RU/members.lang
+++ b/htdocs/langs/ru_RU/members.lang
@@ -199,7 +199,8 @@ Entreprises=Компании
 DOLIBARRFOUNDATION_PAYMENT_FORM=Чтобы сделать вашу подписку оплаты с помощью банковского перевода, см. стр. <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Для оплаты с помощью кредитной карты или Paypal, нажмите на кнопку в нижней части этой страницы. <br>
 ByProperties=По характеристикам
 MembersStatisticsByProperties=Стастистика участников по характеристикам
-MembersByNature=Участники по природе
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Значение НДС, для ипользования в подписках
 NoVatOnSubscription=Нет НДС для подписок
 MEMBER_PAYONLINE_SENDEMAIL=Адрес электронно почты, куда будут отправляться предупреждения, когда будет получено подтверждение о завершенном платеже за подписку
diff --git a/htdocs/langs/ru_RU/products.lang b/htdocs/langs/ru_RU/products.lang
index 228b724b197f1d452ec62e83ce9afa58ca5a2c23..c093e0dfb95dc8cdfac6dcdb9573e92114d3ce34 100644
--- a/htdocs/langs/ru_RU/products.lang
+++ b/htdocs/langs/ru_RU/products.lang
@@ -182,8 +182,8 @@ ClonePricesProduct=Клон основные данные и цены
 CloneCompositionProduct=Clone packaged product/service
 ProductIsUsed=Этот продукт используется
 NewRefForClone=Ссылка нового продукта / услуги
-CustomerPrices=Customer prices
-SuppliersPrices=Supplier prices
+CustomerPrices=Цены клиентов
+SuppliersPrices=Цены поставщиков
 SuppliersPricesOfProductsOrServices=Supplier prices (of products or services)
 CustomCode=Пользовательский код
 CountryOrigin=Страна происхождения
@@ -265,7 +265,7 @@ PricingRule=Правила для цен клиента
 AddCustomerPrice=Add price by customer
 ForceUpdateChildPriceSoc=Установить такую же цену для дочерних клиентов
 PriceByCustomerLog=Цена по журналу клиента
-MinimumPriceLimit=Minimum price can't be lower then %s
+MinimumPriceLimit=Минимальная цена не может быть ниже %s
 MinimumRecommendedPrice=Минимальная рекомендованная цена : %s
 PriceExpressionEditor=Price expression editor
 PriceExpressionSelected=Selected price expression
@@ -294,3 +294,5 @@ LastUpdated=Последнее обновление
 CorrectlyUpdated=Правильно обновлено
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/ru_RU/projects.lang b/htdocs/langs/ru_RU/projects.lang
index 8e66c946c06ff70889e91a05e0b95e8d85a6bf60..d73af48f2f02e2f09fa29a04859713f49dd40fb2 100644
--- a/htdocs/langs/ru_RU/projects.lang
+++ b/htdocs/langs/ru_RU/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Эта точка зрения ограничена на проек
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Эта точка зрения представляет всех проектов и задач, которые могут читать.
 TasksDesc=Эта точка зрения представляет всех проектов и задач (разрешений пользователей предоставить вам разрешение для просмотра всего).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Проекты области
 NewProject=Новый проект
 AddProject=Создать проект
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Список отчётов о затрат
 ListDonationsAssociatedProject=Список пожертвований, связанных с проектом
 ListActionsAssociatedProject=Список мероприятий, связанных с проектом
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Деятельность по проекту на этой неделе
 ActivityOnProjectThisMonth=Деятельность по проектам в этом месяце
 ActivityOnProjectThisYear=Деятельность по проектам в этом году
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/ru_RU/trips.lang b/htdocs/langs/ru_RU/trips.lang
index c70cbb0c56855b58a01178b7946a833f181983d7..6ac63ba6dfe2deaa2ada9ecf632f0e970e989d66 100644
--- a/htdocs/langs/ru_RU/trips.lang
+++ b/htdocs/langs/ru_RU/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Открыть заново
 SendToValid=Sent on approval
 ModifyInfoGen=Редактировать
 ValidateAndSubmit=Проверить и отправить запрос на утверждение
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=Вы не можете утвердить этот отчёт о затратах
 NOT_AUTHOR=Вы не автор этого отчёта о затратах. Операция отменена.
diff --git a/htdocs/langs/ru_RU/withdrawals.lang b/htdocs/langs/ru_RU/withdrawals.lang
index d05d5fffd6187fe27a4679cebe01da5228a0d5eb..36a858add14a6e38649496f442dfdd1327e8a376 100644
--- a/htdocs/langs/ru_RU/withdrawals.lang
+++ b/htdocs/langs/ru_RU/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Файл изъятия средств
 SetToStatusSent=Установить статус "Файл отправлен"
 ThisWillAlsoAddPaymentOnInvoice=Это также применит оплату по счетам и установит статус счетов на "Оплачен"
 StatisticsByLineStatus=Статистика статуса по строкам
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Оплата постоянных %s порядке банк
diff --git a/htdocs/langs/ru_RU/workflow.lang b/htdocs/langs/ru_RU/workflow.lang
index 07085cb5e86e6f1405d950e65c6e49dc55f4954e..0d3aa393842961ffc31daa985418ff0b03bed476 100644
--- a/htdocs/langs/ru_RU/workflow.lang
+++ b/htdocs/langs/ru_RU/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Установка модуля Рабочих процессов
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/sk_SK/admin.lang b/htdocs/langs/sk_SK/admin.lang
index a8308887fa44540adcab8ba12d86d86527c6166d..a3f837e5482c5c00dd19fd71c05bfe74bf4725d6 100644
--- a/htdocs/langs/sk_SK/admin.lang
+++ b/htdocs/langs/sk_SK/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Návrhy
 Module20Desc=Komerčné návrh riadenia
 Module22Name=Mass E-mailing
 Module22Desc=Mass E-mailing riadenie
-Module23Name= Energia
-Module23Desc= Sledovanie spotreby energií
+Module23Name=Energia
+Module23Desc=Sledovanie spotreby energií
 Module25Name=Zákazníckych objednávok
 Module25Desc=Zákazníka riadenie
 Module30Name=Faktúry
@@ -492,7 +492,7 @@ Module400Desc=Riadenie projektov, príležitostí alebo vyhliadok. Môžete prir
 Module410Name=WebCalendar
 Module410Desc=WebCalendar integrácia
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Upozornenie
 Module600Desc=Poslať e-mailové upozornenie na niektoré Dolibarr firemné udalosti kontaktom tretích strán (nastavenie definované zvlášť pre každú tretiu stranu)
 Module700Name=Dary
 Module700Desc=Darovanie riadenie
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Vytvoriť / upraviť produktov
 Permission34=Odstrániť produkty
 Permission36=Pozri / správa skryté produkty
 Permission38=Export produktov
-Permission41=Prečítajte projektov (spoločné projekty, projekt a ja som kontakt pre)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Vytvoriť / upraviť projektov (spoločné projekty, projekt a ja som kontakt pre)
 Permission44=Odstrániť projektov (spoločné projekty, projekt a ja som kontakt pre)
 Permission61=Prečítajte intervencie
@@ -600,10 +600,10 @@ Permission86=Poslať objednávky odberateľov
 Permission87=Zavrieť zákazníkov objednávky
 Permission88=Storno objednávky odberateľov
 Permission89=Odstrániť objednávky odberateľov
-Permission91=Prečítajte si príspevky na sociálne zabezpečenie a dane z pridanej hodnoty
-Permission92=Vytvoriť / upraviť príspevky na sociálne zabezpečenie a dane z pridanej hodnoty
-Permission93=Odstránenie sociálne príspevky a dane z pridanej hodnoty
-Permission94=Export príspevky na sociálne zabezpečenie
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Prečítajte si správy
 Permission101=Prečítajte si sendings
 Permission102=Vytvoriť / upraviť sendings
@@ -621,9 +621,9 @@ Permission121=Prečítajte tretej strany v súvislosti s užívateľmi
 Permission122=Vytvoriť / modifikovať tretie strany spojené s používateľmi
 Permission125=Odstránenie tretej strany v súvislosti s užívateľmi
 Permission126=Export tretej strany
-Permission141=Prečítajte projektov (aj súkromné ​​nie som kontakt pre)
-Permission142=Vytvoriť / upraviť projektov (aj súkromné ​​nie som kontakt pre)
-Permission144=Odstrániť projekty (aj súkromné ​​nie som kontakt pre)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Prečítajte si poskytovatelia
 Permission147=Prečítajte si štatistiky
 Permission151=Prečítajte si trvalé príkazy
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Nastavenie uložené
 BackToModuleList=Späť na zoznam modulov
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Ste si istí, že chcete zmazať <b>%s</b> položka menu?
 DeleteLine=Odstránenie riadka
 ConfirmDeleteLine=Ste si istí, že chcete zmazať tento riadok?
 ##### Tax #####
-TaxSetup=Dane, sociálne príspevky a dividendy modul nastavenia
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=DPH z dôvodu
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP klienti musia poslať svoje požiadavky na koncový bod Dolibarr
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bankové modul nastavenia
 FreeLegalTextOnChequeReceipts=Voľný text na kontroly príjmov
@@ -1596,6 +1599,7 @@ ProjectsSetup=Projekt modul nastavenia
 ProjectsModelModule=Projekt správy Vzor dokladu
 TasksNumberingModules=Úlohy číslovanie modul
 TaskModelModule=Úlohy správy Vzor dokladu
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatické strom zložiek a dokumentov
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/sk_SK/agenda.lang b/htdocs/langs/sk_SK/agenda.lang
index 9504ee53600c082d87786be5d8f7a366df4e9504..19d777c7565dd09483095474f37a41574c8170c1 100644
--- a/htdocs/langs/sk_SK/agenda.lang
+++ b/htdocs/langs/sk_SK/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Objednať %s schválený
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Objednať %s vrátiť do stavu návrhu
-OrderCanceledInDolibarr=Objednať %s zrušený
 ProposalSentByEMail=Komerčné návrh %s zaslaná e-mailom
 OrderSentByEMail=%s zákazníkov objednávka zaslaná e-mailom
 InvoiceSentByEMail=%s faktúre Zákazníka zaslaná e-mailom
@@ -96,3 +95,5 @@ AddEvent=Vytvoriť udalosť
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/sk_SK/banks.lang b/htdocs/langs/sk_SK/banks.lang
index 1fbee4ad05f27784b5b6325e8361eb4ab6ea5dd9..e4ff0b105d50962ba51522f4953234caf13fdbbe 100644
--- a/htdocs/langs/sk_SK/banks.lang
+++ b/htdocs/langs/sk_SK/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Klientská platba
 CustomerInvoicePaymentBack=Klientská platba späť
 SupplierInvoicePayment=Dodávateľ platba
 WithdrawalPayment=Odstúpenie platba
-SocialContributionPayment=Sociálny príspevok platba
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Finančný účet časopis
 BankTransfer=Bankový prevod
 BankTransfers=Bankové prevody
diff --git a/htdocs/langs/sk_SK/bills.lang b/htdocs/langs/sk_SK/bills.lang
index d49b3e7d30359677c1c154e60fcfa5c3e4a03230..1f8103e9d37fefb14442288d875b4dbfa4f04435 100644
--- a/htdocs/langs/sk_SK/bills.lang
+++ b/htdocs/langs/sk_SK/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb faktúr
 NumberOfBillsByMonth=Nb faktúr mesiace
 AmountOfBills=Výška faktúr
 AmountOfBillsByMonthHT=Výška faktúr mesačne (bez dane)
-ShowSocialContribution=Zobraziť sociálny príspevok
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Zobraziť faktúru
 ShowInvoice=Zobraziť faktúru
 ShowInvoiceReplace=Zobraziť výmene faktúru
@@ -270,7 +270,7 @@ BillAddress=Bill adresa
 HelpEscompte=Táto zľava je zľava poskytnutá zákazníkovi, pretože jej platba bola uskutočnená pred horizonte.
 HelpAbandonBadCustomer=Táto suma bola opustená (zákazník povedal, aby bol zlý zákazník) a je považovaný za výnimočný voľné.
 HelpAbandonOther=Táto suma bola opustená, pretože došlo k chybe (chybný zákazník alebo faktúra nahradený iný napríklad)
-IdSocialContribution=Sociálny príspevok id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Platba id
 InvoiceId=Faktúra id
 InvoiceRef=Faktúra čj.
diff --git a/htdocs/langs/sk_SK/companies.lang b/htdocs/langs/sk_SK/companies.lang
index 98e1bfc3177511d6e286c796a9a6676b16df754d..938dd25fa6f6962f561f1b17662e2f70946cebd7 100644
--- a/htdocs/langs/sk_SK/companies.lang
+++ b/htdocs/langs/sk_SK/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Treťou stranou kontakt / adresa
 StatusContactValidated=Stav kontaktu / adresa
 Company=Spoločnosť
 CompanyName=Názov spoločnosti
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Firmy
 CountryIsInEEC=Krajina je v rámci Európskeho hospodárskeho spoločenstva
 ThirdPartyName=Tretia strana názov
diff --git a/htdocs/langs/sk_SK/compta.lang b/htdocs/langs/sk_SK/compta.lang
index fe039fc72ff3914befe647c5bc5b710a5b07e5d0..6cd77eb0a51743b0dde59593ca7548cd832acb6a 100644
--- a/htdocs/langs/sk_SK/compta.lang
+++ b/htdocs/langs/sk_SK/compta.lang
@@ -56,23 +56,23 @@ VATCollected=Vybrané DPH
 ToPay=Zaplatiť
 ToGet=Ak chcete získať späť
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Daňové, sociálne príspevky a dividendy oblasti
-SocialContribution=Sociálny príspevok
-SocialContributions=Sociálne príspevky
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Dane a dividendy
 MenuSalaries=Salaries
-MenuSocialContributions=Sociálne príspevky
-MenuNewSocialContribution=Nový príspevok
-NewSocialContribution=Nový príspevok na sociálne zabezpečenie
-ContributionsToPay=Príspevky platiť
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Účtovníctvo / Treasury oblasť
 AccountancySetup=Účtovníctvo nastavenie
 NewPayment=Nový platobný
 Payments=Platby
 PaymentCustomerInvoice=Zákazník faktúru
 PaymentSupplierInvoice=Dodávateľ faktúru
-PaymentSocialContribution=Sociálny príspevok platba
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=DPH platba
 PaymentSalary=Salary payment
 ListPayment=Zoznam platieb
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=Platba DPH
 VATPayments=Platby DPH
-SocialContributionsPayments=Sociálne príspevky platby
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Zobraziť DPH platbu
 TotalToPay=Celkom k zaplateniu
 TotalVATReceived=Celkom bez DPH obdržal
@@ -116,11 +116,11 @@ NewCheckDepositOn=Vytvorte potvrdenie o vklade na účet: %s
 NoWaitingChecks=Žiadne kontroly čakanie na vklad.
 DateChequeReceived=Skontrolujte dátum príjmu
 NbOfCheques=Nb kontrol
-PaySocialContribution=Platiť sociálne príspevok
-ConfirmPaySocialContribution=Ste si istí, že chcete klasifikovať ako sociálny príspevok vypláca?
-DeleteSocialContribution=Odstránenie sociálny príspevok
-ConfirmDeleteSocialContribution=Ste si istí, že chcete zmazať tento príspevok na sociálne zabezpečenie?
-ExportDataset_tax_1=Sociálne príspevky a platby
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Režim <b>%sVAT na záväzky accounting%s.</b>
 CalcModeVATEngagement=Režim <b>%sVAT z príjmov-expense%sS.</b>
 CalcModeDebt=Režim <b>%sClaims-Debt%sS</b> povedal <b>Záväzok účtovníctva.</b>
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=podľa dodávateľa zvoliť vhodnú metódu použiť
 TurnoverPerProductInCommitmentAccountingNotRelevant=Obrat správa za tovar, pri použití <b>hotovosti evidencia</b> režim nie je relevantná. Táto správa je k dispozícii len pri použití <b>zásnubný evidencia</b> režimu (pozri nastavenie účtovného modulu).
 CalculationMode=Výpočet režim
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/sk_SK/cron.lang b/htdocs/langs/sk_SK/cron.lang
index feeafd4e3ff30a8ec1050d58ef7d9dc90d968b36..601e4ca72c339aa05a0caa563cd344eec14b5664 100644
--- a/htdocs/langs/sk_SK/cron.lang
+++ b/htdocs/langs/sk_SK/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=Objekt spôsob štartu. <BR> Napr načítať metódy objektu výr
 CronArgsHelp=Metóda argumenty. <BR> Napr načítať metódy objektu výrobku Dolibarr / htdocs / produktu / trieda / product.class.php, môže byť hodnota paramters byť <i>0, ProductRef</i>
 CronCommandHelp=Systém príkazového riadka spustiť.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Informácie
 # Common
diff --git a/htdocs/langs/sk_SK/ecm.lang b/htdocs/langs/sk_SK/ecm.lang
index 5c0e414f92a8251f05b4f5e68272ff241b008f10..9254d683107b76efd9e9d57c782ddf2f55d32a64 100644
--- a/htdocs/langs/sk_SK/ecm.lang
+++ b/htdocs/langs/sk_SK/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Hľadať podľa objektu
 ECMSectionOfDocuments=Adresára dokumentov
 ECMTypeManual=Manuál
 ECMTypeAuto=Automatický
-ECMDocsBySocialContributions=Dokumenty súvisiace odvody na sociálne zabezpečenie
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Dokumenty súvisiace s tretími stranami
 ECMDocsByProposals=Dokumenty súvisiace s návrhmi
 ECMDocsByOrders=Dokumenty súvisiace s zákazníkmi objednávky
diff --git a/htdocs/langs/sk_SK/errors.lang b/htdocs/langs/sk_SK/errors.lang
index 0cf8dea30258e47f48c472bfef8a56b95b81e26d..7ee7f53eaaed67d5f32880545ddc5ee8042a6f57 100644
--- a/htdocs/langs/sk_SK/errors.lang
+++ b/htdocs/langs/sk_SK/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Nerozhoduje prevádzku v našom súbore
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/sk_SK/holiday.lang b/htdocs/langs/sk_SK/holiday.lang
index 3b3b9c6a95f5daed1b4d7d68945a9d4d22bfdd88..c0f263af21431a3b72a6f391fac3b30e49b8e1e8 100644
--- a/htdocs/langs/sk_SK/holiday.lang
+++ b/htdocs/langs/sk_SK/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Mesačný výkaz
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Dôvod
 UserCP=Užívateľ
 ErrorAddEventToUserCP=Došlo k chybe pri pridávaní výnimočnú dovolenku.
 AddEventToUserOkCP=Pridanie mimoriadnej dovolenky bola dokončená.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Účinkujú
 UserUpdateCP=Pre užívateľa
@@ -93,6 +93,7 @@ ValueOptionCP=Hodnota
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Overenie konfigurácie
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Aktualizované úspešne.
 ErrorUpdateConfCP=Došlo k chybe pri aktualizácii, skúste to prosím znova.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Došlo k chybe pri odosielaní e-mail:
 NoCPforMonth=Nie opustiť tento mesiac.
 nbJours=Počet dní
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Ahoj
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/sk_SK/mails.lang b/htdocs/langs/sk_SK/mails.lang
index f7aaf178350accaa3cecb534c094addd15707630..e14ef14402de4b27aeb619d37d7ce0e19eb06cd6 100644
--- a/htdocs/langs/sk_SK/mails.lang
+++ b/htdocs/langs/sk_SK/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Sledovanie zásielok otvorenie
 TagUnsubscribe=Odhlásiť odkaz
 TagSignature=Podpis zasielanie užívateľa
 TagMailtoEmail=E-mail príjemcu
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Upozornenie
 NoNotificationsWillBeSent=Žiadne oznámenia e-mailom sú naplánované pre túto udalosť a spoločnosť
diff --git a/htdocs/langs/sk_SK/main.lang b/htdocs/langs/sk_SK/main.lang
index ccd00f5ec581b79d256e4852fc1de040f9b08505..5c373022c934c508ae2784cb729a98e6f756bda9 100644
--- a/htdocs/langs/sk_SK/main.lang
+++ b/htdocs/langs/sk_SK/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Niektoré boli nájdené chyby. My rollbac
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> nie je definovaná v súbore config Dolibarr <b>conf.php.</b>
 ErrorCantLoadUserFromDolibarrDatabase=Nepodarilo sa nájsť užívateľa <b>%s</b> v databáze Dolibarr.
 ErrorNoVATRateDefinedForSellerCountry=Chyba, žiadne sadzby DPH stanovenej pre krajinu &quot;%s&quot;.
-ErrorNoSocialContributionForSellerCountry=Chyba, žiadny sociálny príspevok typu definované pre krajinu &quot;%s&quot;.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Chyba sa nepodarilo uložiť súbor.
 SetDate=Nastaviť dátum
 SelectDate=Vybrať dátum
@@ -302,7 +302,7 @@ UnitPriceTTC=Jednotková cena
 PriceU=UP
 PriceUHT=UP (bez DPH)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=UP
+PriceUTTC=U.P. (inc. tax)
 Amount=Množstvo
 AmountInvoice=Fakturovaná čiastka
 AmountPayment=Suma platby
@@ -339,6 +339,7 @@ IncludedVAT=Vrátane dane
 HT=Po odpočítaní dane
 TTC=Inc daň
 VAT=Daň z obratu
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Daňová sadzba
diff --git a/htdocs/langs/sk_SK/members.lang b/htdocs/langs/sk_SK/members.lang
index eec0d8666a4ba07862de43455fba26cca39f4294..cc74c8b8917065b5272690588983fa30b32086eb 100644
--- a/htdocs/langs/sk_SK/members.lang
+++ b/htdocs/langs/sk_SK/members.lang
@@ -199,7 +199,8 @@ Entreprises=Firmy
 DOLIBARRFOUNDATION_PAYMENT_FORM=Ak chcete, aby vaše predplatné platbu bankovým prevodom, viď strana <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Ak chcete platiť pomocou kreditnej karty alebo PayPal, kliknite na tlačidlo v dolnej časti tejto stránky. <br>
 ByProperties=Charakteristikami
 MembersStatisticsByProperties=Členovia štatistiky podľa charakteristík
-MembersByNature=Členovia od prírody
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Sadzba DPH sa má použiť pre predplatné
 NoVatOnSubscription=Nie TVA za upísané vlastné imanie
 MEMBER_PAYONLINE_SENDEMAIL=E-mail upozorniť pri Dolibarr obdržíte potvrdenie o overenú platby za predplatné
diff --git a/htdocs/langs/sk_SK/products.lang b/htdocs/langs/sk_SK/products.lang
index fc70943351c87f7e994ebb64fb66574e070d9fcd..761a8dfa6b68a52c57dedeae21077e9b768820af 100644
--- a/htdocs/langs/sk_SK/products.lang
+++ b/htdocs/langs/sk_SK/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/sk_SK/projects.lang b/htdocs/langs/sk_SK/projects.lang
index 3b3ed27cb83a7ca11ed946fbacfdcc37fd6230f5..f8f5512426d6df31c92585509c816426d03cd002 100644
--- a/htdocs/langs/sk_SK/projects.lang
+++ b/htdocs/langs/sk_SK/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Tento pohľad je obmedzená na projekty alebo úlohy, ktoré sú pre
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Tento názor predstavuje všetky projekty a úlohy, ktoré sú prístupné pre čítanie.
 TasksDesc=Tento názor predstavuje všetky projekty a úlohy (vaše užívateľské oprávnenia udeliť oprávnenie k nahliadnutiu všetko).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projekty oblasť
 NewProject=Nový projekt
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=Zoznam udalostí spojených s projektom
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Aktivita na projekte tento týždeň
 ActivityOnProjectThisMonth=Aktivita na projekte tento mesiac
 ActivityOnProjectThisYear=Aktivita na projekte v tomto roku
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/sk_SK/trips.lang b/htdocs/langs/sk_SK/trips.lang
index b737c1d726c60639da93762c30c5345945a5f1cd..49458c1e9268cb9cfb94e950a6ff0aa9a3cca983 100644
--- a/htdocs/langs/sk_SK/trips.lang
+++ b/htdocs/langs/sk_SK/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/sk_SK/withdrawals.lang b/htdocs/langs/sk_SK/withdrawals.lang
index b0cb4d4776042b3b5bd22871a63695f17fc1e206..fd9b385428720083c0d6f53899c494f1c7024734 100644
--- a/htdocs/langs/sk_SK/withdrawals.lang
+++ b/htdocs/langs/sk_SK/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Odstúpenie súbor
 SetToStatusSent=Nastavte na stav &quot;odoslaný súbor&quot;
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Platba %s trvalého príkazu bankou
diff --git a/htdocs/langs/sk_SK/workflow.lang b/htdocs/langs/sk_SK/workflow.lang
index a9382f64d06f13d96a70a277116a1d068930ba7d..36dcf63ddb60a60d2b57354206f96c91c2fc3333 100644
--- a/htdocs/langs/sk_SK/workflow.lang
+++ b/htdocs/langs/sk_SK/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow modul nastavenia
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/sl_SI/admin.lang b/htdocs/langs/sl_SI/admin.lang
index c9b63ad91a570e1ddd13d5f830b17d2b8e1c9a4c..0fe87a2481935ca79b50336d797eb230f7a0c0f0 100644
--- a/htdocs/langs/sl_SI/admin.lang
+++ b/htdocs/langs/sl_SI/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Ponudbe
 Module20Desc=Upravljanje komercialnih ponudb
 Module22Name=Masovno E-pošiljanje
 Module22Desc=Upravljanje masovnega E-pošiljanja
-Module23Name= Energija
-Module23Desc= Nadzor porabe energije
+Module23Name=Energija
+Module23Desc=Nadzor porabe energije
 Module25Name=Naročila kupcev
 Module25Desc=Upravljanje naročil kupcev
 Module30Name=Računi
@@ -492,7 +492,7 @@ Module400Desc=Upravljanje projektov, priložnosti ali potencialov. Nato lahko do
 Module410Name=Internetni koledar
 Module410Desc=Integracija internetnega koledarja
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Plače
 Module510Desc=Upravljanje plač in plačil zaposlenim
 Module520Name=Posojilo
@@ -501,7 +501,7 @@ Module600Name=Obvestila
 Module600Desc=Pošiljanje obvestil o nekaterih Dolibarr dogodkih po e-mailu kontaktom pri partnerjih (nastavitev je določena za vsakega partnerja)
 Module700Name=Donacije
 Module700Desc=Upravljanje donacij
-Module770Name=Stroškovno poročilo
+Module770Name=Expense reports
 Module770Desc=Poročilo upravljanja in stroškov povračil (prevoz, hrana, ...)
 Module1120Name=Komercialna ponudba dobavitelja
 Module1120Desc=Zahteva za komercialno ponudbo in cene dobavitelja
@@ -579,7 +579,7 @@ Permission32=Kreiranje/spreminjanje proizvodov
 Permission34=Brisanje proizvodov
 Permission36=Pregled/upravljanje skritih proizvodov
 Permission38=Izvoz proizvodov
-Permission41=Branje projektov in nalog
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Kreiranje/spreminjanje projektov, urejanje nalog v mojih projektih
 Permission44=Brisanje projektov
 Permission61=Branje intervencij
@@ -600,10 +600,10 @@ Permission86=Pošiljanje naročil kupcev
 Permission87=Zapiranje naročil kupcev
 Permission88=Preklic naročil kupcev
 Permission89=Brisanje naročil kupcev
-Permission91=Branje socialnih prispevkov in DDV
-Permission92=Kreiranje/spreminjanje socialnih prispevkov in DDV
-Permission93=Brisanje socialnih prispevkov in DDV
-Permission94=Izvoz socialnih prispevkov
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Branje poročil
 Permission101=Branje pošiljk
 Permission102=Kreiranje/spreminjanje pošiljk
@@ -621,9 +621,9 @@ Permission121=Branje partnerjev, vezanih na uporabnika
 Permission122=Kreiranje/spreminjanje partnerjev, vezanih na uporabnika
 Permission125=Brisanje partnerjev, vezanih na uporabnika
 Permission126=Izvoz partnerjev
-Permission141=Branje nalog
-Permission142=Ustvarjanje/spreminjanje nalog
-Permission144=Izbris nalog
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Brisanje ponudnikov
 Permission147=Branje statistike
 Permission151=Branje tekočih naročil
@@ -801,7 +801,7 @@ DictionaryCountry=Države
 DictionaryCurrency=Valute
 DictionaryCivility=Vljudnostni nazivi
 DictionaryActions=Tipi aktivnosti
-DictionarySocialContributions=Vrste socialnih prispevkov
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=Stopnje DDV ali davkov
 DictionaryRevenueStamp=Znesek kolekov
 DictionaryPaymentConditions=Pogoji plačil
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Modeli kontnih planov
 DictionaryEMailTemplates=Predloge za elektronsko pošto
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Nastavitve shranjene
 BackToModuleList=Nazaj na seznam modulov
 BackToDictionaryList=Nazaj na seznam slovarjev
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Ali zares želite izbrisati menijski vnos <b>%s</b> ?
 DeleteLine=Izbris vrstice
 ConfirmDeleteLine=Ali zares želite izbrisati to vrstico ?
 ##### Tax #####
-TaxSetup=Modul za nastavitve davkov, socialnih prispevkov in dividend
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Rok za DDV
 OptionVATDefault=Gotovinska osnova
 OptionVATDebitOption=Povečana osnova
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP klienti morajo poslati zahtevo na Dolibarr končno točko, ki je
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Nastavitev modula za banke
 FreeLegalTextOnChequeReceipts=Poljubno besedilo na potrdilu za ček
@@ -1596,6 +1599,7 @@ ProjectsSetup=Nastavitve modula za projekte
 ProjectsModelModule=Vzorec dokumenta poročila o projektih
 TasksNumberingModules=Moduli za številčenje nalog
 TaskModelModule=Modeli obrazcev poročil o nalogah
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = Nastavitve GED
 ECMAutoTree = Avtomatska drevesna struktura mape in dokumenta
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Instalacija eksternega modula iz aplikacije shrani dat
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/sl_SI/agenda.lang b/htdocs/langs/sl_SI/agenda.lang
index fb6ebe539036c90806125ca89cb3f844e0dda740..3c454937cfc66d192333bb179ae4cb86c72defc4 100644
--- a/htdocs/langs/sl_SI/agenda.lang
+++ b/htdocs/langs/sl_SI/agenda.lang
@@ -49,13 +49,12 @@ InvoiceValidatedInDolibarrFromPos=Račun %s je potrjen preko POS
 InvoiceBackToDraftInDolibarr=Račun %s se vrača v status osnutka
 InvoiceDeleteDolibarr=Račun %s izbrisan
 OrderValidatedInDolibarr=Potrjeno naročilo %s
-OrderDeliveredInDolibarr=Order %s classified delivered
+OrderDeliveredInDolibarr=Naročilo %s označeno kot "dobavljeno"
 OrderCanceledInDolibarr=Naročilo %s odpovedano
-OrderBilledInDolibarr=Order %s classified billed
+OrderBilledInDolibarr=Naročilo %s označeno kot "zaračunano"
 OrderApprovedInDolibarr=Naročilo %s odobreno
 OrderRefusedInDolibarr=Naročilo %s zavrnjeno
 OrderBackToDraftInDolibarr=Naročilo %s se vrača v status osnutka
-OrderCanceledInDolibarr=Naročilo %s odpovedano
 ProposalSentByEMail=Komercialna ponudba %s poslana po elektronski pošti
 OrderSentByEMail=Naročilo kupca %s poslano po elektronski pošti
 InvoiceSentByEMail=Račun kupcu %s poslan po elektronski pošti
@@ -94,5 +93,7 @@ WorkingTimeRange=Delovni čas
 WorkingDaysRange=Delovni dnevi
 AddEvent=Ustvari dogodek
 MyAvailability=Moja dostopnost
-ActionType=Event type
-DateActionBegin=Start event date
+ActionType=Tip dogodka
+DateActionBegin=Datum začetka dogodka
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/sl_SI/banks.lang b/htdocs/langs/sl_SI/banks.lang
index d2d117b1a481be8bab1dde6c6bd643c7c8f4a072..b8d3d93d3674fd5a7ac1dacc8d35d94e9feb6ade 100644
--- a/htdocs/langs/sl_SI/banks.lang
+++ b/htdocs/langs/sl_SI/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Plačilo kupca
 CustomerInvoicePaymentBack=Vrnitev plačila kupcu
 SupplierInvoicePayment=Plačilo dobavitelju
 WithdrawalPayment=Nakazano plačilo
-SocialContributionPayment=Plačilo socialnih prispevkov
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Dnevnik finančnega računa
 BankTransfer=Bančni transfer
 BankTransfers=Bančni transferji
diff --git a/htdocs/langs/sl_SI/bills.lang b/htdocs/langs/sl_SI/bills.lang
index d5b7d41a156b1afc0613ebcc71833c8f44593537..e0102a4726864d3f3bf6530c53434e8c74f268eb 100644
--- a/htdocs/langs/sl_SI/bills.lang
+++ b/htdocs/langs/sl_SI/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Število računov
 NumberOfBillsByMonth=Število računov po mesecih
 AmountOfBills=Znesek račuov
 AmountOfBillsByMonthHT=Znesek računov po mesecih (brez DDV)
-ShowSocialContribution=Prikaži socialne prispevke
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Prikaži račun
 ShowInvoice=Prikaži račun
 ShowInvoiceReplace=Prikaži nadomestni račun
@@ -270,7 +270,7 @@ BillAddress=Naslov za račun
 HelpEscompte=Ta popust je bil kupcu odobren zaradi plačila pred rokom zapadlosti.
 HelpAbandonBadCustomer=Ta znesek je bil opuščen (Kupec je označen kot 'slab kupec') in se obravnava kot potencialna izguba.
 HelpAbandonOther=Ta znesek je bil opuščen, ker je prišlo do napake (na primer napačen kupec ali račun, zamenjan z drugim)
-IdSocialContribution=ID socialnih prispevkov
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=ID plačila
 InvoiceId=ID računa
 InvoiceRef=Referenca računa
diff --git a/htdocs/langs/sl_SI/companies.lang b/htdocs/langs/sl_SI/companies.lang
index ffd8490c63edb37ff4bb3d970b60f38b23b3b887..ff9371a9b19fb12402bb8a63239e1282faec132f 100644
--- a/htdocs/langs/sl_SI/companies.lang
+++ b/htdocs/langs/sl_SI/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Kontakt pri partnerju
 StatusContactValidated=Status kontakta
 Company=Podjetje
 CompanyName=Ime podjetja
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Podjetja
 CountryIsInEEC=Država je članica Evropske Unije
 ThirdPartyName=Ime partnerja
diff --git a/htdocs/langs/sl_SI/compta.lang b/htdocs/langs/sl_SI/compta.lang
index 37512ab743b2ae29bd7f5f5c73a01dd5e407f5b8..4efa3d06aa3c3d43f1715d9d406b65e1368ca4e6 100644
--- a/htdocs/langs/sl_SI/compta.lang
+++ b/htdocs/langs/sl_SI/compta.lang
@@ -3,7 +3,7 @@ Accountancy=Računovodstvo
 AccountancyCard=Računovodska kartica
 Treasury=Blagajna
 MenuFinancial=Finance
-TaxModuleSetupToModifyRules=Go to <a href="%s">Taxes module setup</a> to modify rules for calculation
+TaxModuleSetupToModifyRules=Pojdite na nastavitev <a href="%s">Davčnega modula</a>  za spremembo kalkulacijskih pravil
 TaxModuleSetupToModifyRulesLT=Go to <a href="%s">Company setup</a> to modify rules for calculation
 OptionMode=Opcija za računovodstvo
 OptionModeTrue=Opcija Input-Output
@@ -19,8 +19,8 @@ AmountToBeCharged=Skupni znesek za plačilo :
 AccountsGeneral=Konti
 Account=Konto
 Accounts=Konti
-Accountparent=Account parent
-Accountsparent=Accounts parent
+Accountparent=Nadrejen račun
+Accountsparent=Ndrejeni računi
 BillsForSuppliers=Računi za dobavitelje
 Income=Prejemek
 Outcome=Izdatek
@@ -33,7 +33,7 @@ AccountingResult=Accounting result
 Balance=Bilanca
 Debit=Debit
 Credit=Kredit
-Piece=Accounting Doc.
+Piece=Računovodska dokumentacija
 Withdrawal=Nakazilo
 Withdrawals=Nakazila
 AmountHTVATRealReceived=Neto priliv
@@ -45,7 +45,7 @@ VATSummary=DDV skupaj
 LT2SummaryES=IRPF Balance
 LT1SummaryES=RE Balance
 VATPaid=Plačan DDV
-SalaryPaid=Salary paid
+SalaryPaid=Izplačana plača
 LT2PaidES=IRPF Plačan
 LT1PaidES=RE Paid
 LT2CustomerES=IRPF prodaja
@@ -55,33 +55,33 @@ LT1SupplierES=RE purchases
 VATCollected=Zbir DDV
 ToPay=Za plačilo
 ToGet=Za povračilo
-SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Področje davkov, socialnih prispevkov in dividend
-SocialContribution=Socialni prispevek
-SocialContributions=Socialni prispevki
-MenuSpecialExpenses=Special expenses
+SpecialExpensesArea=Področje za posebna plačila
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
+MenuSpecialExpenses=Posebni stroški
 MenuTaxAndDividends=Davki in dividende
-MenuSalaries=Salaries
-MenuSocialContributions=Socialni prispevki
-MenuNewSocialContribution=Novi prispevki
-NewSocialContribution=Novi socialni prispevki
-ContributionsToPay=Prispevki za plačilo
+MenuSalaries=Plače
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Področje računovodstva/blagajne
 AccountancySetup=Nastavitev računovodstva
 NewPayment=Novo plačilo
 Payments=Plačila
 PaymentCustomerInvoice=Plačilo računa kupca
 PaymentSupplierInvoice=Plačilo računa dobavitelju
-PaymentSocialContribution=Plačilo socialnega prispevka
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Plačilo DDV
-PaymentSalary=Salary payment
+PaymentSalary=Izplačilo plače
 ListPayment=Seznam plačil
 ListOfPayments=Seznam plačil
 ListOfCustomerPayments=Seznam plačil kupcev
 ListOfSupplierPayments=Seznam plačil dobaviteljem
 DatePayment=Datum plačila
-DateStartPeriod=Date start period
-DateEndPeriod=Date end period
+DateStartPeriod=Začetni datum obdobja
+DateEndPeriod=Končni datum obdobja
 NewVATPayment=Novo plačilo DDV
 newLT2PaymentES=Nova IRPF plačilo
 newLT1PaymentES=New RE payment
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=Plačilo DDV
 VATPayments=Plačila DDV
-SocialContributionsPayments=Plačila socialnih prispevkov
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Prikaži plačilo DDV
 TotalToPay=Skupaj za plačilo
 TotalVATReceived=Skupaj prejet DDV
@@ -101,7 +101,7 @@ AccountNumberShort=Konto
 AccountNumber=Številka konta
 NewAccount=Nov konto
 SalesTurnover=Promet prodaje
-SalesTurnoverMinimum=Minimum sales turnover
+SalesTurnoverMinimum=Minimalni prihodek od prodaje
 ByThirdParties=Po partnerjih
 ByUserAuthorOfInvoice=Po avtorjih računov
 AccountancyExport=Izvoz računovodstva
@@ -116,11 +116,11 @@ NewCheckDepositOn=Nova kontrola depozita na račun: %s
 NoWaitingChecks=Nobenih čakajočih kontrol depozitov.
 DateChequeReceived=Vnos datuma prejema čeka
 NbOfCheques=Število čekov
-PaySocialContribution=Plačilo socialnega prispevka
-ConfirmPaySocialContribution=Ali zares želite označiti ta socialni prispevek kot 'plačan'?
-DeleteSocialContribution=Brisanje socialnega prispevka
-ConfirmDeleteSocialContribution=Ali zares želite brisati ta socialni prispevek?
-ExportDataset_tax_1=Socialni prispevki in plačila
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -131,32 +131,32 @@ CalcModeLT1Rec= Mode <b>%sRE on suppliers invoices%s</b>
 CalcModeLT2= Mode <b>%sIRPF on customer invoices - suppliers invoices%s</b>
 CalcModeLT2Debt=Mode <b>%sIRPF on customer invoices%s</b>
 CalcModeLT2Rec= Mode <b>%sIRPF on suppliers invoices%s</b>
-AnnualSummaryDueDebtMode=Balance of income and expenses, annual summary
-AnnualSummaryInputOutputMode=Balance of income and expenses, annual summary
+AnnualSummaryDueDebtMode=Bilanca prihodkov in stroškov, letni povzetek
+AnnualSummaryInputOutputMode=Bilanca prihodkov in stroškov, letni povzetek
 AnnualByCompaniesDueDebtMode=Bilanca prejemkov in izdatkov, podrobnosti po partnerjih, način <b>%sClaims-Debts%s</b> z nazivom <b>commitment accounting</b>.
 AnnualByCompaniesInputOutputMode=Bilanca prejemkov in izdatkov, podrobnosti po partnerjih, način <b>%sRevenues-Expenses%s</b> z nazivom <b>cash accounting</b>.
 SeeReportInInputOutputMode=Glejte poročilo <b>%sIncomes-Expenses%s</b> z nazivom <b>cash accounting</b> za kalkulacijo na osnovi aktualnih izvršenih plačil
 SeeReportInDueDebtMode=Glejte poročilo <b>%sClaims-Debts%s</b> z nazivom <b>commitment accounting</b> za kalkulacijo na osnovi izdanih računov
-RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included
+RulesAmountWithTaxIncluded=- Prikazane vrednosti vključujejo vse davke
 RulesResultDue=- Prikazani zneski vključujejo vse davke<br>- Vključuje neporavnane račune, stroške in DDV ne glede ali so plačani ali ne. <br>- Temelji na datumu potrditve računa in DDV in na datumu zapadlosti za stroške.
-RulesResultInOut=- It includes the real payments made on invoices, expenses and VAT. <br>- It is based on the payment dates of the invoices, expenses and VAT.
+RulesResultInOut=- Prikazani zneski vključujejo vse dejansko plačane račune, stroške in DDV. <br>- Temelji na datumu plačila računa, stroškov in DDV.
 RulesCADue=- Vključuje izdane račune strankam, ne glede ali so plačani ali ne. <br>- Temelji na datumu potrditve teh računov. <br>
 RulesCAIn=- Vključuje vsa dejanska plačila kupcev.<br>- Temelji na datumu plačila teh računov<br>
 DepositsAreNotIncluded=- Vlog računi so prav tako vključeni
 DepositsAreIncluded=- Vključena so vlog računi
 LT2ReportByCustomersInInputOutputModeES=Poročilo tretjih oseb IRPF
 LT1ReportByCustomersInInputOutputModeES=Report by third party RE
-VATReportByCustomersInInputOutputMode=Report by the customer VAT collected and paid
-VATReportByCustomersInDueDebtMode=Report by the customer VAT collected and paid
-VATReportByQuartersInInputOutputMode=Report by rate of the VAT collected and paid
+VATReportByCustomersInInputOutputMode=Poročilo o pobranem in plačanem DDV po kupcih
+VATReportByCustomersInDueDebtMode=Poročilo o pobranem in plačanem DDV po kupcih
+VATReportByQuartersInInputOutputMode=Poročilo o pobranem in plačanem DDV po stopnji DDV
 LT1ReportByQuartersInInputOutputMode=Report by RE rate
 LT2ReportByQuartersInInputOutputMode=Report by IRPF rate
-VATReportByQuartersInDueDebtMode=Report by rate of the VAT collected and paid
+VATReportByQuartersInDueDebtMode=Poročilo o pobranem in plačanem DDV po stopnji DDV
 LT1ReportByQuartersInDueDebtMode=Report by RE rate
 LT2ReportByQuartersInDueDebtMode=Report by IRPF rate
 SeeVATReportInInputOutputMode=Glej poročilo <b>%sVAT encasement%s</b> za standardno kalkulacijo
 SeeVATReportInDueDebtMode=Glej poročilo <b>%sVAT on flow%s</b> za kalkulacijo z opcijo denarnega toka
-RulesVATInServices=- For services, the report includes the VAT regulations actually received or issued on the basis of the date of payment.
+RulesVATInServices=- Za storitve, poročilo vključuje DDV predpise dejansko prejete ali izdane na podlagi datuma plačila.
 RulesVATInProducts=- Za materialnih sredstev, da vključuje DDV račune na podlagi datuma izdaje računa.
 RulesVATDueServices=- Za storitve, poročilo vključuje DDV račune zaradi, plačane ali ne, na podlagi datuma izdaje računa.
 RulesVATDueProducts=- Za materialnih sredstev, vključuje DDV, račune, na podlagi datuma izdaje računa.
@@ -179,29 +179,29 @@ CodeNotDef=Ni definirano
 AddRemind=Odpošlji možen znesek
 RemainToDivide= Preostanek za odpošiljanje :
 WarningDepositsNotIncluded=Avansni računi niso vključeni v tej verziji računovodskega modula.
-DatePaymentTermCantBeLowerThanObjectDate=Payment term date can't be lower than object date.
-Pcg_version=Pcg version
-Pcg_type=Pcg type
-Pcg_subtype=Pcg subtype
-InvoiceLinesToDispatch=Invoice lines to dispatch
-InvoiceDispatched=Dispatched invoices
-AccountancyDashboard=Accountancy summary
-ByProductsAndServices=By products and services
-RefExt=External ref
+DatePaymentTermCantBeLowerThanObjectDate=Datum plačila ne more biti nižji od datuma storitve.
+Pcg_version=Pcg verzija
+Pcg_type=Pcg način
+Pcg_subtype=Pcg podtip
+InvoiceLinesToDispatch=Vrstice računa za odpremo
+InvoiceDispatched=Odposlani računi
+AccountancyDashboard=Povzetek računovodstva
+ByProductsAndServices=Po proizvodih in storitvah
+RefExt=Externa ref
 ToCreateAPredefinedInvoice=To create a predefined invoice, create a standard invoice then, without validating it, click onto button "Convert to predefined invoice".
-LinkedOrder=Link to order
-ReCalculate=Recalculate
-Mode1=Method 1
-Mode2=Method 2
+LinkedOrder=Povezava do naročila
+ReCalculate=Ponovno izračunaj
+Mode1=Metoda 1
+Mode2=Metoda 2
 CalculationRuleDesc=To calculate total VAT, there is two methods:<br>Method 1 is rounding vat on each line, then summing them.<br>Method 2 is summing all vat on each line, then rounding result.<br>Final result may differs from few cents. Default mode is mode <b>%s</b>.
 CalculationRuleDescSupplier=according to supplier, choose appropriate method to apply same calculation rule and get same result expected by your supplier.
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
-CalculationMode=Calculation mode
+CalculationMode=Način kalkulacije
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/sl_SI/cron.lang b/htdocs/langs/sl_SI/cron.lang
index 401be606ef60e9955ee844117daff6336169e828..c49253e6c10441cb3066a98fcfedbff87f94f463 100644
--- a/htdocs/langs/sl_SI/cron.lang
+++ b/htdocs/langs/sl_SI/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Informacija
 # Common
diff --git a/htdocs/langs/sl_SI/ecm.lang b/htdocs/langs/sl_SI/ecm.lang
index 69d0f8a62bd3198fff0450eaa2af279e5ee57379..9ab013ab3b7d1091f3726cf19e7055116bcc5342 100644
--- a/htdocs/langs/sl_SI/ecm.lang
+++ b/htdocs/langs/sl_SI/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Iskanje po objektu
 ECMSectionOfDocuments=Mape dokumentov
 ECMTypeManual=Ročno
 ECMTypeAuto=Avtomatsko
-ECMDocsBySocialContributions=Dokumenti, povezani s socialnimi prispevki
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Dokumenti, povezani s partnerjem
 ECMDocsByProposals=Dokumenti, povezani s ponudbami
 ECMDocsByOrders=Dokumenti, povezani z naročili kupcev
diff --git a/htdocs/langs/sl_SI/errors.lang b/htdocs/langs/sl_SI/errors.lang
index 4ee856b4e0bc102d56657cdf3d089dc54c3bf210..707a0fde2675dff803f543e41589814b461f779b 100644
--- a/htdocs/langs/sl_SI/errors.lang
+++ b/htdocs/langs/sl_SI/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/sl_SI/holiday.lang b/htdocs/langs/sl_SI/holiday.lang
index e79da2ce0815a082b57cb79344e96704583432d4..ebfd96ecefd545c32ee64c616f868b384356455a 100644
--- a/htdocs/langs/sl_SI/holiday.lang
+++ b/htdocs/langs/sl_SI/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Dopusti
 CPTitreMenu=Dopusti
 MenuReportMonth=Mesečno stanje
-MenuAddCP=Izdelaj zahtevek za dopust
+MenuAddCP=New leave request
 NotActiveModCP=Za ogled te strani morate aktivirati modul za dopust
 NotConfigModCP=Za ogled te strani morate konfigurirati modul za dopust. To lahko storite s klikom <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> tukaj </ a>.
 NoCPforUser=Nimate več na voljo nobenega dneva.
@@ -71,7 +71,7 @@ MotifCP=Razlog
 UserCP=Uporabnik
 ErrorAddEventToUserCP=Prišlo je do napake pri dodajanju izredne odsotnosti.
 AddEventToUserOkCP=Dodajanje izredne odsotnosti je zaključeno.
-MenuLogCP=Ogled dnevnika zahtevkov za dopust
+MenuLogCP=View change logs
 LogCP=Dnevnik posodobitev dni za dopust, ki so na voljo
 ActionByCP=Izvajalec
 UserUpdateCP=Za uporabnika
@@ -93,6 +93,7 @@ ValueOptionCP=Vrednost
 GroupToValidateCP=Skupina z dovoljenjem za odobravanje zahtevkov za dopust
 ConfirmConfigCP=Potrditev konfiguracije
 LastUpdateCP=Zadnja avtomatska posodobitev odobrenih dopustov
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Uspešno posodobljeno.
 ErrorUpdateConfCP=Pri posodabljanju je prišlo do napake, prosimo poskusite ponovno.
 AddCPforUsers=Prosimo dodajte stanje dopustov uporabnikov s <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">klikom tukaj</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Pri pošiljanju e-pošte je prišlo do napake:
 NoCPforMonth=Ta mesec ni odsotnosti.
 nbJours=Število dni
 TitleAdminCP=Konfiguracija dopustov
+NoticePeriod=Notice period
 #Messages
 Hello=Pozdravljeni
 HolidaysToValidate=Potrdi zahtevke za dopust
@@ -139,10 +141,11 @@ HolidaysRefused=Zahtevek je bil zavrnjen
 HolidaysRefusedBody=Vaš zahtevek za dopust od %s do %s je bil zavrnjen zaradi naslednjih razlogov :
 HolidaysCanceled=Preklican zahtevek za dopust
 HolidaysCanceledBody=Vaš zahtevek za dopust od %s do %s je bil preklican.
-Permission20000=Branje vaših lastnih zahtevkov za dopust
-Permission20001=Kreiranje/spreminjanje vašega zahtevka za dopust
-Permission20002=Kreiranje/spreminjanje zahtevkov za dopust za vse
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Brisanje zahtevkov za dopust
-Permission20004=Nastavitev dni za dopust za uporabnika
-Permission20005=Pregled dnevnika spremenjenih zahtevkov za dopust
-Permission20006=Branje mesečnega poročila o dopustih
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/sl_SI/mails.lang b/htdocs/langs/sl_SI/mails.lang
index 9f3204674e30892db4f9c4e2fc9d4524c3edce03..6ea130ab05d16f2b8c4781cb99ab1c23f64f1d3d 100644
--- a/htdocs/langs/sl_SI/mails.lang
+++ b/htdocs/langs/sl_SI/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Odpiranje sledenja pošte
 TagUnsubscribe=Povezava za odjavo
 TagSignature=Podpis pošiljatelja
 TagMailtoEmail=Prejemnik E-pošte
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Obvestila
 NoNotificationsWillBeSent=Za ta dogodek in podjetje niso predvidena obvestila po e-pošti
diff --git a/htdocs/langs/sl_SI/main.lang b/htdocs/langs/sl_SI/main.lang
index 842c17a0bd3b1e5275afcaaa2395db4495c13f7c..1b8a2dcb1dc46b697d197399cdaa6b20fabfe7ee 100644
--- a/htdocs/langs/sl_SI/main.lang
+++ b/htdocs/langs/sl_SI/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Najdenih je bilo nekaj napak. Spremembe so
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> ni definiran v Dolibarr konfiguracijski datoteki <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Napaka pri iskanju uporabnika <b>%s</b> v Dolibarr bazi podatkov.
 ErrorNoVATRateDefinedForSellerCountry=Napaka, za državo '%s' niso definirane davčna stopnje.
-ErrorNoSocialContributionForSellerCountry=Napaka, za državo '%s' niso definirani socialni prispevki.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Napaka, datoteka ni bila shranjena.
 SetDate=Nastavi datum
 SelectDate=Izberi datum
@@ -302,7 +302,7 @@ UnitPriceTTC=Cena enote
 PriceU=C.E.
 PriceUHT=C.E. (neto)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=C.E.
+PriceUTTC=U.P. (inc. tax)
 Amount=Znesek
 AmountInvoice=Znesek računa
 AmountPayment=Znesek za plačilo
@@ -339,6 +339,7 @@ IncludedVAT=Vključen DDV
 HT=Brez DDV
 TTC=Z DDV
 VAT=DDV
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Stopnja DDV
diff --git a/htdocs/langs/sl_SI/members.lang b/htdocs/langs/sl_SI/members.lang
index a70ea086a1299c7597b52bf182b36af91b9a93e0..5ec2c36b3ef28acbe173c7f3bf3718a33d793c69 100644
--- a/htdocs/langs/sl_SI/members.lang
+++ b/htdocs/langs/sl_SI/members.lang
@@ -199,7 +199,8 @@ Entreprises=Podjetja
 DOLIBARRFOUNDATION_PAYMENT_FORM=Če želite plačati članarino z bančnim nakazilom, glejte stran <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>Za plačilo s kreditno kartico ali Paypal, kliknite na gumb na dnu te strani.<br>
 ByProperties=Po lastnostih
 MembersStatisticsByProperties=Statistika članov po lastnostih
-MembersByNature=Naravni člani
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Stopnja DDV za naročnine
 NoVatOnSubscription=Ni davka za naročnine
 MEMBER_PAYONLINE_SENDEMAIL=Opozorilno e-sporočilo, ko Dilibarr prejme potrdilo potrjenega plačila za naročnino
diff --git a/htdocs/langs/sl_SI/products.lang b/htdocs/langs/sl_SI/products.lang
index 62d68566acc3357743a05055316a1a44ca41814c..621431feabd1bb4b174d3c971c10aef72eadef18 100644
--- a/htdocs/langs/sl_SI/products.lang
+++ b/htdocs/langs/sl_SI/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Nazadnje posodobljeno
 CorrectlyUpdated=Pravilno posodobljeno
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/sl_SI/projects.lang b/htdocs/langs/sl_SI/projects.lang
index 62e2e1f2997c89077a27939340547e193e3104d0..f571e17ade22ce6a143ad6d570824593ad8d82e4 100644
--- a/htdocs/langs/sl_SI/projects.lang
+++ b/htdocs/langs/sl_SI/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Ta pogled je omejen na projekte ali naloge, za katere ste kontaktna
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Ta pogled predstavlja vse projekte in naloge, za katere imate dovoljenje za branje.
 TasksDesc=Ta pogled predstavlja vse projekte in naloge (vaše uporabniško dovoljenje vam omogoča ogled vseh).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Področje projektov
 NewProject=Nov projekt
 AddProject=Ustvari projekt
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=Seznam aktivnosti, povezanih s projektom
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Aktivnosti na projektu v tem tednu
 ActivityOnProjectThisMonth=Aktivnosti na projektu v tem mesecu
 ActivityOnProjectThisYear=Aktivnosti na projektu v tem letu
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/sl_SI/trips.lang b/htdocs/langs/sl_SI/trips.lang
index 2329c4bf039b129c8167f0dc91e24e5744b28f79..367e67b722e4862df0af689dd9ed23f7e0bfbf5b 100644
--- a/htdocs/langs/sl_SI/trips.lang
+++ b/htdocs/langs/sl_SI/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/sl_SI/withdrawals.lang b/htdocs/langs/sl_SI/withdrawals.lang
index 989d8223eebe5c55fa5db02f0780f2c5407edce5..d8cf8ac20d858a67bf2d0352354953da17233699 100644
--- a/htdocs/langs/sl_SI/withdrawals.lang
+++ b/htdocs/langs/sl_SI/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Datoteka nakazila
 SetToStatusSent=Nastavi status na "Datoteka poslana"
 ThisWillAlsoAddPaymentOnInvoice=S tem bodo plačila povezana z računi, ki bodo spremenili status v "Plačano"
 StatisticsByLineStatus=Statistika po statusu vrstic
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Plačilo odprtega naročila %s s strani banke
diff --git a/htdocs/langs/sl_SI/workflow.lang b/htdocs/langs/sl_SI/workflow.lang
index 6c089e1b99560c67f5e6a442456f1710cc734319..100ff5aa5504de8ffe06410d443dbe4bddcdbc60 100644
--- a/htdocs/langs/sl_SI/workflow.lang
+++ b/htdocs/langs/sl_SI/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Nastavitev modula poteka dela
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/sq_AL/admin.lang b/htdocs/langs/sq_AL/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..13f7eb7c6ec5abbbd16fbfef6aca5771a693bf8d 100644
--- a/htdocs/langs/sq_AL/admin.lang
+++ b/htdocs/langs/sq_AL/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposals
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energy
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Customer Orders
 Module25Desc=Customer order management
 Module30Name=Invoices
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donations
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/sq_AL/agenda.lang b/htdocs/langs/sq_AL/agenda.lang
index 55fde86864be72919aece662743c649732414ebc..3e8b2309f8f645e35862d5934010712bf4b07300 100644
--- a/htdocs/langs/sq_AL/agenda.lang
+++ b/htdocs/langs/sq_AL/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/sq_AL/banks.lang b/htdocs/langs/sq_AL/banks.lang
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..d12f45387d6b4649f2face75d8646935a7c16c33 100644
--- a/htdocs/langs/sq_AL/banks.lang
+++ b/htdocs/langs/sq_AL/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/sq_AL/bills.lang b/htdocs/langs/sq_AL/bills.lang
index b5c8d3b6653e731416674d9a9e3085b726a41f8b..3210e0bf51731a2e1e91e0c26d72245194b15b60 100644
--- a/htdocs/langs/sq_AL/bills.lang
+++ b/htdocs/langs/sq_AL/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb of invoices
 NumberOfBillsByMonth=Nb of invoices by month
 AmountOfBills=Amount of invoices
 AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Show invoice
 ShowInvoice=Show invoice
 ShowInvoiceReplace=Show replacing invoice
@@ -270,7 +270,7 @@ BillAddress=Bill address
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Payment id
 InvoiceId=Invoice id
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/sq_AL/companies.lang b/htdocs/langs/sq_AL/companies.lang
index ad9980cb0552d268ab543108eb80064004ba1ebc..42a9a884c761ad3b3be0f8d92cc5fdde6e580137 100644
--- a/htdocs/langs/sq_AL/companies.lang
+++ b/htdocs/langs/sq_AL/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Third party contact/address
 StatusContactValidated=Status of contact/address
 Company=Company
 CompanyName=Company name
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Companies
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Third party name
diff --git a/htdocs/langs/sq_AL/compta.lang b/htdocs/langs/sq_AL/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/sq_AL/compta.lang
+++ b/htdocs/langs/sq_AL/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/sq_AL/cron.lang b/htdocs/langs/sq_AL/cron.lang
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..bd85715642ec700a51b7365535762b2760ae54e5 100644
--- a/htdocs/langs/sq_AL/cron.lang
+++ b/htdocs/langs/sq_AL/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/sq_AL/ecm.lang b/htdocs/langs/sq_AL/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/sq_AL/ecm.lang
+++ b/htdocs/langs/sq_AL/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/sq_AL/errors.lang b/htdocs/langs/sq_AL/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/sq_AL/errors.lang
+++ b/htdocs/langs/sq_AL/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/sq_AL/holiday.lang b/htdocs/langs/sq_AL/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/sq_AL/holiday.lang
+++ b/htdocs/langs/sq_AL/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/sq_AL/mails.lang b/htdocs/langs/sq_AL/mails.lang
index 001b237ca8c71c5d3e7f887ac925918c2945842e..3bebb0c2affc38b9bbebbfcea18d063764227e1e 100644
--- a/htdocs/langs/sq_AL/mails.lang
+++ b/htdocs/langs/sq_AL/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/sq_AL/main.lang b/htdocs/langs/sq_AL/main.lang
index 8dcf8f3017cb756dda8143c57060e0f4114d5093..ff0b6414f1e9d41c043a48d056d851daa885a5e2 100644
--- a/htdocs/langs/sq_AL/main.lang
+++ b/htdocs/langs/sq_AL/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/sq_AL/members.lang b/htdocs/langs/sq_AL/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/sq_AL/members.lang
+++ b/htdocs/langs/sq_AL/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/sq_AL/products.lang b/htdocs/langs/sq_AL/products.lang
index f0d56c4904962a8bef1b4844a3fddb86b322d8fb..55b1d016827f1eda96e4f8861becf006341e5974 100644
--- a/htdocs/langs/sq_AL/products.lang
+++ b/htdocs/langs/sq_AL/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/sq_AL/projects.lang b/htdocs/langs/sq_AL/projects.lang
index 4f8c3d6eb2a49e2723ebefc954c2d59700d8b7da..7a2688a44612f8e647ea4feda51e4f47fcb9b3ec 100644
--- a/htdocs/langs/sq_AL/projects.lang
+++ b/htdocs/langs/sq_AL/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/sq_AL/trips.lang b/htdocs/langs/sq_AL/trips.lang
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..a5b2569942e59a3ba91fad3ce0820a24731105cd 100644
--- a/htdocs/langs/sq_AL/trips.lang
+++ b/htdocs/langs/sq_AL/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/sq_AL/withdrawals.lang b/htdocs/langs/sq_AL/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/sq_AL/withdrawals.lang
+++ b/htdocs/langs/sq_AL/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/sq_AL/workflow.lang b/htdocs/langs/sq_AL/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/sq_AL/workflow.lang
+++ b/htdocs/langs/sq_AL/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/sv_SE/admin.lang b/htdocs/langs/sv_SE/admin.lang
index a3377d8c1efebff3df98d026ce46d5f227abecce..37d3e5037a548d79153f4421aba18f37f6c0c32d 100644
--- a/htdocs/langs/sv_SE/admin.lang
+++ b/htdocs/langs/sv_SE/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Förslag
 Module20Desc=Hantering av affärsförslag
 Module22Name=Massutskick av e-utskick
 Module22Desc=Massa E-posta ledning
-Module23Name= Energi
-Module23Desc= Övervakning av förbrukningen av energi
+Module23Name=Energi
+Module23Desc=Övervakning av förbrukningen av energi
 Module25Name=Kundorder
 Module25Desc=Kundorder ledning
 Module30Name=Fakturor
@@ -492,7 +492,7 @@ Module400Desc=Förvaltning av projekt, möjligheter eller leads. Du kan sedan ti
 Module410Name=WebCalendar
 Module410Desc=WebCalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Löner
 Module510Desc=Förvaltning av de anställdas löner och betalningar
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Anmälningar
 Module600Desc=Skicka e-postmeddelanden på vissa Dolibarr affärshändelser till kontakter tredjeparts (inställnings definieras på varje tredjeparts)
 Module700Name=Donationer
 Module700Desc=Donation ledning
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Skapa / modifiera produkter
 Permission34=Ta bort produkter
 Permission36=Se / hantera dold produkter
 Permission38=EXPORTVARA
-Permission41=Läs projekt (gemensamma projekt och projekt som jag är kontaktperson för)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Skapa / modifiera projekt (gemensamma projekt och projekt som jag är kontaktperson för)
 Permission44=Ta bort projekt (gemensamma projekt och projekt som jag är kontaktperson för)
 Permission61=Läs insatser
@@ -600,10 +600,10 @@ Permission86=Skicka kunder order
 Permission87=Stäng kunder order
 Permission88=Avbryt kunder order
 Permission89=Ta bort kunder order
-Permission91=Läs sociala avgifter och moms
-Permission92=Skapa / ändra sociala avgifter och moms
-Permission93=Ta bort sociala avgifter och moms
-Permission94=Export sociala avgifter
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Läs rapporter
 Permission101=Läs sendings
 Permission102=Skapa / ändra sendings
@@ -621,9 +621,9 @@ Permission121=Läs tredje part kopplad till användaren
 Permission122=Skapa / ändra tredje part kopplad till användaren
 Permission125=Radera tredje part kopplad till användaren
 Permission126=Export tredje part
-Permission141=Läs arbetsuppgifter
-Permission142=Skapa / ändra uppgifter
-Permission144=Ta bort uppgifter
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Läs leverantörer
 Permission147=Läs statistik
 Permission151=Läs stående order
@@ -801,7 +801,7 @@ DictionaryCountry=Länder
 DictionaryCurrency=Valutor
 DictionaryCivility=Civility titel
 DictionaryActions=Typ av dagordningen händelser
-DictionarySocialContributions=Sociala avgifter typer
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=Moms Priser och Sales Tax Rates
 DictionaryRevenueStamp=Mängd skattestämpel
 DictionaryPaymentConditions=Betalningsvillkor
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Modeller för kontoplan
 DictionaryEMailTemplates=E-postmeddelanden mallar
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup sparas
 BackToModuleList=Tillbaka till moduler lista
 BackToDictionaryList=Tillbaka till ordlistan
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Är du säker på att du vill ta bort posten <b>%s</b> menyn?
 DeleteLine=Radera rad
 ConfirmDeleteLine=Är du säker på att du vill ta bort denna linje?
 ##### Tax #####
-TaxSetup=Skatter, sociala avgifter och utdelningar modul setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=Mervärdesskatt
 OptionVATDefault=Kontantmetoden
 OptionVATDebitOption=Periodiseringsprincipen
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP klienter måste skicka in sina ansökningar till Dolibarr endpoi
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank modul setup
 FreeLegalTextOnChequeReceipts=Fri text om kontrollera kvitton
@@ -1596,6 +1599,7 @@ ProjectsSetup=Projekt modul setup
 ProjectsModelModule=S rapport dokument modell
 TasksNumberingModules=Uppgifter nummermodulen
 TaskModelModule=Uppgifter rapporter dokumentmodell
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatisk träd mapp och dokument
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/sv_SE/agenda.lang b/htdocs/langs/sv_SE/agenda.lang
index 366c6dfb486811b9b39c9411e50f5900d1659132..45026016bd877376c9a75828c65afa69ec90072c 100644
--- a/htdocs/langs/sv_SE/agenda.lang
+++ b/htdocs/langs/sv_SE/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Ordningens %s godkänd
 OrderRefusedInDolibarr=Order %s vägrade
 OrderBackToDraftInDolibarr=Beställ %s gå tillbaka till förslaget status
-OrderCanceledInDolibarr=Beställ %s avbryts
 ProposalSentByEMail=Kommersiella förslag %s via e-post
 OrderSentByEMail=Kundorderprojekt %s via e-post
 InvoiceSentByEMail=Kundfaktura %s via e-post
@@ -96,3 +95,5 @@ AddEvent=Skapa event
 MyAvailability=Min tillgänglighet
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/sv_SE/banks.lang b/htdocs/langs/sv_SE/banks.lang
index c3b9417dee69d83ee27ee419773337a0449ef59f..ca986e499f924d782c06b378a13cd9fa89af517e 100644
--- a/htdocs/langs/sv_SE/banks.lang
+++ b/htdocs/langs/sv_SE/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Kundbetalning
 CustomerInvoicePaymentBack=Kund betalning tillbaka
 SupplierInvoicePayment=Leverantör betalning
 WithdrawalPayment=Tillbakadragande betalning
-SocialContributionPayment=Sociala avgifter betalas
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Finansiell balans tidskrift
 BankTransfer=Banköverföring
 BankTransfers=Banköverföringar
diff --git a/htdocs/langs/sv_SE/bills.lang b/htdocs/langs/sv_SE/bills.lang
index 903e38d4d080e7a8a263e3b6b5a328004da7e64b..966d3f704ad253238b027b88ce982159d7d8dc92 100644
--- a/htdocs/langs/sv_SE/bills.lang
+++ b/htdocs/langs/sv_SE/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Antal av fakturor
 NumberOfBillsByMonth=Antal av fakturor per månad
 AmountOfBills=Belopp för fakturor
 AmountOfBillsByMonthHT=Mängd av fakturor per månad (netto efter skatt)
-ShowSocialContribution=Visa sociala avgifter
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Visa faktura
 ShowInvoice=Visa faktura
 ShowInvoiceReplace=Visa ersätter faktura
@@ -270,7 +270,7 @@ BillAddress=Faktureringsadress
 HelpEscompte=Denna rabatt är en rabatt som kund eftersom betalningen gjordes före sikt.
 HelpAbandonBadCustomer=Detta belopp har övergivits (kund sägs vara en dålig kund) och anses som en exceptionell lös.
 HelpAbandonOther=Detta belopp har övergivits eftersom det var ett misstag (fel kund eller faktura ersättas av en annan till exempel)
-IdSocialContribution=Sociala avgifter id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Betalning id
 InvoiceId=Faktura id
 InvoiceRef=Faktura ref.
diff --git a/htdocs/langs/sv_SE/companies.lang b/htdocs/langs/sv_SE/companies.lang
index 5441252ebc66562ede597239358a79d7dce762f7..b30c90026263fb4e4f3934a61f687b50cad17acc 100644
--- a/htdocs/langs/sv_SE/companies.lang
+++ b/htdocs/langs/sv_SE/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Tredje part kontakt/adress
 StatusContactValidated=Status för kontakt/adress
 Company=Företag
 CompanyName=Företagets namn
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Företag
 CountryIsInEEC=Landet är inom Europeiska ekonomiska gemenskapen
 ThirdPartyName=Tredje parts namn
diff --git a/htdocs/langs/sv_SE/compta.lang b/htdocs/langs/sv_SE/compta.lang
index f412350b869794b07f6663b3972759f0013c5491..05ed39af0f93ad1e450fadbc98b73fcde0a959af 100644
--- a/htdocs/langs/sv_SE/compta.lang
+++ b/htdocs/langs/sv_SE/compta.lang
@@ -56,23 +56,23 @@ VATCollected=Momsintäkterna
 ToPay=Att betala
 ToGet=För att komma tillbaka
 SpecialExpensesArea=Område för alla special betalningar
-TaxAndDividendsArea=Skatt, sociala avgifter och utdelningar område
-SocialContribution=Sociala avgifter
-SocialContributions=Sociala avgifter
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Särskilda kostnader
 MenuTaxAndDividends=Skatter och utdelning
 MenuSalaries=Löner
-MenuSocialContributions=Sociala avgifter
-MenuNewSocialContribution=Nya bidrag
-NewSocialContribution=Nya sociala bidrag
-ContributionsToPay=Bidrag till lön
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Bokföring / Treasury område
 AccountancySetup=Bokföring setup
 NewPayment=Ny betalning
 Payments=Betalningar
 PaymentCustomerInvoice=Kundfaktura betalning
 PaymentSupplierInvoice=Leverantörsfaktura betalning
-PaymentSocialContribution=Sociala avgifter betalas
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Moms betalning
 PaymentSalary=Lön betalning
 ListPayment=Lista över betalningar
@@ -91,7 +91,7 @@ LT1PaymentES=RE Betalning
 LT1PaymentsES=RE Betalningar
 VATPayment=Moms Betalning
 VATPayments=Momsbetalningar
-SocialContributionsPayments=Sociala avgifter betalningar
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Visa mervärdesskatteskäl
 TotalToPay=Totalt att betala
 TotalVATReceived=Total moms fått
@@ -116,11 +116,11 @@ NewCheckDepositOn=Skapa kvitto för insättning på konto: %s
 NoWaitingChecks=Inga kontroller väntar på insättning.
 DateChequeReceived=Kontrollera datum mottagning ingång
 NbOfCheques=Nb av kontroller
-PaySocialContribution=Betala en social avgift
-ConfirmPaySocialContribution=Är du säker på att du vill klassificera denna sociala bidrag som betalas ut?
-DeleteSocialContribution=Ta bort en social avgift
-ConfirmDeleteSocialContribution=Är du säker på att du vill ta bort denna sociala avgifter?
-ExportDataset_tax_1=Sociala avgifter och betalningar
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=<b>Läge% svat på redovisning engagemang% s.</b>
 CalcModeVATEngagement=<b>Läge% svat på inkomster-utgifter% s.</b>
 CalcModeDebt=<b>Läges% sClaims-Skulder% s</b> sa <b>Åtagande redovisning.</b>
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=enligt leverantör, väljer lämplig metod att till
 TurnoverPerProductInCommitmentAccountingNotRelevant=Omsättning rapport per produkt, när du använder en <b>kontantredovisningsläge</b> inte är relevant. Denna rapport är endast tillgänglig när du använder <b>engagemang bokföring</b> läge (se inställning av bokföring modul).
 CalculationMode=Beräkning läge
 AccountancyJournal=Bokförings kod tidskrift
-ACCOUNTING_VAT_ACCOUNT=Standard bokföring kod för uppbörden av moms
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Standard bokföring kod för att betala moms
 ACCOUNTING_ACCOUNT_CUSTOMER=Bokföring kod som standard för kund thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Bokföring kod som standard för leverantörs thirdparties
-CloneTax=Klona en social avgift
-ConfirmCloneTax=Bekräfta klon av en social bidrag
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Klona det för nästa månad
diff --git a/htdocs/langs/sv_SE/cron.lang b/htdocs/langs/sv_SE/cron.lang
index cd9719090913ba8d74f5a7c8de6e901cfe605b2b..4d03ee13a3ce073f0d768535fed094bd5cb542cc 100644
--- a/htdocs/langs/sv_SE/cron.lang
+++ b/htdocs/langs/sv_SE/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=Objektet metod för att starta. <BR> För exemple att hämta meto
 CronArgsHelp=Metoden argument. <BR> Till exemple att hämta förfarande för Dolibarr Produkt objekt /htdocs/product/class/product.class.php kan värdet av paramters vara <i>0, ProductRef</i>
 CronCommandHelp=Systemet kommandoraden som ska köras.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/sv_SE/ecm.lang b/htdocs/langs/sv_SE/ecm.lang
index 19b3f75848eceb3b8e2314c9f4bb1b04478c2d82..51a40594bc355c452aa63cd110bbc4af7fdfa9eb 100644
--- a/htdocs/langs/sv_SE/ecm.lang
+++ b/htdocs/langs/sv_SE/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Sök på objektet
 ECMSectionOfDocuments=Register över handlingar
 ECMTypeManual=Manuell
 ECMTypeAuto=Automatisk
-ECMDocsBySocialContributions=Handlingar som är kopplade till sociala avgifter
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Dokument med koppling till tredje part
 ECMDocsByProposals=Dokument med koppling till förslagen
 ECMDocsByOrders=Dokument med koppling till kunderna order
diff --git a/htdocs/langs/sv_SE/errors.lang b/htdocs/langs/sv_SE/errors.lang
index f7b15a3ff0985dfc5dd6c869c9981de9c37ef3a3..3437a1724f5785ada3fafda7639f845672beb959 100644
--- a/htdocs/langs/sv_SE/errors.lang
+++ b/htdocs/langs/sv_SE/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation för denna datamängd
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature inaktiveras när display inställning är optimerad för blinda personer eller textbaserade webbläsare.
 WarningPaymentDateLowerThanInvoiceDate=Betalningsdag (%s) är tidigare än fakturadatum (%s) för faktura %s.
 WarningTooManyDataPleaseUseMoreFilters=För många uppgifter. Använd flera filter
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/sv_SE/holiday.lang b/htdocs/langs/sv_SE/holiday.lang
index 2c04b219b9573cc31422fe9beb4842a34302d6ad..01586feb01202c11b3c51d57ca5e2c6c77bbae83 100644
--- a/htdocs/langs/sv_SE/holiday.lang
+++ b/htdocs/langs/sv_SE/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Löv
 CPTitreMenu=Löv
 MenuReportMonth=Månatlig rapport
-MenuAddCP=Gör en förfrågan ledighet
+MenuAddCP=New leave request
 NotActiveModCP=Du måste aktivera modulen Löv att se denna sida.
 NotConfigModCP=Du måste konfigurera modulen Lämnar för att se den här sidan. För att göra detta, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">klicka här</a> </ a> <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">.</a>
 NoCPforUser=Du har inte någon tillgänglig dag.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=Användare
 ErrorAddEventToUserCP=Ett fel uppstod när den exceptionella ledighet.
 AddEventToUserOkCP=Tillägget av den exceptionella ledigheten har slutförts.
-MenuLogCP=Visa loggar för ledighet förfrågningar
+MenuLogCP=View change logs
 LogCP=Log av uppdateringar av tillgängliga semesterdagar
 ActionByCP=Framförd av
 UserUpdateCP=För användaren
@@ -93,6 +93,7 @@ ValueOptionCP=Värde
 GroupToValidateCP=Grupp med möjlighet att godkänna ledighet förfrågningar
 ConfirmConfigCP=Bekräfta konfigurationen
 LastUpdateCP=Senast automatisk uppdatering av löv fördelning
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Uppdaterats.
 ErrorUpdateConfCP=Ett fel uppstod under uppdateringen, vänligen försök igen.
 AddCPforUsers=Vänligen lägg till balansen i bladen fördelning av användare genom <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">att klicka här</a> .
@@ -127,6 +128,7 @@ ErrorMailNotSend=Ett fel uppstod när du skickar e-post:
 NoCPforMonth=Ingen lämnar denna månad.
 nbJours=Antal dagar
 TitleAdminCP=Konfiguration av Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hallå
 HolidaysToValidate=Validera ledighets förfrågningar
@@ -139,10 +141,11 @@ HolidaysRefused=Begäran nekades
 HolidaysRefusedBody=Din ledighet begäran om %s till %s har nekats av följande skäl:
 HolidaysCanceled=Annulleras leaved begäran
 HolidaysCanceledBody=Din ledighet begäran om %s till %s har avbrutits.
-Permission20000=Läs du äger ledighet förfrågningar
-Permission20001=Skapa / ändra dina ledighet förfrågningar
-Permission20002=Skapa / ändra ledighetsansökningar för alla
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Radera ledighets förfrågningar
-Permission20004=Setup användare tillgängliga semesterdagar
-Permission20005=Omdöme logg över modifierade ledighets förfrågningar
-Permission20006=Läs lämnar månadsrapport
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/sv_SE/mails.lang b/htdocs/langs/sv_SE/mails.lang
index 4ae2a1462c5d1cfe3b72a5d3c43157dedd06b2ec..27232cc5ae5b7801b131609985976dc4d6faa6cf 100644
--- a/htdocs/langs/sv_SE/mails.lang
+++ b/htdocs/langs/sv_SE/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Spår post öppning
 TagUnsubscribe=Avanmälan länk
 TagSignature=Signatur sändande användarens
 TagMailtoEmail=Mottagarens EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Anmälningar
 NoNotificationsWillBeSent=Inga e-postmeddelanden planeras för detta evenemang och företag
diff --git a/htdocs/langs/sv_SE/main.lang b/htdocs/langs/sv_SE/main.lang
index 046aab029a82358a0097c28f3a4a65affcc7b2f2..9fb906da69b6f88807d25df4f34848c1e0d262ed 100644
--- a/htdocs/langs/sv_SE/main.lang
+++ b/htdocs/langs/sv_SE/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Fel hittades. Vi återställer förändrin
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> är inte definierad i Dolibarr konfigurationsfil <b>conf.php.</b>
 ErrorCantLoadUserFromDolibarrDatabase=Det gick inte att hitta användare <b>%s</b> i Dolibarr databas.
 ErrorNoVATRateDefinedForSellerCountry=Fel, ingen moms har definierats för landet '%s'.
-ErrorNoSocialContributionForSellerCountry=Fel, inga sociala avgifter har definierats för land '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Fel, kunde inte spara filen.
 SetDate=Ställ in datum
 SelectDate=Välj datum
@@ -302,7 +302,7 @@ UnitPriceTTC=Pris per enhet
 PriceU=Styckpris
 PriceUHT=St.pris(net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=St.pris
+PriceUTTC=U.P. (inc. tax)
 Amount=Belopp
 AmountInvoice=Fakturabelopp
 AmountPayment=Betalningsbelopp
@@ -339,6 +339,7 @@ IncludedVAT=Ingår moms
 HT=Netto efter skatt
 TTC=Inkl. moms
 VAT=Moms
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Mervärdesskattesats
diff --git a/htdocs/langs/sv_SE/members.lang b/htdocs/langs/sv_SE/members.lang
index 3fb6783636731f18cf20be3b6cd0fc24dabcb9d9..c1a43f9f227a5130eb8d408d615a4bf8e34fc55f 100644
--- a/htdocs/langs/sv_SE/members.lang
+++ b/htdocs/langs/sv_SE/members.lang
@@ -199,7 +199,8 @@ Entreprises=Företag
 DOLIBARRFOUNDATION_PAYMENT_FORM=För att göra din prenumeration betalning via en banköverföring, se sidan <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Att betala med kreditkort eller Paypal, klicka på knappen längst ner på denna sida. <br>
 ByProperties=På egenskaper
 MembersStatisticsByProperties=Medlemsstatistik på egenskaper
-MembersByNature=Medlemmar på sort
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Moms-sats för prenumeration
 NoVatOnSubscription=Ingen moms för prenumeration
 MEMBER_PAYONLINE_SENDEMAIL=E-post för att varna när Dolibarr mottager en bekräftelse för en validerad betalning för en prenumeration
diff --git a/htdocs/langs/sv_SE/products.lang b/htdocs/langs/sv_SE/products.lang
index 9f271ea0e6f28cb57bef975e2c9b8222b9700d64..157db6caa446aa4640d5eecefa4f55490bbec6a4 100644
--- a/htdocs/langs/sv_SE/products.lang
+++ b/htdocs/langs/sv_SE/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/sv_SE/projects.lang b/htdocs/langs/sv_SE/projects.lang
index dd5693113258947b5342278d4fd1c8295ef00624..7276d4da6a9d636d3c5e5ebfd7abb460583290f2 100644
--- a/htdocs/langs/sv_SE/projects.lang
+++ b/htdocs/langs/sv_SE/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Denna syn är begränsad till projekt eller uppdrag du en kontakt f
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Denna uppfattning presenterar alla projekt och uppgifter som du får läsa.
 TasksDesc=Denna uppfattning presenterar alla projekt och uppgifter (din användarbehörighet tillåta dig att visa allt).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projekt område
 NewProject=Nytt projekt
 AddProject=Skapa projekt
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=Förteckning över åtgärder i samband med projektet
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Aktivitet på projekt den här veckan
 ActivityOnProjectThisMonth=Aktivitet på projekt denna månad
 ActivityOnProjectThisYear=Aktivitet på projekt i år
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/sv_SE/trips.lang b/htdocs/langs/sv_SE/trips.lang
index 924368b2a7ab5e0fc68cba3bff35fb58702ef02a..12ab62faea0787f80d0eae58795acfcb1b29916a 100644
--- a/htdocs/langs/sv_SE/trips.lang
+++ b/htdocs/langs/sv_SE/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/sv_SE/withdrawals.lang b/htdocs/langs/sv_SE/withdrawals.lang
index 724d7766e0c2a36c811f30467eb844156d5ce73f..f10b491e8ed4d4fb0aac94dbb2f2b12131991962 100644
--- a/htdocs/langs/sv_SE/withdrawals.lang
+++ b/htdocs/langs/sv_SE/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Utträde fil
 SetToStatusSent=Ställ in på status "File Skickat"
 ThisWillAlsoAddPaymentOnInvoice=Detta kommer också att gälla utbetalningar till fakturor och kommer att klassificera dem som "Paid"
 StatisticsByLineStatus=Statistik efter status linjer
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Betalning av %s stående order av banken
diff --git a/htdocs/langs/sv_SE/workflow.lang b/htdocs/langs/sv_SE/workflow.lang
index c21c779da442c33b7c9110ae3573f7a5b6ffc060..8097dd55b98ebb28029a2cd62ed8abc51c0d5588 100644
--- a/htdocs/langs/sv_SE/workflow.lang
+++ b/htdocs/langs/sv_SE/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Arbetsflöde modul konfiguration
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/sw_SW/admin.lang b/htdocs/langs/sw_SW/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..13f7eb7c6ec5abbbd16fbfef6aca5771a693bf8d 100644
--- a/htdocs/langs/sw_SW/admin.lang
+++ b/htdocs/langs/sw_SW/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposals
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energy
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Customer Orders
 Module25Desc=Customer order management
 Module30Name=Invoices
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donations
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/sw_SW/agenda.lang b/htdocs/langs/sw_SW/agenda.lang
index 55fde86864be72919aece662743c649732414ebc..3e8b2309f8f645e35862d5934010712bf4b07300 100644
--- a/htdocs/langs/sw_SW/agenda.lang
+++ b/htdocs/langs/sw_SW/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/sw_SW/banks.lang b/htdocs/langs/sw_SW/banks.lang
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..d12f45387d6b4649f2face75d8646935a7c16c33 100644
--- a/htdocs/langs/sw_SW/banks.lang
+++ b/htdocs/langs/sw_SW/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/sw_SW/bills.lang b/htdocs/langs/sw_SW/bills.lang
index b5c8d3b6653e731416674d9a9e3085b726a41f8b..3210e0bf51731a2e1e91e0c26d72245194b15b60 100644
--- a/htdocs/langs/sw_SW/bills.lang
+++ b/htdocs/langs/sw_SW/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb of invoices
 NumberOfBillsByMonth=Nb of invoices by month
 AmountOfBills=Amount of invoices
 AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Show invoice
 ShowInvoice=Show invoice
 ShowInvoiceReplace=Show replacing invoice
@@ -270,7 +270,7 @@ BillAddress=Bill address
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Payment id
 InvoiceId=Invoice id
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/sw_SW/companies.lang b/htdocs/langs/sw_SW/companies.lang
index ad9980cb0552d268ab543108eb80064004ba1ebc..42a9a884c761ad3b3be0f8d92cc5fdde6e580137 100644
--- a/htdocs/langs/sw_SW/companies.lang
+++ b/htdocs/langs/sw_SW/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Third party contact/address
 StatusContactValidated=Status of contact/address
 Company=Company
 CompanyName=Company name
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Companies
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Third party name
diff --git a/htdocs/langs/sw_SW/compta.lang b/htdocs/langs/sw_SW/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/sw_SW/compta.lang
+++ b/htdocs/langs/sw_SW/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/sw_SW/cron.lang b/htdocs/langs/sw_SW/cron.lang
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..bd85715642ec700a51b7365535762b2760ae54e5 100644
--- a/htdocs/langs/sw_SW/cron.lang
+++ b/htdocs/langs/sw_SW/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/sw_SW/ecm.lang b/htdocs/langs/sw_SW/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/sw_SW/ecm.lang
+++ b/htdocs/langs/sw_SW/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/sw_SW/errors.lang b/htdocs/langs/sw_SW/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/sw_SW/errors.lang
+++ b/htdocs/langs/sw_SW/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/sw_SW/holiday.lang b/htdocs/langs/sw_SW/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/sw_SW/holiday.lang
+++ b/htdocs/langs/sw_SW/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/sw_SW/mails.lang b/htdocs/langs/sw_SW/mails.lang
index 001b237ca8c71c5d3e7f887ac925918c2945842e..3bebb0c2affc38b9bbebbfcea18d063764227e1e 100644
--- a/htdocs/langs/sw_SW/mails.lang
+++ b/htdocs/langs/sw_SW/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/sw_SW/main.lang b/htdocs/langs/sw_SW/main.lang
index b8eb245ac6f9db066cf1e787653db490228fb3b3..12d9337641dee7e99af97216c364fe1d4070586e 100644
--- a/htdocs/langs/sw_SW/main.lang
+++ b/htdocs/langs/sw_SW/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/sw_SW/members.lang b/htdocs/langs/sw_SW/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/sw_SW/members.lang
+++ b/htdocs/langs/sw_SW/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/sw_SW/products.lang b/htdocs/langs/sw_SW/products.lang
index f0d56c4904962a8bef1b4844a3fddb86b322d8fb..55b1d016827f1eda96e4f8861becf006341e5974 100644
--- a/htdocs/langs/sw_SW/products.lang
+++ b/htdocs/langs/sw_SW/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/sw_SW/projects.lang b/htdocs/langs/sw_SW/projects.lang
index 4f8c3d6eb2a49e2723ebefc954c2d59700d8b7da..7a2688a44612f8e647ea4feda51e4f47fcb9b3ec 100644
--- a/htdocs/langs/sw_SW/projects.lang
+++ b/htdocs/langs/sw_SW/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/sw_SW/trips.lang b/htdocs/langs/sw_SW/trips.lang
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..a5b2569942e59a3ba91fad3ce0820a24731105cd 100644
--- a/htdocs/langs/sw_SW/trips.lang
+++ b/htdocs/langs/sw_SW/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/sw_SW/withdrawals.lang b/htdocs/langs/sw_SW/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/sw_SW/withdrawals.lang
+++ b/htdocs/langs/sw_SW/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/sw_SW/workflow.lang b/htdocs/langs/sw_SW/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/sw_SW/workflow.lang
+++ b/htdocs/langs/sw_SW/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/th_TH/admin.lang b/htdocs/langs/th_TH/admin.lang
index e7849d6d44026eb4ff7f5dbe0b16e0ae21492021..01e602d7f83961c2f6901def29308d94daf4edc7 100644
--- a/htdocs/langs/th_TH/admin.lang
+++ b/htdocs/langs/th_TH/admin.lang
@@ -429,8 +429,8 @@ Module20Name=ข้อเสนอ
 Module20Desc=การจัดการข้อเสนอในเชิงพาณิชย์
 Module22Name=E-จดหมายจำนวนมาก
 Module22Desc=มวลการจัดการ E-ทางไปรษณีย์
-Module23Name= พลังงาน
-Module23Desc= การตรวจสอบการใช้พลังงาน
+Module23Name=พลังงาน
+Module23Desc=การตรวจสอบการใช้พลังงาน
 Module25Name=คำสั่งซื้อของลูกค้า
 Module25Desc=การบริหารลูกค้าสั่งซื้อ
 Module30Name=ใบแจ้งหนี้
@@ -492,7 +492,7 @@ Module400Desc=การบริหารจัดการของโครง
 Module410Name=Webcalendar
 Module410Desc=บูรณาการ Webcalendar
 Module500Name=ค่าใช้จ่ายพิเศษ
-Module500Desc=การบริหารจัดการค่าใช้จ่ายพิเศษ (ภาษีสังคมเงินปันผล)
+Module500Desc=การบริหารจัดการค่าใช้จ่ายพิเศษ (ภาษีภาษีสังคมหรือการเงินการจ่ายเงินปันผล)
 Module510Name=เงินเดือน
 Module510Desc=การบริหารจัดการของเงินเดือนพนักงานและการชำระเงิน
 Module520Name=เงินกู้
@@ -579,7 +579,7 @@ Permission32=สร้าง / แก้ไขผลิตภัณฑ์
 Permission34=ลบผลิตภัณฑ์
 Permission36=ดู / จัดการผลิตภัณฑ์ที่ซ่อน
 Permission38=สินค้าส่งออก
-Permission41=อ่านโครงการ (โครงการและโครงการที่ใช้ร่วมกันฉันติดต่อ)
+Permission41=อ่านโครงการและงาน (โครงการและโครงการที่ใช้ร่วมกันฉันติดต่อ) นอกจากนี้ยังสามารถใส่เวลาที่ใช้ในงานที่ได้รับมอบหมาย (timesheet)
 Permission42=สร้าง / แก้ไขโครงการ (โครงการและโครงการที่ใช้ร่วมกันฉันติดต่อ)
 Permission44=ลบโครงการ (โครงการและโครงการที่ใช้ร่วมกันฉันติดต่อ)
 Permission61=อ่านการแทรกแซง
@@ -600,10 +600,10 @@ Permission86=ส่งคำสั่งซื้อของลูกค้า
 Permission87=ลูกค้าปิดการสั่งซื้อ
 Permission88=ยกเลิกคำสั่งซื้อของลูกค้า
 Permission89=ลบคำสั่งซื้อของลูกค้า
-Permission91=อ่านผลงานทางสังคมและภาษีมูลค่าเพิ่ม
-Permission92=สร้าง / แก้ไขการมีส่วนร่วมทางสังคมและภาษีมูลค่าเพิ่ม
-Permission93=ลบการมีส่วนร่วมทางสังคมและภาษีมูลค่าเพิ่ม
-Permission94=ส่งออกผลงานทางสังคม
+Permission91=อ่านภาษีทางสังคมหรือทางการคลังและภาษีมูลค่าเพิ่ม
+Permission92=สร้าง / แก้ไขภาษีทางสังคมหรือทางการคลังและภาษีมูลค่าเพิ่ม
+Permission93=ลบภาษีทางสังคมหรือทางการคลังและภาษีมูลค่าเพิ่ม
+Permission94=ส่งออกสังคมหรือภาษีการคลัง
 Permission95=อ่านรายงาน
 Permission101=อ่านตอบรับ
 Permission102=สร้าง / แก้ไขตอบรับ
@@ -621,9 +621,9 @@ Permission121=อ่านบุคคลที่สามที่เชื่
 Permission122=สร้าง / แก้ไขบุคคลที่สามที่เชื่อมโยงไปยังผู้ใช้
 Permission125=ลบบุคคลที่สามที่เชื่อมโยงไปยังผู้ใช้
 Permission126=บุคคลที่สามส่งออก
-Permission141=อ่านโครงการ (ยังเป็นที่ส่วนตัวฉันไม่ได้ติดต่อเพื่อขอ)
-Permission142=สร้าง / แก้ไขโครงการ (ยังเป็นที่ส่วนตัวฉันไม่ได้ติดต่อเพื่อขอ)
-Permission144=ลบโครงการ (ยังเป็นที่ส่วนตัวฉันไม่ได้ติดต่อเพื่อขอ)
+Permission141=อ่านทุกโครงการและงาน (ยังเป็นโครงการส่วนตัวฉันไม่ได้ติดต่อเพื่อขอ)
+Permission142=สร้าง / แก้ไขทุกโครงการและงาน (ยังเป็นโครงการส่วนตัวฉันไม่ได้ติดต่อเพื่อขอ)
+Permission144=ลบทุกโครงการและงาน (ยังเป็นโครงการส่วนตัวฉันไม่ได้ติดต่อเพื่อขอ)
 Permission146=อ่านให้บริการ
 Permission147=อ่านสถิติ
 Permission151=อ่านคำสั่งยืน
@@ -801,7 +801,7 @@ DictionaryCountry=ประเทศ
 DictionaryCurrency=สกุลเงิน
 DictionaryCivility=ชื่อสุภาพ
 DictionaryActions=ประเภทของกิจกรรมวาระการประชุม
-DictionarySocialContributions=การมีส่วนร่วมทางสังคมประเภท
+DictionarySocialContributions=ภาษีทางสังคมหรือทางการคลังประเภท
 DictionaryVAT=ภาษีมูลค่าเพิ่มราคาหรืออัตราภาษีการขาย
 DictionaryRevenueStamp=จำนวนเงินรายได้ของแสตมป์
 DictionaryPaymentConditions=เงื่อนไขการชำระเงิน
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=รุ่นสำหรับผังบัญช
 DictionaryEMailTemplates=แม่แบบอีเมล
 DictionaryUnits=หน่วย
 DictionaryProspectStatus=สถานะ prospection
+DictionaryHolidayTypes=ประเภทของใบ
 SetupSaved=การตั้งค่าที่บันทึกไว้
 BackToModuleList=กลับไปยังรายการโมดูล
 BackToDictionaryList=กลับไปยังรายการพจนานุกรม
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=<b>คุณแน่ใจหรือว่าต้อง
 DeleteLine=ลบบรรทัด
 ConfirmDeleteLine=คุณแน่ใจหรือว่าต้องการลบบรรทัดนี้หรือไม่?
 ##### Tax #####
-TaxSetup=ภาษีการมีส่วนร่วมทางสังคมและการติดตั้งโมดูลเงินปันผล
+TaxSetup=ภาษีภาษีทางสังคมหรือทางการคลังและการติดตั้งโมดูลเงินปันผล
 OptionVatMode=เนื่องจากภาษีมูลค่าเพิ่ม
 OptionVATDefault=เกณฑ์เงินสด
 OptionVATDebitOption=ตามเกณฑ์คงค้าง
@@ -1564,9 +1565,11 @@ EndPointIs=สบู่ลูกค้าจะต้องส่งคำขอ
 ApiSetup=API การติดตั้งโมดูล
 ApiDesc=โดยการเปิดใช้โมดูลนี้ Dolibarr กลายเป็นเซิร์ฟเวอร์ REST เพื่อให้บริการเว็บอื่น ๆ
 KeyForApiAccess=กุญแจสำคัญในการใช้ API (พารามิเตอร์ "api_key")
+ApiProductionMode=เปิดใช้งานโหมดการผลิต
 ApiEndPointIs=คุณสามารถเข้าถึง API ที่ URL
 ApiExporerIs=คุณสามารถสำรวจ API ที่ URL
 OnlyActiveElementsAreExposed=องค์ประกอบเฉพาะจากโมดูลมีการเปิดใช้งาน
+ApiKey=ที่สำคัญสำหรับ API
 ##### Bank #####
 BankSetupModule=ธนาคารติดตั้งโมดูล
 FreeLegalTextOnChequeReceipts=ข้อความฟรีในการตรวจสอบใบเสร็จรับเงิน
@@ -1596,6 +1599,7 @@ ProjectsSetup=โครงการติดตั้งโมดูล
 ProjectsModelModule=โครงการรายงานรูปแบบเอกสาร
 TasksNumberingModules=งานจำนวนโมดูล
 TaskModelModule=รายงานงานรูปแบบเอกสาร
+UseSearchToSelectProject=ใช้ฟิลด์เติมข้อความอัตโนมัติที่จะเลือกโครงการ (แทนการใช้กล่องรายการ)
 ##### ECM (GED) #####
 ECMSetup = GED ติดตั้ง
 ECMAutoTree = ต้นไม้โฟลเดอร์โดยอัตโนมัติและเอกสาร
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=<strong>การติดตั้งโมดูล
 HighlightLinesOnMouseHover=เน้นเส้นตารางเมื่อเลื่อนเมาส์ผ่านไป
 PressF5AfterChangingThis=กด F5 บนแป้นพิมพ์หลังจากเปลี่ยนค่านี้จะมีมันที่มีประสิทธิภาพ
 NotSupportedByAllThemes=จะทำงานร่วมกับธีม Eldy แต่ไม่ได้รับการสนับสนุนจากทุกรูปแบบ
+BackgroundColor=สีพื้นหลัง
+TopMenuBackgroundColor=สีพื้นหลังสำหรับเมนูยอดนิยม
+LeftMenuBackgroundColor=สีพื้นหลังสำหรับเมนูด้านซ้าย
+BackgroundTableTitleColor=สีพื้นหลังสำหรับสายชื่อตาราง
+BackgroundTableLineOddColor=สีพื้นหลังสำหรับสายตารางแปลก
+BackgroundTableLineEvenColor=สีพื้นหลังสำหรับแม้แต่เส้นตาราง
diff --git a/htdocs/langs/th_TH/agenda.lang b/htdocs/langs/th_TH/agenda.lang
index ad57ab043c1b8d4bda187e2f06bdf2b82f0638c9..dbd78c85cac61eabee1981b451487ad92c0d7777 100644
--- a/htdocs/langs/th_TH/agenda.lang
+++ b/htdocs/langs/th_TH/agenda.lang
@@ -95,3 +95,5 @@ AddEvent=สร้างกิจกรรม
 MyAvailability=ความพร้อมใช้งานของฉัน
 ActionType=ประเภทเหตุการณ์
 DateActionBegin=วันที่เริ่มต้นเหตุการณ์
+CloneAction=เหตุการณ์โคลน
+ConfirmCloneEvent=<b>คุณแน่ใจหรือว่าต้องการโคลนเหตุการณ์% s?</b>
diff --git a/htdocs/langs/th_TH/banks.lang b/htdocs/langs/th_TH/banks.lang
index fcf05c7172b499718835e6f1f432e2ffab2b2732..76e1b31fbfad479120b8d5eb72c9112e1cfab788 100644
--- a/htdocs/langs/th_TH/banks.lang
+++ b/htdocs/langs/th_TH/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=การชำระเงินของลูกค้
 CustomerInvoicePaymentBack=หลังชำระเงินของลูกค้า
 SupplierInvoicePayment=การชำระเงินผู้ผลิต
 WithdrawalPayment=การชำระเงินการถอนเงิน
-SocialContributionPayment=การชำระเงินที่มีส่วนร่วมในสังคม
+SocialContributionPayment=สังคม / ชำระภาษีการคลัง
 FinancialAccountJournal=วารสารบัญชีการเงิน
 BankTransfer=โอนเงินผ่านธนาคาร
 BankTransfers=ธนาคารโอน
diff --git a/htdocs/langs/th_TH/bills.lang b/htdocs/langs/th_TH/bills.lang
index 7a32ee72701411453b475ab38d71e46c13a8a8b8..d3210e7ef2588e19ebb2c933c356fc09bf825818 100644
--- a/htdocs/langs/th_TH/bills.lang
+++ b/htdocs/langs/th_TH/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=nb ของใบแจ้งหนี้
 NumberOfBillsByMonth=nb ของใบแจ้งหนี้เดือน
 AmountOfBills=จำนวนเงินของใบแจ้งหนี้
 AmountOfBillsByMonthHT=จำนวนเงินของใบแจ้งหนี้ตามเดือน (สุทธิจากภาษี)
-ShowSocialContribution=แสดงผลงานทางสังคม
+ShowSocialContribution=แสดงทางสังคม / ภาษีการคลัง
 ShowBill=แสดงใบแจ้งหนี้
 ShowInvoice=แสดงใบแจ้งหนี้
 ShowInvoiceReplace=แสดงการเปลี่ยนใบแจ้งหนี้
@@ -270,7 +270,7 @@ BillAddress=ที่อยู่บิล
 HelpEscompte=ส่วนลดนี้จะได้รับส่วนลดพิเศษให้กับลูกค้าเนื่องจากการชำระเงินที่ถูกสร้างขึ้นมาก่อนวาระ
 HelpAbandonBadCustomer=เงินจำนวนนี้ถูกทิ้งร้าง (ลูกค้าบอกว่าจะเป็นลูกค้าที่ไม่ดี) และถือเป็นหลวมพิเศษ
 HelpAbandonOther=เงินจำนวนนี้ถูกทิ้งร้างเพราะมันเป็นข้อผิดพลาด (ลูกค้าที่ไม่ถูกต้องหรือใบแจ้งหนี้แทนที่ด้วยอื่น ๆ เป็นต้น)
-IdSocialContribution=รหัสการมีส่วนร่วมทางสังคม
+IdSocialContribution=สังคม / รหัสชำระภาษีการคลัง
 PaymentId=รหัสการชำระเงิน
 InvoiceId=รหัสใบแจ้งหนี้
 InvoiceRef=อ้างอิงใบแจ้งหนี้
diff --git a/htdocs/langs/th_TH/companies.lang b/htdocs/langs/th_TH/companies.lang
index 8205949f19d5a92012a9474181113ca6499f88dc..5023c005c60aff5183144939e74b9b00ef472749 100644
--- a/htdocs/langs/th_TH/companies.lang
+++ b/htdocs/langs/th_TH/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=ติดต่อบุคคลที่สาม / ที
 StatusContactValidated=สถานะของการติดต่อ / ที่อยู่
 Company=บริษัท
 CompanyName=ชื่อ บริษัท
+AliasNames=ชื่อนามแฝง (เชิงพาณิชย์, เครื่องหมายการค้า, ... )
 Companies=บริษัท
 CountryIsInEEC=ประเทศที่อยู่ภายในประชาคมเศรษฐกิจยุโรป
 ThirdPartyName=ชื่อของบุคคลที่สาม
diff --git a/htdocs/langs/th_TH/compta.lang b/htdocs/langs/th_TH/compta.lang
index 6185024dc8de56eb45e050e5fd54fd0bc8a4d573..a62f2acb74888f7aa516ce0f0a6afa610814928e 100644
--- a/htdocs/langs/th_TH/compta.lang
+++ b/htdocs/langs/th_TH/compta.lang
@@ -56,23 +56,23 @@ VATCollected=ภาษีมูลค่าเพิ่มที่จัดเ
 ToPay=ที่จะต้องจ่าย
 ToGet=ที่จะได้รับกลับมา
 SpecialExpensesArea=พื้นที่สำหรับการชำระเงินพิเศษทั้งหมด
-TaxAndDividendsArea=ภาษี, การมีส่วนร่วมทางสังคมและพื้นที่เงินปันผล
-SocialContribution=กิจกรรมเพื่อสังคม
-SocialContributions=การมีส่วนร่วมทางสังคม
+TaxAndDividendsArea=ภาษีขาย, สังคม / ผลงานทางการคลังและภาษีเงินปันผลในพื้นที่
+SocialContribution=ภาษีทางสังคมหรือทางการคลัง
+SocialContributions=ภาษีทางสังคมหรือทางการคลัง
 MenuSpecialExpenses=ค่าใช้จ่ายพิเศษ
 MenuTaxAndDividends=ภาษีและเงินปันผล
 MenuSalaries=เงินเดือน
-MenuSocialContributions=การมีส่วนร่วมทางสังคม
-MenuNewSocialContribution=ผลงานใหม่
-NewSocialContribution=ใหม่มีส่วนร่วมทางสังคม
-ContributionsToPay=การมีส่วนร่วมที่จะต้องจ่าย
+MenuSocialContributions=สังคม / ภาษีการคลัง
+MenuNewSocialContribution=ชำระภาษีใหม่
+NewSocialContribution=ใหม่สังคม / ภาษีการคลัง
+ContributionsToPay=สังคม / ภาษีการคลังที่จะต้องจ่าย
 AccountancyTreasuryArea=การบัญชี / ธนารักษ์พื้นที่
 AccountancySetup=การตั้งค่าบัญชี
 NewPayment=การชำระเงินใหม่
 Payments=วิธีการชำระเงิน
 PaymentCustomerInvoice=การชำระเงินตามใบแจ้งหนี้ของลูกค้า
 PaymentSupplierInvoice=ใบแจ้งหนี้การชำระเงินผู้ผลิต
-PaymentSocialContribution=การชำระเงินที่มีส่วนร่วมในสังคม
+PaymentSocialContribution=สังคม / ชำระภาษีการคลัง
 PaymentVat=การชำระเงินภาษีมูลค่าเพิ่ม
 PaymentSalary=การชำระเงินเงินเดือน
 ListPayment=รายชื่อของการชำระเงิน
@@ -91,7 +91,7 @@ LT1PaymentES=เรื่องการชำระเงิน
 LT1PaymentsES=เรื่องการชำระเงิน
 VATPayment=การชำระเงินภาษีมูลค่าเพิ่ม
 VATPayments=การชำระเงินภาษีมูลค่าเพิ่ม
-SocialContributionsPayments=การชำระเงินการมีส่วนร่วมทางสังคม
+SocialContributionsPayments=สังคม / การชำระเงินภาษีการคลัง
 ShowVatPayment=แสดงการชำระเงินภาษีมูลค่าเพิ่ม
 TotalToPay=ทั้งหมดที่จะต้องจ่าย
 TotalVATReceived=ภาษีมูลค่าเพิ่มทั้งหมดที่ได้รับ
@@ -116,11 +116,11 @@ NewCheckDepositOn=สร้างใบเสร็จรับเงินส
 NoWaitingChecks=การตรวจสอบไม่มีการรอคอยสำหรับการฝากเงิน
 DateChequeReceived=ตรวจสอบวันที่แผนกต้อนรับส่วนหน้า
 NbOfCheques=nb ของการตรวจสอบ
-PaySocialContribution=จ่ายช่วยเหลือสังคม
-ConfirmPaySocialContribution=คุณแน่ใจหรือว่าต้องการที่จะจัดผลงานนี้สังคมเป็นเงิน?
-DeleteSocialContribution=ลบสังคม
-ConfirmDeleteSocialContribution=คุณแน่ใจหรือว่าต้องการลบสังคม?
-ExportDataset_tax_1=การมีส่วนร่วมทางสังคมและการชำระเงิน
+PaySocialContribution=จ่ายทางสังคม / ภาษีการคลัง
+ConfirmPaySocialContribution=คุณแน่ใจหรือว่าต้องการที่จะจัดนี้ภาษีทางสังคมหรือทางการคลังเป็นเงิน?
+DeleteSocialContribution=ลบชำระภาษีทางสังคมหรือทางการคลัง
+ConfirmDeleteSocialContribution=คุณแน่ใจหรือว่าต้องการลบนี้สังคม / ชำระภาษีการคลัง?
+ExportDataset_tax_1=ภาษีสังคมและการคลังและการชำระเงิน
 CalcModeVATDebt=<b>โหมด% sVAT ความมุ่งมั่นบัญชี%</b> s
 CalcModeVATEngagement=โหมด <b>sVAT% รายได้ค่าใช้จ่าย-%</b> s
 CalcModeDebt=<b>โหมด% sClaims-หนี้% s บัญชีกล่าวว่าความมุ่งมั่น</b>
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=ตามที่ผู้ผลิตเลือ
 TurnoverPerProductInCommitmentAccountingNotRelevant=<b>รายงานผลประกอบการต่อผลิตภัณฑ์เมื่อใช้โหมดการบัญชีเงินสดไม่เกี่ยวข้อง รายงานนี้จะใช้ได้เฉพาะเมื่อใช้โหมดการบัญชีการสู้รบ</b> (ดูการตั้งค่าของโมดูลการบัญชี)
 CalculationMode=โหมดการคำนวณ
 AccountancyJournal=วารสารการบัญชีรหัส
-ACCOUNTING_VAT_ACCOUNT=รหัสบัญชีเริ่มต้นสำหรับการจัดเก็บภาษีภาษีมูลค่าเพิ่ม
+ACCOUNTING_VAT_SOLD_ACCOUNT=รหัสบัญชีเริ่มต้นสำหรับการจัดเก็บภาษีภาษีมูลค่าเพิ่ม
 ACCOUNTING_VAT_BUY_ACCOUNT=รหัสบัญชีเริ่มต้นสำหรับการจ่ายเงินภาษีมูลค่าเพิ่ม
 ACCOUNTING_ACCOUNT_CUSTOMER=รหัสบัญชีโดยเริ่มต้นสำหรับ thirdparties ลูกค้า
 ACCOUNTING_ACCOUNT_SUPPLIER=รหัสบัญชีโดยเริ่มต้นสำหรับ thirdparties ผู้จัดจำหน่าย
-CloneTax=โคลนสังคม
-ConfirmCloneTax=ยืนยันโคลนของสังคม
+CloneTax=โคลนสังคม / ภาษีการคลัง
+ConfirmCloneTax=ยืนยันโคลนของสังคม / ชำระภาษีการคลัง
 CloneTaxForNextMonth=โคลนมันสำหรับเดือนถัดไป
diff --git a/htdocs/langs/th_TH/cron.lang b/htdocs/langs/th_TH/cron.lang
index 417cdc92f04ad45ee97e9b084fdc91ece5ea9d54..27974df003535435ed862247de44cfda535f1a5c 100644
--- a/htdocs/langs/th_TH/cron.lang
+++ b/htdocs/langs/th_TH/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=วิธีวัตถุที่จะเปิดตัว <
 CronArgsHelp=วิธีการขัดแย้ง <BR> สำหรับ exemple สามารถดึงข้อมูลวิธีการ Dolibarr วัตถุสินค้า /htdocs/product/class/product.class.php ค่าของพารามิเตอร์สามารถ <i>0, ProductRef</i>
 CronCommandHelp=บรรทัดคำสั่งระบบที่จะดำเนินการ
 CronCreateJob=สร้างงานใหม่กำหนด
+CronFrom=จาก
 # Info
 CronInfoPage=ข้อมูล
 # Common
diff --git a/htdocs/langs/th_TH/ecm.lang b/htdocs/langs/th_TH/ecm.lang
index cd60d5cc9e65684b3bf85ad42a8efde8b48f15ec..080a673b3ee5525f82e9d0529942743aa32e6b48 100644
--- a/htdocs/langs/th_TH/ecm.lang
+++ b/htdocs/langs/th_TH/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=ค้นหาตามวัตถุ
 ECMSectionOfDocuments=ไดเรกทอรีของเอกสาร
 ECMTypeManual=คู่มือ
 ECMTypeAuto=อัตโนมัติ
-ECMDocsBySocialContributions=เอกสารที่เชื่อมโยงกับการมีส่วนร่วมทางสังคม
+ECMDocsBySocialContributions=เอกสารที่เชื่อมโยงกับภาษีทางสังคมหรือทางการคลัง
 ECMDocsByThirdParties=เอกสารที่เชื่อมโยงกับบุคคลที่สาม
 ECMDocsByProposals=เอกสารที่เชื่อมโยงกับข้อเสนอ
 ECMDocsByOrders=เอกสารที่เชื่อมโยงกับคำสั่งซื้อของลูกค้า
diff --git a/htdocs/langs/th_TH/errors.lang b/htdocs/langs/th_TH/errors.lang
index 83f1c5c49240f442431201c3fc33bff8136f3b46..ffe6fc8c351c3311ce1527d7fdd50cb07c421c57 100644
--- a/htdocs/langs/th_TH/errors.lang
+++ b/htdocs/langs/th_TH/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=การดำเนินงานที่ไม่เก
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=คุณสมบัติปิดการใช้งานการตั้งค่าการแสดงผลเมื่อเป็นที่เหมาะสำหรับคนตาบอดหรือข้อความเบราว์เซอร์
 WarningPaymentDateLowerThanInvoiceDate=วันที่ชำระเงิน (% s) ก่อนวันที่ใบแจ้งหนี้ (% s) สำหรับใบแจ้งหนี้% s
 WarningTooManyDataPleaseUseMoreFilters=ข้อมูลจำนวนมากเกินไป กรุณาใช้ตัวกรองมากขึ้น
+WarningSomeLinesWithNullHourlyRate=บางครั้งถูกบันทึกไว้โดยผู้ใช้เมื่ออัตราชั่วโมงของพวกเขาไม่ได้กำหนดไว้ ค่า 0 ถูกนำมาใช้ แต่อาจส่งผลในการประเมินมูลค่าที่ไม่ถูกต้องของเวลาที่ใช้
diff --git a/htdocs/langs/th_TH/holiday.lang b/htdocs/langs/th_TH/holiday.lang
index 5506c708618bc9435fb227913fe5ef27ae3fe514..9f6de8a854110999c0a3abc1ec44e12870c129da 100644
--- a/htdocs/langs/th_TH/holiday.lang
+++ b/htdocs/langs/th_TH/holiday.lang
@@ -3,7 +3,7 @@ HRM=ระบบบริหารจัดการทรัพยากรบ
 Holidays=ใบลา
 CPTitreMenu=ใบลา
 MenuReportMonth=คำสั่งรายเดือน
-MenuAddCP=ขอลา
+MenuAddCP=คำขอลาใหม่
 NotActiveModCP=คุณต้องเปิดใบโมดูลเพื่อดูหน้านี้
 NotConfigModCP=คุณต้องกำหนดค่าใบโมดูลเพื่อดูหน้านี้ การทำเช่นนี้ <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">คลิกที่นี่</a> </ a> <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">.</a>
 NoCPforUser=คุณไม่ได้มีวันใด ๆ
@@ -71,7 +71,7 @@ MotifCP=เหตุผล
 UserCP=ผู้ใช้งาน
 ErrorAddEventToUserCP=เกิดข้อผิดพลาดในขณะที่เพิ่มการลาพิเศษ
 AddEventToUserOkCP=นอกเหนือจากการลาพิเศษเสร็จเรียบร้อยแล้ว
-MenuLogCP=ดูปูมของการร้องขอลา
+MenuLogCP=ดูบันทึกการเปลี่ยนแปลง
 LogCP=เข้าสู่ระบบการปรับปรุงวันวันหยุดใช้ได้
 ActionByCP=ดำเนินการโดย
 UserUpdateCP=สำหรับผู้ใช้
@@ -93,6 +93,7 @@ ValueOptionCP=มูลค่า
 GroupToValidateCP=กลุ่มที่มีความสามารถในการอนุมัติการร้องขอลา
 ConfirmConfigCP=ตรวจสอบการตั้งค่า
 LastUpdateCP=การปรับปรุงอัตโนมัติล่าสุดของการจัดสรรใบ
+MonthOfLastMonthlyUpdate=เดือนของการปรับปรุงอัตโนมัติที่ผ่านมาของการจัดสรรใบ
 UpdateConfCPOK=ปรับปรุงเรียบร้อยแล้ว
 ErrorUpdateConfCP=เกิดข้อผิดพลาดในระหว่างการปรับปรุงโปรดลองอีกครั้ง
 AddCPforUsers=โปรดเพิ่มความสมดุลของการจัดสรรใบของผู้ใช้โดย <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">การคลิ๊กที่นี่</a>
@@ -127,6 +128,7 @@ ErrorMailNotSend=เกิดข้อผิดพลาดขณะที่ก
 NoCPforMonth=ไม่มีออกในเดือนนี้
 nbJours=จำนวนวัน
 TitleAdminCP=การกำหนดค่าของใบ
+NoticePeriod=ระยะเวลาการแจ้งให้ทราบล่วงหน้า
 #Messages
 Hello=สวัสดี
 HolidaysToValidate=ตรวจสอบการร้องขอลา
@@ -139,10 +141,11 @@ HolidaysRefused=ขอปฏิเสธ
 HolidaysRefusedBody=คำขอลาสำหรับ% s% s ได้รับการปฏิเสธด้วยเหตุผลต่อไปนี้:
 HolidaysCanceled=ยกเลิกคำขอใบ
 HolidaysCanceledBody=คำขอลาสำหรับ% s% s ได้ถูกยกเลิก
-Permission20000=อ่านที่คุณเป็นเจ้าของร้องขอลา
-Permission20001=สร้าง / แก้ไขการร้องขอการลาของคุณ
-Permission20002=สร้าง / แก้ไขการร้องขอลาสำหรับทุกคน
+Permission20001=อ่านที่คุณเป็นเจ้าของร้องขอลา
+Permission20002=สร้าง / แก้ไขการร้องขอการลาของคุณ
 Permission20003=ลบออกจากการร้องขอ
-Permission20004=ผู้ใช้ติดตั้งวันวันหยุดใช้ได้
-Permission20005=บันทึกความคิดเห็นของการร้องขอการลาการแก้ไข
-Permission20006=อ่านใบรายงานรายเดือน
+Permission20004=อ่านร้องขอลาสำหรับทุกคน
+Permission20005=สร้าง / แก้ไขการร้องขอลาสำหรับทุกคน
+Permission20006=ธุรการร้องขอลา (การติดตั้งและการปรับปรุงความสมดุล)
+NewByMonth=ที่เพิ่มเข้ามาต่อเดือน
+GoIntoDictionaryHolidayTypes=<strong>ไปลงในหน้าหลัก - การติดตั้ง - พจนานุกรม - ประเภทของใบจะติดตั้งที่แตกต่างกันของใบ</strong>
diff --git a/htdocs/langs/th_TH/mails.lang b/htdocs/langs/th_TH/mails.lang
index 5d39d88f3da07f8884f276c02ae0ad676799ecc7..d6d650681a9c208bbd6688a63eec0ccdf512cbff 100644
--- a/htdocs/langs/th_TH/mails.lang
+++ b/htdocs/langs/th_TH/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=ติดตามการเปิดอีเมล
 TagUnsubscribe=ยกเลิกการเชื่อมโยง
 TagSignature=ลายเซ็นผู้ส่ง
 TagMailtoEmail=ผู้รับอีเมล
+NoEmailSentBadSenderOrRecipientEmail=ส่งอีเมลไม่มี ผู้ส่งที่ไม่ดีหรืออีเมลของผู้รับ ตรวจสอบรายละเอียดของผู้ใช้
 # Module Notifications
 Notifications=การแจ้งเตือน
 NoNotificationsWillBeSent=ไม่มีการแจ้งเตือนอีเมลที่มีการวางแผนสำหรับเหตุการณ์และ บริษัท นี้
diff --git a/htdocs/langs/th_TH/main.lang b/htdocs/langs/th_TH/main.lang
index 478e046085f8bc82a89a54ac4559927b56ee7515..bf94be312e3b31d638cd6f242467a11e21fa1b19 100644
--- a/htdocs/langs/th_TH/main.lang
+++ b/htdocs/langs/th_TH/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=ข้อผิดพลาดบางค
 ErrorConfigParameterNotDefined=<b>พารามิเตอร์% s</b> ไม่ได้กำหนดไว้ภายในไฟล์ config Dolibarr <b>conf.php</b>
 ErrorCantLoadUserFromDolibarrDatabase=<b>ไม่พบผู้ใช้% s</b> ในฐานข้อมูล Dolibarr
 ErrorNoVATRateDefinedForSellerCountry=ข้อผิดพลาดอัตราภาษีมูลค่าเพิ่มไม่มีกำหนดสำหรับประเทศ '% s'
-ErrorNoSocialContributionForSellerCountry=ข้อผิดพลาดที่ไม่มีประเภทกิจกรรมเพื่อสังคมที่กำหนดไว้สำหรับประเทศ '% s'
+ErrorNoSocialContributionForSellerCountry=ข้อผิดพลาดที่ไม่มีทางสังคม / ประเภทภาษีทางการคลังที่กำหนดไว้สำหรับประเทศ '% s'
 ErrorFailedToSaveFile=ข้อผิดพลาดล้มเหลวที่จะบันทึกไฟล์
 SetDate=วันที่ตั้ง
 SelectDate=เลือกวันที่
@@ -302,7 +302,7 @@ UnitPriceTTC=ราคาต่อหน่วย
 PriceU=UP
 PriceUHT=UP (สุทธิ)
 AskPriceSupplierUHT=ขอขึ้นสุทธิ
-PriceUTTC=UP
+PriceUTTC=UP (รวมภาษี).
 Amount=จำนวน
 AmountInvoice=จำนวนใบแจ้งหนี้
 AmountPayment=จำนวนเงินที่ชำระ
@@ -339,6 +339,7 @@ IncludedVAT=รวมภาษี
 HT=สุทธิจากภาษี
 TTC=อิงค์ภาษี
 VAT=ภาษีการขาย
+VATs=ภาษีขาย
 LT1ES=RE
 LT2ES=IRPF
 VATRate=อัตราภาษี
diff --git a/htdocs/langs/th_TH/members.lang b/htdocs/langs/th_TH/members.lang
index bf8968918b964fcfe3c607c322e71818dbd223dc..c4171bd46dcb17416a19f3cc07bb2886552147e5 100644
--- a/htdocs/langs/th_TH/members.lang
+++ b/htdocs/langs/th_TH/members.lang
@@ -199,7 +199,8 @@ Entreprises=บริษัท
 DOLIBARRFOUNDATION_PAYMENT_FORM=ที่จะทำให้การชำระเงินการสมัครของคุณโดยใช้การโอนเงินผ่านธนาคารดูหน้า <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> <br> เพื่อชำระเงินโดยใช้บัตรเครดิตหรือ Paypal คลิกที่ปุ่มด้านล่างของหน้านี้ <br>
 ByProperties=โดยลักษณะ
 MembersStatisticsByProperties=สถิติสมาชิกตามลักษณะ
-MembersByNature=สมาชิกโดยธรรมชาติ
+MembersByNature=แสดงหน้าจอนี้คุณสถิติเกี่ยวกับสมาชิกโดยธรรมชาติ
+MembersByRegion=แสดงหน้าจอนี้คุณสถิติเกี่ยวกับสมาชิกตามภูมิภาค
 VATToUseForSubscriptions=อัตราภาษีมูลค่าเพิ่มที่จะใช้สำหรับการสมัครสมาชิก
 NoVatOnSubscription=ไม่มี TVA สำหรับการสมัครสมาชิก
 MEMBER_PAYONLINE_SENDEMAIL=อีเมล์เตือนเมื่อ Dolibarr ได้รับการยืนยันการชำระเงินของการตรวจสอบสำหรับการสมัครสมาชิก
diff --git a/htdocs/langs/th_TH/products.lang b/htdocs/langs/th_TH/products.lang
index c29375bec663dec7d300a8637ff69e83d3f86e1c..5b247bee1910cc60afa32f3920c05703db2e24b6 100644
--- a/htdocs/langs/th_TH/products.lang
+++ b/htdocs/langs/th_TH/products.lang
@@ -294,3 +294,5 @@ LastUpdated=อัพเดทล่าสุด
 CorrectlyUpdated=ปรับปรุงอย่างถูกต้อง
 PropalMergePdfProductActualFile=ไฟล์ที่ใช้ในการเพิ่มเป็น PDF ดาซูร์มี / เป็น
 PropalMergePdfProductChooseFile=ไฟล์ PDF เลือก
+IncludingProductWithTag=รวมทั้งสินค้าที่มีแท็ก
+DefaultPriceRealPriceMayDependOnCustomer=ราคาเริ่มต้นราคาที่แท้จริงอาจขึ้นอยู่กับลูกค้า
diff --git a/htdocs/langs/th_TH/projects.lang b/htdocs/langs/th_TH/projects.lang
index fe456d9ea85d56b9b4bf5d48278b9a08ef34e278..584322cec95440d478effb4564751197b66e18c7 100644
--- a/htdocs/langs/th_TH/projects.lang
+++ b/htdocs/langs/th_TH/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=มุมมองนี้จะ จำกัด ให้กับ
 OnlyOpenedProject=เฉพาะโครงการที่เปิดจะมองเห็นได้ (โครงการในร่างหรือสถานะปิดจะมองไม่เห็น)
 TasksPublicDesc=มุมมองนี้นำเสนอทุกโครงการและงานที่คุณได้รับอนุญาตในการอ่าน
 TasksDesc=มุมมองนี้นำเสนอทุกโครงการและงาน (สิทธิ์ผู้ใช้ของคุณอนุญาตให้คุณสามารถดูทุกอย่าง)
-AllTaskVisibleButEditIfYouAreAssigned=งานทั้งหมดสำหรับโครงการดังกล่าวมีความที่มองเห็นได้, แต่คุณสามารถป้อนเวลาที่เพียง แต่สำหรับงานที่ที่คุณกำลังที่ได้รับมอบหมายเมื่อวันที่
+AllTaskVisibleButEditIfYouAreAssigned=งานทั้งหมดสำหรับโครงการดังกล่าวจะมองเห็นได้ แต่คุณสามารถใส่เพียงครั้งเดียวสำหรับงานที่คุณจะได้รับมอบหมายใน มอบหมายงานให้คุณถ้าคุณต้องการที่จะป้อนเวลากับมัน
+OnlyYourTaskAreVisible=งานเดียวที่คุณจะได้รับมอบหมายในการมองเห็นได้ มอบหมายงานให้คุณถ้าคุณต้องการที่จะป้อนเวลากับมัน
 ProjectsArea=พื้นที่โครงการ
 NewProject=โครงการใหม่
 AddProject=สร้างโครงการ
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=รายชื่อของรายง
 ListDonationsAssociatedProject=รายชื่อของการบริจาคที่เกี่ยวข้องกับการโครงการ
 ListActionsAssociatedProject=รายการของเหตุการณ์ที่เกี่ยวข้องกับโครงการ
 ListTaskTimeUserProject=รายชื่อของเวลาที่ใช้ในงานของโครงการ
+TaskTimeUserProject=เวลาที่ใช้ในงานของโครงการ
 ActivityOnProjectThisWeek=กิจกรรมในโครงการสัปดาห์นี้
 ActivityOnProjectThisMonth=กิจกรรมในโครงการในเดือนนี้
 ActivityOnProjectThisYear=กิจกรรมในโครงการในปีนี้
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=โครงการที่มีผู้ใ
 TasksWithThisUserAsContact=Tasks ได้รับมอบหมายให้ผู้ใช้รายนี้
 ResourceNotAssignedToProject=ไม่ได้กำหนดโครงการ
 ResourceNotAssignedToTask=ไม่ได้กำหนดให้กับงาน
+AssignTaskToMe=มอบหมายงานให้ฉัน
+AssignTask=กำหนด
+ProjectOverview=ภาพรวม
diff --git a/htdocs/langs/th_TH/trips.lang b/htdocs/langs/th_TH/trips.lang
index ca3beb1c79107cfc3362bb3715482f76adb705b6..70b11197095d682794e2d05b17b94bdf76d39051 100644
--- a/htdocs/langs/th_TH/trips.lang
+++ b/htdocs/langs/th_TH/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=เปิดใหม่
 SendToValid=ส่งความเห็นชอบ
 ModifyInfoGen=แก้ไข
 ValidateAndSubmit=ตรวจสอบและส่งเพื่อขออนุมัติ
+ValidatedWaitingApproval=การตรวจสอบ (รอการอนุมัติ)
 
 NOT_VALIDATOR=คุณยังไม่ได้รับอนุญาตให้อนุมัติรายงานค่าใช้จ่ายนี้
 NOT_AUTHOR=คุณไม่ได้เป็นผู้เขียนรายงานค่าใช้จ่ายนี้ การดำเนินงานที่ยกเลิก
diff --git a/htdocs/langs/th_TH/users.lang b/htdocs/langs/th_TH/users.lang
index 17b2473d3e462a7969180c83d183c5d92cb475ea..3bc48a8d3d39f2cde621ecbfb352394012c7e03f 100644
--- a/htdocs/langs/th_TH/users.lang
+++ b/htdocs/langs/th_TH/users.lang
@@ -7,8 +7,8 @@ NoContactCard=บัตรในหมู่ผู้ติดต่อไม่
 Permission=การอนุญาต
 Permissions=สิทธิ์
 EditPassword=แก้ไขรหัสผ่าน
-SendNewPassword=งอกใหม่และส่งรหัสผ่าน
-ReinitPassword=งอกใหม่รหัสผ่าน
+SendNewPassword=สร้างรหัสผ่านใหม่และส่งรหัสผ่าน
+ReinitPassword=สร้างรหัสผ่านใหม่
 PasswordChangedTo=เปลี่ยนรหัสผ่านในการ:% s
 SubjectNewPassword=รหัสผ่านใหม่ของคุณสำหรับ Dolibarr
 AvailableRights=สิทธิ์ที่มีจำหน่าย
diff --git a/htdocs/langs/th_TH/withdrawals.lang b/htdocs/langs/th_TH/withdrawals.lang
index 30f5a9ef2a9ded320f1dcd5a19e2e0d809e59f9e..9b51737611b5f0e632ec30ae765ffb9e652fbc99 100644
--- a/htdocs/langs/th_TH/withdrawals.lang
+++ b/htdocs/langs/th_TH/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=ไฟล์ถอนเงิน
 SetToStatusSent=ตั้งสถานะ "แฟ้มส่ง"
 ThisWillAlsoAddPaymentOnInvoice=นอกจากนี้ยังจะใช้การชำระเงินให้กับใบแจ้งหนี้และจะจัดให้เป็น "การชำระเงิน"
 StatisticsByLineStatus=สถิติตามสถานะของสาย
+RUM=รัม
+RUMWillBeGenerated=จำนวนรัมจะถูกสร้างขึ้นครั้งเดียวข้อมูลบัญชีธนาคารจะถูกบันทึกไว้
+WithdrawMode=ถอนโหมด (frst หรือเกิดขึ้นอีก)
+WithdrawRequestAmount=จำนวนเงินที่ถอนคำขอ:
+WithdrawRequestErrorNilAmount=ไม่สามารถสร้างถอนการร้องขอสำหรับจำนวนเงินที่ศูนย์
 
 ### Notifications
 InfoCreditSubject=การชำระเงินเพื่อการยืน% s โดยธนาคาร
diff --git a/htdocs/langs/th_TH/workflow.lang b/htdocs/langs/th_TH/workflow.lang
index 688766b7dd2332ef37f77a61a92ef319f363e102..517d4e9655e884bf7eea19aa0506de39f070ed71 100644
--- a/htdocs/langs/th_TH/workflow.lang
+++ b/htdocs/langs/th_TH/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=เวิร์กโฟลว์การติดตั้งโมดูล
 WorkflowDesc=โมดูลนี้ถูกออกแบบมาเพื่อปรับเปลี่ยนพฤติกรรมของการกระทำโดยอัตโนมัติลงในใบสมัคร โดยค่าเริ่มต้นขั้นตอนการทำงานจะเปิด (คุณสามารถทำสิ่งที่อยู่ในลำดับที่คุณต้องการ) คุณสามารถเปิดใช้การกระทำโดยอัตโนมัติคุณมีความสนใจใน
-ThereIsNoWorkflowToModify=ไม่มีขั้นตอนการทำงานคือการปรับเปลี่ยนสำหรับโมดูลเปิดใช้งาน
+ThereIsNoWorkflowToModify=ไม่มีการปรับเปลี่ยนขั้นตอนการทำงานที่มีอยู่กับโมดูลเปิดใช้งานคือ
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=โดยอัตโนมัติสร้างคำสั่งของลูกค้าหลังจากที่ข้อเสนอในเชิงพาณิชย์มีการลงนาม
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically สร้างใบแจ้งหนี้ลูกค้าหลังจากที่ข้อเสนอในเชิงพาณิชย์มีการลงนาม
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically สร้างใบแจ้งหนี้ลูกค้าหลังจากที่สัญญาจะถูกตรวจสอบ
diff --git a/htdocs/langs/tr_TR/admin.lang b/htdocs/langs/tr_TR/admin.lang
index 7acd6b21b5290f7dcbde80eae53998136fc8835d..a6213fcbe39a2b93acec9fc869e302008e70c7a3 100644
--- a/htdocs/langs/tr_TR/admin.lang
+++ b/htdocs/langs/tr_TR/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Teklifler
 Module20Desc=Teklif yönetimi
 Module22Name=Toplu E-postalar
 Module22Desc=Toplu E-postaların yönetimi
-Module23Name= Enerji
-Module23Desc= Enerji tüketimlerinin izlenmesi
+Module23Name=Enerji
+Module23Desc=Enerji tüketimlerinin izlenmesi
 Module25Name=Müşteri Siparişleri
 Module25Desc=Müşteri siparişleri yönetimi
 Module30Name=Faturalar
@@ -492,7 +492,7 @@ Module400Desc=Projlerin, fırsatların ve adayların yönetimi. Daha sonra bir p
 Module410Name=Web Takvimi
 Module410Desc=WebT akvimi entegrasyonu
 Module500Name=Özel giderler
-Module500Desc=Özel giderlerin yönetimi (vergiler, sosyal katkı payları, paylar)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Ücretler
 Module510Desc=Çalışanların maaş ve ödeme yönetimi
 Module520Name=Borç
@@ -501,7 +501,7 @@ Module600Name=Duyurlar
 Module600Desc=Üçüncü parti kişilerine bazı Dolibarr iş etkinlikleriyle ilgili Eposta bildirimleri gönderin (her üçüncü parti için ayarlar tanımlanmıştır)
 Module700Name=Bağışlar
 Module700Desc=Bağış yönetimi
-Module770Name=Gider Raporu
+Module770Name=Expense reports
 Module770Desc=Yönetim ve şikayet gider raporları )nakliye, yemek, ...)
 Module1120Name=Tedarikçi teklifi
 Module1120Desc=Tedarikçi teklifi ve fiyatlarını iste
@@ -579,7 +579,7 @@ Permission32=Ürün oluştur/düzenle
 Permission34=Ürün sil
 Permission36=Gizli ürünleri gör/yönet
 Permission38=Ürün dışaaktar
-Permission41=Proje oku (paylaşılan projeler ve ilgilisi olduğum projeler)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Proje oluştur/düzenle (paylaşılan projeler ve ilgilisi olduğum projeler)
 Permission44=Proje sil (paylaşılan projeler ve ilgilisi olduğum projeler)
 Permission61=Müdahale oku
@@ -600,10 +600,10 @@ Permission86=Müşteri siparişi gönder
 Permission87=Müşteri siparişi kapat
 Permission88=Müşteri siparişi iptal et
 Permission89=Müşteri siparişi sil
-Permission91=Sosyal katkı payı ve KDV oku
-Permission92=Sosyal katkı payı ve KDV oluştur/düzenle
-Permission93=Sosyal katkı payı ve KDV sil
-Permission94=Sosyal katkı payı dışaaktar
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Rapor oku
 Permission101=Gönderilenleri oku
 Permission102=Gönderilenleri oluştur/düzenle
@@ -621,9 +621,9 @@ Permission121=Kullanıcıya bağlı üçüncü partileri oku
 Permission122=Kullanıcıya bağlı üçüncü parti oluştur/değiştir
 Permission125=Kullanıcıya bağlı üçüncü partileri sil
 Permission126=Üçüncü partileri dışaaktar
-Permission141=Proje oku (benim ilişkide olmadığım özel olanları da)
-Permission142=Proje oluştur/değiştir (benim ilişkide olmadığım Özel olanları da)
-Permission144=Proje sil (benim ilişkide olmadığım özel olanları da)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Sağlayıcıları oku
 Permission147=İstatistikleri oku
 Permission151=Ödeme talimatlarını oku
@@ -801,7 +801,7 @@ DictionaryCountry=Ülkeler
 DictionaryCurrency=Para birimleri
 DictionaryCivility=Hitap başlıkları
 DictionaryActions=Gündem etkinlik türleri
-DictionarySocialContributions=Sosyal katkı türleri
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=KDV Oranları veya Satış Vergisi Oranları
 DictionaryRevenueStamp=Damga vergisi tutarı
 DictionaryPaymentConditions=Ödeme koşulları
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Hesap planı modelleri
 DictionaryEMailTemplates=Eposta şablonları
 DictionaryUnits=Birimler
 DictionaryProspectStatus=Aday durumu
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Kurulum kaydedildi
 BackToModuleList=Modül listesine geri git
 BackToDictionaryList=Sözlük listesine dön
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Menü girişi <b>%s</b> i silmek istediğinizden emin misiniz?
 DeleteLine=Satır sil
 ConfirmDeleteLine=Bu satırı silmek istediğinizden emin misiniz?
 ##### Tax #####
-TaxSetup=Vergi, sosyal güvenlik primi ve temettü modülü kurulumu
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=KDV nedeniyle
 OptionVATDefault=Nakit temelli
 OptionVATDebitOption=Tahakkuk temelli
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP istemcileri isteklerini URL de varolan Dolibarr uç noktasına g
 ApiSetup=API modül ayarları
 ApiDesc=Bu modül etkinleştirilerek Dolibarr çeşitli web hizmetlerini sağlayan bir REST sunucusu haline getirilir.
 KeyForApiAccess=API kullanmak için anahtar (parametre "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=API erişimi için url 
 ApiExporerIs=API incelemesi için url 
 OnlyActiveElementsAreExposed=Yalnızca etkin modüllerdeki öğeler gösterilir
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Banka modülü kurulumu
 FreeLegalTextOnChequeReceipts=Çek makbuzlarının üzerinde serbest metin
@@ -1596,6 +1599,7 @@ ProjectsSetup=Proje modülü kurulumu
 ProjectsModelModule=Proje raporu belge modeli
 TasksNumberingModules=Görev numaralandırma modülü
 TaskModelModule=Görev raporu belge modeli
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED ayarları
 ECMAutoTree = Otomatik klasör ve belge ağacı
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Uygulama içerisinden dış modül kurarken modül dos
 HighlightLinesOnMouseHover=Tablo satırlarını fare üzerine geldiğinde vurgula
 PressF5AfterChangingThis=Bu değeri değiştirdikten sonra etkin olması için klavyede F5 tuşuna basın
 NotSupportedByAllThemes=Yalnızca eldy teması ile çalışır ancak tüm temalar tarafından desteklenmez
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/tr_TR/agenda.lang b/htdocs/langs/tr_TR/agenda.lang
index 2df600befe401527b975c048bd985f070a0db959..2dd0af1b57b5a282b164040e46210b9aaaa0d7be 100644
--- a/htdocs/langs/tr_TR/agenda.lang
+++ b/htdocs/langs/tr_TR/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=%s Sınıfı sipariş faturalandı
 OrderApprovedInDolibarr=%s Siparişi onayladı
 OrderRefusedInDolibarr=Reddedilen teklif %s
 OrderBackToDraftInDolibarr=%s Siparişini taslak durumuna geri götür
-OrderCanceledInDolibarr=%s Siparişi iptal edildi
 ProposalSentByEMail=%s Teklifi Eposta ile gönderildi
 OrderSentByEMail=%s Müşteri siparişi Eposta ile gönderildi
 InvoiceSentByEMail=%s Müşteri faturası Eposta ile gönderildi
@@ -96,3 +95,5 @@ AddEvent=Etkinlik oluştur
 MyAvailability=Uygunluğum
 ActionType=Etkinlik türü
 DateActionBegin=Etkinlik başlangıç tarihi
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/tr_TR/banks.lang b/htdocs/langs/tr_TR/banks.lang
index 3c17aaabb759f0eddc9d84d0a5bcb5b6be33bdee..dcd37d4c898338a64e079c50fb783487264bff7f 100644
--- a/htdocs/langs/tr_TR/banks.lang
+++ b/htdocs/langs/tr_TR/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Müşteri ödemesi
 CustomerInvoicePaymentBack=Müşteri geri ödemesi
 SupplierInvoicePayment=Tedarikçi ödemesi
 WithdrawalPayment=Para çekme ödemesi
-SocialContributionPayment=Sosyal güvenlik primi ödemesi
+SocialContributionPayment=Sosyal/mali vergi ödemesi
 FinancialAccountJournal=Ticari hesap günlüğü
 BankTransfer=Banka havalesi
 BankTransfers=Banka havaleleri
diff --git a/htdocs/langs/tr_TR/bills.lang b/htdocs/langs/tr_TR/bills.lang
index d639e2bd563c4767664e5431046021018251ac75..4a4d13b4a97f644dfab24ec2a25987dae55fd130 100644
--- a/htdocs/langs/tr_TR/bills.lang
+++ b/htdocs/langs/tr_TR/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Fatura sayısı
 NumberOfBillsByMonth=Aylık fatura sayısı
 AmountOfBills=Faturaların tutarı
 AmountOfBillsByMonthHT=Aylık fatura tutarı (vergisiz net)
-ShowSocialContribution=Sosyal katkı payını göster
+ShowSocialContribution=Sosyal/mali vergi göster
 ShowBill=Fatura göster
 ShowInvoice=Fatura göster
 ShowInvoiceReplace=Değiştirilen faturayı göster
@@ -270,7 +270,7 @@ BillAddress=Fatura adresi
 HelpEscompte=Bu indirim, vadesinden önce ödeme yapıldığından dolayı müşteriye verilir.
 HelpAbandonBadCustomer=Bu tutardan vazgeçilmiştir (müşteri kötü bir müşteri olarak kabul edildiğinden dolayı) ve istisnai bir kayıp olarak kabul edilir.
 HelpAbandonOther=Bir hata olduğundan dolayı bu tutardan vazgeçilmiştir (örneğin yanlış müşteri ya da bir faturanın başka faturayla değiştirilmesi durumu gibi)
-IdSocialContribution=Sosyal güvenlik no
+IdSocialContribution=Sosyal/mali vergi ödeme kimliği
 PaymentId=Ödeme no
 InvoiceId=Fatura no
 InvoiceRef=Fatura ref.
diff --git a/htdocs/langs/tr_TR/companies.lang b/htdocs/langs/tr_TR/companies.lang
index 1d68c93431cb2b098345c841675aedf958865452..368d6ebc24476558ce965934bfb7876b52040687 100644
--- a/htdocs/langs/tr_TR/companies.lang
+++ b/htdocs/langs/tr_TR/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Üçüncü parti kişisi/adresi
 StatusContactValidated=Kişi/adres durumu
 Company=Firma
 CompanyName=Firma adı
+AliasNames=Rumuz adları (ticari, marka, ...)
 Companies=Firmalar
 CountryIsInEEC=Ülke, Avrupa Ekonomik Topluluğu içindedir
 ThirdPartyName=Üçüncü parti adı
diff --git a/htdocs/langs/tr_TR/compta.lang b/htdocs/langs/tr_TR/compta.lang
index 73afcbe1d13fb8e1b9d1ae17621578ef464d8143..fcc9131b04fbfe4f1d7ca7f6a0414dff0b5ff9dc 100644
--- a/htdocs/langs/tr_TR/compta.lang
+++ b/htdocs/langs/tr_TR/compta.lang
@@ -56,23 +56,23 @@ VATCollected=KDV alınan
 ToPay=Ödenecek
 ToGet=Geri alınacak
 SpecialExpensesArea=Tüm özel ödemeler alanı
-TaxAndDividendsArea=Vergi, sosyal katkı payları ve kar payları alanı
-SocialContribution=Sosyal katkı payı
-SocialContributions=Sosyal katkı payı
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Özel giderler
 MenuTaxAndDividends=Vergiler ve kar payları
 MenuSalaries=Ücretler
-MenuSocialContributions=Sosyal katkı payı
-MenuNewSocialContribution=Yeni katkı payı
-NewSocialContribution=Yeni sosyal katkı payı
-ContributionsToPay=Ödenecek katkı payları
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Muhasebe/Maliye alanı
 AccountancySetup=Muhasebe ayarları
 NewPayment=Yeni ödeme
 Payments=Ödemeler
 PaymentCustomerInvoice=Müşteri fatura ödemesi
 PaymentSupplierInvoice=Tedarikçi fatura ödemesi
-PaymentSocialContribution=Sosyal gkatkı payı ödeme
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=KDV ödeme
 PaymentSalary=Ücret ödemesi
 ListPayment=Ödemeler listesi
@@ -91,7 +91,7 @@ LT1PaymentES=RE Ödeme
 LT1PaymentsES=RE Ödemesi
 VATPayment=KDV Ödemesi
 VATPayments=KDV Ödemeleri
-SocialContributionsPayments=Sosyal katkı payı ödemeleri
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=KDV ödemesi göster
 TotalToPay=Ödenecek toplam
 TotalVATReceived=Alınan toplam KDV
@@ -116,11 +116,11 @@ NewCheckDepositOn=Bu hesap için makbuz oluştur: %s
 NoWaitingChecks=Hesaba işlenmeyi bekleyen çek yok.
 DateChequeReceived=Çek giriş tarihi
 NbOfCheques=Çek sayısı
-PaySocialContribution=Bir sosyal katkı payı öde
-ConfirmPaySocialContribution=Bu sosyal katkı payını ödendi olarak sınıflandırmak istediğinizden emin misiniz?
-DeleteSocialContribution=Sosyal katkı payı sil
-ConfirmDeleteSocialContribution=Bu sosyal katkı payını silmek istediğinizden emin misiniz?
-ExportDataset_tax_1=Sosyal katkı payları ve ödemeleri
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mod <b>%sKDV, taahhüt hesabı%s için</b>.
 CalcModeVATEngagement=Mod <b>%sKDV, gelirler-giderler%s için</b>.
 CalcModeDebt=Mod <b>%sAlacaklar-Borçlar%s</b>, <b>Taahhüt hesabı içindir</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=tedarikçiye göre, aynı hesaplama kuralını kulla
 TurnoverPerProductInCommitmentAccountingNotRelevant=Ürüne göre ciro raporu, <b>nakit muhasebesi</b>modu için uygun değildir. Bu rapor yalnızca, <b>tahakkuk muhasebesi</b> modu için uygundur (muhasebe modülü ayarlarına bakın).
 CalculationMode=Hesaplama modu
 AccountancyJournal=Muhasebe kodu günlüğü
-ACCOUNTING_VAT_ACCOUNT=Alınan KDV için varsayılan muhasebe kodu
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Ödenen KDV için varsayılan muhasebe kodu
 ACCOUNTING_ACCOUNT_CUSTOMER=Müşteri üçüncü partiler için varsayılan muhasebe kodu
 ACCOUNTING_ACCOUNT_SUPPLIER=Tedarikçi üçüncü partiler için varsayılan muhasebe kodu
-CloneTax=Bir sosyal katkı payı kopyala
-ConfirmCloneTax=Bir sosyal katkı payı kopyalanmasını onayla
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Sonraki aya kopyala
diff --git a/htdocs/langs/tr_TR/cron.lang b/htdocs/langs/tr_TR/cron.lang
index 4f65fa2603f1206b45bee12df0143a8e1acb4e82..b1c4b840ac6cff4502c3dbee0a73014e38ddb715 100644
--- a/htdocs/langs/tr_TR/cron.lang
+++ b/htdocs/langs/tr_TR/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=Çalıştırılacak nesne yöntemi. <BR> Örneğin; Dolibarr Ür
 CronArgsHelp=Yöntem parametreleri. <BR> Örneğin; Dolibarr Ürün nesnesi alım yöntemi /htdocs/product/class/product.class.php, parametre değerleri <i>0, ProductRef</i> olabilir
 CronCommandHelp=Yürütülecek sistem komut satırı.
 CronCreateJob=Yeni Planlı İş oluştur
+CronFrom=From
 # Info
 CronInfoPage=Bilgi
 # Common
diff --git a/htdocs/langs/tr_TR/ecm.lang b/htdocs/langs/tr_TR/ecm.lang
index 94b1faf2fba2498def59b97b537875cec8d9c89a..b5d9152c99ad4496de431d73c1893e87c2bf84c0 100644
--- a/htdocs/langs/tr_TR/ecm.lang
+++ b/htdocs/langs/tr_TR/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Nesneye göre ara
 ECMSectionOfDocuments=Belgelerin dizinleri
 ECMTypeManual=Manuel
 ECMTypeAuto=Otomatik
-ECMDocsBySocialContributions=Sosyal gkatkı paylarıi ile bağlantılı belgeler
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Üçüncü partiler ile bağlantılı belgeler
 ECMDocsByProposals=Teklifler ile bağlantılı belgeler
 ECMDocsByOrders=Müşteri siparişleri ile bağlantılı belgeler
diff --git a/htdocs/langs/tr_TR/errors.lang b/htdocs/langs/tr_TR/errors.lang
index e52d161d99c15c4a69cb5baa7c8efe19967477f1..f5a19133065520a59308077690b800a520986099 100644
--- a/htdocs/langs/tr_TR/errors.lang
+++ b/htdocs/langs/tr_TR/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Bu veri kümesi için alakasız işlem
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Bu özellik, ekran görme engelliler için ya da metin tarayıcılar için ayarlandığında devre dışı kalır.
 WarningPaymentDateLowerThanInvoiceDate=Ödeme tarihi (%s) fatura tarihinden (%s) daha önce, bu fatura için %s.
 WarningTooManyDataPleaseUseMoreFilters=Çok fazla veri. Lütfen daha çok süzgeç kullanın
+WarningSomeLinesWithNullHourlyRate=Saatlik ücretleri tanımlanmadığında bazen kullanıcılar tarafından kayıt edilir. 0 Değeri kullanılmıştır ancak harcanan sürenin yanlış değerlendirilmesine neden olabilir.
diff --git a/htdocs/langs/tr_TR/holiday.lang b/htdocs/langs/tr_TR/holiday.lang
index 7dbeba5d8593b341955b53f423e218f1496f17e4..7427da079fb6b7fd949cc118d3c41ac57736fbc0 100644
--- a/htdocs/langs/tr_TR/holiday.lang
+++ b/htdocs/langs/tr_TR/holiday.lang
@@ -3,7 +3,7 @@ HRM=IK
 Holidays=İzinler
 CPTitreMenu=İzinler
 MenuReportMonth=Aylık özet
-MenuAddCP=Bir izin isteği yap
+MenuAddCP=New leave request
 NotActiveModCP=Bu sayfayı görmek için İzinler modülünü etkinleştirmelisiniz
 NotConfigModCP=Bu sayfayı görmeniz için İzinler modülünü yapılandırmalısınız. Bunu yapmak için <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;"> bağlantısına tıklayın </ a>.
 NoCPforUser=Hiç uygun gününüz yok.
@@ -71,7 +71,7 @@ MotifCP=Neden
 UserCP=Kullanıcı
 ErrorAddEventToUserCP=Özel izin eklenirken hata oluştu.
 AddEventToUserOkCP=Özel izin eklenmesi tamamlanmıştır.
-MenuLogCP=İzin isteği kayıtlarına bak
+MenuLogCP=View change logs
 LogCP=Uygun tatil günlerinin güncellenme kayıtı
 ActionByCP=Uygulayan
 UserUpdateCP=Kullanıcı için
@@ -93,6 +93,7 @@ ValueOptionCP=Değer
 GroupToValidateCP=İzin isteklerini olabilirliğine göre gruplandır
 ConfirmConfigCP=Yapılandırmayı onayla
 LastUpdateCP=İzin tahsislerini otomatik güncelle
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Güncelleme başarılı
 ErrorUpdateConfCP=Güncelleme sırasında bir hata oluştu, lütfen yeniden deneyin.
 AddCPforUsers=Kullanıcıların izin tahsisleri bakiyelerini  <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">yoluyla eklemek için buraya tıklayın</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=Eposta gönderilirken bir hata oluştu:
 NoCPforMonth=Bu ay hiç izin yok.
 nbJours=Gün sayısı
 TitleAdminCP=İzinlerin Yapılandırılması
+NoticePeriod=Notice period
 #Messages
 Hello=Merhaba
 HolidaysToValidate=İzin isteği doğrula
@@ -139,10 +141,11 @@ HolidaysRefused=İstek reddedildi
 HolidaysRefusedBody=%s - %s arası izin isteğiniz aşağıdaki nedenden dolayı reddedilmiştir:
 HolidaysCanceled=İptal edilen izin istekleri
 HolidaysCanceledBody=%s - %s arası izin isteğiniz iptal edilmiştir.
-Permission20000=Kendi izin isteklerini oku
-Permission20001=İzin isteklerinizi oluşturun/düzenleyin
-Permission20002=Herkes için izin isteği oluştur/düzenle
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=İzin isteği sil
-Permission20004=Kullanıcıların uygun tatil günlerini ayarla
-Permission20005=Değiştirilmiş izin izin istekleri kayıtlarını incele
-Permission20006=Aylık izin raporu oku
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/tr_TR/mails.lang b/htdocs/langs/tr_TR/mails.lang
index 7eaecd4d71026a8464074dcc55f66f7958efcda9..b867bbda18047594c1f7736e618f3e31afc03f16 100644
--- a/htdocs/langs/tr_TR/mails.lang
+++ b/htdocs/langs/tr_TR/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Eposta açılışlarını izle
 TagUnsubscribe=Aboneliğini kaldır bağlantısı
 TagSignature=Gönderen kullanıcı imzası
 TagMailtoEmail=Alıcı epostası
+NoEmailSentBadSenderOrRecipientEmail=Gönderilen eposta yok. Hatalı gönderici ya da alıcı epostası. Kullanıcı profilini doğrula.
 # Module Notifications
 Notifications=Bildirimler
 NoNotificationsWillBeSent=Bu etkinlik ve firma için hiçbir Eposta bildirimi planlanmamış
diff --git a/htdocs/langs/tr_TR/main.lang b/htdocs/langs/tr_TR/main.lang
index c5b6d09386ce2707559ae9c18b23329893c82bd7..f452184f818cd3c32d6a0c29ac95b5ea5a5d44d7 100644
--- a/htdocs/langs/tr_TR/main.lang
+++ b/htdocs/langs/tr_TR/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Bazı hatalar bulundu. Değişikler geri a
 ErrorConfigParameterNotDefined=Parametre <b>%s</b> Dolibarr yapılandırma dosyasında <b>conf.php</b> tanımlı değil.
 ErrorCantLoadUserFromDolibarrDatabase=Dolibarr veritabanında kullanıcı <b>%s</b> bulunamadı.
 ErrorNoVATRateDefinedForSellerCountry=Hata, ülke '%s' için herhangi bir KDV oranı tanımlanmamış.
-ErrorNoSocialContributionForSellerCountry=Hata, ülke %s için herhangi bir sosyal güvenlik primi türü tanımlanmış.
+ErrorNoSocialContributionForSellerCountry=Hata, '%s' ülkesi için sosyal/mali vergi tipi tanımlanmamış.
 ErrorFailedToSaveFile=Hata, dosya kaydedilemedi.
 SetDate=Ayar tarihi
 SelectDate=Bir tarih seç
@@ -302,7 +302,7 @@ UnitPriceTTC=Birim fiyat
 PriceU=B.F.
 PriceUHT=B.F. (net)
 AskPriceSupplierUHT=İstenen U.P. ağı
-PriceUTTC=B.F.
+PriceUTTC=U.P. (inc. tax)
 Amount=Tutar
 AmountInvoice=Fatura tutarı
 AmountPayment=Ödeme tutarı
@@ -339,6 +339,7 @@ IncludedVAT=KDV dahil
 HT=KDV hariç
 TTC=KDV dahil
 VAT=KDV
+VATs=Satış vergisi
 LT1ES=RE
 LT2ES=IRPF
 VATRate=KDV Oranı
diff --git a/htdocs/langs/tr_TR/members.lang b/htdocs/langs/tr_TR/members.lang
index 44e74af7fa6c2b014c9872e4673d5612cbc4494f..c6faf09089fc93b258df406f41e7b697b1ce2252 100644
--- a/htdocs/langs/tr_TR/members.lang
+++ b/htdocs/langs/tr_TR/members.lang
@@ -199,7 +199,8 @@ Entreprises=Firmalar
 DOLIBARRFOUNDATION_PAYMENT_FORM=Banka havalesi ile abonelik ödemenizi yapmak için bu sayfaya bakın <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>Krdei Kart ya da Paypal ile ödemek için bu sayfanın altındaki düğmeye tıklayın.<br>
 ByProperties=Özelliklere göre
 MembersStatisticsByProperties=Özelliklere göre üye istatistikleri
-MembersByNature=Doğal üyeler
+MembersByNature=Bu ekran doğaya göre üye istatistiklerini gösterir.
+MembersByRegion=Bu ekran bölgeye göre üye istatistiklerini gösterir.
 VATToUseForSubscriptions=Abonelikler için kullanılacak KDV oranı
 NoVatOnSubscription=Abonelikler için KDV yok
 MEMBER_PAYONLINE_SENDEMAIL=Dolibarr'ın bir doğrulanmış abonelik ödeme onayını almasıyla gönderilecek uyarı epostası
diff --git a/htdocs/langs/tr_TR/products.lang b/htdocs/langs/tr_TR/products.lang
index e26bdca2c0f016df16a77ad3049564c11d0b7f16..b86c794dd5d738ceef3b6c34bd792f24684cc82b 100644
--- a/htdocs/langs/tr_TR/products.lang
+++ b/htdocs/langs/tr_TR/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Son güncelleme
 CorrectlyUpdated=Doru olarak güncellendi
 PropalMergePdfProductActualFile=PDF Azur'a eklenmek için kullanılacak dosya/lar
 PropalMergePdfProductChooseFile=PDF dosyası seç
+IncludingProductWithTag=Etiketli ürünleri içerir
+DefaultPriceRealPriceMayDependOnCustomer=Varsayılan fiyat, gerçek fiyat müşteriye bağlı olabilir
diff --git a/htdocs/langs/tr_TR/projects.lang b/htdocs/langs/tr_TR/projects.lang
index a4bdfc655622eab450082fce3ef00ec464f4f219..5145aea626f85c6be271d92b9ce93df8745cd813 100644
--- a/htdocs/langs/tr_TR/projects.lang
+++ b/htdocs/langs/tr_TR/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Bu görünüm ilgilisi olduğunuz projelerle ya da görevlerle sın
 OnlyOpenedProject=Yalnızca açık projeler görünür (taslak ya da kapalı durumdaki projeler görünmez)
 TasksPublicDesc=Bu görünüm okuma izininiz olan tüm projeleri ve görevleri içerir.
 TasksDesc=Bu görünüm tüm projeleri ve görevleri içerir (size verilen kullanıcı izinleri her şeyi görmenizi sağlar).
-AllTaskVisibleButEditIfYouAreAssigned=Böyle bir proje için tüm görevler görünürdür, ama yalnızca atanmış olduğunuz görev için zaman girişi yapabilirsiniz.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projeler alanı
 NewProject=Yeni proje
 AddProject=Proje oluştur
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Bu proje ile ilişkili gider raporları list
 ListDonationsAssociatedProject=Bu proje ile ilişkilendirilmiş bağış listesi
 ListActionsAssociatedProject=Proje ile ilgili etkinliklerin listesi
 ListTaskTimeUserProject=Projelere harcanan sürelerin listesi
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Projede bu haftaki etkinlik
 ActivityOnProjectThisMonth=Projede bu ayki etkinlik
 ActivityOnProjectThisYear=Projede bu yılki etkinlik
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=İlgili olarak bu kullanıcı olan projeler
 TasksWithThisUserAsContact=Bu kullanıcıya atanmış görevler
 ResourceNotAssignedToProject=Projeye atanmamış
 ResourceNotAssignedToTask=Göreve atanmamış
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/tr_TR/trips.lang b/htdocs/langs/tr_TR/trips.lang
index e64dfe678613f7b9238938bfd970d49cf3cc1be3..f6b281892b7fa739285047eb348d692dde8ffe69 100644
--- a/htdocs/langs/tr_TR/trips.lang
+++ b/htdocs/langs/tr_TR/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Yeniden aç
 SendToValid=Onay üzerine gönderilmiş
 ModifyInfoGen=Düzenle
 ValidateAndSubmit=Doğrula ve onay için gönder
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=Bu gider raporunu onaylama yetiniz yok
 NOT_AUTHOR=Bu gider raporunu yazan siz değilsiniz. İşlem iptal edildi.
diff --git a/htdocs/langs/tr_TR/withdrawals.lang b/htdocs/langs/tr_TR/withdrawals.lang
index 29877b2cce6ff5e1a6649567d81ef6013440cb05..11b72fe7b118e288cc529ae445b94bb5608b13e1 100644
--- a/htdocs/langs/tr_TR/withdrawals.lang
+++ b/htdocs/langs/tr_TR/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Para çekme dosyası
 SetToStatusSent="Dosya Gönderildi" durumuna ayarla
 ThisWillAlsoAddPaymentOnInvoice=Bu aynı zamanda faturalara ödeme oluşturur ve onları "ödendi" olarak sınıflandırır
 StatisticsByLineStatus=Durum satırlarına göre istatistkler
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Banka tarafından ödenen %s ödeme talimatı
diff --git a/htdocs/langs/tr_TR/workflow.lang b/htdocs/langs/tr_TR/workflow.lang
index 371a95f2f4ce5a6c4a33aff5105443275e64089c..d76b920a0037006080f5d5c264bd9d8926b305fa 100644
--- a/htdocs/langs/tr_TR/workflow.lang
+++ b/htdocs/langs/tr_TR/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=İş Akışı modülü kurulumu
 WorkflowDesc=Bu modül, uygulamadaki otomatik eylemlerin davranışlarını değiştirilmek için tasarlanmıştır. Varsayılan olarak, iş akışı açıktır (işleri istediğiniz sıraya göre yapabilirsiniz). İlgilendiğiniz otomatik eylemleri etkinleştirebilirsiniz.
-ThereIsNoWorkflowToModify=Etkin modül için değiştirilecek iş akışı yok.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Bir teklif imzalandıktan sonra kendiliğinden müşteri siparişi oluşturulsun
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically Bir teklif imzalandıktan sonra kendiliğinden müşteri faturası oluşturulsun
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically Bir sözleşme doğrulandıktan sonra kendiliğinden müşteri faturası oluşturulsun
diff --git a/htdocs/langs/uk_UA/admin.lang b/htdocs/langs/uk_UA/admin.lang
index 79e32b442ab741e661206b764c7f980c80add249..ce9beb7eb51a265e822b81892100618e2fc7deeb 100644
--- a/htdocs/langs/uk_UA/admin.lang
+++ b/htdocs/langs/uk_UA/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposals
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energy
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Customer Orders
 Module25Desc=Customer order management
 Module30Name=Invoices
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donations
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/uk_UA/agenda.lang b/htdocs/langs/uk_UA/agenda.lang
index 65adcd2c421de83b0d452e4e8e6848ab60b7d64e..4ddeec3746e84e59d57c13655c4ff428a5cde160 100644
--- a/htdocs/langs/uk_UA/agenda.lang
+++ b/htdocs/langs/uk_UA/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/uk_UA/banks.lang b/htdocs/langs/uk_UA/banks.lang
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..d12f45387d6b4649f2face75d8646935a7c16c33 100644
--- a/htdocs/langs/uk_UA/banks.lang
+++ b/htdocs/langs/uk_UA/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/uk_UA/bills.lang b/htdocs/langs/uk_UA/bills.lang
index 7670ebc72b5734492306fb7183395696f19e7bc0..31549e89fb0339ea441479443a709750a7284cfd 100644
--- a/htdocs/langs/uk_UA/bills.lang
+++ b/htdocs/langs/uk_UA/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=К-ть рахунків-фактур
 NumberOfBillsByMonth=К-ть рахунків-фактур по місяцях
 AmountOfBills=Сума рахунків-фактур
 AmountOfBillsByMonthHT=Сума рахунків-фактур за місяць (за вирахуванням податку)
-ShowSocialContribution=Показати соціальний внесок
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Показати рахунок-фактуру
 ShowInvoice=Показати рахунок-фактуру
 ShowInvoiceReplace=Показати замінюючий рахунок-фактуру
@@ -270,7 +270,7 @@ BillAddress=Адреса виставляння
 HelpEscompte=Ця знижка надана Покупцеві за достроковий платіж.
 HelpAbandonBadCustomer=Від цієї суми відмовився Покупець (вважається поганим клієнтом) і вона вважається надзвичайною втратою.
 HelpAbandonOther=Від цієї суми відмовилися через помилку (наприклад, неправильний клієнт або рахунок-фактура був замінений на іншій)
-IdSocialContribution=Код соціальних внесків
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Код платежу
 InvoiceId=Код рахунку-фактури
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/uk_UA/companies.lang b/htdocs/langs/uk_UA/companies.lang
index ad9980cb0552d268ab543108eb80064004ba1ebc..42a9a884c761ad3b3be0f8d92cc5fdde6e580137 100644
--- a/htdocs/langs/uk_UA/companies.lang
+++ b/htdocs/langs/uk_UA/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Third party contact/address
 StatusContactValidated=Status of contact/address
 Company=Company
 CompanyName=Company name
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Companies
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Third party name
diff --git a/htdocs/langs/uk_UA/compta.lang b/htdocs/langs/uk_UA/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/uk_UA/compta.lang
+++ b/htdocs/langs/uk_UA/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/uk_UA/cron.lang b/htdocs/langs/uk_UA/cron.lang
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..bd85715642ec700a51b7365535762b2760ae54e5 100644
--- a/htdocs/langs/uk_UA/cron.lang
+++ b/htdocs/langs/uk_UA/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/uk_UA/ecm.lang b/htdocs/langs/uk_UA/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/uk_UA/ecm.lang
+++ b/htdocs/langs/uk_UA/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/uk_UA/errors.lang b/htdocs/langs/uk_UA/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/uk_UA/errors.lang
+++ b/htdocs/langs/uk_UA/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/uk_UA/holiday.lang b/htdocs/langs/uk_UA/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/uk_UA/holiday.lang
+++ b/htdocs/langs/uk_UA/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/uk_UA/mails.lang b/htdocs/langs/uk_UA/mails.lang
index f60eac679ab784a5b3e46579af93d42b4cb4fd7b..21d782287f2d1755e519c6149ee1ba32eedb5364 100644
--- a/htdocs/langs/uk_UA/mails.lang
+++ b/htdocs/langs/uk_UA/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Підпис відправника
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Оповіщення
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/uk_UA/main.lang b/htdocs/langs/uk_UA/main.lang
index f4eb37bafbd3d33052db1a4898b224a3ea68702e..b1403b29bcafc56ba74d4cb4982e91423b01685f 100644
--- a/htdocs/langs/uk_UA/main.lang
+++ b/htdocs/langs/uk_UA/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/uk_UA/members.lang b/htdocs/langs/uk_UA/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/uk_UA/members.lang
+++ b/htdocs/langs/uk_UA/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/uk_UA/products.lang b/htdocs/langs/uk_UA/products.lang
index f0d56c4904962a8bef1b4844a3fddb86b322d8fb..55b1d016827f1eda96e4f8861becf006341e5974 100644
--- a/htdocs/langs/uk_UA/products.lang
+++ b/htdocs/langs/uk_UA/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/uk_UA/projects.lang b/htdocs/langs/uk_UA/projects.lang
index 4f8c3d6eb2a49e2723ebefc954c2d59700d8b7da..7a2688a44612f8e647ea4feda51e4f47fcb9b3ec 100644
--- a/htdocs/langs/uk_UA/projects.lang
+++ b/htdocs/langs/uk_UA/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/uk_UA/trips.lang b/htdocs/langs/uk_UA/trips.lang
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..a5b2569942e59a3ba91fad3ce0820a24731105cd 100644
--- a/htdocs/langs/uk_UA/trips.lang
+++ b/htdocs/langs/uk_UA/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/uk_UA/withdrawals.lang b/htdocs/langs/uk_UA/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/uk_UA/withdrawals.lang
+++ b/htdocs/langs/uk_UA/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/uk_UA/workflow.lang b/htdocs/langs/uk_UA/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/uk_UA/workflow.lang
+++ b/htdocs/langs/uk_UA/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/uz_UZ/admin.lang b/htdocs/langs/uz_UZ/admin.lang
index 1af79f8b17aa5f447665cb485225fe714394a002..13f7eb7c6ec5abbbd16fbfef6aca5771a693bf8d 100644
--- a/htdocs/langs/uz_UZ/admin.lang
+++ b/htdocs/langs/uz_UZ/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Proposals
 Module20Desc=Commercial proposal management
 Module22Name=Mass E-mailings
 Module22Desc=Mass E-mailing management
-Module23Name= Energy
-Module23Desc= Monitoring the consumption of energies
+Module23Name=Energy
+Module23Desc=Monitoring the consumption of energies
 Module25Name=Customer Orders
 Module25Desc=Customer order management
 Module30Name=Invoices
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar integration
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=Notifications
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=Donations
 Module700Desc=Donation management
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=Create/modify products
 Permission34=Delete products
 Permission36=See/manage hidden products
 Permission38=Export products
-Permission41=Read projects (shared project and projects i'm contact for)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Create/modify projects (shared project and projects i'm contact for)
 Permission44=Delete projects (shared project and projects i'm contact for)
 Permission61=Read interventions
@@ -600,10 +600,10 @@ Permission86=Send customers orders
 Permission87=Close customers orders
 Permission88=Cancel customers orders
 Permission89=Delete customers orders
-Permission91=Read social contributions and vat
-Permission92=Create/modify social contributions and vat
-Permission93=Delete social contributions and vat
-Permission94=Export social contributions
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Read reports
 Permission101=Read sendings
 Permission102=Create/modify sendings
@@ -621,9 +621,9 @@ Permission121=Read third parties linked to user
 Permission122=Create/modify third parties linked to user
 Permission125=Delete third parties linked to user
 Permission126=Export third parties
-Permission141=Read projects (also private i am not contact for)
-Permission142=Create/modify projects (also private i am not contact for)
-Permission144=Delete projects (also private i am not contact for)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Read providers
 Permission147=Read stats
 Permission151=Read standing orders
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Setup saved
 BackToModuleList=Back to modules list
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry <b>%s</b> ?
 DeleteLine=Delete line
 ConfirmDeleteLine=Are you sure you want to delete this line ?
 ##### Tax #####
-TaxSetup=Taxes, social contributions and dividends module setup
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint availa
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Bank module setup
 FreeLegalTextOnChequeReceipts=Free text on cheque receipts
@@ -1596,6 +1599,7 @@ ProjectsSetup=Project module setup
 ProjectsModelModule=Project reports document model
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/uz_UZ/agenda.lang b/htdocs/langs/uz_UZ/agenda.lang
index 55fde86864be72919aece662743c649732414ebc..3e8b2309f8f645e35862d5934010712bf4b07300 100644
--- a/htdocs/langs/uz_UZ/agenda.lang
+++ b/htdocs/langs/uz_UZ/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Order %s approved
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=Order %s go back to draft status
-OrderCanceledInDolibarr=Order %s canceled
 ProposalSentByEMail=Commercial proposal %s sent by EMail
 OrderSentByEMail=Customer order %s sent by EMail
 InvoiceSentByEMail=Customer invoice %s sent by EMail
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/uz_UZ/banks.lang b/htdocs/langs/uz_UZ/banks.lang
index f363ffa56c65bb8148ad9c86f839ce858009f5a8..d12f45387d6b4649f2face75d8646935a7c16c33 100644
--- a/htdocs/langs/uz_UZ/banks.lang
+++ b/htdocs/langs/uz_UZ/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Customer payment
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=Supplier payment
 WithdrawalPayment=Withdrawal payment
-SocialContributionPayment=Social contribution payment
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Financial account journal
 BankTransfer=Bank transfer
 BankTransfers=Bank transfers
diff --git a/htdocs/langs/uz_UZ/bills.lang b/htdocs/langs/uz_UZ/bills.lang
index b5c8d3b6653e731416674d9a9e3085b726a41f8b..3210e0bf51731a2e1e91e0c26d72245194b15b60 100644
--- a/htdocs/langs/uz_UZ/bills.lang
+++ b/htdocs/langs/uz_UZ/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb of invoices
 NumberOfBillsByMonth=Nb of invoices by month
 AmountOfBills=Amount of invoices
 AmountOfBillsByMonthHT=Amount of invoices by month (net of tax)
-ShowSocialContribution=Show social contribution
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Show invoice
 ShowInvoice=Show invoice
 ShowInvoiceReplace=Show replacing invoice
@@ -270,7 +270,7 @@ BillAddress=Bill address
 HelpEscompte=This discount is a discount granted to customer because its payment was made before term.
 HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loose.
 HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by an other for example)
-IdSocialContribution=Social contribution id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=Payment id
 InvoiceId=Invoice id
 InvoiceRef=Invoice ref.
diff --git a/htdocs/langs/uz_UZ/companies.lang b/htdocs/langs/uz_UZ/companies.lang
index ad9980cb0552d268ab543108eb80064004ba1ebc..42a9a884c761ad3b3be0f8d92cc5fdde6e580137 100644
--- a/htdocs/langs/uz_UZ/companies.lang
+++ b/htdocs/langs/uz_UZ/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Third party contact/address
 StatusContactValidated=Status of contact/address
 Company=Company
 CompanyName=Company name
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Companies
 CountryIsInEEC=Country is inside European Economic Community
 ThirdPartyName=Third party name
diff --git a/htdocs/langs/uz_UZ/compta.lang b/htdocs/langs/uz_UZ/compta.lang
index 0d579a06ff19e162a0b1889a7858019b89ca1021..2c7871101c9078c6c76a381b596237d629b67ed4 100644
--- a/htdocs/langs/uz_UZ/compta.lang
+++ b/htdocs/langs/uz_UZ/compta.lang
@@ -56,23 +56,23 @@ VATCollected=VAT collected
 ToPay=To pay
 ToGet=To get back
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=Tax, social contributions and dividends area
-SocialContribution=Social contribution
-SocialContributions=Social contributions
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=Taxes and dividends
 MenuSalaries=Salaries
-MenuSocialContributions=Social contributions
-MenuNewSocialContribution=New contribution
-NewSocialContribution=New social contribution
-ContributionsToPay=Contributions to pay
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Accountancy/Treasury area
 AccountancySetup=Accountancy setup
 NewPayment=New payment
 Payments=Payments
 PaymentCustomerInvoice=Customer invoice payment
 PaymentSupplierInvoice=Supplier invoice payment
-PaymentSocialContribution=Social contribution payment
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=VAT payment
 PaymentSalary=Salary payment
 ListPayment=List of payments
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=VAT Payment
 VATPayments=VAT Payments
-SocialContributionsPayments=Social contributions payments
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Show VAT payment
 TotalToPay=Total to pay
 TotalVATReceived=Total VAT received
@@ -116,11 +116,11 @@ NewCheckDepositOn=Create receipt for deposit on account: %s
 NoWaitingChecks=No checks waiting for deposit.
 DateChequeReceived=Check reception date
 NbOfCheques=Nb of checks
-PaySocialContribution=Pay a social contribution
-ConfirmPaySocialContribution=Are you sure you want to classify this social contribution as paid?
-DeleteSocialContribution=Delete a social contribution
-ConfirmDeleteSocialContribution=Are you sure you want to delete this social contribution?
-ExportDataset_tax_1=Social contributions and payments
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/uz_UZ/cron.lang b/htdocs/langs/uz_UZ/cron.lang
index f4a33f42b6b1306bc4c8457f31c63d24fa982165..bd85715642ec700a51b7365535762b2760ae54e5 100644
--- a/htdocs/langs/uz_UZ/cron.lang
+++ b/htdocs/langs/uz_UZ/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/uz_UZ/ecm.lang b/htdocs/langs/uz_UZ/ecm.lang
index 4a1931a3217cab7284eb33b34b53b6857558ff31..a9b0bdf97e5a167ef4419eecb3dd6557042f84a2 100644
--- a/htdocs/langs/uz_UZ/ecm.lang
+++ b/htdocs/langs/uz_UZ/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Search by object
 ECMSectionOfDocuments=Directories of documents
 ECMTypeManual=Manual
 ECMTypeAuto=Automatic
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Documents linked to third parties
 ECMDocsByProposals=Documents linked to proposals
 ECMDocsByOrders=Documents linked to customers orders
diff --git a/htdocs/langs/uz_UZ/errors.lang b/htdocs/langs/uz_UZ/errors.lang
index b0710902b3df0756353ba9ae462729ebf43998be..89b073e46229793866eda64b1920091a014c84ef 100644
--- a/htdocs/langs/uz_UZ/errors.lang
+++ b/htdocs/langs/uz_UZ/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/uz_UZ/holiday.lang b/htdocs/langs/uz_UZ/holiday.lang
index f5b87fefb0878c40cc75768a1d1c4bcf4cb80c72..e863e40710f6eef2770bf5d971ef8bf761f7e162 100644
--- a/htdocs/langs/uz_UZ/holiday.lang
+++ b/htdocs/langs/uz_UZ/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=Reason
 UserCP=User
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=Value
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/uz_UZ/mails.lang b/htdocs/langs/uz_UZ/mails.lang
index 001b237ca8c71c5d3e7f887ac925918c2945842e..3bebb0c2affc38b9bbebbfcea18d063764227e1e 100644
--- a/htdocs/langs/uz_UZ/mails.lang
+++ b/htdocs/langs/uz_UZ/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Notifications
 NoNotificationsWillBeSent=No email notifications are planned for this event and company
diff --git a/htdocs/langs/uz_UZ/main.lang b/htdocs/langs/uz_UZ/main.lang
index d26e6842b19553efcd53d5cfb76f695935ba8e30..a74212167ffc12787eccb5f211d8b21a9e52fa41 100644
--- a/htdocs/langs/uz_UZ/main.lang
+++ b/htdocs/langs/uz_UZ/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback change
 ErrorConfigParameterNotDefined=Parameter <b>%s</b> is not defined inside Dolibarr config file <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Failed to find user <b>%s</b> in Dolibarr database.
 ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'.
-ErrorNoSocialContributionForSellerCountry=Error, no social contribution type defined for country '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Error, failed to save file.
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=Unit price
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Amount
 AmountInvoice=Invoice amount
 AmountPayment=Payment amount
@@ -339,6 +339,7 @@ IncludedVAT=Included tax
 HT=Net of tax
 TTC=Inc. tax
 VAT=Sales tax
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Tax Rate
diff --git a/htdocs/langs/uz_UZ/members.lang b/htdocs/langs/uz_UZ/members.lang
index 40bca8e85fb1d9fedc0dc36f841f55fd8ddb7120..107397a5c4956609429882af5d2132f530011aba 100644
--- a/htdocs/langs/uz_UZ/members.lang
+++ b/htdocs/langs/uz_UZ/members.lang
@@ -199,7 +199,8 @@ Entreprises=Companies
 DOLIBARRFOUNDATION_PAYMENT_FORM=To make your subscription payment using a bank transfer, see page <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a>.<br>To pay using a Credit Card or Paypal, click on button at bottom of this page.<br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/uz_UZ/products.lang b/htdocs/langs/uz_UZ/products.lang
index f0d56c4904962a8bef1b4844a3fddb86b322d8fb..55b1d016827f1eda96e4f8861becf006341e5974 100644
--- a/htdocs/langs/uz_UZ/products.lang
+++ b/htdocs/langs/uz_UZ/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/uz_UZ/projects.lang b/htdocs/langs/uz_UZ/projects.lang
index 4f8c3d6eb2a49e2723ebefc954c2d59700d8b7da..7a2688a44612f8e647ea4feda51e4f47fcb9b3ec 100644
--- a/htdocs/langs/uz_UZ/projects.lang
+++ b/htdocs/langs/uz_UZ/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=This view is limited to projects or tasks you are a contact for (wha
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=This view presents all projects and tasks you are allowed to read.
 TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything).
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Projects area
 NewProject=New project
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=List of events associated with the project
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Activity on project this week
 ActivityOnProjectThisMonth=Activity on project this month
 ActivityOnProjectThisYear=Activity on project this year
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/uz_UZ/trips.lang b/htdocs/langs/uz_UZ/trips.lang
index b7b726bcebed4bb10a912a17e05c4cbbcf3d06fb..a5b2569942e59a3ba91fad3ce0820a24731105cd 100644
--- a/htdocs/langs/uz_UZ/trips.lang
+++ b/htdocs/langs/uz_UZ/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/uz_UZ/withdrawals.lang b/htdocs/langs/uz_UZ/withdrawals.lang
index c36ffbf025ac3c728f2f1cedc2aba527497fb4ad..bce1448d4519a9c414a2d77206444e8cbc600579 100644
--- a/htdocs/langs/uz_UZ/withdrawals.lang
+++ b/htdocs/langs/uz_UZ/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Payment of standing order %s by the bank
diff --git a/htdocs/langs/uz_UZ/workflow.lang b/htdocs/langs/uz_UZ/workflow.lang
index fe8791515c266a026b49660c6f063deb673f880e..d90751a2a6b6e9ac920c5c997bc30d84803d2391 100644
--- a/htdocs/langs/uz_UZ/workflow.lang
+++ b/htdocs/langs/uz_UZ/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Workflow module setup
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/vi_VN/admin.lang b/htdocs/langs/vi_VN/admin.lang
index fea02b19e70e8e2f7b4dffc35c6568292d28ec01..ff40075d15855a3ab828db890b0d8b8a286e0896 100644
--- a/htdocs/langs/vi_VN/admin.lang
+++ b/htdocs/langs/vi_VN/admin.lang
@@ -429,8 +429,8 @@ Module20Name=Đơn hàng đề xuất
 Module20Desc=Quản lý đơn hàng đề xuất
 Module22Name=Gửi Email hàng loạt
 Module22Desc=Quản lý gửi Email hàng loạt
-Module23Name= Năng lượng
-Module23Desc= Giám sát việc tiêu thụ năng lượng
+Module23Name=Năng lượng
+Module23Desc=Giám sát việc tiêu thụ năng lượng
 Module25Name=Đơn hàng khách hàng
 Module25Desc=Quản lý đơn hàng khách hàng
 Module30Name=Hoá đơn
@@ -492,7 +492,7 @@ Module400Desc=Quản lý dự án, cơ hội hoặc đầu mối. Bạn có th
 Module410Name=Lịch trên web
 Module410Desc=Tích hợp lịch trên web
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Lương
 Module510Desc=Quản lý lương nhân viên và thanh toán
 Module520Name=Cho vay
@@ -501,7 +501,7 @@ Module600Name=Thông báo
 Module600Desc=Gửi thông báo EMail trên một số sự kiện kinh doanh Dolibarr để liên hệ của bên thứ ba (thiết lập được xác định trên mỗi thirdparty)
 Module700Name=Tài trợ
 Module700Desc=Quản lý tài trợ
-Module770Name=Báo cáo chi phí
+Module770Name=Expense reports
 Module770Desc=Báo cáo quản lý và claim chi phí (di chuyển, ăn uống, ...)
 Module1120Name=Đơn hàng đề xuất nhà cung cấp
 Module1120Desc=Yêu cầu giá và đơn hàng đề xuất nhà cung cấp
@@ -579,7 +579,7 @@ Permission32=Tạo/chỉnh sửa sản phẩm
 Permission34=Xóa sản phẩm
 Permission36=Xem/quản lý sản phẩm ẩn
 Permission38=Xuất dữ liệu sản phẩm
-Permission41=Xem dự án (dự án được chia sẻ và các dự án tôi nằm trong liên lạc)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=Tạo/chỉnh sửa dự án (dự án chung và các dự án tôi liên lạc)
 Permission44=Xóa dự án (dự án chia sẻ và các dự án tôi liên lạc)
 Permission61=Xem intervention
@@ -600,10 +600,10 @@ Permission86=Gửi đơn hàng khách hàng
 Permission87=Đóng đơn hàng khách hàng
 Permission88=Hủy bỏ đơn hàng khách hàng
 Permission89=Xóa đơn hàng khách hàng
-Permission91=Xem đóng góp xã hội và VAT
-Permission92=Tạo/chỉnh sửa đóng góp xã hội và VAT
-Permission93=Xóa đóng góp xã hội và VAT
-Permission94=Xuất dữ liệu đóng góp xã hội
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=Xem báo cáo
 Permission101=Xem sendings
 Permission102=Tạo/chỉnh sửa sendings
@@ -621,9 +621,9 @@ Permission121=Xem bên thứ ba liên quan đến người dùng
 Permission122=Tạo/chỉnh sửa bên thứ ba liên quan đến người dùng
 Permission125=Xóa bên thứ ba liên quan đến người dùng
 Permission126=Xuất dữ liệu bên thứ ba
-Permission141=Xem dự án (cá nhân mà tôi không liên lạc với)
-Permission142=Tạo/chỉnh sửa dự án (cá nhân mà tôi không liên lạc với)
-Permission144=Xóa dự án (cá nhân mà tôi không liên lạc với)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=Xem nhà cung cấp
 Permission147=Xem thống kê
 Permission151=Xem ủy nhiệm chi
@@ -801,7 +801,7 @@ DictionaryCountry=Quốc gia
 DictionaryCurrency=Tiền tệ
 DictionaryCivility=Civility title
 DictionaryActions=Loại sự kiện chương trình nghị sự
-DictionarySocialContributions=Loại đóng góp xã hội
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=Tỉ suất VAT hoặc Tỉ xuất thuế bán hàng
 DictionaryRevenueStamp=Số tiền phiếu doanh thu
 DictionaryPaymentConditions=Điều khoản thanh toán
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Kiểu biểu đồ tài khoản
 DictionaryEMailTemplates=Mẫu email
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=Cài đặt đã lưu
 BackToModuleList=Trở lại danh sách module
 BackToDictionaryList=Trở lại danh sách từ điển
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=Bạn có chắc muốn xóa menu vào <b>%s</b> ?
 DeleteLine=Xóa dòng
 ConfirmDeleteLine=Bạn Bạn có chắc muốn xóa dòng này?
 ##### Tax #####
-TaxSetup=Cài đặt module Thuế, Đóng góp xã hội và Cổ tức
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=VAT due
 OptionVATDefault=Dựa trên tiền mặt
 OptionVATDebitOption=Dựa trên cộng dồn
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP khách hàng phải gửi yêu cầu tới các thiết bị đ
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=Cài đặt module Ngân hàng
 FreeLegalTextOnChequeReceipts=Free text trên biên nhận Séc
@@ -1596,6 +1599,7 @@ ProjectsSetup=Cài đặt module dự án
 ProjectsModelModule=Kiểu chứng từ báo cáo dự án
 TasksNumberingModules=Module đánh số tác vụ
 TaskModelModule=Kiểu chứng từ báo cáo tác vụ
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = Cài đặt GED
 ECMAutoTree = Cây thư mục tự động và tài liệu
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/vi_VN/agenda.lang b/htdocs/langs/vi_VN/agenda.lang
index 54b83d5ce8d15cca293b482ff1384a9b2770596c..dcf5c9efebf5e2554a36b1c005fc29aed397d47c 100644
--- a/htdocs/langs/vi_VN/agenda.lang
+++ b/htdocs/langs/vi_VN/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=Thứ tự %s đã được phê duyệt
 OrderRefusedInDolibarr=Thứ tự %s từ chối
 OrderBackToDraftInDolibarr=Thứ tự %s trở lại trạng thái soạn thảo
-OrderCanceledInDolibarr=Thứ tự %s hủy bỏ
 ProposalSentByEMail=Đề nghị thương mại%s gửi bằng thư điện tử
 OrderSentByEMail=Đơn đặt hàng %s gửi Thư điện tử
 InvoiceSentByEMail=Hóa đơn của khách hàng %s gửi Thư điện tử
@@ -96,3 +95,5 @@ AddEvent=Tạo sự kiện
 MyAvailability=Sẵn có của tôi
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/vi_VN/banks.lang b/htdocs/langs/vi_VN/banks.lang
index 7ab8d387764766e22c97421cb53dc88a3bcb297a..cdc759272f4f4f10d228b001f2351e99fa160f2c 100644
--- a/htdocs/langs/vi_VN/banks.lang
+++ b/htdocs/langs/vi_VN/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=Thanh toán của khách hàng
 CustomerInvoicePaymentBack=Lại thanh toán của khách hàng
 SupplierInvoicePayment=Thanh toán nhà cung cấp
 WithdrawalPayment=Thanh toán rút
-SocialContributionPayment=Thanh toán đóng góp xã hội
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=Tạp chí tài khoản tài chính
 BankTransfer=Chuyển khoản ngân hàng
 BankTransfers=Chuyển khoản ngân hàng
diff --git a/htdocs/langs/vi_VN/bills.lang b/htdocs/langs/vi_VN/bills.lang
index 0baec68235d3921741b7c18b3838849353a65ee5..89de58ae93af0be7ef9b2a58415f33bfa183625f 100644
--- a/htdocs/langs/vi_VN/bills.lang
+++ b/htdocs/langs/vi_VN/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=Nb của hoá đơn
 NumberOfBillsByMonth=Nb của hoá đơn theo tháng
 AmountOfBills=Số tiền của hóa đơn
 AmountOfBillsByMonthHT=Số tiền của hóa đơn theo tháng (có thuế)
-ShowSocialContribution=Hiển thị đóng góp xã hội
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=Hiện thị hóa đơn
 ShowInvoice=Hiển thị hóa đơn
 ShowInvoiceReplace=Hiển thị hóa đơn thay thế
@@ -270,7 +270,7 @@ BillAddress=Địa chỉ ra hóa đơn
 HelpEscompte=Giảm giá này được cấp cho các khách hàng bởi vì thanh toán của nó đã được thực hiện trước thời hạn.
 HelpAbandonBadCustomer=Số tiền này đã bị loại bỏ (khách hàng được cho là một khách hàng xấu) và được coi là một ngoại lệ .
 HelpAbandonOther=Số tiền này đã bị loại bỏ vì đó là một lỗi (ví dụ khách hàng sai hoặc hóa đơn được thay thế bằng hóa đơn khác)
-IdSocialContribution=ID đóng góp xã hội
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=ID thanh toán
 InvoiceId=ID hóa đơn
 InvoiceRef=Hóa đơn tham chiếu
diff --git a/htdocs/langs/vi_VN/companies.lang b/htdocs/langs/vi_VN/companies.lang
index f41416344ccd3e3355e9c59f197be28f1d155781..88f4c0438fb41ef1acb3f93b4b81cb66827a4afb 100644
--- a/htdocs/langs/vi_VN/companies.lang
+++ b/htdocs/langs/vi_VN/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=Liên lạc/địa chỉ bên thứ ba
 StatusContactValidated=Trạng thái liên lạc/địa chỉ
 Company=Công ty
 CompanyName=Tên công ty
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=Các công ty
 CountryIsInEEC=Quốc gia thuộc Cộng đồng Kinh tế châu Âu
 ThirdPartyName=Tên của bên thứ ba
diff --git a/htdocs/langs/vi_VN/compta.lang b/htdocs/langs/vi_VN/compta.lang
index 14237f389b53a5be265e1e41a497423bf89f7cd7..eba4dc1726c020d863eb59e740e42976a4a081e8 100644
--- a/htdocs/langs/vi_VN/compta.lang
+++ b/htdocs/langs/vi_VN/compta.lang
@@ -56,23 +56,23 @@ VATCollected=Thu thuế GTGT
 ToPay=Để trả
 ToGet=Để quay trở lại
 SpecialExpensesArea=Khu vực dành cho tất cả các khoản thanh toán đặc biệt
-TaxAndDividendsArea=Thuế, xã hội đóng góp và cổ tức khu vực
-SocialContribution=Đóng góp xã hội
-SocialContributions=Đóng góp xã hội
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Chi phí đặc biệt
 MenuTaxAndDividends=Thuế và cổ tức
 MenuSalaries=Tiền lương
-MenuSocialContributions=Đóng góp xã hội
-MenuNewSocialContribution=Đóng góp mới
-NewSocialContribution=Đóng góp xã hội mới
-ContributionsToPay=Đóng góp để trả tiền
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=Kế toán / Tài chính khu vực
 AccountancySetup=Thiết lập Kế toán
 NewPayment=Thanh toán mới
 Payments=Thanh toán
 PaymentCustomerInvoice=Thanh toán hóa đơn của khách hàng
 PaymentSupplierInvoice=Thanh toán hóa đơn nhà cung cấp
-PaymentSocialContribution=Thanh toán đóng góp xã hội
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=Nộp thuế GTGT
 PaymentSalary=Thanh toán tiền lương
 ListPayment=Danh sách thanh toán
@@ -91,7 +91,7 @@ LT1PaymentES=RE Thanh toán
 LT1PaymentsES=RE Thanh toán
 VATPayment=Thanh toán thuế GTGT
 VATPayments=Thanh toán thuế GTGT
-SocialContributionsPayments=Đóng góp xã hội thanh toán
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=Hiện nộp thuế GTGT
 TotalToPay=Tổng số trả
 TotalVATReceived=Tổng số thuế GTGT được
@@ -116,11 +116,11 @@ NewCheckDepositOn=Tạo nhận đối với tiền gửi trên tài khoản: %s
 NoWaitingChecks=Không có kiểm tra chờ đợi tiền gửi.
 DateChequeReceived=Kiểm tra ngày tiếp nhận
 NbOfCheques=Nb kiểm tra
-PaySocialContribution=Trả khoản đóng góp xã hội
-ConfirmPaySocialContribution=Bạn có chắc chắn bạn muốn phân loại đóng góp xã hội này như thanh toán?
-DeleteSocialContribution=Xóa một đóng góp xã hội
-ConfirmDeleteSocialContribution=Bạn Bạn có chắc chắn muốn xóa đóng góp xã hội này?
-ExportDataset_tax_1=Đóng góp xã hội và thanh toán
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Chế độ <b>%sVAT về kế toán cam kết%s</b>.
 CalcModeVATEngagement=Chế độ <b>%sVAT đối với thu nhập-chi phí%s.</b>
 CalcModeDebt=Chế độ <b>%sClaims-Các khoản nợ%s</b> cho biết <b>kế toán cam kết.</b>
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=theo nhà cung cấp, lựa chọn phương pháp th
 TurnoverPerProductInCommitmentAccountingNotRelevant=Báo cáo doanh thu mỗi sản phẩm, khi sử dụng chế độ <b>kế toán tiền mặt</b> là không có liên quan. Báo cáo này chỉ có sẵn khi sử dụng chế độ <b>kế toán tham gia</b> (xem thiết lập của module kế toán).
 CalculationMode=Chế độ tính toán
 AccountancyJournal=Đang kế toán tạp chí
-ACCOUNTING_VAT_ACCOUNT=Kế toán mã mặc định cho thu thuế GTGT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Kế toán mã mặc định để nộp thuế GTGT
 ACCOUNTING_ACCOUNT_CUSTOMER=Kế toán mã bằng cách mặc định cho khách hàng thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Kế toán mã bằng cách mặc định cho nhà cung cấp thirdparties
-CloneTax=Sao chép một đóng góp xã hội
-ConfirmCloneTax=Xác nhận bản sao của một đóng góp xã hội
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Sao chép nó vào tháng tới
diff --git a/htdocs/langs/vi_VN/cron.lang b/htdocs/langs/vi_VN/cron.lang
index 4973aa32449d72731c700c454046931c2d5942dc..6a8e32eddeeabaf8f0ec9eb8edfb3290246c23f8 100644
--- a/htdocs/langs/vi_VN/cron.lang
+++ b/htdocs/langs/vi_VN/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=Phương pháp đối tượng để khởi động. <BR> Đối
 CronArgsHelp=Các đối số phương pháp. <BR> Đối với exemple phương pháp của Dolibarr đối tượng sản phẩm /htdocs/product/class/product.class.php lấy, giá trị của paramters có thể là <i>0, ProductRef</i>
 CronCommandHelp=Các dòng lệnh hệ thống để thực thi.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Thông tin
 # Common
diff --git a/htdocs/langs/vi_VN/ecm.lang b/htdocs/langs/vi_VN/ecm.lang
index dbd28988cc3455461820d2e37881037310d518f9..ae531475af844d129d55d1765c7942ed58e5ed3d 100644
--- a/htdocs/langs/vi_VN/ecm.lang
+++ b/htdocs/langs/vi_VN/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=Tìm kiếm theo đối tượng
 ECMSectionOfDocuments=Thư mục tài liệu
 ECMTypeManual=Hướng dẫn sử dụng
 ECMTypeAuto=Tự động
-ECMDocsBySocialContributions=Các tài liệu liên quan đến các khoản đóng góp xã hội
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=Các tài liệu liên quan đến các bên thứ ba
 ECMDocsByProposals=Các tài liệu liên quan đến đề xuất
 ECMDocsByOrders=Các tài liệu liên quan đến khách hàng các đơn đặt hàng
diff --git a/htdocs/langs/vi_VN/errors.lang b/htdocs/langs/vi_VN/errors.lang
index 243e9690e7a650c3a86bb824e43661551f05a0a3..e483306c43ab3b476360195f083b168ef4d2f6e3 100644
--- a/htdocs/langs/vi_VN/errors.lang
+++ b/htdocs/langs/vi_VN/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Hoạt động không thích hợp cho dữ liệu này
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Tính năng bị vô hiệu hóa khi thiết lập hiển thị được tối ưu hóa cho người mù hoặc văn bản trình duyệt.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/vi_VN/holiday.lang b/htdocs/langs/vi_VN/holiday.lang
index 78b2efdd9b69e82defde76cbfd1bc5cac381aa78..6189ebf436c064b9f0d1cbc191bf1023e1fea0b0 100644
--- a/htdocs/langs/vi_VN/holiday.lang
+++ b/htdocs/langs/vi_VN/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Nghỉ phép
 CPTitreMenu=Nghỉ phép
 MenuReportMonth=Báo cáo hàng tháng
-MenuAddCP=Thực hiện một yêu cầu nghỉ phép
+MenuAddCP=New leave request
 NotActiveModCP=Bạn phải kích hoạt Leaves mô đun để xem trang này.
 NotConfigModCP=Bạn phải cấu hình các module Nghỉ phép để xem trang này. Để làm điều này, <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">nhấn vào đây</a> </ a> <a href="./admin/holiday.php?leftmenu=setup&mainmenu=home" style="font-weight: normal; color: red; text-decoration: underline;">.</a>
 NoCPforUser=Bạn không có bất kỳ ngày nào có sẵn.
@@ -71,7 +71,7 @@ MotifCP=Lý do
 UserCP=Người sử dụng
 ErrorAddEventToUserCP=Đã xảy ra lỗi khi thêm ngày nghỉ đặc biệt.
 AddEventToUserOkCP=Việc bổ sung nghỉ đặc biệt đã được hoàn thành.
-MenuLogCP=Xem nhật các yêu cầu nghỉ
+MenuLogCP=View change logs
 LogCP=Đăng cập nhật ngày nghỉ có sẵn
 ActionByCP=Thực hiện bởi
 UserUpdateCP=Đối với người sử dụng
@@ -93,6 +93,7 @@ ValueOptionCP=Giá trị
 GroupToValidateCP=Nhóm có khả năng chấp nhận các yêu cầu nghỉ phép
 ConfirmConfigCP=Xác nhận cấu hình
 LastUpdateCP=Cuối cùng tự động cập nhật giao nghỉ phép
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Cập nhật thành công.
 ErrorUpdateConfCP=Đã xảy ra lỗi trong quá trình cập nhật, vui lòng thử lại.
 AddCPforUsers=Xin vui lòng thêm số dư của nghỉ phép phân bổ của người sử dụng bằng <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">cách nhấn vào đây</a> .
@@ -127,6 +128,7 @@ ErrorMailNotSend=Đã xảy ra lỗi trong khi gửi email:
 NoCPforMonth=Không để trong tháng này.
 nbJours=Số ngày
 TitleAdminCP=Cấu hình của Nghỉ phép
+NoticePeriod=Notice period
 #Messages
 Hello=Xin chào
 HolidaysToValidate=Xác nhận yêu cầu nghỉ phép
@@ -139,10 +141,11 @@ HolidaysRefused=Yêu cầu bị từ chối
 HolidaysRefusedBody=Yêu cầu nghỉ phép của bạn cho% s đến% s đã bị từ chối vì lý do sau:
 HolidaysCanceled=Yêu cầu hủy bỏ nghỉ phép
 HolidaysCanceledBody=Yêu cầu nghỉ phép của bạn cho% s đến% s đã được hủy bỏ.
-Permission20000=Đọc bạn sở hữu yêu cầu nghỉ
-Permission20001=Tạo / chỉnh sửa các yêu cầu nghỉ phép của bạn
-Permission20002=Tạo / chỉnh sửa các yêu cầu nghỉ phép cho tất cả mọi người
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Xóa yêu cầu nghỉ phép
-Permission20004=Người sử dụng thiết lập ngày nghỉ có sẵn
-Permission20005=Log xét các yêu cầu nghỉ phép biến đổi
-Permission20006=Đọc lại báo cáo hàng tháng
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/vi_VN/loan.lang b/htdocs/langs/vi_VN/loan.lang
index cc7f19037aa878bec1fd11f490d81e736fa18715..a87747aae82ec667e257fdaa3522b26764ef8ec1 100644
--- a/htdocs/langs/vi_VN/loan.lang
+++ b/htdocs/langs/vi_VN/loan.lang
@@ -1,14 +1,14 @@
 # Dolibarr language file - Source file is en_US - loan
-Loan=Loan
-Loans=Loans
-NewLoan=New Loan
-ShowLoan=Show Loan
-PaymentLoan=Loan payment
-ShowLoanPayment=Show Loan Payment
-Capital=Capital
-Insurance=Insurance
-Interest=Interest
-Nbterms=Number of terms
+Loan=Cho vay
+Loans=Cho vay
+NewLoan=Cho vay mới
+ShowLoan=Hiện khoản cho vay
+PaymentLoan=Phương thức trả nợ
+ShowLoanPayment=Hiện thị phương thức trả nợ
+Capital=Vốn
+Insurance=Bảo hiểm
+Interest=Lãi suất
+Nbterms=Số năm vay vốn
 LoanAccountancyCapitalCode=Accountancy code capital
 LoanAccountancyInsuranceCode=Accountancy code insurance
 LoanAccountancyInterestCode=Accountancy code interest
@@ -38,10 +38,10 @@ MonthlyInterestRateDesc=The <b>monthly interest rate</b> = The annual interest r
 MonthTermDesc=The <b>month term</b> of the loan in months = The number of years you've taken the loan out for times 12
 MonthlyPaymentDesc=The montly payment is figured out using the following formula
 AmortizationPaymentDesc=The <a href="#amortization">amortization</a> breaks down how much of your monthly payment goes towards the bank's interest, and how much goes into paying off the principal of your loan.
-AmountFinanced=Amount Financed
+AmountFinanced=Tổng số tài chính
 AmortizationMonthlyPaymentOverYears=Amortization For Monthly Payment: <b>%s</b> over %s years
-Totalsforyear=Totals for year
-MonthlyPayment=Monthly Payment
+Totalsforyear=Tổng số theo năm
+MonthlyPayment=Thanh toán hàng tháng
 LoanCalcDesc=This <b>mortgage calculator</b> can be used to figure out monthly payments of a home mortgage loan, based on the home's sale price, the term of the loan desired, buyer's down payment percentage, and the loan's interest rate.<br> This calculator factors in PMI (Private Mortgage Insurance) for loans where less than 20% is put as a down payment. Also taken into consideration are the town property taxes, and their effect on the total monthly mortgage payment.<br>
 GoToInterest=%s will go towards INTEREST
 GoToPrincipal=%s will go towards PRINCIPAL
diff --git a/htdocs/langs/vi_VN/mails.lang b/htdocs/langs/vi_VN/mails.lang
index 79141a206d5ac8614e819db705db59e108fa20a2..0b45d7bd10632d33faae06f853990596580b9f8d 100644
--- a/htdocs/langs/vi_VN/mails.lang
+++ b/htdocs/langs/vi_VN/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Ca khúc mở đầu email
 TagUnsubscribe=Liên kết Hủy đăng ký
 TagSignature=Chữ ký gửi người sử dụng
 TagMailtoEmail=Người nhận thư điện tử
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=Thông báo
 NoNotificationsWillBeSent=Không có thông báo email được lên kế hoạch cho sự kiện này và công ty
diff --git a/htdocs/langs/vi_VN/main.lang b/htdocs/langs/vi_VN/main.lang
index 39dc502da7a658932fd56644aac8790397578c5b..a2201b6883503254649afc849cbdfb22bfcd0388 100644
--- a/htdocs/langs/vi_VN/main.lang
+++ b/htdocs/langs/vi_VN/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=Một vài lỗi đã được tìm thấy
 ErrorConfigParameterNotDefined=Thông số <b>%s</b> không được định nghĩa bên trong tập tin cấu hình Dolibarr <b>conf.php</b>.
 ErrorCantLoadUserFromDolibarrDatabase=Không tìm thấy người dùng <b>%s</b> trong cơ sở dữ liệu Dolibarr.
 ErrorNoVATRateDefinedForSellerCountry=Lỗi, không xác định tỉ lệ VAT cho quốc gia '%s'.
-ErrorNoSocialContributionForSellerCountry=Lỗi, không xác định loại đóng góp xã hội cho quốc gia '%s'.
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=Lỗi, lưu tập tin thất bại
 SetDate=Thiết lập ngày
 SelectDate=Chọn một ngày
@@ -302,7 +302,7 @@ UnitPriceTTC=Đơn giá
 PriceU=U.P.
 PriceUHT=U.P. (net)
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=U.P.
+PriceUTTC=U.P. (inc. tax)
 Amount=Số tiền
 AmountInvoice=Số tiền hóa đơn
 AmountPayment=Số tiền thanh toán
@@ -339,6 +339,7 @@ IncludedVAT=Đã gồm thuế
 HT=Chưa thuế
 TTC=Gồm thuế
 VAT=Thuế bán hàng
+VATs=Sales taxes
 LT1ES=RE
 LT2ES=IRPF
 VATRate=Thuế suất
diff --git a/htdocs/langs/vi_VN/members.lang b/htdocs/langs/vi_VN/members.lang
index eb2687751c638e87462faf81f3f7f056e806b931..b89889b9b5915727233c1c54df044a8e515caffb 100644
--- a/htdocs/langs/vi_VN/members.lang
+++ b/htdocs/langs/vi_VN/members.lang
@@ -199,7 +199,8 @@ Entreprises=Các công ty
 DOLIBARRFOUNDATION_PAYMENT_FORM=Để thực hiện thanh toán đăng ký của bạn bằng cách sử dụng chuyển khoản ngân hàng, xem trang <a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> . <br> Để thanh toán bằng cách sử dụng thẻ tín dụng hoặc Paypal, bấm vào nút ở dưới cùng của trang này. <br>
 ByProperties=Bởi đặc điểm
 MembersStatisticsByProperties=Thành viên thống kê theo các đặc điểm
-MembersByNature=Thành viên của tự nhiên
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=Thuế suất thuế GTGT để sử dụng cho mô tả
 NoVatOnSubscription=Không TVA cho mô tả
 MEMBER_PAYONLINE_SENDEMAIL=Gửi email cảnh báo khi Dolibarr nhận được xác nhận của một xác nhận thanh toán cho mô tả
diff --git a/htdocs/langs/vi_VN/products.lang b/htdocs/langs/vi_VN/products.lang
index ce091872df6ac579361a0bb0d659a4f1b8dd8d61..da779d78e925b6663a34aa71c283f2a7e2f20248 100644
--- a/htdocs/langs/vi_VN/products.lang
+++ b/htdocs/langs/vi_VN/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Đã cập nhật cuối
 CorrectlyUpdated=Đã cập nhật chính xác
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/vi_VN/projects.lang b/htdocs/langs/vi_VN/projects.lang
index b258b6cbbfb456b194127e506c0e5ec5e5a0a396..2cf67a0986d8f0d0feface6f0ed628f2f78775a3 100644
--- a/htdocs/langs/vi_VN/projects.lang
+++ b/htdocs/langs/vi_VN/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=Phần xem này bị giới hạn với các dự án hoặc tác v
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=Phần xem này hiển thị tất cả dự án và tác vụ mà bạn được phép đọc.
 TasksDesc=Phần xem này hiển thị tất cả các dự án và tác vụ (quyền người dùng của bạn hiện đang cho phép bạn xem tất cả thông tin).
-AllTaskVisibleButEditIfYouAreAssigned=Tất cả tác vụ cho dự án như vậy được hiển thị, nhưng bạn chỉ có thể nhập vào thời gian cho tác vụ mà bạn được giao.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=Khu vực dự án
 NewProject=Dự án mới
 AddProject=Tạo dự án
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=Danh sách các báo cáo chi phí liên qua
 ListDonationsAssociatedProject=Danh sách hiến tặng liên quan đến dự án
 ListActionsAssociatedProject=Danh sách các hoạt động được gắn với dự án
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=Hoạt động của dự án trong tuần này
 ActivityOnProjectThisMonth=Hoạt động của dự án trong tháng này
 ActivityOnProjectThisYear=Hoạt động của dự án trong năm này
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/vi_VN/trips.lang b/htdocs/langs/vi_VN/trips.lang
index 572c0f3679b69d638ddbc1db5a3bb4f150545ffe..8834a06e074977ddc1dc610bf20737f5c29d3e5a 100644
--- a/htdocs/langs/vi_VN/trips.lang
+++ b/htdocs/langs/vi_VN/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/vi_VN/withdrawals.lang b/htdocs/langs/vi_VN/withdrawals.lang
index 78957073466d2bcac6f0a40e37abbe6c8565d65f..68a6c190be338dd7e2bd36e280ee2d4def5c04d8 100644
--- a/htdocs/langs/vi_VN/withdrawals.lang
+++ b/htdocs/langs/vi_VN/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Thu hồi tập tin
 SetToStatusSent=Thiết lập để tình trạng "File gửi"
 ThisWillAlsoAddPaymentOnInvoice=Điều này cũng sẽ áp dụng chi trả cho các hóa đơn và sẽ phân loại là "Đã thanh toán"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=Thanh toán đứng thứ tự% s của ngân hàng
diff --git a/htdocs/langs/vi_VN/workflow.lang b/htdocs/langs/vi_VN/workflow.lang
index 9defbfbd7714b8bd56990992203ee0102176e9c2..54c5702b6255dad78703930bb4e891e52f83d298 100644
--- a/htdocs/langs/vi_VN/workflow.lang
+++ b/htdocs/langs/vi_VN/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=Thiết lập mô-đun công việc
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/zh_CN/admin.lang b/htdocs/langs/zh_CN/admin.lang
index a3a204101e1b9ef939c62559a9b27d42970b8d97..99061f53970e2d468ec49508f4ae9800f2521b53 100644
--- a/htdocs/langs/zh_CN/admin.lang
+++ b/htdocs/langs/zh_CN/admin.lang
@@ -429,8 +429,8 @@ Module20Name=报价
 Module20Desc=报价单管理
 Module22Name=群发电邮
 Module22Desc=电子邮件群发的管理
-Module23Name= 能耗
-Module23Desc= 能耗监测
+Module23Name=能耗
+Module23Desc=能耗监测
 Module25Name=销售订单
 Module25Desc=销售订单管理
 Module30Name=账单
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar 整合
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=通知
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=捐赠
 Module700Desc=捐款的管理
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=建立/修改产品信息
 Permission34=删除产品信息
 Permission36=查看/管理隐藏产品
 Permission38=导出产品信息
-Permission41=读取项目(共享项目和我参与的项目)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=建立/修改项目(共享项目和我参与的项目)
 Permission44=删除项目(共享项目和参与的项目)
 Permission61=阅读干预
@@ -600,10 +600,10 @@ Permission86=发送商业订单
 Permission87=关闭商业订单
 Permission88=取消商业订单
 Permission89=删除商业订单
-Permission91=了解社会的贡献和增值税
-Permission92=建立/修改的社会贡献和增值税
-Permission93=删除社会贡献和增值税
-Permission94=导出社会贡献
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=阅读报告
 Permission101=读取发货资讯
 Permission102=建立/修改发货单
@@ -621,9 +621,9 @@ Permission121=读取与用户相关联的第三方的信息
 Permission122=建立/修改与用户相关联的第三方的信息
 Permission125=删除与用户相关联的第三方的信息
 Permission126=导出第三方信息
-Permission141=阅读项目(以及用户未参与的个人项目)
-Permission142=建立/修改项目(以及用户未参与的个人项目)
-Permission144=删除任务(以及用户未参与的个人项目)
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=读取供应商
 Permission147=读统计
 Permission151=阅读常年订单
@@ -801,7 +801,7 @@ DictionaryCountry=国家
 DictionaryCurrency=货币
 DictionaryCivility=文明单位称号
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=社会公益类型
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=设定值已储存
 BackToModuleList=返回模块列表
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=你确定要删除菜单条目 <b>%s</b> 吗?
 DeleteLine=删除行
 ConfirmDeleteLine=你确定要删除此行吗?
 ##### Tax #####
-TaxSetup=税,社会贡献和红利模块设置
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=增值税到期
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP客户端发送请求至 Dolibarr 的必需通过链接
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=银行模块设置
 FreeLegalTextOnChequeReceipts=支票回执中的额外说明文本
@@ -1596,6 +1599,7 @@ ProjectsSetup=项目模块设置
 ProjectsModelModule=项目报告文档模板
 TasksNumberingModules=任务编号模块
 TaskModelModule=任务报告文档模型
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED 设置
 ECMAutoTree = 自动树形文件夹和文档
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/zh_CN/agenda.lang b/htdocs/langs/zh_CN/agenda.lang
index 34f59b5dd9e44a414db497233221536d2f17bcd1..66b096e845811dcf38e3463f37bfc2a013b72140 100644
--- a/htdocs/langs/zh_CN/agenda.lang
+++ b/htdocs/langs/zh_CN/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=为了%s批准
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=为了%s回到草案状态
-OrderCanceledInDolibarr=为了%s取消
 ProposalSentByEMail=商业建议通过电子邮件发送%s
 OrderSentByEMail=客户订单通过电子邮件发送%s
 InvoiceSentByEMail=客户发票通过电子邮件发送%s
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/zh_CN/banks.lang b/htdocs/langs/zh_CN/banks.lang
index 2fdf778302025c1894c3748bb13dcdea681ee3e7..274b5b4ff32fb590c62a4721e7e40b2c1cf3a949 100644
--- a/htdocs/langs/zh_CN/banks.lang
+++ b/htdocs/langs/zh_CN/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=客户付款
 CustomerInvoicePaymentBack=客户付款回单
 SupplierInvoicePayment=供应商付款
 WithdrawalPayment=提款支付
-SocialContributionPayment=社会贡献付款
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=金融帐日记
 BankTransfer=银行汇款
 BankTransfers=银行转帐
diff --git a/htdocs/langs/zh_CN/bills.lang b/htdocs/langs/zh_CN/bills.lang
index d84e38b0db99b8f2d31bbe3949f5a9276f972604..415452874cbdc79b44027cf156cd9f976665e688 100644
--- a/htdocs/langs/zh_CN/bills.lang
+++ b/htdocs/langs/zh_CN/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=铌发票
 NumberOfBillsByMonth=铌,按月发票
 AmountOfBills=发票金额
 AmountOfBillsByMonthHT=通过一个月的发票金额(税后)
-ShowSocialContribution=显示社会贡献
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=显示发票
 ShowInvoice=显示发票
 ShowInvoiceReplace=显示发票取代
@@ -270,7 +270,7 @@ BillAddress=条例草案的报告
 HelpEscompte=这是给予客户优惠折扣,因为它的任期作出之前付款。
 HelpAbandonBadCustomer=这一数额已被放弃(客户说是一个坏的客户),并作为一个特殊的松散考虑。
 HelpAbandonOther=这一数额已被放弃,因为这是一个错误(错误的顾客或由其他替代例如发票)
-IdSocialContribution=社会贡献的id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=付款编号
 InvoiceId=发票编号
 InvoiceRef=发票编号。
diff --git a/htdocs/langs/zh_CN/companies.lang b/htdocs/langs/zh_CN/companies.lang
index b01edf5579a40e662a7889970b70c818796520b0..18fde7c70304732e2487ff93f4d6ec723a4adb82 100644
--- a/htdocs/langs/zh_CN/companies.lang
+++ b/htdocs/langs/zh_CN/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=第三方联系人
 StatusContactValidated=联系人/地址 状态
 Company=公司
 CompanyName=公司名称
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=公司
 CountryIsInEEC=国家是欧共体内
 ThirdPartyName=第三方的名称
diff --git a/htdocs/langs/zh_CN/compta.lang b/htdocs/langs/zh_CN/compta.lang
index efed455e7a966e3e2cf8a1ec8950ab1ac186537c..e7a32bb241fd444bd76ccffc13d1737af8fd4c1a 100644
--- a/htdocs/langs/zh_CN/compta.lang
+++ b/htdocs/langs/zh_CN/compta.lang
@@ -56,23 +56,23 @@ VATCollected=增值税征收
 ToPay=待支付
 ToGet=待取回
 SpecialExpensesArea=特殊支付区域
-TaxAndDividendsArea=税收,社会捐献和股息区
-SocialContribution=社会捐献
-SocialContributions=社会捐献
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=其他费用
 MenuTaxAndDividends=税和股息
 MenuSalaries=工资
-MenuSocialContributions=社会捐献
-MenuNewSocialContribution=新的捐献
-NewSocialContribution=新的社会捐献
-ContributionsToPay=待缴纳捐献
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=会计/库务区
 AccountancySetup=会计设置
 NewPayment=新的支付
 Payments=付款
 PaymentCustomerInvoice=客户发票付款
 PaymentSupplierInvoice=供应商发票付款
-PaymentSocialContribution=社会捐献付款
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=增值税纳税
 PaymentSalary=工资支付
 ListPayment=付款名单
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=增值税纳税
 VATPayments=增值税纳税
-SocialContributionsPayments=社会捐献付款
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=显示增值税纳税
 TotalToPay=共支付
 TotalVATReceived=共收到增值税
@@ -116,11 +116,11 @@ NewCheckDepositOn=创建于账户上的存款收据:%s的
 NoWaitingChecks=没有等待中的支票存款
 DateChequeReceived=支票接收日期
 NbOfCheques=支票数量
-PaySocialContribution=支付一笔社会捐献
-ConfirmPaySocialContribution=你确定要这样归类为支付社会捐献?
-DeleteSocialContribution=删除一个社会捐献
-ConfirmDeleteSocialContribution=你确定要删除这个社会捐献?
-ExportDataset_tax_1=社会捐献和付款
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=模式 <b>%s 增值税收入,支出 %s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=根据供应商,选择适当的方法来套用相
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=计算模式
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=第三方客户缺省会计代码
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/zh_CN/cron.lang b/htdocs/langs/zh_CN/cron.lang
index e7caf1674526501a3cc98f0bf60181316758b616..a9186a3589e1cb84c7d8365a762d0aba9840cc12 100644
--- a/htdocs/langs/zh_CN/cron.lang
+++ b/htdocs/langs/zh_CN/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=信息
 # Common
diff --git a/htdocs/langs/zh_CN/ecm.lang b/htdocs/langs/zh_CN/ecm.lang
index 49bfd7dedba6a44e71ddfced2e5c01a9e63357d0..963c4869b2d77acc2bf24ca58f37429467f1d43c 100644
--- a/htdocs/langs/zh_CN/ecm.lang
+++ b/htdocs/langs/zh_CN/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=搜索对象
 ECMSectionOfDocuments=目录中的文件
 ECMTypeManual=手册
 ECMTypeAuto=自动
-ECMDocsBySocialContributions=文件关联到社会的贡献
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=文件链接到第三方
 ECMDocsByProposals=文件与建议
 ECMDocsByOrders=文件链接到客户的订单
diff --git a/htdocs/langs/zh_CN/errors.lang b/htdocs/langs/zh_CN/errors.lang
index fea52dc34f5b9cd9cbf953a8a5743542c54e9249..6750733b35d991db4e457ef39c16e33348bb7963 100644
--- a/htdocs/langs/zh_CN/errors.lang
+++ b/htdocs/langs/zh_CN/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/zh_CN/holiday.lang b/htdocs/langs/zh_CN/holiday.lang
index ba28033c0433529049bf7f10706eb68c56032e62..c3fdcb681d9d5ad61e862375bb0a2086ed0c429d 100644
--- a/htdocs/langs/zh_CN/holiday.lang
+++ b/htdocs/langs/zh_CN/holiday.lang
@@ -3,7 +3,7 @@ HRM=人力资源管理(HRM)
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=雷森
 UserCP=用户
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=值
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=验证配置
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=更新成功。
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=这个月无休。
 nbJours=天数
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/zh_CN/mails.lang b/htdocs/langs/zh_CN/mails.lang
index fb5df49c6a67c0ce6f07dc7dbe321d243856f6e3..b10fd359a771f7c0202f9de5f2d01bdd90ddcbd3 100644
--- a/htdocs/langs/zh_CN/mails.lang
+++ b/htdocs/langs/zh_CN/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=追踪邮件打开
 TagUnsubscribe=退订链接
 TagSignature=签名发送给用户
 TagMailtoEmail=收件人电子邮件
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=通知
 NoNotificationsWillBeSent=没有电子邮件通知此事件的计划和公司
diff --git a/htdocs/langs/zh_CN/main.lang b/htdocs/langs/zh_CN/main.lang
index f76f8b7842ccc8c1fffb55c4c40dc349f7907996..78e99d4599b81c70d9598806bb459ccdcd1cf58b 100644
--- a/htdocs/langs/zh_CN/main.lang
+++ b/htdocs/langs/zh_CN/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=有些发现错误。我们回滚更改。
 ErrorConfigParameterNotDefined=参数<b>%s</b>是没有定义的配置文件里面Dolibarr <b>conf.php。</b>
 ErrorCantLoadUserFromDolibarrDatabase=无法找到用户<b>%s</b>在Dolibarr数据库。
 ErrorNoVATRateDefinedForSellerCountry=错误,没有增值税税率确定为国家'%s'的。
-ErrorNoSocialContributionForSellerCountry=错误,没有社会贡献类型定义为国家'%s'的。
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=错误,无法保存文件。
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=单价
 PriceU=向上
 PriceUHT=不含税价格
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=向上
+PriceUTTC=U.P. (inc. tax)
 Amount=金额
 AmountInvoice=发票金额
 AmountPayment=付款金额
@@ -339,6 +339,7 @@ IncludedVAT=含增值税
 HT=扣除税
 TTC=公司增值税
 VAT=增值税
+VATs=Sales taxes
 LT1ES=稀土
 LT2ES=IRPF
 VATRate=增值税率
diff --git a/htdocs/langs/zh_CN/members.lang b/htdocs/langs/zh_CN/members.lang
index c1f903270ce2ef02efb27b324db39b97d86d1e06..43580a015e59dd021d7a670ec9c2d47aa1ff9731 100644
--- a/htdocs/langs/zh_CN/members.lang
+++ b/htdocs/langs/zh_CN/members.lang
@@ -199,7 +199,8 @@ Entreprises=公司
 DOLIBARRFOUNDATION_PAYMENT_FORM=为了使您的订阅使用银行转帐支付,请参阅页<a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> 。 <br>使用信用卡或PayPal支付,点击此页底部的按钮。 <br>
 ByProperties=按特征
 MembersStatisticsByProperties=按特性统计会员
-MembersByNature=会员按性质
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=增值税率,用于订阅
 NoVatOnSubscription=没有增值税订阅
 MEMBER_PAYONLINE_SENDEMAIL=通过电子邮件发送警告Dolibarr时收到一个确认的验证支付认购
diff --git a/htdocs/langs/zh_CN/products.lang b/htdocs/langs/zh_CN/products.lang
index 1a503742aac25bbb8bc3d0a27b6c542f5b1d2a44..878e87ac4416a94d6f9256980d5a53d7743ed3fb 100644
--- a/htdocs/langs/zh_CN/products.lang
+++ b/htdocs/langs/zh_CN/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/zh_CN/projects.lang b/htdocs/langs/zh_CN/projects.lang
index f751cb255c918e11feea5da40e85a633eb44d043..8fef7423b3d2f064c097214985fce64f5f52cceb 100644
--- a/htdocs/langs/zh_CN/projects.lang
+++ b/htdocs/langs/zh_CN/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=这种观点是有限的项目或任务你是一个接触(不管
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=这种观点提出的所有项目,您可阅读任务。
 TasksDesc=这种观点提出的所有项目和任务(您的用户权限批准你认为一切)。
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=项目领域
 NewProject=新项目
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=名单与项目有关的行动
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=对项目活动周
 ActivityOnProjectThisMonth=本月初对项目活动
 ActivityOnProjectThisYear=今年对项目活动
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/zh_CN/trips.lang b/htdocs/langs/zh_CN/trips.lang
index 4cd5a9f57fa0ff1f5069b852daa808107db25f54..437b1d59a3adae3a26bb662e5ba9290562957acd 100644
--- a/htdocs/langs/zh_CN/trips.lang
+++ b/htdocs/langs/zh_CN/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/zh_CN/withdrawals.lang b/htdocs/langs/zh_CN/withdrawals.lang
index cc24d8029c41f51247c5096e2fe874f5312ef979..d31165a5c8d0f24201214cd5a0fda420db34d04e 100644
--- a/htdocs/langs/zh_CN/withdrawals.lang
+++ b/htdocs/langs/zh_CN/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=撤回文件
 SetToStatusSent=设置状态“发送的文件”
 ThisWillAlsoAddPaymentOnInvoice=这也将创造在付款发票上,将它们归类支付
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=由银行支付的长期订单%s
diff --git a/htdocs/langs/zh_CN/workflow.lang b/htdocs/langs/zh_CN/workflow.lang
index fde667e5a3a3a202e978d9d5054c181ab99492af..31391ebbd36b69ad1c1bff157049b5477c1e0c82 100644
--- a/htdocs/langs/zh_CN/workflow.lang
+++ b/htdocs/langs/zh_CN/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=工作流模块的设置
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/langs/zh_TW/admin.lang b/htdocs/langs/zh_TW/admin.lang
index 6b490c462c4454284e029347a12a0e51735b16bd..46b5bbc9fc1f0a96eb23c37c69da66166cd36cb0 100644
--- a/htdocs/langs/zh_TW/admin.lang
+++ b/htdocs/langs/zh_TW/admin.lang
@@ -429,8 +429,8 @@ Module20Name=建議
 Module20Desc=商業建議書的管理
 Module22Name=大眾電子郵購
 Module22Desc=大規模電子郵件發送的管理
-Module23Name= 能源
-Module23Desc= 監測的能源消費
+Module23Name=能源
+Module23Desc=監測的能源消費
 Module25Name=商業訂單
 Module25Desc=商業訂單的管理
 Module30Name=發票
@@ -492,7 +492,7 @@ Module400Desc=Management of projects, opportunities or leads. You can then assig
 Module410Name=Webcalendar
 Module410Desc=Webcalendar一體化
 Module500Name=Special expenses
-Module500Desc=Management of special expenses (taxes, social contribution, dividends)
+Module500Desc=Management of special expenses (taxes, social or fiscal taxes, dividends)
 Module510Name=Salaries
 Module510Desc=Management of employees salaries and payments
 Module520Name=Loan
@@ -501,7 +501,7 @@ Module600Name=通知
 Module600Desc=Send EMail notifications on some Dolibarr business events to third-party contacts (setup defined on each thirdparty)
 Module700Name=捐贈
 Module700Desc=捐款的管理
-Module770Name=Expense Report
+Module770Name=Expense reports
 Module770Desc=Management and claim expense reports (transportation, meal, ...)
 Module1120Name=Supplier commercial proposal
 Module1120Desc=Request supplier commercial proposal and prices
@@ -579,7 +579,7 @@ Permission32=建立/修改產品資訊
 Permission34=刪除產品資訊
 Permission36=查看/隱藏產品管理
 Permission38=匯出產品資訊
-Permission41=閲讀項目(共享的項目和項目我聯繫)
+Permission41=Read projects and tasks (shared project and projects i'm contact for). Can also enter time consumed on assigned tasks (timesheet)
 Permission42=建立/修改項目(共享的項目和項目我聯繫)
 Permission44=刪除項目(共享的項目和項目我聯繫)
 Permission61=閲讀干預
@@ -600,10 +600,10 @@ Permission86=發送商業訂單
 Permission87=關閉商業訂單
 Permission88=取消商業訂單
 Permission89=刪除商業訂單
-Permission91=瞭解社會的貢獻和增值稅
-Permission92=建立/修改的社會貢獻和增值稅
-Permission93=刪除的社會貢獻和增值稅
-Permission94=出口社會貢獻
+Permission91=Read social or fiscal taxes and vat
+Permission92=Create/modify social or fiscal taxes and vat
+Permission93=Delete social or fiscal taxes and vat
+Permission94=Export social or fiscal taxes
 Permission95=閲讀報告
 Permission101=讀取出貨資訊
 Permission102=建立/修改出貨單
@@ -621,9 +621,9 @@ Permission121=讀取連接到使用者的客戶/供應商/潛在資訊
 Permission122=建立/修改連接到使用者的客戶/供應商/潛在資訊
 Permission125=刪除連接到使用者的客戶/供應商/潛在資訊
 Permission126=匯出客戶/供應商/潛在資訊
-Permission141=閲讀任務
-Permission142=建立/修改任務
-Permission144=刪除任務
+Permission141=Read all projects and tasks (also private projects i am not contact for)
+Permission142=Create/modify all projects and tasks (also private projects i am not contact for)
+Permission144=Delete all projects and tasks (also private projects i am not contact for)
 Permission146=閲讀者
 Permission147=讀統計
 Permission151=閲讀常年訂單
@@ -801,7 +801,7 @@ DictionaryCountry=Countries
 DictionaryCurrency=Currencies
 DictionaryCivility=Civility title
 DictionaryActions=Type of agenda events
-DictionarySocialContributions=Social contributions types
+DictionarySocialContributions=Social or fiscal taxes types
 DictionaryVAT=VAT Rates or Sales Tax Rates
 DictionaryRevenueStamp=Amount of revenue stamps
 DictionaryPaymentConditions=Payment terms
@@ -820,6 +820,7 @@ DictionaryAccountancysystem=Models for chart of accounts
 DictionaryEMailTemplates=Emails templates
 DictionaryUnits=Units
 DictionaryProspectStatus=Prospection status
+DictionaryHolidayTypes=Type of leaves
 SetupSaved=設定值已儲存
 BackToModuleList=返回模組列表
 BackToDictionaryList=Back to dictionaries list
@@ -1510,7 +1511,7 @@ ConfirmDeleteMenu=你確定要刪除菜單條目<b>%s嗎</b> ?
 DeleteLine=刪除線
 ConfirmDeleteLine=你確定要刪除這條路線?
 ##### Tax #####
-TaxSetup=稅,社會貢獻和股息模組設置
+TaxSetup=Taxes, social or fiscal taxes and dividends module setup
 OptionVatMode=由於營業稅
 OptionVATDefault=Cash basis
 OptionVATDebitOption=Accrual basis
@@ -1564,9 +1565,11 @@ EndPointIs=SOAP客戶端必須將他們的要求去Dolibarr端點可在網址
 ApiSetup=API module setup
 ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services.
 KeyForApiAccess=Key to use API (parameter "api_key")
+ApiProductionMode=Enable production mode
 ApiEndPointIs=You can access to the API at url
 ApiExporerIs=You can explore the API at url
 OnlyActiveElementsAreExposed=Only elements from enabled modules are exposed
+ApiKey=Key for API
 ##### Bank #####
 BankSetupModule=銀行模組設置
 FreeLegalTextOnChequeReceipts=可在下面輸入額外的支票資訊
@@ -1596,6 +1599,7 @@ ProjectsSetup=項目模組設置
 ProjectsModelModule=項目的報告文檔模型
 TasksNumberingModules=Tasks numbering module
 TaskModelModule=Tasks reports document model
+UseSearchToSelectProject=Use autocompletion fields to choose project (instead of using a list box)
 ##### ECM (GED) #####
 ECMSetup = GED Setup
 ECMAutoTree = Automatic tree folder and document
@@ -1640,3 +1644,9 @@ ConfFileMuseContainCustom=Installing an external module from application save th
 HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over
 PressF5AfterChangingThis=Press F5 on keyboard after changing this value to have it effective
 NotSupportedByAllThemes=Will works with eldy theme but is not supported by all themes
+BackgroundColor=Background color
+TopMenuBackgroundColor=Background color for Top menu
+LeftMenuBackgroundColor=Background color for Left menu
+BackgroundTableTitleColor=Background color for table title line
+BackgroundTableLineOddColor=Background color for odd table lines
+BackgroundTableLineEvenColor=Background color for even table lines
diff --git a/htdocs/langs/zh_TW/agenda.lang b/htdocs/langs/zh_TW/agenda.lang
index bd5c1ee90eb1f0ec09228e2be87f43f3207d87e5..d954b04db016aa90e58a4d89fec615bf5e77e68e 100644
--- a/htdocs/langs/zh_TW/agenda.lang
+++ b/htdocs/langs/zh_TW/agenda.lang
@@ -55,7 +55,6 @@ OrderBilledInDolibarr=Order %s classified billed
 OrderApprovedInDolibarr=為了%s批準
 OrderRefusedInDolibarr=Order %s refused
 OrderBackToDraftInDolibarr=為了%s回到草案狀態
-OrderCanceledInDolibarr=為了%s取消
 ProposalSentByEMail=商業建議通過電子郵件發送%s
 OrderSentByEMail=客戶訂單通過電子郵件發送%s
 InvoiceSentByEMail=客戶發票通過電子郵件發送%s
@@ -96,3 +95,5 @@ AddEvent=Create event
 MyAvailability=My availability
 ActionType=Event type
 DateActionBegin=Start event date
+CloneAction=Clone event
+ConfirmCloneEvent=Are you sure you want to clone the event <b>%s</b> ?
diff --git a/htdocs/langs/zh_TW/banks.lang b/htdocs/langs/zh_TW/banks.lang
index d9eae830eb7e3a83b11c218c1e38cc44ac2508a2..ea3cc67c743af17d6504dc20ce71495e40b89f4b 100644
--- a/htdocs/langs/zh_TW/banks.lang
+++ b/htdocs/langs/zh_TW/banks.lang
@@ -113,7 +113,7 @@ CustomerInvoicePayment=客戶付款
 CustomerInvoicePaymentBack=Customer payment back
 SupplierInvoicePayment=供應商付款
 WithdrawalPayment=提款支付
-SocialContributionPayment=社會貢獻付款
+SocialContributionPayment=Social/fiscal tax payment
 FinancialAccountJournal=金融帳日記
 BankTransfer=銀行匯款
 BankTransfers=銀行轉帳
diff --git a/htdocs/langs/zh_TW/bills.lang b/htdocs/langs/zh_TW/bills.lang
index f2bc1c8fa0b25c7ed1069ca99085d2397cfa049a..dc1ba71f7eb728a8c09092f83aa4063d4dffcea9 100644
--- a/htdocs/langs/zh_TW/bills.lang
+++ b/htdocs/langs/zh_TW/bills.lang
@@ -178,7 +178,7 @@ NumberOfBills=發票數
 NumberOfBillsByMonth=每月發票(invoice)數
 AmountOfBills=發票金額
 AmountOfBillsByMonthHT=每月發票(invoice)金額(稅後)
-ShowSocialContribution=顯示社會貢獻
+ShowSocialContribution=Show social/fiscal tax
 ShowBill=顯示發票
 ShowInvoice=顯示發票
 ShowInvoiceReplace=顯示發票取代
@@ -270,7 +270,7 @@ BillAddress=條例草案的報告
 HelpEscompte=這是給予客戶優惠折扣,因為它的任期作出之前付款。
 HelpAbandonBadCustomer=這一數額已被放棄(客戶說是一個壞的客戶),並作為一個特殊的松散考慮。
 HelpAbandonOther=這一數額已被放棄,因為這是一個錯誤(錯誤的顧客或由其他替代例如發票)
-IdSocialContribution=社會貢獻的id
+IdSocialContribution=Social/fiscal tax payment id
 PaymentId=付款編號
 InvoiceId=發票編號
 InvoiceRef=發票編號。
diff --git a/htdocs/langs/zh_TW/companies.lang b/htdocs/langs/zh_TW/companies.lang
index ad7647b3d280ded5fc5323690836d5f51e8562b7..92693795652d922f28112bceb70596d1fcb8ad90 100644
--- a/htdocs/langs/zh_TW/companies.lang
+++ b/htdocs/langs/zh_TW/companies.lang
@@ -30,6 +30,7 @@ ThirdPartyContact=客戶/供應商聯絡人
 StatusContactValidated=聯絡人狀態
 Company=公司
 CompanyName=公司名稱
+AliasNames=Alias names (commercial, trademark, ...)
 Companies=公司
 CountryIsInEEC=國家是歐共體內
 ThirdPartyName=客戶/供應商名稱
diff --git a/htdocs/langs/zh_TW/compta.lang b/htdocs/langs/zh_TW/compta.lang
index 9df8ffc58d812fd5d9c79f45df6192e3ec070f48..3129cfd1d55a5fef1a2d73912e72790eed920127 100644
--- a/htdocs/langs/zh_TW/compta.lang
+++ b/htdocs/langs/zh_TW/compta.lang
@@ -56,23 +56,23 @@ VATCollected=增值稅征收
 ToPay=為了支付
 ToGet=取回
 SpecialExpensesArea=Area for all special payments
-TaxAndDividendsArea=稅收,社會貢獻和股息地區
-SocialContribution=社會貢獻
-SocialContributions=社會貢獻
+TaxAndDividendsArea=Sale taxes, social/fiscal taxes contributions and dividends area
+SocialContribution=Social or fiscal tax
+SocialContributions=Social or fiscal taxes
 MenuSpecialExpenses=Special expenses
 MenuTaxAndDividends=稅和股息
 MenuSalaries=Salaries
-MenuSocialContributions=社會貢獻
-MenuNewSocialContribution=新的貢獻
-NewSocialContribution=新的社會貢獻
-ContributionsToPay=繳納會費
+MenuSocialContributions=Social/fiscal taxes
+MenuNewSocialContribution=New tax payment
+NewSocialContribution=New social/fiscal tax
+ContributionsToPay=Social/fiscal taxes to pay
 AccountancyTreasuryArea=財務/會計區
 AccountancySetup=會計設置
 NewPayment=新的支付
 Payments=付款
 PaymentCustomerInvoice=客戶付款發票
 PaymentSupplierInvoice=供應商發票付款
-PaymentSocialContribution=社會貢獻付款
+PaymentSocialContribution=Social/fiscal tax payment
 PaymentVat=增值稅納稅
 PaymentSalary=Salary payment
 ListPayment=金名單
@@ -91,7 +91,7 @@ LT1PaymentES=RE Payment
 LT1PaymentsES=RE Payments
 VATPayment=增值稅納稅
 VATPayments=增值稅付款
-SocialContributionsPayments=社會捐助金
+SocialContributionsPayments=Social/fiscal taxes payments
 ShowVatPayment=顯示增值稅納稅
 TotalToPay=共支付
 TotalVATReceived=共收到增值稅
@@ -116,11 +116,11 @@ NewCheckDepositOn=創建於賬戶上的存款收據:%s的
 NoWaitingChecks=沒有支票存款等。
 DateChequeReceived=檢查接收輸入日期
 NbOfCheques=鈮檢查
-PaySocialContribution=支付的社會貢獻
-ConfirmPaySocialContribution=你確定要這樣歸類為社會付出的貢獻?
-DeleteSocialContribution=刪除的社會貢獻
-ConfirmDeleteSocialContribution=你確定要刪除這個社會的貢獻?
-ExportDataset_tax_1=社會捐款和付款
+PaySocialContribution=Pay a social/fiscal tax
+ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid?
+DeleteSocialContribution=Delete a social or fiscal tax payment
+ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment?
+ExportDataset_tax_1=Social and fiscal taxes and payments
 CalcModeVATDebt=Mode <b>%sVAT on commitment accounting%s</b>.
 CalcModeVATEngagement=Mode <b>%sVAT on incomes-expenses%s</b>.
 CalcModeDebt=Mode <b>%sClaims-Debts%s</b> said <b>Commitment accounting</b>.
@@ -198,10 +198,10 @@ CalculationRuleDescSupplier=according to supplier, choose appropriate method to
 TurnoverPerProductInCommitmentAccountingNotRelevant=Turnover report per product, when using a <b>cash accountancy</b> mode is not relevant. This report is only available when using <b>engagement accountancy</b> mode (see setup of accountancy module).
 CalculationMode=Calculation mode
 AccountancyJournal=Accountancy code journal
-ACCOUNTING_VAT_ACCOUNT=Default accountancy code for collecting VAT
+ACCOUNTING_VAT_SOLD_ACCOUNT=Default accountancy code for collecting VAT
 ACCOUNTING_VAT_BUY_ACCOUNT=Default accountancy code for paying VAT
 ACCOUNTING_ACCOUNT_CUSTOMER=Accountancy code by default for customer thirdparties
 ACCOUNTING_ACCOUNT_SUPPLIER=Accountancy code by default for supplier thirdparties
-CloneTax=Clone a social contribution
-ConfirmCloneTax=Confirm the clone of a social contribution
+CloneTax=Clone a social/fiscal tax
+ConfirmCloneTax=Confirm the clone of a social/fiscal tax payment
 CloneTaxForNextMonth=Clone it for next month
diff --git a/htdocs/langs/zh_TW/cron.lang b/htdocs/langs/zh_TW/cron.lang
index 9b496099e073548a537ae91cac21867ee7d5a389..07c73c0f7011e759bcd3d1e3246d7c993c0fe236 100644
--- a/htdocs/langs/zh_TW/cron.lang
+++ b/htdocs/langs/zh_TW/cron.lang
@@ -76,6 +76,7 @@ CronMethodHelp=The object method to launch. <BR> For exemple to fetch method of
 CronArgsHelp=The method arguments. <BR> For exemple to fetch method of Dolibarr Product object /htdocs/product/class/product.class.php, the value of paramters can be <i>0, ProductRef</i>
 CronCommandHelp=The system command line to execute.
 CronCreateJob=Create new Scheduled Job
+CronFrom=From
 # Info
 CronInfoPage=Information
 # Common
diff --git a/htdocs/langs/zh_TW/ecm.lang b/htdocs/langs/zh_TW/ecm.lang
index a0514fe5b9e230f2c74db395eb2d6828e4a4e401..735e0baf146c1b80bca150a709af4b5860d101bc 100644
--- a/htdocs/langs/zh_TW/ecm.lang
+++ b/htdocs/langs/zh_TW/ecm.lang
@@ -35,7 +35,7 @@ ECMSearchByEntity=搜尋對象
 ECMSectionOfDocuments=目錄中的文件
 ECMTypeManual=手冊
 ECMTypeAuto=自動
-ECMDocsBySocialContributions=Documents linked to social contributions
+ECMDocsBySocialContributions=Documents linked to social or fiscal taxes
 ECMDocsByThirdParties=文件鏈接到第三方
 ECMDocsByProposals=文件與建議
 ECMDocsByOrders=文件鏈接到客戶的訂單
diff --git a/htdocs/langs/zh_TW/errors.lang b/htdocs/langs/zh_TW/errors.lang
index f376c3995a9d72cce33356242ec7fc37e57ec2ca..e54fb6d0a896a335c1a203b59e04b8cbdbdf681c 100644
--- a/htdocs/langs/zh_TW/errors.lang
+++ b/htdocs/langs/zh_TW/errors.lang
@@ -191,3 +191,4 @@ WarningNotRelevant=Irrelevant operation for this dataset
 WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers.
 WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s.
 WarningTooManyDataPleaseUseMoreFilters=Too many data. Please use more filters
+WarningSomeLinesWithNullHourlyRate=Some times were recorded by users when their hourly rate was not defined. A value of 0 was used but this may result in wrong valuation of time spent.
diff --git a/htdocs/langs/zh_TW/holiday.lang b/htdocs/langs/zh_TW/holiday.lang
index 2bddf36550d36ca95e6fa83f91756f0a34464e38..1c853212ecac52af552b98360356eebe680208f8 100644
--- a/htdocs/langs/zh_TW/holiday.lang
+++ b/htdocs/langs/zh_TW/holiday.lang
@@ -3,7 +3,7 @@ HRM=HRM
 Holidays=Leaves
 CPTitreMenu=Leaves
 MenuReportMonth=Monthly statement
-MenuAddCP=Make a leave request
+MenuAddCP=New leave request
 NotActiveModCP=You must enable the module Leaves to view this page.
 NotConfigModCP=You must configure the module Leaves 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 any available day.
@@ -71,7 +71,7 @@ MotifCP=雷森
 UserCP=用戶
 ErrorAddEventToUserCP=An error occurred while adding the exceptional leave.
 AddEventToUserOkCP=The addition of the exceptional leave has been completed.
-MenuLogCP=View logs of leave requests
+MenuLogCP=View change logs
 LogCP=Log of updates of available vacation days
 ActionByCP=Performed by
 UserUpdateCP=For the user
@@ -93,6 +93,7 @@ ValueOptionCP=價值
 GroupToValidateCP=Group with the ability to approve leave requests
 ConfirmConfigCP=Validate the configuration
 LastUpdateCP=Last automatic update of leaves allocation
+MonthOfLastMonthlyUpdate=Month of last automatic update of leaves allocation
 UpdateConfCPOK=Updated successfully.
 ErrorUpdateConfCP=An error occurred during the update, please try again.
 AddCPforUsers=Please add the balance of leaves allocation of users by <a href="../define_holiday.php" style="font-weight: normal; color: red; text-decoration: underline;">clicking here</a>.
@@ -127,6 +128,7 @@ ErrorMailNotSend=An error occurred while sending email:
 NoCPforMonth=No leave this month.
 nbJours=Number days
 TitleAdminCP=Configuration of Leaves
+NoticePeriod=Notice period
 #Messages
 Hello=Hello
 HolidaysToValidate=Validate leave requests
@@ -139,10 +141,11 @@ HolidaysRefused=Request denied
 HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason :
 HolidaysCanceled=Canceled leaved request
 HolidaysCanceledBody=Your leave request for %s to %s has been canceled.
-Permission20000=Read you own leave requests
-Permission20001=Create/modify your leave requests
-Permission20002=Create/modify leave requests for everybody
+Permission20001=Read you own leave requests
+Permission20002=Create/modify your leave requests
 Permission20003=Delete leave requests
-Permission20004=Setup users available vacation days
-Permission20005=Review log of modified leave requests
-Permission20006=Read leaves monthly report
+Permission20004=Read leave requests for everybody
+Permission20005=Create/modify leave requests for everybody
+Permission20006=Admin leave requests (setup and update balance)
+NewByMonth=Added per month
+GoIntoDictionaryHolidayTypes=Go into <strong>Home - Setup - Dictionaries - Type of leaves</strong> to setup the different types of leaves.
diff --git a/htdocs/langs/zh_TW/mails.lang b/htdocs/langs/zh_TW/mails.lang
index e0e27c02a226142a89309f6a4de6d4e0ed5ff5f3..20fe9d374cd6c244d044fdc2c61ae516c83f4fa0 100644
--- a/htdocs/langs/zh_TW/mails.lang
+++ b/htdocs/langs/zh_TW/mails.lang
@@ -128,6 +128,7 @@ TagCheckMail=Track mail opening
 TagUnsubscribe=Unsubscribe link
 TagSignature=Signature sending user
 TagMailtoEmail=Recipient EMail
+NoEmailSentBadSenderOrRecipientEmail=No email sent. Bad sender or recipient email. Verify user profile.
 # Module Notifications
 Notifications=通知
 NoNotificationsWillBeSent=沒有電子郵件通知此事件的計劃和公司
diff --git a/htdocs/langs/zh_TW/main.lang b/htdocs/langs/zh_TW/main.lang
index 695749b31bc0cfd12ac61c877e54ea80efadbc86..ffac379b6bdbd7226f42a8f02f8f3225479cbb6f 100644
--- a/htdocs/langs/zh_TW/main.lang
+++ b/htdocs/langs/zh_TW/main.lang
@@ -57,7 +57,7 @@ ErrorSomeErrorWereFoundRollbackIsDone=有些發現錯誤。我們回滾更改。
 ErrorConfigParameterNotDefined=參數<b>%s</b>是沒有定義的配置文件裏面Dolibarr <b>conf.php。</b>
 ErrorCantLoadUserFromDolibarrDatabase=無法找到用戶<b>%s</b>在Dolibarr數據庫。
 ErrorNoVATRateDefinedForSellerCountry=錯誤!沒有定義 '%s' 幣別的營業稅率。
-ErrorNoSocialContributionForSellerCountry=錯誤,沒有社會貢獻類型定義為國家'%s'的。
+ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'.
 ErrorFailedToSaveFile=錯誤,無法保存文件。
 SetDate=Set date
 SelectDate=Select a date
@@ -302,7 +302,7 @@ UnitPriceTTC=單價
 PriceU=向上
 PriceUHT=不含稅價格
 AskPriceSupplierUHT=U.P. net Requested
-PriceUTTC=向上
+PriceUTTC=U.P. (inc. tax)
 Amount=總額
 AmountInvoice=發票金額
 AmountPayment=付款金額
@@ -339,6 +339,7 @@ IncludedVAT=含營業稅
 HT=不含稅
 TTC=含稅
 VAT=營業稅
+VATs=Sales taxes
 LT1ES=稀土
 LT2ES=IRPF
 VATRate=營業稅率
diff --git a/htdocs/langs/zh_TW/members.lang b/htdocs/langs/zh_TW/members.lang
index 5caf80e18e8fcc0456c3258748d05977e29d2942..da119cc3486258970a8ed45ff0efcabe894e95c0 100644
--- a/htdocs/langs/zh_TW/members.lang
+++ b/htdocs/langs/zh_TW/members.lang
@@ -199,7 +199,8 @@ Entreprises=公司
 DOLIBARRFOUNDATION_PAYMENT_FORM=為了使您的訂閱使用銀行轉帳支付,請參閱頁<a target="_blank" href="http://wiki.dolibarr.org/index.php/Subscribe#To_subscribe_making_a_bank_transfer">http://wiki.dolibarr.org/index.php/Subscribe</a> 。 <br>使用信用卡或PayPal支付,點擊此頁底部的按鈕。 <br>
 ByProperties=By characteristics
 MembersStatisticsByProperties=Members statistics by characteristics
-MembersByNature=Members by nature
+MembersByNature=This screen show you statistics on members by nature.
+MembersByRegion=This screen show you statistics on members by region.
 VATToUseForSubscriptions=VAT rate to use for subscriptions
 NoVatOnSubscription=No TVA for subscriptions
 MEMBER_PAYONLINE_SENDEMAIL=Email to warn when Dolibarr receive a confirmation of a validated payment for subscription
diff --git a/htdocs/langs/zh_TW/products.lang b/htdocs/langs/zh_TW/products.lang
index 7d494aae80898505c88b84f3ec4c5ada53886135..dd689b0f87a322f36e6e10c4ff6c209665b73afc 100644
--- a/htdocs/langs/zh_TW/products.lang
+++ b/htdocs/langs/zh_TW/products.lang
@@ -294,3 +294,5 @@ LastUpdated=Last updated
 CorrectlyUpdated=Correctly updated
 PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is
 PropalMergePdfProductChooseFile=Select PDF files
+IncludingProductWithTag=Including product with tag
+DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer
diff --git a/htdocs/langs/zh_TW/projects.lang b/htdocs/langs/zh_TW/projects.lang
index 0ac51ace6e5936b3adda01e3d7e72e480aac36fc..ac604b6aa15307ec1adf47ba7c0d16860a82e970 100644
--- a/htdocs/langs/zh_TW/projects.lang
+++ b/htdocs/langs/zh_TW/projects.lang
@@ -14,7 +14,8 @@ MyTasksDesc=這種觀點是有限的項目或任務你是一個接觸(不管
 OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible).
 TasksPublicDesc=這種觀點提出的所有項目,您可閱讀任務。
 TasksDesc=這種觀點提出的所有項目和任務(您的用戶權限批準你認為一切)。
-AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on.
+AllTaskVisibleButEditIfYouAreAssigned=All tasks for such project are visible, but you can enter time only for task you are assigned on. Assign task to you if you want to enter time on it.
+OnlyYourTaskAreVisible=Only tasks you are assigned on are visible. Assign task to you if you want to enter time on it.
 ProjectsArea=項目領域
 NewProject=新項目
 AddProject=Create project
@@ -76,6 +77,7 @@ ListExpenseReportsAssociatedProject=List of expense reports associated with the
 ListDonationsAssociatedProject=List of donations associated with the project
 ListActionsAssociatedProject=名單與項目有關的行動
 ListTaskTimeUserProject=List of time consumed on tasks of project
+TaskTimeUserProject=Time consumed on tasks of project
 ActivityOnProjectThisWeek=對項目活動周
 ActivityOnProjectThisMonth=本月初對項目活動
 ActivityOnProjectThisYear=今年對項目活動
@@ -149,3 +151,6 @@ ProjectsWithThisUserAsContact=Projects with this user as contact
 TasksWithThisUserAsContact=Tasks assigned to this user
 ResourceNotAssignedToProject=Not assigned to project
 ResourceNotAssignedToTask=Not assigned to task
+AssignTaskToMe=Assign task to me
+AssignTask=Assign
+ProjectOverview=Overview
diff --git a/htdocs/langs/zh_TW/trips.lang b/htdocs/langs/zh_TW/trips.lang
index cb39ec0ad2fe099e454f9be771fc9d82b93304e2..6664b22f443961ae46f7ee25cdc4eea6aecd1baa 100644
--- a/htdocs/langs/zh_TW/trips.lang
+++ b/htdocs/langs/zh_TW/trips.lang
@@ -76,6 +76,7 @@ BROUILLONNER=Reopen
 SendToValid=Sent on approval
 ModifyInfoGen=Edit
 ValidateAndSubmit=Validate and submit for approval
+ValidatedWaitingApproval=Validated (waiting for approval)
 
 NOT_VALIDATOR=You are not allowed to approve this expense report
 NOT_AUTHOR=You are not the author of this expense report. Operation cancelled.
diff --git a/htdocs/langs/zh_TW/withdrawals.lang b/htdocs/langs/zh_TW/withdrawals.lang
index 778eb334c4df76de6d95c68f880fbc8a005b9f3a..530cdaa6fff9dc16c30c9a391b64c85558f4b838 100644
--- a/htdocs/langs/zh_TW/withdrawals.lang
+++ b/htdocs/langs/zh_TW/withdrawals.lang
@@ -84,6 +84,11 @@ WithdrawalFile=Withdrawal file
 SetToStatusSent=Set to status "File Sent"
 ThisWillAlsoAddPaymentOnInvoice=This will also apply payments to invoices and will classify them as "Paid"
 StatisticsByLineStatus=Statistics by status of lines
+RUM=RUM
+RUMWillBeGenerated=RUM number will be generated once bank account information are saved
+WithdrawMode=Withdraw mode (FRST or RECUR)
+WithdrawRequestAmount=Withdraw request amount:
+WithdrawRequestErrorNilAmount=Unable to create withdraw request for nil amount.
 
 ### Notifications
 InfoCreditSubject=由銀行支付的長期訂單%s
diff --git a/htdocs/langs/zh_TW/workflow.lang b/htdocs/langs/zh_TW/workflow.lang
index 0714ffcc0a85e43dd3ca6187c7f8022b34d4f2e1..a9137557a8e70544886ae2b891f30ecfdf42dedf 100644
--- a/htdocs/langs/zh_TW/workflow.lang
+++ b/htdocs/langs/zh_TW/workflow.lang
@@ -1,7 +1,7 @@
 # Dolibarr language file - Source file is en_US - admin
 WorkflowSetup=工作流模塊的設置
 WorkflowDesc=This module is designed to modify the behaviour of automatic actions into application. By default, workflow is open (you can do things in the order you want). You can activate the automatic actions you are interested in.
-ThereIsNoWorkflowToModify=There is no workflow to modify for the activated module.
+ThereIsNoWorkflowToModify=There is no workflow modifications available with the activated modules.
 descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a customer order after a commercial proposal is signed
 descWORKFLOW_PROPAL_AUTOCREATE_INVOICEAutomatically create a customer invoice after a commercial proposal is signed
 descWORKFLOW_CONTRACT_AUTOCREATE_INVOICEAutomatically create a customer invoice after a contract is validated
diff --git a/htdocs/projet/activity/perday.php b/htdocs/projet/activity/perday.php
index ee50358bdc513d8d5a800169bfee3ddc0eb046fe..e018bc4744651f7056b24b1027b364da1ceb021d 100644
--- a/htdocs/projet/activity/perday.php
+++ b/htdocs/projet/activity/perday.php
@@ -63,8 +63,14 @@ $day=GETPOST('reday')?GETPOST('reday'):(GETPOST("day","int")?GETPOST("day","int"
 $day = (int) $day;
 $week=GETPOST("week","int")?GETPOST("week","int"):date("W");
 
+
+$monthofday=GETPOST('addtimemonth');
+$dayofday=GETPOST('addtimeday');
+$yearofday=GETPOST('addtimeyear');
+
 $daytoparse = $now;
-if ($year && $month && $day) $daytoparse=dol_mktime(0, 0, 0, $month, $day, $year);
+if ($yearofday && $monthofday && $dayofday) $daytoparse=dol_mktime(0, 0, 0, $monthofday, $dayofday, $yearofday);	// xxxofday is value of day after submit action 'addtime'
+else if ($year && $month && $day) $daytoparse=dol_mktime(0, 0, 0, $month, $day, $year);							// this are value submited after submit of action 'submitdateselect'
 
 $object=new Task($db);
 
@@ -106,6 +112,7 @@ if ($action == 'assign')
 
 	if ($result < 0)
 	{
+		$error++;
 		if ($object->error == 'DB_ERROR_RECORD_ALREADY_EXISTS')
 		{
 			$langs->load("errors");
@@ -117,6 +124,11 @@ if ($action == 'assign')
 		}
 	}
 
+	if (! $error)
+	{
+		setEventMessages($langs->trans("TaskAssignedToEnterTime"), null);
+	}
+
 	$action='';
 }
 
@@ -154,15 +166,25 @@ if ($action == 'addtime' && $user->rights->projet->creer)
 	        $object->timespent_fk_user = $user->id;
 	        if (GETPOST($key."hour") != '' && GETPOST($key."hour") >= 0)	// If hour was entered
 	        {
-	        	$object->timespent_date = dol_mktime(GETPOST($key."hour"),GETPOST($key."min"),0,GETPOST($key."month"),GETPOST($key."day"),GETPOST($key."year"));
+	        	$object->timespent_date = dol_mktime(GETPOST($key."hour"),GETPOST($key."min"),0,$monthofday,$dayofday,$yearofday);
 	        	$object->timespent_withhour = 1;
 	        }
 	        else
 			{
-	        	$object->timespent_date = dol_mktime(12,0,0,GETPOST($key."month"),GETPOST($key."day"),GETPOST($key."year"));
+	        	$object->timespent_date = dol_mktime(12,0,0,$monthofday,$dayofday,$yearofday);
+			}
+
+			if ($object->timespent_date > 0)
+			{
+				$result=$object->addTimeSpent($user);
+			}
+			else
+			{
+				setEventMessages($langs->trans("ErrorBadDate"), null, 'errors');
+				$error++;
+				break;
 			}
 
-			$result=$object->addTimeSpent($user);
 			if ($result < 0)
 			{
 				setEventMessages($object->error, $object->errors, 'errors');
@@ -176,7 +198,7 @@ if ($action == 'addtime' && $user->rights->projet->creer)
 	    	setEventMessage($langs->trans("RecordSaved"));
 
     	    // Redirect to avoid submit twice on back
-        	header('Location: '.$_SERVER["PHP_SELF"].($projectid?'?id='.$projectid:'?').($mode?'&mode='.$mode:''));
+        	header('Location: '.$_SERVER["PHP_SELF"].($projectid?'?id='.$projectid:'?').($mode?'&mode='.$mode:'').'&year='.$yearofday.'&month='.$monthofday.'&day='.$dayofday);
         	exit;
     	}
     }
@@ -252,6 +274,10 @@ print '<form name="addtime" method="POST" action="'.$_SERVER["PHP_SELF"].($proje
 print '<input type="hidden" name="token" value="'.$_SESSION['newtoken'].'">';
 print '<input type="hidden" name="action" value="addtime">';
 print '<input type="hidden" name="mode" value="'.$mode.'">';
+$tmp = dol_getdate($daytoparse);
+print '<input type="hidden" name="addtimeyear" value="'.$tmp['year'].'">';
+print '<input type="hidden" name="addtimemonth" value="'.$tmp['mon'].'">';
+print '<input type="hidden" name="addtimeday" value="'.$tmp['mday'].'">';
 
 $head=project_timesheet_prepare_head($mode);
 dol_fiche_head($head, 'inputperday', '', 0, 'task');
@@ -351,7 +377,7 @@ print '<input type="hidden" name="year" value="'.$year.'">';
 print '<input type="hidden" name="month" value="'.$month.'">';
 print '<input type="hidden" name="day" value="'.$day.'">';
 print $langs->trans("AssignTaskToMe").'<br>';
-$formproject->select_task($socid?$socid:-1, $taskid, 'taskid');
+$formproject->selectTasks($socid?$socid:-1, $taskid, 'taskid', 32, 0, 1, 1);
 print $formcompany->selectTypeContact($object, '', 'type','internal','rowid', 1);
 print '<input type="submit" class="button" name="submit" value="'.$langs->trans("AssignTask").'">';
 print '</form>';
diff --git a/htdocs/projet/activity/perweek.php b/htdocs/projet/activity/perweek.php
index 85874af86b9ccf6255bfdf7362dd00eabfe8432f..6ffc38cfbe9699f1cbdc365b6066631caebfcc6e 100644
--- a/htdocs/projet/activity/perweek.php
+++ b/htdocs/projet/activity/perweek.php
@@ -124,6 +124,7 @@ if ($action == 'assign')
 
 	if ($result < 0)
 	{
+		$error++;
 		if ($object->error == 'DB_ERROR_RECORD_ALREADY_EXISTS')
 		{
 			$langs->load("errors");
@@ -135,6 +136,11 @@ if ($action == 'assign')
 		}
 	}
 
+	if (! $error)
+	{
+		setEventMessages($langs->trans("TaskAssignedToEnterTime"), null);
+	}
+
 	$action='';
 }
 
@@ -376,7 +382,7 @@ print '<input type="hidden" name="year" value="'.$year.'">';
 print '<input type="hidden" name="month" value="'.$month.'">';
 print '<input type="hidden" name="day" value="'.$day.'">';
 print $langs->trans("AssignTaskToMe").'<br>';
-$formproject->select_task($socid?$socid:-1, $taskid, 'taskid');
+$formproject->selectTasks($socid?$socid:-1, $taskid, 'taskid', 32, 0, 1, 1);
 print $formcompany->selectTypeContact($object, '', 'type','internal','rowid', 1);
 print '<input type="submit" class="button" name="submit" value="'.$langs->trans("AssignTask").'">';
 print '</form>';