diff --git a/htdocs/api/class/api_documents.class.php b/htdocs/api/class/api_documents.class.php index 846e9272fb6..78442622c7e 100644 --- a/htdocs/api/class/api_documents.class.php +++ b/htdocs/api/class/api_documents.class.php @@ -751,7 +751,7 @@ class Documents extends DolibarrApi throw new RestException(500, "Failed to open file '".$destfiletmp."' for write"); } - $result = dol_move($destfiletmp, $destfile, 0, $overwriteifexists, 1); + $result = dol_move($destfiletmp, $destfile, 0, $overwriteifexists, 1, 1); if (!$result) { throw new RestException(500, "Failed to move file into '".$destfile."'"); } diff --git a/htdocs/comm/action/class/actioncomm.class.php b/htdocs/comm/action/class/actioncomm.class.php index 51ec0986fc7..48c51840e83 100644 --- a/htdocs/comm/action/class/actioncomm.class.php +++ b/htdocs/comm/action/class/actioncomm.class.php @@ -2290,7 +2290,7 @@ class ActionComm extends CommonObject } if ($result >= 0) { - if (dol_move($outputfiletmp, $outputfile, 0, 1)) { + if (dol_move($outputfiletmp, $outputfile, 0, 1, 0, 0)) { $result = 1; } else { $this->error = 'Failed to rename '.$outputfiletmp.' into '.$outputfile; diff --git a/htdocs/contrat/card.php b/htdocs/contrat/card.php index 4c8e50624c2..294c55da4c0 100644 --- a/htdocs/contrat/card.php +++ b/htdocs/contrat/card.php @@ -942,15 +942,8 @@ if (empty($reshook)) { $old_filedir = $conf->contrat->multidir_output[$object->entity].'/'.dol_sanitizeFileName($old_ref); $new_filedir = $conf->contrat->multidir_output[$object->entity].'/'.dol_sanitizeFileName($object->ref); - $files = dol_dir_list($old_filedir); - if (!empty($files)) { - if (!is_dir($new_filedir)) { - dol_mkdir($new_filedir); - } - foreach ($files as $file) { - dol_move($file['fullname'], $new_filedir.'/'.$file['name']); - } - } + // Rename directory of contract with new name + dol_move_dir($old_filedir, $new_filedir); header("Location: ".$_SERVER['PHP_SELF']."?id=".$object->id); exit; diff --git a/htdocs/core/class/CMailFile.class.php b/htdocs/core/class/CMailFile.class.php index 216059a62c2..2635acd7951 100644 --- a/htdocs/core/class/CMailFile.class.php +++ b/htdocs/core/class/CMailFile.class.php @@ -839,6 +839,10 @@ class CMailFile $this->error .= ".
"; $this->error .= $langs->trans("ErrorPhpMailDelivery"); dol_syslog("CMailFile::sendfile: mail end error=".$this->error, LOG_ERR); + + if (!empty($conf->global->MAIN_MAIL_DEBUG)) { + $this->save_dump_mail_in_err(); + } } else { dol_syslog("CMailFile::sendfile: mail end success", LOG_DEBUG); } @@ -903,6 +907,7 @@ class CMailFile if (getDolGlobalString($keyforsmtpauthtype) === "XOAUTH2") { require_once DOL_DOCUMENT_ROOT.'/core/lib/oauth.lib.php'; // define $supportedoauth2array + $keyforsupportedoauth2array = $conf->global->$keyforsmtpoauthservice; if (preg_match('/^.*-/', $keyforsupportedoauth2array)) { $keyforprovider = preg_replace('/^.*-/', '', $keyforsupportedoauth2array); @@ -996,6 +1001,10 @@ class CMailFile } dol_syslog("CMailFile::sendfile: mail end error with smtps lib to HOST=".$server.", PORT=".$conf->global->$keyforsmtpport." - ".$this->error, LOG_ERR); $res = false; + + if (!empty($conf->global->MAIN_MAIL_DEBUG)) { + $this->save_dump_mail_in_err(); + } } } } elseif ($this->sendmode == 'swiftmailer') { @@ -1031,6 +1040,7 @@ class CMailFile } if (getDolGlobalString($keyforsmtpauthtype) === "XOAUTH2") { require_once DOL_DOCUMENT_ROOT.'/core/lib/oauth.lib.php'; // define $supportedoauth2array + $keyforsupportedoauth2array = getDolGlobalString($keyforsmtpoauthservice); if (preg_match('/^.*-/', $keyforsupportedoauth2array)) { $keyforprovider = preg_replace('/^.*-/', '', $keyforsupportedoauth2array); @@ -1131,6 +1141,10 @@ class CMailFile } dol_syslog("CMailFile::sendfile: mail end error=".$this->error, LOG_ERR); $res = false; + + if (!empty($conf->global->MAIN_MAIL_DEBUG)) { + $this->save_dump_mail_in_err(); + } } else { dol_syslog("CMailFile::sendfile: mail end success", LOG_DEBUG); } @@ -1218,7 +1232,7 @@ class CMailFile if (@is_writeable($dolibarr_main_data_root)) { // Avoid fatal error on fopen with open_basedir $outputfile = $dolibarr_main_data_root."/dolibarr_mail.log"; - $fp = fopen($outputfile, "w"); + $fp = fopen($outputfile, "w"); // overwrite if ($this->sendmode == 'mail') { fputs($fp, $this->headers); @@ -1235,6 +1249,25 @@ class CMailFile } } + // phpcs:disable PEAR.NamingConventions.ValidFunctionName.ScopeNotCamelCaps + /** + * Save content if mail is in error + * Used for debugging. + * + * @return void + */ + public function save_dump_mail_in_err() + { + global $dolibarr_main_data_root; + + if (@is_writeable($dolibarr_main_data_root)) { // Avoid fatal error on fopen with open_basedir + $srcfile = $dolibarr_main_data_root."/dolibarr_mail.log"; + $destfile = $dolibarr_main_data_root."/dolibarr_mail.err"; + + dol_move($srcfile, $destfile, 0, 1, 0, 0); + } + } + /** * Correct an uncomplete html string diff --git a/htdocs/core/lib/files.lib.php b/htdocs/core/lib/files.lib.php index 95cfcfaf75b..60adcc64003 100644 --- a/htdocs/core/lib/files.lib.php +++ b/htdocs/core/lib/files.lib.php @@ -1003,8 +1003,8 @@ function dol_move($srcfile, $destfile, $newmask = 0, $overwriteifexists = 1, $te * @param string $srcdir Source directory * @param string $destdir Destination directory * @param int $overwriteifexists Overwrite directory if exists (1 by default) - * @param int $indexdatabase Index new file into database. - * @param int $renamedircontent Rename contents inside srcdir. + * @param int $indexdatabase Index new name of files into database. + * @param int $renamedircontent Also rename contents inside srcdir after the move to match new destination name. * * @return boolean True if OK, false if KO */ @@ -1045,7 +1045,7 @@ function dol_move_dir($srcdir, $destdir, $overwriteifexists = 1, $indexdatabase if ($file["type"] == "dir") { $res = dol_move_dir($filepath.'/'.$oldname, $filepath.'/'.$newname, $overwriteifexists, $indexdatabase, $renamedircontent); } else { - $res = dol_move($filepath.'/'.$oldname, $filepath.'/'.$newname); + $res = dol_move($filepath.'/'.$oldname, $filepath.'/'.$newname, 0, $overwriteifexists, 0, $indexdatabase); } if (!$res) { return $result; diff --git a/htdocs/install/doctemplates/websites/website_template-corporate/containers/wrapper.php b/htdocs/install/doctemplates/websites/website_template-corporate/containers/wrapper.php index 9a8a8d5ab48..621dee927cb 100644 --- a/htdocs/install/doctemplates/websites/website_template-corporate/containers/wrapper.php +++ b/htdocs/install/doctemplates/websites/website_template-corporate/containers/wrapper.php @@ -162,7 +162,7 @@ if ($rss) { $result = build_rssfile($format, $title, $desc, $eventarray, $outputfiletmp, '', $website->virtualhost.'/wrapper.php?rss=1'.($l ? '&l='.$l : ''), $l); if ($result >= 0) { - if (dol_move($outputfiletmp, $outputfile, 0, 1)) { + if (dol_move($outputfiletmp, $outputfile, 0, 1, 0, 0)) { $result = 1; } else { $error = 'Failed to rename '.$outputfiletmp.' into '.$outputfile; diff --git a/htdocs/install/doctemplates/websites/website_template-homesubmenu/containers/wrapper.php b/htdocs/install/doctemplates/websites/website_template-homesubmenu/containers/wrapper.php index 9a8a8d5ab48..621dee927cb 100644 --- a/htdocs/install/doctemplates/websites/website_template-homesubmenu/containers/wrapper.php +++ b/htdocs/install/doctemplates/websites/website_template-homesubmenu/containers/wrapper.php @@ -162,7 +162,7 @@ if ($rss) { $result = build_rssfile($format, $title, $desc, $eventarray, $outputfiletmp, '', $website->virtualhost.'/wrapper.php?rss=1'.($l ? '&l='.$l : ''), $l); if ($result >= 0) { - if (dol_move($outputfiletmp, $outputfile, 0, 1)) { + if (dol_move($outputfiletmp, $outputfile, 0, 1, 0, 0)) { $result = 1; } else { $error = 'Failed to rename '.$outputfiletmp.' into '.$outputfile; diff --git a/htdocs/install/doctemplates/websites/website_template-noimg/containers/wrapper.php b/htdocs/install/doctemplates/websites/website_template-noimg/containers/wrapper.php index 9a8a8d5ab48..621dee927cb 100644 --- a/htdocs/install/doctemplates/websites/website_template-noimg/containers/wrapper.php +++ b/htdocs/install/doctemplates/websites/website_template-noimg/containers/wrapper.php @@ -162,7 +162,7 @@ if ($rss) { $result = build_rssfile($format, $title, $desc, $eventarray, $outputfiletmp, '', $website->virtualhost.'/wrapper.php?rss=1'.($l ? '&l='.$l : ''), $l); if ($result >= 0) { - if (dol_move($outputfiletmp, $outputfile, 0, 1)) { + if (dol_move($outputfiletmp, $outputfile, 0, 1, 0, 0)) { $result = 1; } else { $error = 'Failed to rename '.$outputfiletmp.' into '.$outputfile; diff --git a/htdocs/install/doctemplates/websites/website_template-onepageblackpurple/containers/wrapper.php b/htdocs/install/doctemplates/websites/website_template-onepageblackpurple/containers/wrapper.php index 9a8a8d5ab48..621dee927cb 100644 --- a/htdocs/install/doctemplates/websites/website_template-onepageblackpurple/containers/wrapper.php +++ b/htdocs/install/doctemplates/websites/website_template-onepageblackpurple/containers/wrapper.php @@ -162,7 +162,7 @@ if ($rss) { $result = build_rssfile($format, $title, $desc, $eventarray, $outputfiletmp, '', $website->virtualhost.'/wrapper.php?rss=1'.($l ? '&l='.$l : ''), $l); if ($result >= 0) { - if (dol_move($outputfiletmp, $outputfile, 0, 1)) { + if (dol_move($outputfiletmp, $outputfile, 0, 1, 0, 0)) { $result = 1; } else { $error = 'Failed to rename '.$outputfiletmp.' into '.$outputfile; diff --git a/htdocs/install/doctemplates/websites/website_template-restaurant/containers/wrapper.php b/htdocs/install/doctemplates/websites/website_template-restaurant/containers/wrapper.php index 9a8a8d5ab48..621dee927cb 100644 --- a/htdocs/install/doctemplates/websites/website_template-restaurant/containers/wrapper.php +++ b/htdocs/install/doctemplates/websites/website_template-restaurant/containers/wrapper.php @@ -162,7 +162,7 @@ if ($rss) { $result = build_rssfile($format, $title, $desc, $eventarray, $outputfiletmp, '', $website->virtualhost.'/wrapper.php?rss=1'.($l ? '&l='.$l : ''), $l); if ($result >= 0) { - if (dol_move($outputfiletmp, $outputfile, 0, 1)) { + if (dol_move($outputfiletmp, $outputfile, 0, 1, 0, 0)) { $result = 1; } else { $error = 'Failed to rename '.$outputfiletmp.' into '.$outputfile; diff --git a/htdocs/install/doctemplates/websites/website_template-stellar/containers/wrapper.php b/htdocs/install/doctemplates/websites/website_template-stellar/containers/wrapper.php index 648b0e3ef6a..c5f8978a706 100644 --- a/htdocs/install/doctemplates/websites/website_template-stellar/containers/wrapper.php +++ b/htdocs/install/doctemplates/websites/website_template-stellar/containers/wrapper.php @@ -143,7 +143,7 @@ if ($rss) { $result = build_rssfile($format, $title, $desc, $eventarray, $outputfiletmp, '', $website->virtualhost.'/wrapper.php?rss=1'.($l ? '&l='.$l : ''), $l); if ($result >= 0) { - if (dol_move($outputfiletmp, $outputfile, 0, 1)) $result = 1; + if (dol_move($outputfiletmp, $outputfile, 0, 1, 0, 0)) $result = 1; else { $error = 'Failed to rename '.$outputfiletmp.' into '.$outputfile; dol_syslog("build_exportfile ".$error, LOG_ERR); diff --git a/htdocs/langs/ar_SA/accountancy.lang b/htdocs/langs/ar_SA/accountancy.lang index d4fb4d12a14..eece89bb6a9 100644 --- a/htdocs/langs/ar_SA/accountancy.lang +++ b/htdocs/langs/ar_SA/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=تمكين قائمة التحرير والسرد لل ACCOUNTING_DATE_START_BINDING=تحديد موعد لبدء الربط والتحويل في المحاسبة. بعد هذا التاريخ ، لن يتم تحويل المعاملات إلى المحاسبة. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=في تحويل المحاسبة ، ما هي الفترة المحددة افتراضيا -ACCOUNTING_SELL_JOURNAL=المبيعات في اليومية العامة (المبيعات و المرتجعات) -ACCOUNTING_PURCHASE_JOURNAL=المشتريات في اليومية العامة (المشتريات و المرتجعات) -ACCOUNTING_BANK_JOURNAL=النقدي اليومية ( المقبوضات و المدفوعات) +ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns +ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns +ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements ACCOUNTING_EXPENSEREPORT_JOURNAL=دفتر تقرير المصروف اليومي ACCOUNTING_MISCELLANEOUS_JOURNAL=اليومية العامة ACCOUNTING_HAS_NEW_JOURNAL=له دفتر يوميات جديد @@ -238,6 +238,7 @@ ConfirmDeleteMvt=سيؤدي هذا إلى حذف جميع سطور المحاس ConfirmDeleteMvtPartial=سيؤدي هذا إلى حذف المعاملة من المحاسبة (سيتم حذف جميع الأسطر المتعلقة بنفس المعاملة) FinanceJournal=دفتر المالية اليومي ExpenseReportsJournal=دفتر تقارير المصاريف +InventoryJournal=المخزون في اليومية DescFinanceJournal=دفتر المالية اليومي المتضمن لجميع الدفعات عن طريق الحساب المصرفي DescJournalOnlyBindedVisible=هذه طريقة عرض للسجل مرتبطة بالحساب ويمكن تسجيلها في دفتر اليوميات و الأستاذ. VATAccountNotDefined=حساب ضريبة القيمة المضافة غير محدد diff --git a/htdocs/langs/ar_SA/admin.lang b/htdocs/langs/ar_SA/admin.lang index d931786d3ed..89adb2792e9 100644 --- a/htdocs/langs/ar_SA/admin.lang +++ b/htdocs/langs/ar_SA/admin.lang @@ -145,6 +145,7 @@ Box=بريمج Boxes=بريمجات MaxNbOfLinesForBoxes=الحد الأعلى لعدد أسطر البريمجات AllWidgetsWereEnabled=جميع البريمجات المتاحة ممكنة +WidgetAvailable=Widget available PositionByDefault=الطلبية الإفتراضية Position=الوضع MenusDesc=يقوم مديرو القائمة بتعيين محتوى شريطي القائمة (الأفقي والعمودي). @@ -374,7 +375,7 @@ DoTestSendHTML=اختبار ارسال هتمل ErrorCantUseRazIfNoYearInMask=خطأ، لا يمكن استخدام الخيار @ لإعادة تعيين عداد سنويا إذا تسلسل {} أو {yyyy إنهاء س س س س} ليس في قناع. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=خطأ ، لا يمكن للمستخدم الخيار في حال تسلسل @ (ذ ذ م م)) ((سنة أو ملم)) (لا تخفي. UMask=معلمة جديدة UMask صورة يونيكس / لينكس / بي إس دي نظام الملفات. -UMaskExplanation=تسمح لك هذه المعلمة لتحديد الاذونات التي حددها تقصير من الملفات التي أنشأتها Dolibarr على الخادم (خلال تحميلها على سبيل المثال).
يجب أن يكون ثمانية القيمة (على سبيل المثال ، 0666 وسائل القراءة والكتابة للجميع).
م شمال شرق paramètre سرت sous الامم المتحدة لتقييم الأداء ويندوز serveur. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
This parameter is useless on a Windows server. SeeWikiForAllTeam=قم بإلقاء نظرة على صفحة Wiki للحصول على قائمة بالمساهمين ومنظمتهم UseACacheDelay= التخزين المؤقت للتأخير في الرد على الصادرات ثانية (0 فارغة أو لا مخبأ) DisableLinkToHelpCenter=إخفاء الارتباط " بحاجة إلى مساعدة أو دعم " في صفحة تسجيل الدخول @@ -663,7 +664,7 @@ Module2900Desc=GeoIP التحويلات Maxmind القدرات Module3200Name=المحفوظات غير القابلة للتغيير Module3200Desc=تمكين سجل غير قابل للتغيير لأحداث العمل. يتم أرشفة الأحداث في الوقت الحقيقي. السجل هو جدول للقراءة فقط للأحداث المتسلسلة التي يمكن تصديرها. قد تكون هذه الوحدة إلزامية لبعض البلدان. Module3300Name=Module Builder -Module3200Desc=تمكين سجل غير قابل للتغيير لأحداث العمل. يتم أرشفة الأحداث في الوقت الحقيقي. السجل هو جدول للقراءة فقط للأحداث المتسلسلة التي يمكن تصديرها. قد تكون هذه الوحدة إلزامية لبعض البلدان. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=الشبكات الاجتماعية Module3400Desc=قم بتمكين حقول الشبكات الاجتماعية في عناوين وعناوين الأطراف الثالثة (سكايب ، تويتر ، فيسبوك ، ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=استخدم وضع ذاكرة منخفضة ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = الويب هوك -ModuleWebhookDesc = واجهة للقبض على مشغلات dolibarr وإرسالها إلى عنوان URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = إعداد Webhook Settings = الإعدادات WebhookSetupPage = صفحة إعداد Webhook @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/ar_SA/interventions.lang b/htdocs/langs/ar_SA/interventions.lang index a48f49f1125..d41c5ad78b2 100644 --- a/htdocs/langs/ar_SA/interventions.lang +++ b/htdocs/langs/ar_SA/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=يخفي الساعات والدقائق خارج InterventionStatistics=إحصائيات التدخلات NbOfinterventions=عدد بطاقات التدخل NumberOfInterventionsByMonth=عدد بطاقات التدخل بالشهر (تاريخ المصادقة) -AmountOfInteventionNotIncludedByDefault=لا يتم تضمين مقدار التدخل بشكل افتراضي في الربح (في معظم الحالات ، يتم استخدام الجداول الزمنية لحساب الوقت المنقضي). أضف الخيار PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT إلى 1 في المنزل-الإعداد الآخر لتضمينها. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=تدخل معرف InterRef=تدخل المرجع. InterDateCreation=تدخل تاريخ الإنشاء diff --git a/htdocs/langs/ar_SA/mails.lang b/htdocs/langs/ar_SA/mails.lang index d6198e63b8d..bade48937a4 100644 --- a/htdocs/langs/ar_SA/mails.lang +++ b/htdocs/langs/ar_SA/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=رسائل البريد الإلكتروني من الملف MailingModuleDescEmailsFromUser=إدخال رسائل البريد الإلكتروني من قبل المستخدم MailingModuleDescDolibarrUsers=المستخدمون الذين لديهم رسائل بريد إلكتروني -MailingModuleDescThirdPartiesByCategories=الأطراف الثالثة (حسب الفئات) +MailingModuleDescThirdPartiesByCategories=أطراف ثالثة SendingFromWebInterfaceIsNotAllowed=الإرسال من واجهة الويب غير مسموح به. EmailCollectorFilterDesc=يجب أن تتطابق جميع المرشحات حتى يتم جمع بريد إلكتروني @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=السجل الذي تم إنشاؤه بواسطة DefaultBlacklistMailingStatus=القيمة الافتراضية للحقل "%s" عند تكوين جهة اتصال جديدة DefaultStatusEmptyMandatory=فارغ ولكنه إلزامي WarningLimitSendByDay=تحذير: إعداد أو عقد المثيل الخاص بك يحد من عدد رسائل البريد الإلكتروني يوميًا إلى %s . قد تؤدي محاولة إرسال المزيد إلى إبطاء المثيل أو تعليقه. يرجى الاتصال بالدعم الخاص بك إذا كنت بحاجة إلى حصة أعلى. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/ar_SA/ticket.lang b/htdocs/langs/ar_SA/ticket.lang index c9f94d6f391..5ca4f12d467 100644 --- a/htdocs/langs/ar_SA/ticket.lang +++ b/htdocs/langs/ar_SA/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=تم الإنشاء بواسطة NewTicket=تذكرة جديدة SubjectAnswerToTicket=إجابة التذكرة TicketTypeRequest=نوع الطلب -TicketCategory=تصنيف التذكرة +TicketCategory=Ticket group SeeTicket=عرض التذكرة TicketMarkedAsRead=تم تحديد التذكرة كمقروءة TicketReadOn=تمت القراءة في diff --git a/htdocs/langs/bg_BG/admin.lang b/htdocs/langs/bg_BG/admin.lang index 4673e1b266a..d1081193b3b 100644 --- a/htdocs/langs/bg_BG/admin.lang +++ b/htdocs/langs/bg_BG/admin.lang @@ -145,6 +145,7 @@ Box=Джаджа Boxes=Джаджи MaxNbOfLinesForBoxes=Максимален брой редове за джаджи AllWidgetsWereEnabled=Всички налични джаджи са активирани +WidgetAvailable=Widget available PositionByDefault=Позиция по подразбиране Position=Позиция MenusDesc=Меню мениджърите определят съдържанието на двете ленти с менюта (хоризонтална и вертикална). @@ -374,7 +375,7 @@ DoTestSendHTML=Тестово изпращане на HTML ErrorCantUseRazIfNoYearInMask=Грешка, не може да се използва опция @, за да нулирате брояча всяка година, ако последователността {yy} или {yyyy} не е в маската. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Грешка, не може да се използва опция @, ако последователността {yy}{mm} или {yyyy}{mm} не са в маската. UMask=UMask параметър за нови файлове на Unix / Linux / BSD / Mac файлова система. -UMaskExplanation=Този параметър ви позволява да дефинирате права, зададени по подразбиране на файлове, които са създадени от Dolibarr на сървъра (например при качване).
Необходимо е да бъде в осмична стойност (например 0666 означава четене и запис за всички).
Този параметър е безполезен на Windows сървър. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
This parameter is useless on a Windows server. SeeWikiForAllTeam=Разгледайте страницата на Wiki за списък на сътрудниците и тяхната организация UseACacheDelay= Забавяне при кеширане на отговора за експорт в секунди (0 или празно, за да не се използва кеш) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind възможности за преобразува Module3200Name=Неизменими архиви Module3200Desc=Непроменлив дневник на бизнес събития. Събитията се архивират в реално време. Дневникът е таблица, достъпна единствено за четене, която съдържа последователни събития, които могат да бъдат експортирани. Този модул може да е задължителен за някои страни. Module3300Name=Module Builder -Module3200Desc=Непроменлив дневник на бизнес събития. Събитията се архивират в реално време. Дневникът е таблица, достъпна единствено за четене, която съдържа последователни събития, които могат да бъдат експортирани. Този модул може да е задължителен за някои страни. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Социални мрежи Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=ЧР @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Настройки WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/bg_BG/interventions.lang b/htdocs/langs/bg_BG/interventions.lang index f663bbaef23..7f0bc9700d4 100644 --- a/htdocs/langs/bg_BG/interventions.lang +++ b/htdocs/langs/bg_BG/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Скриване на часовете и мину InterventionStatistics=Статистика на интервенции NbOfinterventions=Брой интервенции NumberOfInterventionsByMonth=Брой интервенции по месец (по дата на валидиране) -AmountOfInteventionNotIncludedByDefault=Общата продължителност на интервенцията не е включена по подразбиране в печалбата (в повечето случаи за отчитане на времето се използват графиците за отделно време). Добавете опцията PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT със стойност 1 в Начало -> Настройки -> Други настройки, за да я включите. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=Идентификатор на интервенция InterRef=Съгласно интервенция № InterDateCreation=Дата на създаване на интервенцията @@ -66,3 +66,7 @@ RepeatableIntervention=Шаблон на интервенция ToCreateAPredefinedIntervention=За да създадете предварително определена или повтаряща се интервенция, създайте интервенция и я превърнете в шаблон за интервенция. ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? GenerateInter=Generate intervention +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/bg_BG/mails.lang b/htdocs/langs/bg_BG/mails.lang index ff74df6975f..dda00de8c84 100644 --- a/htdocs/langs/bg_BG/mails.lang +++ b/htdocs/langs/bg_BG/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Контакти с длъжност MailingModuleDescEmailsFromFile=Имейли от файл MailingModuleDescEmailsFromUser=Имейли, въведени от потребител MailingModuleDescDolibarrUsers=Потребители с имейли -MailingModuleDescThirdPartiesByCategories=Контрагенти (с категории) +MailingModuleDescThirdPartiesByCategories=Контрагенти SendingFromWebInterfaceIsNotAllowed=Изпращането от уеб интерфейса не е позволено. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/bs_BA/mails.lang b/htdocs/langs/bs_BA/mails.lang index 4247f427a42..2703cd2de2d 100644 --- a/htdocs/langs/bs_BA/mails.lang +++ b/htdocs/langs/bs_BA/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=Subjekti SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/ca_ES/accountancy.lang b/htdocs/langs/ca_ES/accountancy.lang index 946fd976dde..fb08eca1b7f 100644 --- a/htdocs/langs/ca_ES/accountancy.lang +++ b/htdocs/langs/ca_ES/accountancy.lang @@ -95,13 +95,13 @@ ChangeAndLoad=Canviar i carregar Addanaccount=Afegir un compte comptable AccountAccounting=Compte comptable AccountAccountingShort=Compte -SubledgerAccount=Subcompte comptable -SubledgerAccountLabel=Nom del compte del llibre major +SubledgerAccount=Compte de subllibre +SubledgerAccountLabel=Nom del compte de subllibre ShowAccountingAccount=Mostrar diari de comptes ShowAccountingJournal=Mostrar diari comptable ShowAccountingAccountInLedger=Mostra el compte comptable al Llibre major ShowAccountingAccountInJournals=Mostra el compte comptable als diaris -DataUsedToSuggestAccount=Data used to suggest account +DataUsedToSuggestAccount=Dades utilitzades per a suggerir un compte AccountAccountingSuggest=Compte suggerit MenuDefaultAccounts=Comptes per defecte MenuBankAccounts=Comptes bancaris @@ -125,7 +125,7 @@ UpdateMvts=Modificació d'una transacció ValidTransaction=Valida l'assentament WriteBookKeeping=Registrar transaccions en comptabilitat Bookkeeping=Llibre major -BookkeepingSubAccount=Subcompte +BookkeepingSubAccount=Subquadern AccountBalance=Compte saldo AccountBalanceSubAccount=Saldo de subcomptes ObjectsRef=Referència de l'objecte origen @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Activa la llista combinada per a un compte subsidiari ACCOUNTING_DATE_START_BINDING=Definiu una data per a començar la vinculació i transferència a la comptabilitat. Per sota d’aquesta data, les transaccions no es transferiran a la comptabilitat. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=En la transferència comptable, quin és el període seleccionat per defecte -ACCOUNTING_SELL_JOURNAL=Diari de vendes (vendes i devolucions) -ACCOUNTING_PURCHASE_JOURNAL=Diari de compres (compres i devolucions) -ACCOUNTING_BANK_JOURNAL=Diari d'efectiu (entrades i desemborsaments) +ACCOUNTING_SELL_JOURNAL=Diari de vendes: vendes i devolucions +ACCOUNTING_PURCHASE_JOURNAL=Diari de compres: compres i devolucions +ACCOUNTING_BANK_JOURNAL=Diari d'efectiu: rebuts i desemborsaments ACCOUNTING_EXPENSEREPORT_JOURNAL=Diari de l'informe de despeses ACCOUNTING_MISCELLANEOUS_JOURNAL=Diari general ACCOUNTING_HAS_NEW_JOURNAL=Té un nou Diari @@ -185,27 +185,27 @@ TransitionalAccount=Compte de transferència bancària transitòria ACCOUNTING_ACCOUNT_SUSPENSE=Compte (del pla comptable) que s'utilitzarà com a compte per als fons no assignats, ja siguin rebuts o pagats, és a dir, fons en "espera" DONATION_ACCOUNTINGACCOUNT=Compte (del pla comptable) que s'utilitzarà per a registrar donacions (mòdul de donacions) -ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Account (from the Chart Of Account) to be used to register memberships subscriptions (Membership module - if membership recorded without invoice) +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Compte (del pla comptable) que s'utilitzarà per a registrar les subscripcions de socis (mòdul d'afiliació - si l'afiliació es registra sense factura) -ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Account (from the Chart Of Account) to be used as the default account to register customer deposit +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per registrar el dipòsit del client UseAuxiliaryAccountOnCustomerDeposit=Emmagatzema el compte del client com a compte individual al llibre major subsidiari per a les línies de pagament inicial (si està desactivat, el compte individual per a les línies de pagament inicial romandrà buit) -ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Account (from the Chart Of Account) to be used as the default +ACCOUNTING_ACCOUNT_SUPPLIER_DEPOSIT=Compte (del pla comptable) que s'utilitzarà com a predeterminat UseAuxiliaryAccountOnSupplierDeposit=Emmagatzema el compte del proveïdor com a compte individual al llibre major subsidiari per a les línies de pagament inicial (si està desactivat, el compte individual de les línies de pagament inicial romandrà buit) -ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Accounting account by default to register customer retained warranty +ACCOUNTING_ACCOUNT_CUSTOMER_RETAINED_WARRANTY=Compte comptable per defecte per a registrar la garantia retinguda del client ACCOUNTING_PRODUCT_BUY_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per als productes comprats al mateix país (utilitzat si no està definit a la fitxa del producte) -ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products purchased and imported from any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per als productes comprats des de la CEE a un altre país de la CEE (utilitzat si no està definit a la fitxa del producte) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per als productes comprats i importats de qualsevol altre país estranger (utilitzat si no està definit a la fitxa del producte) ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per als productes venuts (utilitzat si no està definit a la fitxa del producte) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold from EEC to another EEC country (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the products sold and exported to any other foreign country (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per als productes venuts des de la CEE a un altre país de la CEE (utilitzat si no està definit a la fitxa del producte) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per als productes venuts i exportats a qualsevol altre país estranger (utilitzat si no està definit a la fitxa del producte) ACCOUNTING_SERVICE_BUY_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per als serveis adquirits al mateix país (utilitzat si no està definit al full de servei) -ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services purchased and imported from other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per als serveis adquirits de la CEE a un altre país de la CEE (utilitzat si no està definit al full de servei) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per als serveis comprats i importats d'un altre país estranger (utilitzat si no està definit al full de servei) ACCOUNTING_SERVICE_SOLD_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per als serveis venuts (utilitzat si no està definit al full de servei) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold from EEC to another EEC country (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Account (from the Chart Of Account) to be used as the default account for the services sold and exported to any other foreign country (used if not defined in the service sheet) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per als serveis venuts des de la CEE a un altre país de la CEE (utilitzat si no està definit al full de servei) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a compte predeterminat per als serveis venuts i exportats a qualsevol altre país estranger (utilitzat si no està definit al full de servei) Doctype=Tipus de document Docdate=Data @@ -223,7 +223,7 @@ TransactionNumShort=Número de transacció AccountingCategory=Grup de comptes personalitzat AccountingCategories=Grups de comptes personalitzats GroupByAccountAccounting=Agrupa per compte major -GroupBySubAccountAccounting=Agrupa per subcompte comptable +GroupBySubAccountAccounting=Agrupa per compte del subllibre AccountingAccountGroupsDesc=Podeu definir aquí alguns grups de comptes comptables. S'utilitzaran per a informes comptables personalitzats. ByAccounts=Per comptes ByPredefinedAccountGroups=Per grups predefinits @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Això suprimirà totes les línies de comptabilitat per a l'any ConfirmDeleteMvtPartial=Això suprimirà la transacció de la comptabilitat (se suprimiran totes les línies relacionades amb la mateixa transacció) FinanceJournal=Diari de finances ExpenseReportsJournal=Informe-diari de despeses +InventoryJournal=Diari d'inventari DescFinanceJournal=Diari financer que inclou tots els tipus de pagaments per compte bancari DescJournalOnlyBindedVisible=Aquesta és una vista de registre que està vinculada a un compte comptable i que es pot registrar als diaris i llibres majors. VATAccountNotDefined=Comptes comptables d'IVA sense definir @@ -257,9 +258,9 @@ DescThirdPartyReport=Consulteu aquí la llista dels clients i proveïdors de ter ListAccounts=Llistat dels comptes comptables UnknownAccountForThirdparty=Compte comptable de tercer desconeguda, utilitzarem %s UnknownAccountForThirdpartyBlocking=Compte comptable de tercer desconegut. Error de bloqueig -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Compte Subterrani no definit o desconegut per tercers o usuaris. Utilitzarem %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Compte de subllibre no definit o tercer o usuari desconegut. Utilitzarem %s ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Tercer desconegut i subcompte comptable no definit al pagament. Es manté buit el valor del subcompte comptable. -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Compte Subterrani no definit o desconegut per tercers o usuaris. Error de bloqueig. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Compte de subllibre no definit o tercer o usuari desconegut. Error de bloqueig. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Compte de tercers desconegut i compte d'espera no definit. Error de bloqueig PaymentsNotLinkedToProduct=Pagament no vinculat a cap producte / servei OpeningBalance=Saldo d'obertura @@ -269,7 +270,7 @@ ShowSubtotalByGroup=Mostra el subtotal per nivell Pcgtype=Grup de comptes PcgtypeDesc=S'utilitzen grups de comptes com a criteris predefinits de «filtre» i «agrupació» per a alguns informes de comptabilitat. Per exemple, «INGRESSOS» o «DESPESES» s'utilitzen com a grups per a comptes comptables de productes per a crear l'informe de despeses/ingressos. -AccountingCategoriesDesc=Custom group of accounts can be used to group accounting accounts into one name to ease filter use or building of custom reports. +AccountingCategoriesDesc=El grup de comptes personalitzat es pot utilitzar per a agrupar els comptes comptables en un sol nom per a facilitar l'ús del filtre o la creació d'informes personalitzats. Reconcilable=Reconciliable @@ -299,7 +300,7 @@ DescValidateMovements=Queda prohibida qualsevol modificació o supressió de reg ValidateHistory=Comptabilitza automàticament AutomaticBindingDone=Enllaços automàtics fets (%s): l'enllaç automàtic no és possible per a alguns registres (%s) -DoManualBindingForFailedRecord=You have to do a manual link for the %s row(s) not linked automatically. +DoManualBindingForFailedRecord=Heu de fer un enllaç manual per a les %s files no enllaçades automàticament. ErrorAccountancyCodeIsAlreadyUse=Error, no podeu eliminar ni desactivar aquest compte del pla comptable perquè està en ús MvtNotCorrectlyBalanced=Moviment no equilibrat correctament. Dèbit = %s i crèdit = %s @@ -342,11 +343,11 @@ NumberOfAccountancyMovements=Nombre de moviments ACCOUNTING_DISABLE_BINDING_ON_SALES=Desactiva la vinculació i transferència de comptabilitat en vendes (les factures dels clients no es tindran en compte a la comptabilitat) ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Desactiva la vinculació i transferència a la comptabilitat de les compres (les factures de proveïdors no es tindran en compte a la comptabilitat) ACCOUNTING_DISABLE_BINDING_ON_EXPENSEREPORTS=Desactiva la vinculació i transferència de comptes en els informes de despeses (els informes de despeses no es tindran en compte a la comptabilitat) -ACCOUNTING_ENABLE_LETTERING=Enable the lettering function in the accounting +ACCOUNTING_ENABLE_LETTERING=Habiliteu la funció de lletres a la comptabilitat ACCOUNTING_ENABLE_AUTOLETTERING=Habiliteu la lletra automàtica en traspassar a la comptabilitat ## Export -NotExportLettering=Do not export the lettering when generating the file +NotExportLettering=No exporteu la lletra en generar el fitxer NotifiedExportDate=Marca les línies exportades com a Exportades (per a modificar una línia, hauràs de suprimir tota la transacció i tornar-la a transferir a la comptabilitat) NotifiedValidationDate=Validar i bloquejar les entrades exportades (mateix efecte que la característica "%s", la modificació i la supressió de les línies DEFINITIVAMENT no seran possibles) NotifiedExportFull=Exportar documents? @@ -406,7 +407,7 @@ SaleLocal=Venda local SaleExport=Venda d’exportació SaleEEC=Venda en CEE SaleEECWithVAT=Venda a la CEE amb un IVA que no és nul, per la qual cosa suposem que NO es tracta d’una venda intracomunitària i el compte suggerit és el compte estàndard del producte. -SaleEECWithoutVATNumber=Sale in EEC with no VAT but the VAT ID of thirdparty is not defined. We fall back on the account for standard sales. You can fix the VAT ID of the thirdparty, or change the product account suggested for binding if needed. +SaleEECWithoutVATNumber=Venda a la CEE sense IVA, però l'identificador d'IVA del tercer no està definit. Tornem al compte de vendes estàndard. Podeu corregir l'identificador d'IVA del tercer o canviar el compte del producte suggerit per vincular-lo si cal. ForbiddenTransactionAlreadyExported=Prohibit: la transacció ha estat validada i/o exportada. ForbiddenTransactionAlreadyValidated=Prohibit: la transacció s'ha validat. ## Dictionary @@ -430,7 +431,7 @@ AccountancyUnletteringModifiedSuccessfully=%s conciliació desfeta correctament ## Confirm box ConfirmMassUnletteringAuto=Confirmació de desconciliació automàtica massiva ConfirmMassUnletteringManual=Confirmació de desconciliació manual massiva -ConfirmMassUnletteringQuestion=Are you sure you want to unreconcile the %s selected record(s)? +ConfirmMassUnletteringQuestion=Esteu segur que voleu anul·lar la conciliació dels registres seleccionats %s? ConfirmMassDeleteBookkeepingWriting=Confirmació d'esborrament massiu ConfirmMassDeleteBookkeepingWritingQuestion=Això suprimirà la transacció de la comptabilitat (se suprimiran totes les línies relacionades amb la mateixa transacció) Esteu segur que voleu suprimir els registres seleccionats %s? @@ -461,11 +462,11 @@ FECFormatEntryNum=Número de peça (EcritureNum) FECFormatEntryDate=Data de la peça (EcritureDate) FECFormatGeneralAccountNumber=Número de compte general (CompteNum) FECFormatGeneralAccountLabel=Nom de compte general (CompteLib) -FECFormatSubledgerAccountNumber=Número de compte de Subledger (CompAuxNum) -FECFormatSubledgerAccountLabel=Número de compte de Subledger (CompAuxLib) +FECFormatSubledgerAccountNumber=Número de compte auxiliar (CompAuxNum) +FECFormatSubledgerAccountLabel=Número de compte auxiliar (CompAuxLib) FECFormatPieceRef=Peça ref. (PieceRef) FECFormatPieceDate=Creació de la data de la peça (PieceDate) -FECFormatLabelOperation=Funcionament de l'etiqueta (EcritureLib) +FECFormatLabelOperation=Nom de l'operació (EcritureLib) FECFormatDebit=Dèbit (dèbit) FECFormatCredit=Crèdit (Crèdit) FECFormatReconcilableCode=Codi reconciliable (EcritureLet) @@ -477,7 +478,7 @@ FECFormatMulticurrencyCode=Codi multidivisa (Idevise) DateExport=Data d'exportació WarningReportNotReliable=Avís, aquest informe no està basat en el Llibre Major, de manera que no conté assentaments modificats manualment en el Llibre Major. Si el registre diari està actualitzat, la vista de comptes és més precisa. ExpenseReportJournal=Diari d'informe de despeses -DocsAlreadyExportedAreExcluded=Docs already exported are excluded -ClickToHideAlreadyExportedLines=Click to hide already exported lines +DocsAlreadyExportedAreExcluded=S'exclouen els documents ja exportats +ClickToHideAlreadyExportedLines=Feu clic per a amagar les línies ja exportades NAccounts=comptes %s diff --git a/htdocs/langs/ca_ES/admin.lang b/htdocs/langs/ca_ES/admin.lang index ff208a7cf9d..1090b132747 100644 --- a/htdocs/langs/ca_ES/admin.lang +++ b/htdocs/langs/ca_ES/admin.lang @@ -87,7 +87,7 @@ NotAvailableWhenAjaxDisabled=No disponible quan Ajax estigui desactivat AllowToSelectProjectFromOtherCompany=En un document d'un tercer, pots triar un projecte enllaçat a un altre tercer TimesheetPreventAfterFollowingMonths=Eviteu el temps de gravació passat el següent nombre de mesos JavascriptDisabled=Javascript desactivat -UsePreviewTabs=Veure fitxes "vista prèvia" +UsePreviewTabs=Utilitzeu pestanyes de vista prèvia ShowPreview=Veure previsualització ShowHideDetails=Mostra-Amaga els detalls PreviewNotAvailable=Vista prèvia no disponible @@ -111,7 +111,7 @@ UseCaptchaCode=Utilitzeu el codi gràfic (CAPTCHA) a la pàgina d'inici de sessi AntiVirusCommand=Camí complet a l'ordre antivirus AntiVirusCommandExample=Exemple per al dimoni ClamAv (requereix clamav-daemon): /usr/bin/clamdscan
Exemple per a ClamWin (molt molt lent): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe AntiVirusParam= Més paràmetres a la línia d'ordres -AntiVirusParamExample=Exemple per al dimoni de ClamAv: --fdpass
Exemple per a ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" +AntiVirusParamExample=Exemple del dimoni de ClamAv: --fdpass
Exemple de ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" ComptaSetup=Configuració del mòdul Comptabilitat UserSetup=Configuració de gestió d'usuaris MultiCurrencySetup=Configuració multidivisa @@ -145,6 +145,7 @@ Box=Panell Boxes=Panells MaxNbOfLinesForBoxes=Màx. nombre de línies pels panells AllWidgetsWereEnabled=Tots els widgets disponibles estan habilitats +WidgetAvailable=Giny disponible PositionByDefault=Posició per defecte Position=Lloc MenusDesc=Els gestors de menú configuren el contingut de les dues barres de menú (horitzontal i vertical). @@ -346,13 +347,13 @@ UnpackPackageInModulesRoot=Per a implementar/instal·lar un mòdul extern, heu d SetupIsReadyForUse=La instal·lació del mòdul ha finalitzat. No obstant això, ha d'habilitar i configurar el mòdul en la seva aplicació, aneu a la pàgina per a configurar els mòduls: %s. NotExistsDirect=No s'ha definit el directori arrel alternatiu a un directori existent.
InfDirAlt=Des de la versió 3, és possible definir un directori arrel alternatiu. Això li permet emmagatzemar, en un directori dedicat, plug-ins i plantilles personalitzades.
Només ha de crear un directori a l'arrel de Dolibarr (per exemple: custom).
-InfDirExample=Llavors
declareu-ho a l'arxiu conf.php
$dolibarr_main_url_root_alt='/custom'
$dolibarr_main_document_root_alt='/ruta/del/dolibarr/htdocs/custom'
Si aquestes línies estan comentades amb "#", per a activar-les simplement descomenteu-les traient el caràcter "#". +InfDirExample=
Llavors declareu-ho al fitxer conf.php
$dolibarr_main_url_root_alt='/custom'
$dolibarr_main_document_root_alt='/cami/del/dolibarr/htdocs/custom'
Si aquestes línies estan comentades amb «#», per a activar-les només cal treure el comentari eliminant el caràcter «#». YouCanSubmitFile=Podeu pujar el fitxer .zip del paquet del mòdul des d’aquí: CurrentVersion=Versió actual de Dolibarr CallUpdatePage=Aneu a la pàgina que actualitza l'estructura i les dades de la base de dades: %s. LastStableVersion=Última versió estable -LastActivationDate=Data de l'última activació -LastActivationAuthor=Últim autor d'activació +LastActivationDate=Última data d'activació +LastActivationAuthor=Autor de l'última activació LastActivationIP=Última IP d'activació LastActivationVersion=Última versió d'activació UpdateServerOffline=Actualitza el servidor fora de línia @@ -374,11 +375,11 @@ DoTestSendHTML=Prova l'enviament HTML ErrorCantUseRazIfNoYearInMask=Error, no es pot utilitzar l'opció @ per a restablir el comptador cada any si la seqüència {yy} o {yyyy} no està emmascarada. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, no es pot usar opció @ si la seqüència (yy) (mm) o (yyyy) (mm) no es troba a la màscara. UMask=Paràmetre UMask de nous fitxers en Unix/Linux/BSD. -UMaskExplanation=Aquest paràmetre determina els drets dels arxius creats en el servidor Dolibarr (durant la pujada, per exemple).
Aquest ha de ser el valor octal (per exemple, 0666 significa lectura/escriptura per a tots).
Aquest paràmetre no té cap efecte sobre un servidor Windows. +UMaskExplanation=Aquest paràmetre us permet definir els permisos establerts per defecte als fitxers creats per Dolibarr al servidor (durant la càrrega, per exemple).
Ha de ser el valor octal (per exemple, 0666 significa llegir i escriure per a tothom). El valor recomanat és 0600 o 0660
Aquest paràmetre no té ús en un servidor Windows. SeeWikiForAllTeam=Mireu la pàgina Wiki per a obtenir una llista dels col·laboradors i la seva organització UseACacheDelay= Demora en memòria cau de l'exportació en segons (0 o buit sense memòria) -DisableLinkToHelpCenter=Amagueu l'enllaç " Necessiteu ajuda o assistència " a la pàgina d'inici de sessió -DisableLinkToHelp=Amagueu l'enllaç a l'ajuda en línia " %s " +DisableLinkToHelpCenter=Amaga l'enllaç «Necessites ajuda o assistència» a la pàgina d'inici de sessió +DisableLinkToHelp=Amaga l'enllaç a l'ajuda en línia «%s» AddCRIfTooLong=No hi ha cap tall de text automàtic, el text massa llarg no es mostrarà als documents. Si cal, afegiu devolucions de carro a l'àrea de text. ConfirmPurge=Esteu segur que voleu executar aquesta purga?
Això suprimirà permanentment tots els fitxers de dades sense opció de restaurar-los (fitxers del GED, fitxers adjunts...). MinLength=Longitud mínima @@ -393,14 +394,14 @@ FollowingSubstitutionKeysCanBeUsed=
Per a saber com crear les teves plantil FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Crear_un_modelo_de_documento_ODT FirstnameNamePosition=Posició del Nom/Cognoms DescWeather=Les imatges següents es mostraran al tauler de control quan el nombre d'accions posteriors arriba als valors següents: -KeyForWebServicesAccess=Clau per a utilitzar els serveis web (paràmetre "dolibarrkey" als serveis web) +KeyForWebServicesAccess=Clau per a utilitzar els serveis web (paràmetre «dolibarrkey» als serveis web) TestSubmitForm=Formulari de proves ThisForceAlsoTheme=L’ús d’aquest gestor de menús també farà servir el seu propi tema sigui quina sigui l’opció de l’usuari. A més, aquest gestor de menú especialitzat per a telèfons intel·ligents no funciona en tots els telèfons intel·ligents. Utilitzeu un altre gestor de menús si teniu problemes amb el vostre. ThemeDir=Directori dels temes ConnectionTimeout=Temps d'espera de connexió ResponseTimeout=Timeout de resposta SmsTestMessage=Missatge de prova de __PHONEFROM__ per __PHONETO__ -ModuleMustBeEnabledFirst=El mòdul "%s" ha d'habilitar-se primer si necessita aquesta funcionalitat. +ModuleMustBeEnabledFirst=El mòdul %s s'ha d'activar primer si necessiteu aquesta funció. SecurityToken=Clau per a protegir els URL NoSmsEngine=No hi ha cap gestor de remitents d'SMS disponible. Un gestor de remitents d'SMS no està instal·lat amb la distribució predeterminada perquè depenen d'un proveïdor extern, però podeu trobar-ne alguns a %s PDF=PDF @@ -451,7 +452,7 @@ ExtrafieldCheckBox=Caselles de selecció ExtrafieldCheckBoxFromList=Caselles de selecció des d'una taula ExtrafieldLink=Enllaç a un objecte ComputedFormula=Camp calculat -ComputedFormulaDesc=You can enter here a formula using other properties of object or any PHP coding to get a dynamic computed value. You can use any PHP compatible formulas including the "?" condition operator, and following global object: $db, $conf, $langs, $mysoc, $user, $objectoffield.
WARNING: If you need properties of an object not loaded, just fetch yourself the object into your formula like in the second example.
Using a computed field means you can't enter yourself any value from interface. Also, if there is a syntax error, the formula may return nothing.

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

Example to reload object
(($reloadedobj = new Societe($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0 ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1')

Other example of formula to force load of object and its parent object:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' +ComputedFormulaDesc=Podeu introduir aquí una fórmula utilitzant altres propietats de l’objecte o qualsevol codi PHP per a obtenir un valor calculat dinàmicament. Podeu utilitzar qualsevol fórmula compatible amb PHP, inclòs l'operador condicional «?» i els següents objectes globals:$db, $conf, $langs, $mysoc, $user, $object.
ATENCIÓ: Només poden estar disponibles algunes propietats de $object. Si necessiteu una propietat no carregada, només cal que incorporeu l'objecte a la vostra fórmula com en el segon exemple.
Utilitzar un camp calculat implica que no podreu introduir cap valor des de la interfície. A més, si hi ha un error de sintaxi, la fórmula pot no tornar res.

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

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

Un altre exemple de fórmula per a forçar la càrrega de l'objecte i el seu objecte pare:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($objectoffield->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' Computedpersistent=Emmagatzemar el camp computat ComputedpersistentDesc=Els camps addicionals calculats s’emmagatzemaran a la base de dades, però el valor només es recalcularà quan es canviï l’objecte d’aquest camp. Si el camp calculat depèn d'altres objectes o dades globals, aquest valor pot ser incorrecte!! ExtrafieldParamHelpPassword=Si deixeu aquest camp en blanc, vol dir que aquest valor s'emmagatzemarà sense xifratge (el camp només s'ha d'amagar amb una estrella a la pantalla).
Establiu 'auto' per a utilitzar la regla de xifratge predeterminada per a desar la contrasenya a la base de dades (aleshores, el valor llegit serà només el hash, no hi ha manera de recuperar el valor original) @@ -512,8 +513,8 @@ DependsOn=Aquest mòdul necessita els mòduls RequiredBy=Aquest mòdul és requerit pel/s mòdul/s TheKeyIsTheNameOfHtmlField=Aquest és el nom del camp HTML. Es necessiten coneixements tècnics per a llegir el contingut de la pàgina HTML per a obtenir el nom clau d’un camp. PageUrlForDefaultValues=Has d'introduir aquí l'URL relatiu de la pàgina. Si inclous paràmetres a l'URL, els valors predeterminats seran efectius si tots els paràmetres s'estableixen en el mateix valor. -PageUrlForDefaultValuesCreate=
Exemple:
Per al formulari per a crear un tercer nou, és %s.
Per a l'URL dels mòduls externs instal·lats al directori personalitzat, no incloeu el "custom/", així que utilitzeu una ruta com mymodule/mypage.php i no custom/mymodule/mypage.php.
Si només voleu un valor per defecte si l'URL té algun paràmetre, podeu utilitzar %s -PageUrlForDefaultValuesList=
Exemple:
Per a la pàgina que llista els tercers, és %s.
Per a l'URL dels mòduls externs instal·lats al directori personalitzat, no incloeu el "custom/", de manera que utilitzeu una ruta com mymodule/mypagelist.php i no custom/mymodule/mypagelist.php.
Si només voleu un valor per defecte si l'URL té algun paràmetre, podeu utilitzar %s +PageUrlForDefaultValuesCreate=
Exemple:
Per al formulari per a crear un tercer nou, és %s.
Per a l'URL dels mòduls externs instal·lats al directori personalitzat, no inclogueu el «custom/», de manera que utilitzeu un camí com elmeumodul/lamevapagina.php i no custom/elmeumodul/lamevapagina.php.
Si només voleu un valor predeterminat si l'URL té algun paràmetre, podeu utilitzar %s +PageUrlForDefaultValuesList=
Exemple:
Per a la pàgina que llista els tercers, és %s.
Per a l'URL dels mòduls externs instal·lats al directori personalitzat, no inclogueu «custom/», així que utilitzeu un camí com elmeumodul/lamevapaginallistat.php i no custom/elmeumodul/lamevapaginallistat.php.
Si només voleu un valor predeterminat si l'URL té algun paràmetre, podeu utilitzar %s AlsoDefaultValuesAreEffectiveForActionCreate=També tingueu en compte que sobreescriure valors predeterminats per a la creació de formularis funciona només per a pàgines dissenyades correctament (de manera que amb el paràmetre action = create o presend ...) EnableDefaultValues=Activa la personalització dels valors predeterminats EnableOverwriteTranslation=Permet la personalització de les traduccions @@ -646,7 +647,7 @@ Module2300Desc=Gestió de tasques programades (àlies cron o taula de crons) Module2400Name=Esdeveniments/Agenda Module2400Desc=Seguiment d'esdeveniments. Registre d'esdeveniments automàtics per a fer el seguiment o registrar esdeveniments manuals o reunions. Aquest és el mòdul principal per a una bona gestió de la relació amb clients o proveïdors. Module2430Name=Sistema de calendari de reserves -Module2430Desc=Provide an online calendar to allow anyone to book rendez-vous, according to predefined ranges or availabilities. +Module2430Desc=Proporcioneu un calendari en línia per a permetre que qualsevol persona pugui reservar una cita, segons els rangs o les disponibilitats predefinits. Module2500Name=SGD / GCE Module2500Desc=Sistema de gestió de documents / Gestió de continguts electrònics. Organització automàtica dels vostres documents generats o emmagatzemats. Compartiu-los quan ho necessiteu. Module2600Name=Serveis API / Web (servidor SOAP) @@ -663,7 +664,7 @@ Module2900Desc=Capacitats de conversió GeoIP Maxmind Module3200Name=Arxius inalterables Module3200Desc=Activa el registre d'alguns esdeveniments de negoci en un registre inalterable. Els esdeveniments s'arxiven en temps real. El registre és una taula d'esdeveniments encadenats que només es poden llegir i exportar. Aquest mòdul pot ser obligatori per a alguns països. Module3300Name=Creador de mòduls -Module3200Desc=Activa el registre d'alguns esdeveniments de negoci en un registre inalterable. Els esdeveniments s'arxiven en temps real. El registre és una taula d'esdeveniments encadenats que només es poden llegir i exportar. Aquest mòdul pot ser obligatori per a alguns països. +Module3300Desc=Una eina RAD (Desenvolupament ràpid d'aplicacions: codi baix i sense codi) per a ajudar els desenvolupadors o usuaris avançats a crear el seu propi mòdul/aplicació. Module3400Name=Xarxes socials Module3400Desc=Activa els camps de les xarxes socials a tercers i adreces (skype, twitter, facebook...). Module4000Name=RH @@ -704,8 +705,8 @@ Module62000Name=Incoterms Module62000Desc=Afegeix funcions per a gestionar Incoterms Module63000Name=Recursos Module63000Desc=Gestiona els recursos (impressores, cotxes, habitacions...) que pots compartir en esdeveniments -Module66000Name=Enable OAuth2 authentication -Module66000Desc=Provide a tool to generate and manage OAuth2 tokens. The token can then be used by some other modules. +Module66000Name=Activa l'autenticació OAuth2 +Module66000Desc=Proporcioneu una eina per a generar i gestionar fitxes OAuth2. El testimoni pot ser utilitzat per alguns altres mòduls. Module94160Name=Recepcions Permission11=Consulta les factures dels clients (i els cobraments) Permission12=Crear/Modificar factures @@ -860,7 +861,7 @@ Permission331=Consultar bookmarks Permission332=Crear/modificar bookmarks Permission333=Eliminar bookmarks Permission341=Consultar els seus propis permisos -Permission342=Crear/modificar la seva pròpia info d'usuari +Permission342=Crea/modifica la seva pròpia informació d'usuari Permission343=Modificar la seva pròpia contrasenya Permission344=Modificar els seus propis permisos Permission351=Consultar els grups @@ -980,9 +981,9 @@ Permission3301=Genera mòduls nous Permission4001=Llegir habilitat/ocupació/posició Permission4002=Crear/modificar habilitat/ocupació/posició Permission4003=Esborra habilitat/ocupació/posició -Permission4021=Read evaluations (yours and your subordinates) -Permission4022=Create/modify evaluations -Permission4023=Validate evaluation +Permission4021=Consulta les avaluacions (teves i dels teus subordinats) +Permission4022=Crear/modificar avaluacions +Permission4023=Valida l'avaluació Permission4025=Elimina l'avaluació Permission4028=Veure menú comparatiu Permission4031=Llegeix informació personal @@ -1102,7 +1103,7 @@ VATManagement=Gestió IVA VATIsUsedDesc=De manera predeterminada, quan es creen clients potencials, factures, comandes, etc., la tarifa de l'impost de vendes segueix la norma estàndard activa:
Si el venedor no està subjecte a l'impost de vendes, l'impost de vendes s'estableix per defecte a 0. Final de la regla.
Si el (país del venedor = país del comprador), l'impost de vendes per defecte és igual a l'impost de vendes del producte al país del venedor. Fi de la regla.
Si el venedor i el comprador es troben a la Comunitat Europea i els productes són productes relacionats amb el transport (transport, enviament, línia aèria), l'IVA per defecte és 0. Aquesta norma depèn del país del venedor, consulteu amb el vostre comptador. L'IVA s'ha de pagar pel comprador a l'oficina de duanes del seu país i no al venedor. Fi de la regla.
Si el venedor i el comprador es troben a la Comunitat Europea i el comprador no és una empresa (amb un número d'IVA intracomunitari registrat), l'IVA es fa per defecte al tipus d'IVA del país del venedor. Fi de la regla.
Si el venedor i el comprador es troben a la Comunitat Europea i el comprador és una empresa (amb un número d'IVA intracomunitari registrat), l'IVA és 0 per defecte. Fi de la regla.
En qualsevol altre cas, el valor predeterminat proposat és l'impost de vendes = 0. Fi de la regla. VATIsNotUsedDesc=El tipus d'IVA proposat per defecte és 0. Aquest és el cas d'associacions, particulars o algunes petites societats. VATIsUsedExampleFR=A França, es tracta de les societats o organismes que trien un règim fiscal general (General simplificat o General normal), règim en el qual es declara l'IVA. -VATIsNotUsedExampleFR=A França, es tracta d'associacions que no siguin declarades per vendes o empreses, organitzacions o professions liberals que hagin triat el sistema fiscal de la microempresa (Impost sobre vendes en franquícia) i paguen una franquícia. Impost sobre vendes sense declaració d'impost sobre vendes. Aquesta elecció mostrarà la referència "Impost sobre vendes no aplicable - art-293B de CGI" a les factures. +VATIsNotUsedExampleFR=A França, s'entén per associacions que no declaren l'impost de vendes o d'empreses, organitzacions o professions liberals que han escollit el sistema fiscal de microempresa (Impost sobre vendes en franquícia) i han pagat un impost sobre vendes de franquícia sense cap declaració d'impost sobre vendes. Aquesta opció mostrarà la referència «Impost sobre vendes no aplicable - art-293B de CGI» a les factures. ##### Local Taxes ##### TypeOfSaleTaxes=Tipus d’impost sobre vendes LTRate=Tarifa @@ -1208,7 +1209,7 @@ DoNotSuggestPaymentMode=No ho suggereixis NoActiveBankAccountDefined=Cap compte bancari actiu definit OwnerOfBankAccount=Titular del compte %s BankModuleNotActive=Mòdul comptes bancaris no activat -ShowBugTrackLink=Mostra l'enllaç " %s " +ShowBugTrackLink=Mostra l'enllaç «%s» ShowBugTrackLinkDesc=Manteniu-lo buit per no mostrar aquest enllaç, utilitzeu el valor 'github' per a l'enllaç al projecte Dolibarr o definiu directament un URL 'https://...' Alerts=Alertes DelaysOfToleranceBeforeWarning=S'està mostrant una alerta d'advertència per... @@ -1236,7 +1237,7 @@ SetupDescription4=  %s -> %s

Aquest programari és SetupDescription5=Altres entrades del menú d'instal·lació gestionen paràmetres opcionals. SetupDescriptionLink= %s - %s SetupDescription3b=Paràmetres bàsics utilitzats per a personalitzar el comportament predeterminat de la vostra aplicació (p. ex., per a funcions relacionades amb el país). -SetupDescription4b=This software is a suite of many modules/applications. The modules related to your needs must be activated. Menu entries will appears with the activation of these modules. +SetupDescription4b=Aquest programari és un conjunt de molts mòduls/aplicacions. Cal activar els mòduls relacionats amb les vostres necessitats. Les entrades del menú apareixeran amb l'activació d'aquests mòduls. AuditedSecurityEvents=Esdeveniments de seguretat que s’auditen NoSecurityEventsAreAduited=No s’audita cap esdeveniment de seguretat. Podeu activar-les des del menú %s Audit=Esdeveniments de seguretat @@ -1257,7 +1258,7 @@ LogEventDesc=Habiliteu el registre per a esdeveniments de seguretat específics. AreaForAdminOnly=Els paràmetres de configuració només poden ser establerts per usuaris administradors. SystemInfoDesc=La informació del sistema és informació tècnica diversa que obteniu en mode de només lectura i visible només per als administradors. SystemAreaForAdminOnly=Aquesta àrea només està disponible per als usuaris administradors. Els permisos d'usuari de Dolibarr no poden canviar aquesta restricció. -CompanyFundationDesc=Editeu la informació de la vostra empresa / organització. Feu clic al botó "%s" al final de la pàgina quan hagi acabat. +CompanyFundationDesc=Editeu la informació de la vostra empresa/organització. Fes clic al botó «%s» a la part inferior de la pàgina quan hagis acabat. MoreNetworksAvailableWithModule=És possible que hi hagi més xarxes socials disponibles activant el mòdul "Xarxes socials". AccountantDesc=Si teniu un comptable extern, podeu editar aquí la seva informació. AccountantFileNumber=Número de fila @@ -1265,7 +1266,7 @@ DisplayDesc=Els paràmetres que afecten l'aspecte i la presentació de l'aplicac AvailableModules=Mòduls/complements disponibles ToActivateModule=Per a activar mòduls, aneu a l'àrea de configuració (Inici->Configuració->Mòduls). SessionTimeOut=Temps de desconnexió per a la sessió -SessionExplanation=Aquest número garanteix que la sessió no caduqui abans d'aquest retard, si el netejador de sessió es fa mitjançant un netejador de sessió de PHP intern (i res més). El netejador de sessió intern de PHP no garanteix que la sessió expire després d'aquest retard. Caducarà, després d'aquest retard, i quan s'executi el netejador de sessió, de manera que cada accés %s / %s , però només durant l'accés fet per altres sessions (si el valor és 0, significa que l'eliminació de la sessió només es fa mitjançant un extern procés).
Nota: en alguns servidors amb un mecanisme de neteja de sessió externa (cron sota debian, ubuntu ...), les sessions es poden destruir després d'un període definit per una configuració externa, independentment del valor introduït aquí. +SessionExplanation=Aquest número garanteix que la sessió no caducarà mai abans d'aquest retard, si el netejador de sessions el fa el netejador de sessions intern de PHP (i res més). El netejador de sessions intern de PHP no garanteix que la sessió caduqui després d'aquest retard. Caducarà, després d'aquest retard, i quan s'executi el netejador de sessions, de manera que cada accés %s/%s, però només durant l'accés realitzat per altres sessions (si el valor és 0, vol dir que només s'esborra la sessió per un procés extern).
Nota: en alguns servidors amb un mecanisme de neteja de sessions extern (cron sota debian, ubuntu...), les sessions es poden destruir després d'un període definit per una configuració externa, sense importar quin sigui el valor introduït aquí. SessionsPurgedByExternalSystem=Sembla que les sessions en aquest servidor són netejades mitjançant un mecanisme extern (cron sota debian, ubuntu ...), probablement cada %s segons (= el valor del paràmetre sessió.gc_maxlifetime ), així que modificant aquest valor aquí no té cap efecte, Heu de sol·licitar a l’administrador del servidor que canviï la durada de la sessió. TriggersAvailable=Triggers disponibles TriggersDesc=Els activadors són fitxers que modificaran el comportament del flux de treball de Dolibarr un cop copiat al directori htdocs/core/triggers. Realitzen accions noves, activades en esdeveniments Dolibarr (creació d'empresa nova, validació de factures...). @@ -1310,7 +1311,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Heu d'executar aquesta ordre de YourPHPDoesNotHaveSSLSupport=Funcions SSL no disponibles al vostre PHP DownloadMoreSkins=Més temes per a descarregar SimpleNumRefModelDesc=Retorna el número de referència en el format %syymm-nnnn on yy és l'any, mm és el mes i nnnn és un número d'increment automàtic seqüencial sense restablir -SimpleRefNumRefModelDesc=Returns the reference number in the format n where n is a sequential auto-incrementing number with no reset +SimpleRefNumRefModelDesc=Retorna el número de referència en el format n on n és un nombre seqüencial d'increment automàtic sense restabliment AdvancedNumRefModelDesc=Retorna el número de referència en el format %syymm-nnnn on yy és l'any, mm és el mes i nnnn és un número d'increment automàtic seqüencial sense restablir SimpleNumRefNoDateModelDesc=Retorna el número de referència en el format %s-nnnn on nnnn és un número d’increment automàtic seqüencial sense restablir ShowProfIdInAddress=Mostra el DNI professional amb adreces @@ -1369,7 +1370,7 @@ TitleNumberOfActivatedModules=Mòduls activats TotalNumberOfActivatedModules=Mòduls activats: %s / %s YouMustEnableOneModule=Ha d'activar almenys 1 mòdul. YouMustEnableTranslationOverwriteBefore=Primer heu d'activar la sobreescriptura de traduccions per a poder substituir una traducció -ClassNotFoundIntoPathWarning=La classe %s no s'ha trobat a la ruta PHP +ClassNotFoundIntoPathWarning=La classe %s no s'ha trobat al camí PHP YesInSummer=Sí a l'estiu OnlyFollowingModulesAreOpenedToExternalUsers=Tingueu en compte que només els següents mòduls estan disponibles per als usuaris externs (independentment dels permisos d'aquests usuaris) i només si es concedeixen permisos:
SuhosinSessionEncrypt=Emmagatzematge de sessions xifrades per Suhosin @@ -1452,8 +1453,8 @@ SuppliersPayment=Pagaments a proveïdors SupplierPaymentSetup=Configuració de pagaments a proveïdors InvoiceCheckPosteriorDate=Comproveu la data de fabricació abans de la validació InvoiceCheckPosteriorDateHelp=La validació d'una factura estarà prohibida si la seva data és anterior a la data de l'última factura del mateix tipus. -InvoiceOptionCategoryOfOperations=Display the mention "category of operations" on the invoice. -InvoiceOptionCategoryOfOperationsHelp=Depending on the situation, the mention will appear in the form:
- Category of operations: Delivery of goods
- Category of operations: Provision of services
- Category of operations: Mixed - Delivery of goods & provision of services +InvoiceOptionCategoryOfOperations=Mostra la menció «categoria d'operacions» a la factura. +InvoiceOptionCategoryOfOperationsHelp=Segons la situació, la menció apareixerà en la forma:
- Categoria d'operacions: Entrega de mercaderies
- Categoria d'operacions: Prestació de serveis
- Categoria d'operacions: Mixta - Entrega de mercaderies i Prestació de serveis InvoiceOptionCategoryOfOperationsYes1=Sí, a sota del bloc d'adreces InvoiceOptionCategoryOfOperationsYes2=Sí, a la cantonada inferior esquerra ##### Proposals ##### @@ -1700,7 +1701,7 @@ SyslogSetup=Configuració del mòdul Syslog SyslogOutput=Sortida del log SyslogFacility=Facilitat SyslogLevel=Nivell -SyslogFilename=Nom i ruta de l'arxiu +SyslogFilename=Nom i camí del fitxer YouCanUseDOL_DATA_ROOT=Podeu utilitzar DOL_DATA_ROOT/dolibarr.log per a un fitxer de registre al directori "documents" de Dolibarr. Podeu establir un camí diferent per a emmagatzemar aquest fitxer. ErrorUnknownSyslogConstant=La constant %s no és una constant syslog coneguda OnlyWindowsLOG_USER=En Windows, només s'admetrà la funció LOG_USER @@ -1766,7 +1767,7 @@ FCKeditorForNotePublic=WYSIWIG creació/edició del camp "notes públiques" d'el FCKeditorForNotePrivate=Creació/edició WYSIWIG del camp "notes privades" d'elements FCKeditorForCompany=Creació / edició de WYSIWIG de la descripció del camp d'elements (excepte productes / serveis) FCKeditorForProductDetails=Creació/edició WYSIWIG de descripció de productes o línies per objectes (línies de pressupostos, comandes, factures, etc...). -FCKeditorForProductDetails2=Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. +FCKeditorForProductDetails2=Avís: l'ús d'aquesta opció per a aquest cas no es recomana, ja que pot crear problemes amb caràcters especials i format de pàgina en crear fitxers PDF. FCKeditorForMailing= Creació/edició WYSIWIG dels E-Mails FCKeditorForUserSignature=Creació/edició WYSIWIG de la signatura de l'usuari FCKeditorForMail=Edició/creació WYSIWIG per tots els e-mails (excepte Eines->eMailing) @@ -1863,7 +1864,7 @@ StockDecreaseForPointOfSaleDisabledbyBatch=La disminució d'accions en POS no é CashDeskYouDidNotDisableStockDecease=No vau desactivar la disminució de l'estoc en fer una venda des del TPV. Per tant, es requereix un magatzem. CashDeskForceDecreaseStockLabel=S'ha forçat la disminució de l'estoc de productes per lots. CashDeskForceDecreaseStockDesc=Disminuïu primer les dates més antigues de consumir i vendre. -CashDeskReaderKeyCodeForEnter=Key ASCII code for "Enter" defined in barcode reader (Example: 13) +CashDeskReaderKeyCodeForEnter=Codi ASCII per "Enter" definit al lector de codis de barres (Exemple: 13) ##### Bookmark ##### BookmarkSetup=Configuració del mòdul Bookmark BookmarkDesc=Aquest mòdul us permet gestionar els marcadors. També podeu afegir dreceres a totes les pàgines de Dolibarr o llocs web externs al menú de l'esquerra. @@ -1934,7 +1935,7 @@ SalariesSetup=Configuració del mòdul de salaris SortOrder=Ordre de classificació Format=Format TypePaymentDesc=0:Forma de pagament a client, 1:Forma de pagament a proveïdor, 2:Mateixa forma de pagament per clients i proveïdors -IncludePath=Incloure ruta (que es defineix a la variable %s) +IncludePath=Inclou el camí (definit en la variable %s) ExpenseReportsSetup=Configuració del mòdul Informe de Despeses TemplatePDFExpenseReports=Plantilles de documents per a generar un document d’informe de despeses ExpenseReportsRulesSetup=Configurar mòdul Informes de despeses - Regles @@ -1952,7 +1953,7 @@ BackupDumpWizard=Assistent per a crear el fitxer d'exportació de la base de dad BackupZipWizard=Assistent per a crear el directori d’arxiu de documents SomethingMakeInstallFromWebNotPossible=No és possible la instal·lació de mòduls externs des de la interfície web per la següent raó: SomethingMakeInstallFromWebNotPossible2=Per aquest motiu, el procés d'actualització descrit aquí és un procés manual que només un usuari privilegiat pot realitzar. -InstallModuleFromWebHasBeenDisabledContactUs=Install or development of external modules or dynamic websites, from the application, is currently locked for security purpose. Please contact us if you need to enable this feature. +InstallModuleFromWebHasBeenDisabledContactUs=La instal·lació o desenvolupament de mòduls externs o llocs web dinàmics, des de l'aplicació, està actualment bloquejat per motius de seguretat. Si us plau, poseu-vos en contacte amb nosaltres si necessiteu habilitar aquesta funció. InstallModuleFromWebHasBeenDisabledByFile=El vostre administrador ha desactivat la instal·lació del mòdul extern des de l'aplicació. Heu de demanar-li que suprimeixi el fitxer %s per a permetre aquesta funció. ConfFileMustContainCustom=Per a instal·lar o crear un mòdul extern des de l'aplicació es necessita desar els fitxers del mòdul en el directori %s. Per a permetre a Dolibarr el processament d'aquest directori, has de configurar el teu conf/conf.php afegint aquestes 2 línies:
$dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt='%s/custom'; HighlightLinesOnMouseHover=Remarca línies de la taula quan el ratolí passi per sobre @@ -2050,7 +2051,7 @@ activateModuleDependNotSatisfied=El mòdul "%s" depèn del mòdul "%s", que falt CommandIsNotInsideAllowedCommands=L'ordre que intenteu executar no es troba a la llista de comandaments permesos definits al paràmetre $ dolibarr_main_restrict_os_commands al fitxer conf.php . LandingPage=Pàgina de destinació principal SamePriceAlsoForSharedCompanies=Si utilitzeu un mòdul multicompany, amb l'opció "Preu únic", el preu també serà el mateix per a totes les empreses si es comparteixen productes entre entorns -ModuleEnabledAdminMustCheckRights=El mòdul s'ha activat. Els permisos per als mòduls activats només es donen als usuaris administradors. És possible que hagueu de concedir permisos a altres usuaris o grups manualment si cal. +ModuleEnabledAdminMustCheckRights=El mòdul s'ha activat. Els permisos per als mòduls activats només es donen als usuaris administradors. És possible que hàgiu de concedir permisos a altres usuaris o grups manualment si cal. UserHasNoPermissions=Aquest usuari no té permisos definits TypeCdr=Utilitzeu "Cap" si la data del termini de pagament és la data de la factura més un delta en dies (el delta és el camp "%s")
Utilitzeu "Al final del mes", si, després del delta, s'ha d'augmentar la data per a arribar al final del mes (+ opcional "%s" en dies)
Utilitzeu "Actual/Següent" perquè la data del termini de pagament sigui la primera N del mes després del delta (el delta és el camp "%s", N s'emmagatzema al camp "%s"). BaseCurrency=Moneda de referència de l'empresa (anar a la configuració de l'empresa per a canviar-ho) @@ -2080,8 +2081,8 @@ RemoveSpecialChars=Elimina els caràcters especials COMPANY_AQUARIUM_CLEAN_REGEX=Filtre Regex per a netejar el valor (COMPANY_AQUARIUM_CLEAN_REGEX) COMPANY_DIGITARIA_CLEAN_REGEX=Filtre Regex al valor net (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=No es permet la duplicació -RemoveSpecialWords=Clean certain words when generating sub-accounts for customers or suppliers -RemoveSpecialWordsHelp=Specify the words to be cleaned before calculating the customer or supplier account. Use a ";" between each word +RemoveSpecialWords=Netegeu certes paraules en generar subcomptes per a clients o proveïdors +RemoveSpecialWordsHelp=Especifiqueu les paraules a netejar abans de calcular el compte de client o proveïdor. Utilitzeu un ";" entre cada paraula GDPRContact=Oficial de protecció de dades (PDO, privadesa de dades o contacte amb GDPR) GDPRContactDesc=Si emmagatzemeu dades personals al vostre Sistema d'Informació, podeu anomenar aquí el contacte responsable del Reglament General de Protecció de Dades HelpOnTooltip=Ajuda a mostrar el text a la descripció d'informació @@ -2139,7 +2140,7 @@ CodeLastResult=Últim codi retornat NbOfEmailsInInbox=Nombre de correus electrònics en el directori font LoadThirdPartyFromName=Carregueu la cerca de tercers al %s (només carrega) LoadThirdPartyFromNameOrCreate=Carregueu la cerca de tercers a %s (crear si no es troba) -LoadContactFromEmailOrCreate=Load contact searching on %s (create if not found) +LoadContactFromEmailOrCreate=Carregueu el contacte cercant a %s (creeu-lo si no es troba) AttachJoinedDocumentsToObject=Deseu els fitxers adjunts als documents d'objectes si es troba una referència d'un objecte al tema del correu electrònic. WithDolTrackingID=Missatge d'una conversa iniciada per un primer correu electrònic enviat des de Dolibarr WithoutDolTrackingID=Missatge d'una conversa iniciada per un primer correu electrònic NO enviat des de Dolibarr @@ -2243,12 +2244,12 @@ MailToPartnership=Associació AGENDA_EVENT_DEFAULT_STATUS=Estat de l'esdeveniment per defecte en crear un esdeveniment des del formulari YouShouldDisablePHPFunctions=Hauríeu de desactivar les funcions PHP IfCLINotRequiredYouShouldDisablePHPFunctions=Excepte si heu d'executar ordres del sistema en codi personalitzat, hauríeu de desactivar les funcions PHP -PHPFunctionsRequiredForCLI=For shell purpose (like scheduled job backup or running an antivirus program), you must keep PHP functions +PHPFunctionsRequiredForCLI=Per a propòsits d'intèrpret d'ordres (com ara una còpia de seguretat de treballs programats o executar un programa antivirus), heu de mantenir les funcions PHP NoWritableFilesFoundIntoRootDir=No s'ha trobat cap fitxer ni directori d'escriptura dels programes comuns al directori arrel (Bo) RecommendedValueIs=Recomanat: %s Recommended=Recomanada NotRecommended=No es recomana -ARestrictedPath=Some restricted path for data files +ARestrictedPath=Algun camí restringit per als fitxers de dades CheckForModuleUpdate=Comproveu si hi ha actualitzacions de mòduls externs CheckForModuleUpdateHelp=Aquesta acció es connectarà amb editors de mòduls externs per a comprovar si hi ha una versió nova disponible. ModuleUpdateAvailable=Hi ha disponible una actualització @@ -2296,17 +2297,17 @@ LateWarningAfter=Avís "tard" després TemplateforBusinessCards=Plantilla per a una targeta de visita de diferents mides InventorySetup= Configuració de l'inventari ExportUseLowMemoryMode=Utilitzeu un mode de memòria baixa -ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. +ExportUseLowMemoryModeHelp=Utilitzeu el mode de memòria baixa per a generar el fitxer d'abocament (la compressió es fa a través d'una canonada en lloc d'entrar a la memòria PHP). Aquest mètode no permet comprovar que el fitxer estigui complet i no es pot informar del missatge d'error si falla. Utilitzeu-lo si no teniu prou errors de memòria. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interfície per a capturar activadors de dolibarr i enviar-lo a un URL +ModuleWebhookDesc = Interfície per a capturar activadors de dolibarr i enviar dades de l'esdeveniment a un URL WebhookSetup = Configuració del webhook Settings = Configuració WebhookSetupPage = Pàgina de configuració del webhook ShowQuickAddLink=Mostra un botó per a afegir ràpidament un element al menú superior dret HashForPing=Hash utilitzat per a fer ping -ReadOnlyMode=És una instància en mode "Només lectura". +ReadOnlyMode=És una instància en mode «Només lectura». DEBUGBAR_USE_LOG_FILE=Utilitzeu el fitxer dolibarr.log per a atrapar els registres UsingLogFileShowAllRecordOfSubrequestButIsSlower=Utilitzeu el fitxer dolibarr.log per a atrapar els registres en lloc de capturar la memòria en directe. Permet capturar tots els registres en lloc de només el registre del procés actual (per tant, inclosa la de les pàgines de subsol·licituds ajax), però farà que la vostra instància sigui molt molt lenta. No es recomana. FixedOrPercent=Fixat (utilitza la paraula clau "fixat") o per cent (utilitza la paraula clau "percentatge") @@ -2341,34 +2342,37 @@ UsePassword=Utilitzeu una contrasenya UseOauth=Utilitzeu un testimoni OAUTH Images=Imatges MaxNumberOfImagesInGetPost=Nombre màxim d'imatges permeses en un camp HTML enviat en un formulari -MaxNumberOfPostOnPublicPagesByIP=Max number of posts on public pages with the same IP address in a month +MaxNumberOfPostOnPublicPagesByIP=Nombre màxim de publicacions a pàgines públiques amb la mateixa adreça IP en un mes CIDLookupURL=El mòdul aporta un URL que pot utilitzar una eina externa per a obtenir el nom d'un tercer o contacte des del seu número de telèfon. L'URL a utilitzar és: ScriptIsEmpty=El guió és buit ShowHideTheNRequests=Mostra/amaga les sol·licituds SQL %s -DefinedAPathForAntivirusCommandIntoSetup=Definiu una ruta per a un programa antivirus a %s +DefinedAPathForAntivirusCommandIntoSetup=Definiu un camí per a un programa antivirus a %s TriggerCodes=Esdeveniments desencadenants TriggerCodeInfo=Introduïu aquí els codis activadors que han de generar una publicació d'una sol·licitud web (només es permet l'URL extern). Podeu introduir diversos codis d'activació separats per una coma. -EditableWhenDraftOnly=If unchecked, the value can only be modified when object has a draft status +EditableWhenDraftOnly=Si no està marcat, el valor només es pot modificar quan l'objecte té un estat d'esborrany CssOnEdit=Css a les pàgines d'edició CssOnView=Css a les pàgines de visualització CssOnList=Css a les pàgines de llistat -HelpCssOnEditDesc=The Css used when editing the field.
Example: "minwiwdth100 maxwidth500 widthcentpercentminusx" -HelpCssOnViewDesc=The Css used when viewing the field. -HelpCssOnListDesc=The Css used when field is inside a list table.
Example: "tdoverflowmax200" -RECEPTION_PDF_HIDE_ORDERED=Hide the quantity ordered on the generated documents for receptions -MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Show the price on the generated documents for receptions +HelpCssOnEditDesc=El Css utilitzat en editar el camp.
Exemple: «minwiwdth100 maxwidth500 widthcentpercentminusx» +HelpCssOnViewDesc=El Css utilitzat en visualitzar el camp. +HelpCssOnListDesc=El Css utilitzat quan el camp es troba dins d'una taula de llista.
Exemple: «tdoverflowmax200» +RECEPTION_PDF_HIDE_ORDERED=Amaga la quantitat demanada als documents generats per a recepcions +MAIN_PDF_RECEPTION_DISPLAY_AMOUNT_HT=Mostra el preu als documents generats per a recepcions WarningDisabled=Avís desactivat LimitsAndMitigation=Límits d'accés i mitigació DesktopsOnly=Només escriptoris DesktopsAndSmartphones=Escriptoris i telèfons intel·ligents AllowOnlineSign=Permet la signatura en línia -AllowExternalDownload=Allow external download (without login, using a shared link) -DeadlineDayVATSubmission=Deadline day for vat submission on the next month +AllowExternalDownload=Permet la baixada externa (sense iniciar sessió, mitjançant un enllaç compartit) +DeadlineDayVATSubmission=Dia límit per a la presentació del IVA el mes següent MaxNumberOfAttachementOnForms=Nombre màxim de fitxers units en un formulari -IfDefinedUseAValueBeetween=If defined, use a value between %s and %s +IfDefinedUseAValueBeetween=Si està definit, utilitzeu un valor entre %s i %s Reload=Recarregar ConfirmReload=Confirmeu la recàrrega del mòdul -WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set a parameter to check its version at each page access. This is a bad and not allowed practice that may make the page to administer modules instable. Please contact author of module to fix this. -WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. -EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. -MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +WarningModuleHasChangedLastVersionCheckParameter=Avís: el mòdul %s ha establert un paràmetre per a comprovar la seva versió a cada accés a la pàgina. Aquesta és una pràctica dolenta i no permesa que pot fer que la pàgina per a administrar mòduls sigui inestable. Poseu-vos en contacte amb l'autor del mòdul per solucionar-ho. +WarningModuleHasChangedSecurityCsrfParameter=Avís: el mòdul %s ha desactivat la seguretat CSRF de la vostra instància. Aquesta acció és sospitosa i és possible que la vostra instal·lació ja no estigui segura. Poseu-vos en contacte amb l'autor del mòdul per a obtenir una explicació. +EMailsInGoingDesc=Els correus electrònics entrants són gestionats pel mòdul %s. Heu d'activar-lo i configurar-lo si necessiteu donar suport als correus electrònics entrants. +MAIN_IMAP_USE_PHPIMAP=Utilitzeu la biblioteca PHP-IMAP per a IMAP en comptes de l'IMAP PHP natiu. Això també permet l'ús d'una connexió OAuth2 per IMAP (també s'ha d'activar el mòdul OAuth). +MAIN_CHECKBOX_LEFT_COLUMN=Mostra la columna per a la selecció de camps i línies a l'esquerra (a la dreta per defecte) + +CSSPage=Estil CSS diff --git a/htdocs/langs/ca_ES/agenda.lang b/htdocs/langs/ca_ES/agenda.lang index 8161362f142..86236c79c19 100644 --- a/htdocs/langs/ca_ES/agenda.lang +++ b/htdocs/langs/ca_ES/agenda.lang @@ -88,7 +88,7 @@ SupplierInvoiceSentByEMail=Factura de proveïdor %s enviada per e-mail ShippingSentByEMail=Enviament %s enviat per email ShippingValidated= Enviament %s validat InterventionSentByEMail=Intervenció %s enviada per e-mail -ProjectSentByEMail=Project %s sent by email +ProjectSentByEMail=Projecte %s enviat per correu electrònic ProposalDeleted=Pressupost esborrat OrderDeleted=Comanda esborrada InvoiceDeleted=Factura esborrada @@ -102,7 +102,7 @@ PRODUCT_DELETEInDolibarr=Producte %s eliminat HOLIDAY_CREATEInDolibarr=S'ha creat la sol·licitud de permís %s HOLIDAY_MODIFYInDolibarr=S'ha modificat la sol·licitud de permís %s HOLIDAY_APPROVEInDolibarr=Sol·licitud de dies lliures %s aprovada -HOLIDAY_VALIDATEInDolibarr=La sol·licitud d’excedència %s validada +HOLIDAY_VALIDATEInDolibarr=Sol·licitud de dies lliures %s validada HOLIDAY_DELETEInDolibarr=S'ha suprimit la sol·licitud de permís %s EXPENSE_REPORT_CREATEInDolibarr=Creat l'informe de despeses %s EXPENSE_REPORT_VALIDATEInDolibarr=S'ha validat l'informe de despeses %s @@ -152,7 +152,7 @@ ExtSitesEnableThisTool=Mostra calendaris externs (definit a la configuració glo ExtSitesNbOfAgenda=Nombre de calendaris AgendaExtNb=Calendari núm. %s ExtSiteUrlAgenda=URL per a accedir al fitxer .ical -ExtSiteNoLabel=Sense descripció +ExtSiteNoLabel=Sense nom VisibleTimeRange=Rang de temps visible VisibleDaysRange=Rang de dies visible AddEvent=Crear esdeveniment diff --git a/htdocs/langs/ca_ES/banks.lang b/htdocs/langs/ca_ES/banks.lang index e72b34bf506..33c218e65ec 100644 --- a/htdocs/langs/ca_ES/banks.lang +++ b/htdocs/langs/ca_ES/banks.lang @@ -25,7 +25,7 @@ InitialBankBalance=Saldo inicial EndBankBalance=Saldo final CurrentBalance=Saldo actual FutureBalance=Saldo previst -ShowAllTimeBalance=Mostar balanç des de principi +ShowAllTimeBalance=Mostra el saldo des de l'inici AllTime=Des del principi Reconciliation=Conciliació RIB=Compte bancari @@ -144,7 +144,7 @@ AllAccounts=Tots els comptes bancaris i en efectiu BackToAccount=Tornar al compte ShowAllAccounts=Mostra per a tots els comptes FutureTransaction=Transacció futura. No és possible conciliar. -SelectChequeTransactionAndGenerate=Seleccioneu / filtreu els xecs que s’inclouran al rebut del dipòsit de xecs. A continuació, feu clic a "Crea". +SelectChequeTransactionAndGenerate=Seleccioneu/filtreu els xecs que s'han d'incloure a la remesa de xecs. A continuació, feu clic a «Crea». InputReceiptNumber=Selecciona l'estat del compte bancari relacionat amb la conciliació. Utilitza un valor numèric que es pugui ordenar: AAAAMM o AAAAMMDD EventualyAddCategory=Finalment, especifiqueu una categoria on classificar els registres ToConciliate=A conciliar? diff --git a/htdocs/langs/ca_ES/bills.lang b/htdocs/langs/ca_ES/bills.lang index 70c5d1e927f..0a38b7cbfb4 100644 --- a/htdocs/langs/ca_ES/bills.lang +++ b/htdocs/langs/ca_ES/bills.lang @@ -13,7 +13,7 @@ BillsStatistics=Estadístiques factures a clients BillsStatisticsSuppliers=Estadístiques de Factures de proveïdors DisabledBecauseDispatchedInBookkeeping=Desactivat perquè la factura ja s'ha comptabilitzat DisabledBecauseNotLastInvoice=Desactivat perquè la factura no es pot esborrar. Algunes factures s'han registrat després d'aquesta i això crearia espais buits al comptador. -DisabledBecauseNotLastSituationInvoice=Disabled because invoice is not erasable. This invoice is not the last one in situation invoice cycle. +DisabledBecauseNotLastSituationInvoice=S'ha desactivat perquè la factura no es pot esborrar. Aquesta factura no és l'última del cicle de facturació de situació. DisabledBecauseNotErasable=S'ha desactivat perquè no es pot esborrar InvoiceStandard=Factura estàndard InvoiceStandardAsk=Factura estàndard @@ -99,12 +99,12 @@ PaymentAmount=Import pagament PaymentHigherThanReminderToPay=Pagament superior a la resta a pagar HelpPaymentHigherThanReminderToPay=Atenció, l'import del pagament d'una o més factures és superior a l'import pendent de pagar.
Editeu la vostra entrada; en cas contrari, confirmeu i considereu la possibilitat de crear un abonament per l'excés rebut per cada factura pagada de més. HelpPaymentHigherThanReminderToPaySupplier=Atenció, l'import del pagament d'una o més factures és superior a l'import pendent de pagar.
Editeu l'entrada, en cas contrari, confirmeu i considereu la possibilitat de crear un abonament per l'excés pagat per cada factura pagada de més. -ClassifyPaid=Classifica "Pagat" -ClassifyUnPaid=Classifica "sense pagar" -ClassifyPaidPartially=Classifica "Pagat parcialment" -ClassifyCanceled=Classifica "Abandonat" -ClassifyClosed=Classifica "Tancat" -ClassifyUnBilled=Classifiqueu 'facturar' +ClassifyPaid=Marca «Pagat» +ClassifyUnPaid=Marca «No pagat» +ClassifyPaidPartially=Marca «Pagat parcialment» +ClassifyCanceled=Marca «Abandonats» +ClassifyClosed=Marca «Tancat» +ClassifyUnBilled=Marca «No facturat» CreateBill=Crear factura CreateCreditNote=Crear abonament AddBill=Crear factura o abonament @@ -131,7 +131,7 @@ BillStatusPaidBackOrConverted=Nota de crèdit reembossada o marcada com a crèdi BillStatusConverted=Pagada (llesta per a utilitzar-se en la factura final) BillStatusCanceled=Abandonada BillStatusValidated=Validada (a pagar) -BillStatusStarted=Pagada parcialment +BillStatusStarted=Començat BillStatusNotPaid=Pendent BillStatusNotRefunded=No reemborsat BillStatusClosedUnpaid=Tancada (Pendent) @@ -143,7 +143,7 @@ Refunded=Reemborsada BillShortStatusConverted=Tractada BillShortStatusCanceled=Abandonada BillShortStatusValidated=Validada -BillShortStatusStarted=Començada +BillShortStatusStarted=Començat BillShortStatusNotPaid=Pendent BillShortStatusNotRefunded=No reemborsat BillShortStatusClosedUnpaid=Tancada @@ -172,7 +172,7 @@ NewBill=Factura nova LastBills=Últimes %s factures LatestTemplateInvoices=Últimes %s plantilles de factura LatestCustomerTemplateInvoices=Últimes %s plantilles de factures de client -LatestSupplierTemplateInvoices=Darreres %s plantilles de factures de proveïdor +LatestSupplierTemplateInvoices=Últimes %s plantilles de factures de proveïdor LastCustomersBills=Últimes %s factures de client LastSuppliersBills=Últimes %s factures de proveïdor AllBills=Totes les factures @@ -188,7 +188,7 @@ ConfirmValidateBill=Està segur de voler validar aquesta factura amb la referèn ConfirmUnvalidateBill=Està segur de voler tornar la factura %s a l'estat esborrany? ConfirmClassifyPaidBill=Està segur de voler classificar la factura %s com pagada? ConfirmCancelBill=Està segur de voler anul·lar la factura %s? -ConfirmCancelBillQuestion=Per quina raó vols classificar aquesta factura com 'abandonada'? +ConfirmCancelBillQuestion=Per què voleu marcar aquesta factura com a «abandonada»? ConfirmClassifyPaidPartially=Està segur de voler classificar la factura %s com pagada? ConfirmClassifyPaidPartiallyQuestion=Aquesta factura no s'ha pagat completament. Quin és el motiu de tancament d'aquesta factura? ConfirmClassifyPaidPartiallyReasonAvoir=La resta a pagar (%s %s) és un descompte atorgat perquè el pagament es va fer abans de temps. Regularitzaré l'IVA d'aquest descompte amb un abonament. @@ -196,7 +196,7 @@ ConfirmClassifyPaidPartiallyReasonDiscount=La resta a pagar (%s %s) és u ConfirmClassifyPaidPartiallyReasonDiscountNoVat=La resta a pagar (%s %s) és un descompte acordat després de la facturació. Accepto perdre l'IVA d'aquest descompte ConfirmClassifyPaidPartiallyReasonDiscountVat=La resta a pagar (%s %s) és un descompte atorgat perquè el pagament es va fer abans de temps. Recupero l'IVA d'aquest descompte, sense un abonament. ConfirmClassifyPaidPartiallyReasonBadCustomer=Client morós -ConfirmClassifyPaidPartiallyReasonBankCharge=Deducció per banc (comissions bancàries intermediaris) +ConfirmClassifyPaidPartiallyReasonBankCharge=Deducció per banc (comissions bancàries) ConfirmClassifyPaidPartiallyReasonProductReturned=Productes retornats en part ConfirmClassifyPaidPartiallyReasonOther=D'altra raó ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Aquesta opció és possible si la vostra factura ha rebut els comentaris adequats. (Exemple «Només l'impost corresponent al preu realment pagat dona dret a la deducció») @@ -204,7 +204,7 @@ ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=En alguns països, aquesta opc ConfirmClassifyPaidPartiallyReasonAvoirDesc=Aquesta elecció és l'elecció que s'ha de prendre si les altres no són aplicables ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=Un client morós és un client que es nega a pagar el seu deute. ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Aquesta elecció és possible si el cas de pagament incomplet és arran d'una devolució de part dels productes -ConfirmClassifyPaidPartiallyReasonBankChargeDesc=L'import no pagat és comissions bancàries intermediaris , deduïdes directament de l'import correcte pagat pel Client. +ConfirmClassifyPaidPartiallyReasonBankChargeDesc=L'import no pagat son comissions bancàries, deduïdes directament de l'import correcte pagat pel Client. ConfirmClassifyPaidPartiallyReasonOtherDesc=Utilitza aquesta opció si totes les altres no són adequades, per exemple, en la següent situació:
- el pagament no s'ha completat perquè alguns productes es van tornar a enviar
- la quantitat reclamada és massa important perquè s'ha oblidat un descompte
En tots els casos, s'ha de corregir l'import excessiu en el sistema de comptabilitat mitjançant la creació d’un abonament. ConfirmClassifyAbandonReasonOther=Altres ConfirmClassifyAbandonReasonOtherDesc=Aquesta elecció serà per a qualsevol altre cas. Per exemple arran de la intenció de crear una factura rectificativa. @@ -275,7 +275,7 @@ DatePointOfTax=Punt d'impostos NoInvoice=Cap factura NoOpenInvoice=No hi ha factura oberta NbOfOpenInvoices=Nombre de factures obertes -ClassifyBill=Classifica la factura +ClassifyBill=Marca la factura SupplierBillsToPay=Factures de proveïdors pendents de pagament CustomerBillsUnpaid=Factures de client pendents de cobrament NonPercuRecuperable=No percebut recuperable @@ -535,12 +535,12 @@ CantRemovePaymentSalaryPaid=No es pot eliminar el pagament perquè el salari est ExpectedToPay=Esperant el pagament CantRemoveConciliatedPayment=No es pot eliminar el pagament reconciliat PayedByThisPayment=Pagada per aquest pagament -ClosePaidInvoicesAutomatically=Classifiqueu automàticament totes les factures estàndard, de pagament inicial o de reemplaçament com a "Pagades" quan el pagament es realitzi completament. -ClosePaidCreditNotesAutomatically=Classifiqueu automàticament totes les notes de crèdit com a "Pagades" quan es faci la devolució íntegra. -ClosePaidContributionsAutomatically=Classifiqueu automàticament totes les contribucions socials o fiscals com a "Pagades" quan el pagament es realitzi íntegrament. -ClosePaidVATAutomatically=Classifica automàticament la declaració d'IVA com a "Pagada" quan el pagament es realitzi completament. -ClosePaidSalaryAutomatically=Classifiqueu automàticament el salari com a "Pagat" quan el pagament es faci completament. -AllCompletelyPayedInvoiceWillBeClosed=Totes les factures no pendents de pagament es tancaran automàticament amb l'estat "Pagat". +ClosePaidInvoicesAutomatically=Marca automàticament totes les factures estàndard, de pagament inicial o de substitució com a «Pagades» quan el pagament s'hagi fet completament. +ClosePaidCreditNotesAutomatically=Marca automàticament totes les notes de crèdit com a «Pagades» quan el reemborsament s'hagi fet completament. +ClosePaidContributionsAutomatically=Marca automàticament totes les cotitzacions socials o fiscals com a "Pagades" quan el pagament s'hagi fet íntegrament. +ClosePaidVATAutomatically=Marca automàticament la declaració d'IVA com a «Pagada» quan el pagament s'hagi fet completament. +ClosePaidSalaryAutomatically=Marca automàticament el sou com a «Pagat» quan el pagament s'hagi fet completament. +AllCompletelyPayedInvoiceWillBeClosed=Totes les factures sense pagaments pendents es tancaran automàticament amb l'estat «Pagat». ToMakePayment=Pagar ToMakePaymentBack=Reemborsar ListOfYourUnpaidInvoices=Llistat de factures impagades @@ -555,7 +555,7 @@ PDFCrevetteDescription=Plantilla Crevette per factures PDF. Una plantilla de fac TerreNumRefModelDesc1=Retorna el número en el format %syymm-nnnn per a les factures estàndard i %syymm-nnnn per a les notes de crèdit on aa és any, mm és mes i nnnn és un número d’increment automàtic seqüencial sense interrupció i sense retorn a 0 MarsNumRefModelDesc1=Número de devolució en el format %syymm-nnnn per a factures estàndard, %syymm-nnnn per a factures de substitució, %syymm-nnnn per a factures d’avançament i %syymm notes i any sense descans i sense retorn a 0 TerreNumRefModelError=Ja existeix una factura que comença amb $syymm i no és compatible amb aquest model de seqüència. Elimineu-la o canvieu-li el nom per a activar aquest mòdul. -CactusNumRefModelDesc1=Número de devolució en el format %syymm-nnnn per a les factures estàndard, %syymm-nnnn per a les notes de crèdit i %syymm-nnnn per a les factures d’avançament en què yy és any, mm és mes i nnnn és un número que no ha de retorn automàtic 0 +CactusNumRefModelDesc1=Retorna un número en el format %syymm-nnnn per a factures estàndard, %syymm-nnnn per a devolucions i %syymm-nnnn per a factures de bestreta on yy és l'any, mm és el mes i nnnn és un número seqüencial auto-incrementat sense ruptura ni retorn a 0 EarlyClosingReason=Motiu de tancament anticipat EarlyClosingComment=Nota de tancament anticipat ##### Types de contacts ##### @@ -626,8 +626,8 @@ PaymentRegisteredAndInvoiceSetToPaid=Pagament registrat i factura %s configurada SendEmailsRemindersOnInvoiceDueDate=Envieu un recordatori per correu electrònic per a les factures no pagades MakePaymentAndClassifyPayed=Registre de pagament BulkPaymentNotPossibleForInvoice=El pagament massiu no és possible per a la factura %s (tipus o estat incorrecte) -MentionVATDebitOptionIsOn=Option to pay tax based on debits +MentionVATDebitOptionIsOn=Opció de pagar impostos en funció de dèbits MentionCategoryOfOperations=Categoria d'operacions MentionCategoryOfOperations0=Lliurament de mercaderies MentionCategoryOfOperations1=Prestació de serveis -MentionCategoryOfOperations2=Mixed - Delivery of goods & provision of services +MentionCategoryOfOperations2=Mixt: lliurament de béns i prestació de serveis diff --git a/htdocs/langs/ca_ES/boxes.lang b/htdocs/langs/ca_ES/boxes.lang index 2f762867307..68a77898282 100644 --- a/htdocs/langs/ca_ES/boxes.lang +++ b/htdocs/langs/ca_ES/boxes.lang @@ -18,13 +18,13 @@ BoxLastActions=Últimes accions BoxLastContracts=Últims contractes BoxLastContacts=Últims contactes/adreces BoxLastMembers=Últims socis -BoxLastModifiedMembers=Darrers membres modificats -BoxLastMembersSubscriptions=Últimes subscripcions de membres +BoxLastModifiedMembers=Últims socis modificats +BoxLastMembersSubscriptions=Últimes subscripcions de socis BoxFicheInter=Últimes intervencions BoxCurrentAccounts=Balanç de comptes oberts BoxTitleMemberNextBirthdays=Aniversaris d'aquest mes (membres) BoxTitleMembersByType=Membres per tipus i estat -BoxTitleMembersByTags=Members by tags and status +BoxTitleMembersByTags=Socis per etiquetes i estat BoxTitleMembersSubscriptionsByYear=Subscripcions de membres per any BoxTitleLastRssInfos=Últimes %s notícies de %s BoxTitleLastProducts=Productes / Serveis: últims %s modificats @@ -33,8 +33,8 @@ BoxTitleLastSuppliers=Últims %s proveïdors registrats BoxTitleLastModifiedSuppliers=Proveïdors: últims %s modificats BoxTitleLastModifiedCustomers=Clients: últims %s modificats BoxTitleLastCustomersOrProspects=Últims %s clients o clients potencials -BoxTitleLastCustomerBills=Darreres %s factures a client modificades -BoxTitleLastSupplierBills=Darreres %s factures de proveïdor modificades +BoxTitleLastCustomerBills=Últimes %s factures de client modificades +BoxTitleLastSupplierBills=Últimes %s factures de proveïdor modificades BoxTitleLastModifiedProspects=Clients Potencials: últims %s modificats BoxTitleLastModifiedMembers=Últims %s socis BoxTitleLastFicheInter=Últimes %s intervencions modificades @@ -48,12 +48,12 @@ BoxOldestExpiredServices=Serveis antics expirats BoxOldestActions=Els esdeveniments més antics per a fer BoxLastExpiredServices=Últims %s contactes amb serveis actius expirats BoxTitleLastActionsToDo=Últimes %s accions a fer -BoxTitleOldestActionsToDo=Oldest %s events to do, not completed -BoxTitleLastContracts=Últims contractes %s que es van modificar -BoxTitleLastModifiedDonations=Últimes donacions %s que es van modificar -BoxTitleLastModifiedExpenses=Últims informes de despeses %s que es van modificar -BoxTitleLatestModifiedBoms=Últims BOMs %s que es van modificar -BoxTitleLatestModifiedMos=Últimes comandes de fabricació %s que es van modificar +BoxTitleOldestActionsToDo=Els esdeveniments %s més antics per a fer, no s'han completat +BoxTitleLastContracts=Últims %s contractes que s'han modificat +BoxTitleLastModifiedDonations=Últimes %s donacions que s'han modificat +BoxTitleLastModifiedExpenses=Últims %s informes de despeses que s'han modificat +BoxTitleLatestModifiedBoms=Últims %s BOMs que s'han modificat +BoxTitleLatestModifiedMos=Últimes %s ordres de fabricació modificades BoxTitleLastOutstandingBillReached=Clients que han superat el màxim pendent BoxGlobalActivity=Activitat global BoxGoodCustomers=Bons clients @@ -61,7 +61,7 @@ BoxTitleGoodCustomers=% bons clients BoxScheduledJobs=Tasques programades BoxTitleFunnelOfProspection=Oportunitat embut FailedToRefreshDataInfoNotUpToDate=No s'ha pogut actualitzar el flux RSS. Última data d'actualització amb èxit: %s -LastRefreshDate=Última data que es va refrescar +LastRefreshDate=Última data d'actualització NoRecordedBookmarks=No hi ha marcadors personals. ClickToAdd=Feu clic aquí per a afegir. NoRecordedCustomers=Cap client registrat @@ -94,8 +94,8 @@ BoxTitleLatestModifiedSupplierOrders=Comandes a Proveïdor: últimes %s modifica BoxTitleLastModifiedCustomerBills=Factures del client: últimes %s modificades BoxTitleLastModifiedCustomerOrders=Comandes de venda: últimes %s modificades BoxTitleLastModifiedPropals=Últims %s pressupostos modificats -BoxTitleLatestModifiedJobPositions=Últims llocs de treball modificats %s -BoxTitleLatestModifiedCandidatures=Últimes aplicacions de treball modificades %s +BoxTitleLatestModifiedJobPositions=Últims %s llocs de treball modificats +BoxTitleLatestModifiedCandidatures=Últimes %s sol·licituds de feina modificades ForCustomersInvoices=Factures a clients ForCustomersOrders=Comandes de clients ForProposals=Pressupostos @@ -103,7 +103,7 @@ LastXMonthRolling=Els últims %s mesos consecutius ChooseBoxToAdd=Afegeix el panell a la teva taula de control BoxAdded=S'ha afegit el panell a la teva taula de control BoxTitleUserBirthdaysOfMonth=Aniversaris d'aquest mes (usuaris) -BoxLastManualEntries=Últim registre de comptabilitat introduït manualment o sense document d'origen +BoxLastManualEntries=Últim registre en comptabilitat introduït manualment o sense document d'origen BoxTitleLastManualEntries=%s últim registre introduït manualment o sense document d'origen NoRecordedManualEntries=No hi ha registres d'entrades manuals en comptabilitat BoxSuspenseAccount=Operació comptable de comptes amb compte de suspens @@ -118,6 +118,27 @@ BoxCustomersOutstandingBillReached=Clients que superen el límit pendent UsersHome=Usuaris i grups domèstics MembersHome=Membres a casa ThirdpartiesHome=Inici Tercers +productindex=Inici de productes i serveis +mrpindex=Inici MRP +commercialindex=Inici de comercial +projectsindex=Inici de projectes +invoiceindex=Inici de factures +hrmindex=Inici de factures TicketsHome=Entrades a casa +stockindex=Inici d'estocs +sendingindex=Inici d'enviaments +receptionindex=inici de recepcions +activityindex=Inici d'activitat +proposalindex=Inici de propostes +ordersindex=Inici de comandes +orderssuppliersindex=Inici de comandes a proveïdors +contractindex=Inici de contractes +interventionindex=Inici de intervencions +suppliersproposalsindex=Inici de propostes de proveïdors +donationindex=Inici de donacions +specialexpensesindex=Inici de despeses especials +expensereportindex=Inici de informe de despeses +mailingindex=Inici de correu massiu +opensurveyindex=Inici d'enquesta oberta AccountancyHome=Inici Comptabilitat ValidatedProjects=Projectes validats diff --git a/htdocs/langs/ca_ES/companies.lang b/htdocs/langs/ca_ES/companies.lang index f5af27b9064..f737d4b7413 100644 --- a/htdocs/langs/ca_ES/companies.lang +++ b/htdocs/langs/ca_ES/companies.lang @@ -312,7 +312,7 @@ CustomerRelativeDiscountShort=Descompte relatiu CustomerAbsoluteDiscountShort=Descompte fixe CompanyHasRelativeDiscount=Aquest client té un descompte per defecte de %s%% CompanyHasNoRelativeDiscount=Aquest client no té descomptes relatius per defecte -HasRelativeDiscountFromSupplier=You have a default discount of %s%% with this vendor +HasRelativeDiscountFromSupplier=Teniu un descompte predeterminat de %s%% amb aquest proveïdor HasNoRelativeDiscountFromSupplier=No hi ha descompte relatiu predeterminat amb aquest venedor CompanyHasAbsoluteDiscount=Aquest client té descomptes disponibles (notes de crèdit o bestretes) per %s %s CompanyHasDownPaymentOrCommercialDiscount=Aquest client té un descompte disponible (comercial, de pagament) per a %s%s @@ -357,7 +357,7 @@ RequiredIfSupplier=Obligatori si un tercer és proveïdor ValidityControledByModule=Validesa controlada pel mòdul ThisIsModuleRules=Regles per a aquest mòdul ProspectToContact=Client potencial a contactar -CompanyDeleted=L'empresa "%s" ha estat eliminada +CompanyDeleted=L'empresa «%s» s'ha suprimit de la base de dades. ListOfContacts=Llistat de contactes ListOfContactsAddresses=Llistat de contactes ListOfThirdParties=Llista de tercers @@ -386,7 +386,7 @@ VATIntraCheck=Verificar VATIntraCheckDesc=El NIF Intracomunitari ha d'incloure el prefix del país. L'enllaç %s utilitza el servei europeu de verificació de NIF (VIES) que requereix accés a Internet des del servidor Dolibarr. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do VATIntraCheckableOnEUSite=Verifica el NIF Intracomunitari a la web de la Comissió Europea -VATIntraManualCheck=També podeu comprovar manualment al lloc web de la Comissió Europea %s +VATIntraManualCheck=També podeu comprovar manualment al lloc web de la Comissió Europea %s ErrorVATCheckMS_UNAVAILABLE=Comprovació impossible. El servei de comprovació no és prestat pel país membre (%s). NorProspectNorCustomer=Ni client, ni client potencial JuridicalStatus=Tipus d'entitat empresarial @@ -462,7 +462,7 @@ ListSuppliersShort=Llistat de proveïdors ListProspectsShort=Llistat de clients potencials ListCustomersShort=Llistat de clients ThirdPartiesArea=Àrea de tercers i contactes -LastModifiedThirdParties=Últims tercers %s que van ser modificats +LastModifiedThirdParties=Últims %s tercers que s'han modificat UniqueThirdParties=Nombre total de tercers InActivity=Actiu ActivityCeased=Tancat @@ -499,7 +499,7 @@ OutOfEurope=Fora d’Europa (CEE) CurrentOutstandingBillLate=Factura pendent actual en retard BecarefullChangeThirdpartyBeforeAddProductToInvoice=Ves amb compte, en funció de la configuració del preu del producte, has de canviar de tercer abans d’afegir el producte al TPV. EmailAlreadyExistsPleaseRewriteYourCompanyName=El correu electrònic ja existeix, si us plau, reescriu el nom de la teva empresa -TwoRecordsOfCompanyName=more than one record exists for this company, please contact us to complete your partnership request +TwoRecordsOfCompanyName=Hi ha més d'un registre per a aquesta empresa, poseu-vos en contacte amb nosaltres per a completar la vostra sol·licitud d'associació CompanySection=Secció d'empresa ShowSocialNetworks=Mostra les xarxes socials HideSocialNetworks=Amaga les xarxes socials diff --git a/htdocs/langs/ca_ES/compta.lang b/htdocs/langs/ca_ES/compta.lang index 348a68aad1b..f3dc2c6aff7 100644 --- a/htdocs/langs/ca_ES/compta.lang +++ b/htdocs/langs/ca_ES/compta.lang @@ -1,13 +1,13 @@ # Dolibarr language file - Source file is en_US - compta MenuFinancial=Financera TaxModuleSetupToModifyRules=Aneu a Configuració del mòdul Impostos per a modificar les regles de càlcul -TaxModuleSetupToModifyRulesLT=Aneu a Configuració de l'empresa per a modificar les regles de càlcul +TaxModuleSetupToModifyRulesLT=Aneu a Configuració de l'empresa per a modificar les regles de càlcul OptionMode=Opció de gestió comptable OptionModeTrue=Opció Ingressos-Despeses OptionModeVirtual=Opció Crèdits-Deutes OptionModeTrueDesc=En aquest context, la facturació es calcula sobre els pagaments (data dels pagaments). La validesa de les xifres només està assegurada si la comptabilitat es controla mitjançant l'entrada/sortida dels comptes mitjançant factures. OptionModeVirtualDesc=En aquest context, la facturació es calcula sobre les factures (data de validació). Quan es venguin aquestes factures, tant si s'han pagat com si no, s'enumeren a la sortida de la facturació. -FeatureIsSupportedInInOutModeOnly=Funció disponible només en el mode comptes CREDITS-DEUTES (Veure la configuració del mòdul comptes) +FeatureIsSupportedInInOutModeOnly=Funció només disponible en el mode de comptabilitat CRÈDITS-DEUTES (vegeu la configuració del mòdul de comptabilitat) VATReportBuildWithOptionDefinedInModule=Els imports obtinguts es calculen segons la configuració del mòdul Impostos. LTReportBuildWithOptionDefinedInModule=Els imports obtinguts es calculen segons la configuració de l'Empresa Param=Configuració @@ -73,7 +73,7 @@ SocialContributions=Impostos varis SocialContributionsDeductibles=Impostos varis deduïbles SocialContributionsNondeductibles=Impostos varis no deduïbles DateOfSocialContribution=Data de l’impost social o fiscal -LabelContrib=Aportació d'etiquetes +LabelContrib=Nom d'aportació TypeContrib=Tipus d'aportació MenuSpecialExpenses=Pagaments especials MenuTaxAndDividends=Impostos i càrregues @@ -132,7 +132,7 @@ ByThirdParties=Per tercer ByUserAuthorOfInvoice=Per autor de la factura CheckReceipt=Ingrés de xec CheckReceiptShort=Ingrés de xec -LastCheckReceiptShort=Últimes %s remeses de xec +LastCheckReceiptShort=Últims %s rebuts de xec NewCheckReceipt=Descompte nou NewCheckDeposit=Ingrés nou NewCheckDepositOn=Crear el rebut per a l'ingrés al compte: %s @@ -142,9 +142,9 @@ NbOfCheques=Nombre de xecs PaySocialContribution=Pagar un impost varis PayVAT=Paga una declaració d’IVA PaySalary=Pagar una targeta salarial -ConfirmPaySocialContribution=Esteu segur que voleu classificar aquest impost varis com a pagat? -ConfirmPayVAT=Esteu segur que voleu classificar aquesta declaració d'IVA com a pagada? -ConfirmPaySalary=Esteu segur que voleu classificar aquesta targeta salarial com a pagada? +ConfirmPaySocialContribution=Esteu segur que voleu marcar aquest impost varis com a pagat? +ConfirmPayVAT=Esteu segur que voleu marcar aquesta declaració d'IVA com a pagada? +ConfirmPaySalary=Esteu segur que voleu marcar aquesta fitxa salarial com a pagada? DeleteSocialContribution=Elimina un pagament d'impost varis DeleteVAT=Suprimeix una declaració d’IVA DeleteSalary=Elimina una fitxa salarial @@ -236,7 +236,7 @@ Pcg_subtype=Subtipus de compte InvoiceLinesToDispatch=Línies de factures a desglossar ByProductsAndServices=Per producte i servei RefExt=Ref. externa -ToCreateAPredefinedInvoice=Per a crear una plantilla de factura, creeu una factura estàndard, després, sense validar-la, feu clic al botó "%s". +ToCreateAPredefinedInvoice=Per a crear una plantilla de factura, creeu una factura estàndard, després, sense validar-la, feu clic al botó «%s». LinkedOrder=Enllaçar a una comanda Mode1=Mètode 1 Mode2=Mètode 2 @@ -252,7 +252,7 @@ ACCOUNTING_VAT_PAY_ACCOUNT=Compte (del pla comptable) que s'utilitzarà com a co ACCOUNTING_ACCOUNT_CUSTOMER=Compte (del pla comptable) utilitzat per a tercers «clients». ACCOUNTING_ACCOUNT_CUSTOMER_Desc=El compte comptable dedicat definit a la fitxa de tercer només s’utilitzarà per a la comptabilitat auxiliar. Aquest s'utilitzarà per al llibre major i com a valor per defecte de la comptabilitat auxiliar si no es defineix un compte comptable de client dedicat a tercers. ACCOUNTING_ACCOUNT_SUPPLIER=Compte (del pla comptable) utilitzat per a tercers «proveïdors». -ACCOUNTING_ACCOUNT_SUPPLIER_Desc=El compte comptable dedicat definit a la fitxa de tercers només s'utilitzarà per al Llibre Major. Aquest serà utilitzat pel Llibre Major i com a valor predeterminat del subcompte si no es defineix un compte comptable a la fitxa del tercer. +ACCOUNTING_ACCOUNT_SUPPLIER_Desc=El compte comptable dedicat definit a la fitxa de tercers s'utilitzarà només per a la comptabilitat de subllibre. Aquest s'utilitzarà per al Llibre Major i com a valor predeterminat de la comptabilitat del subllibre si no es defineix un compte comptable de proveïdor dedicat a tercers. ConfirmCloneTax=Confirma el clonat d'un impost social / fiscal ConfirmCloneVAT=Confirma la còpia d’una declaració d’IVA ConfirmCloneSalary=Confirmeu el clon d'un salari diff --git a/htdocs/langs/ca_ES/contracts.lang b/htdocs/langs/ca_ES/contracts.lang index 36ca171cb7d..fc0861cb206 100644 --- a/htdocs/langs/ca_ES/contracts.lang +++ b/htdocs/langs/ca_ES/contracts.lang @@ -57,12 +57,12 @@ LastContracts=Últims %s contractes LastModifiedServices=Últims %s serveis modificats ContractStartDate=Data inici ContractEndDate=Data finalització -DateStartPlanned=Data prevista posada en servei -DateStartPlannedShort=Data inici prevista +DateStartPlanned=Data d'inici prevista +DateStartPlannedShort=Data d'inici prevista DateEndPlanned=Data prevista finalització del servei DateEndPlannedShort=Data final prevista -DateStartReal=Data real posada en servei -DateStartRealShort=Data inici +DateStartReal=Data d'inici real +DateStartRealShort=Data d'inici real DateEndReal=Data real finalització del servei DateEndRealShort=Data real finalització CloseService=Finalitzar servei @@ -89,7 +89,7 @@ ListOfServicesToExpire=Llistat de serveis actius a expirar NoteListOfYourExpiredServices=Aquest llistat només conté els serveis de contractes de tercers que tens enllaçats com a agent comercial StandardContractsTemplate=Plantilla de contracte Standard ContactNameAndSignature=Per %s, nom i signatura: -OnlyLinesWithTypeServiceAreUsed=Només les línies amb tipus "Servei" seran clonades. +OnlyLinesWithTypeServiceAreUsed=Només es clonaran les línies amb el tipus «Servei». ConfirmCloneContract=Esteu segur que voleu clonar el contracte %s ? LowerDateEndPlannedShort=Baixa data de finalització planificada dels serveis actius SendContractRef=Informació del contracte __REF__ diff --git a/htdocs/langs/ca_ES/cron.lang b/htdocs/langs/ca_ES/cron.lang index b2c8d96b8fc..ac78fb3c03a 100644 --- a/htdocs/langs/ca_ES/cron.lang +++ b/htdocs/langs/ca_ES/cron.lang @@ -64,7 +64,7 @@ CronTaskInactive=Aquest treball està desactivat (no programat) CronId=Id CronClassFile=Filename with class CronModuleHelp=Nom del directori del mòdul de Dolibarr (també funciona amb mòduls externs).
Per exemple, per cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor pel mòdul és
product -CronClassFileHelp=La ruta relativa i el nom del fitxer a carregar (la ruta és relativa al directori arrel del servidor web).
Per exemple, per cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor del nom del fitxer de classe és
product/class/product.class.php +CronClassFileHelp=El camí relatiu i el nom del fitxer a carregar (el camí és relatiu al directori arrel del servidor web).
Per exemple, per a cridar al mètode fetch de l'objecte Producte de Dolibarr htdocs/product/class/product.class.php, el valor del nom del fitxer de classe és
product/class/product.class.php CronObjectHelp=El nom de l'objecte a carregar.
Per exemple, per cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor pel nom del fitxer de classe és
Product CronMethodHelp=El mètode d'objecte a cridar.
Per exemple, per cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor pel mètode és
fetch CronArgsHelp=Els arguments del mètode.
Per exemple, cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor dels paràmetres pot ser
0, ProductRef diff --git a/htdocs/langs/ca_ES/ecm.lang b/htdocs/langs/ca_ES/ecm.lang index e87dbee9bcc..1c4effe2e01 100644 --- a/htdocs/langs/ca_ES/ecm.lang +++ b/htdocs/langs/ca_ES/ecm.lang @@ -5,7 +5,7 @@ ECMSectionManual=Carpeta manual ECMSectionAuto=Carpeta automàtica ECMSectionsManual=Arbre manual ECMSectionsAuto=Arbre automàtic -ECMSectionsMedias=Medias tree +ECMSectionsMedias=Arbre dels multimèdia ECMSections=Carpetes ECMRoot=Arrel del ECM ECMNewSection=Carpeta nova @@ -17,9 +17,9 @@ ECMNbOfFilesInSubDir=Nombre d'arxius en les subcarpetes ECMCreationUser=Creador ECMArea=Àrea SGD/GCE ECMAreaDesc=L’àrea SGD/GED (Sistema de Gestió de Documents / Gestió de Continguts Electrònics) us permet desar, compartir i cercar ràpidament tota mena de documents a Dolibarr. -ECMAreaDesc2a=* Manual directories can be used to save documents not linked to a particular element. -ECMAreaDesc2b=* Automatic directories are filled automatically when adding documents from the page of an element. -ECMAreaDesc3=* Medias directories are files into the subdirectory /medias of documents directory, readable by everybody with no need to be logged and no need to have the file shared explicitely. It is used to store image files from emailing or website module. +ECMAreaDesc2a=* Els directoris manuals es poden utilitzar per a desar documents no vinculats a un element concret. +ECMAreaDesc2b=* Els directoris automàtics s'omplen automàticament quan s'afegeixen documents des de la pàgina d'un element. +ECMAreaDesc3=* Els directoris de multimèdia són fitxers del subdirectori /medias del directori de documents, llegibles per a tothom sense necessitat de registrar-se i sense necessitat de compartir el fitxer de manera explícita. S'utilitza per a emmagatzemar fitxers d'imatge per al mòdul de correu electrònic o lloc web, per exemple. ECMSectionWasRemoved=La carpeta %s ha estat eliminada ECMSectionWasCreated=S'ha creat el directori %s. ECMSearchByKeywords=Cercar per paraules clau diff --git a/htdocs/langs/ca_ES/errors.lang b/htdocs/langs/ca_ES/errors.lang index 813e62d4cb9..9a38acece6c 100644 --- a/htdocs/langs/ca_ES/errors.lang +++ b/htdocs/langs/ca_ES/errors.lang @@ -15,10 +15,10 @@ ErrorGroupAlreadyExists=El grup %s ja existeix. ErrorEmailAlreadyExists=El correu electrònic %s ja existeix. ErrorRecordNotFound=Registre no trobat ErrorRecordNotFoundShort=No trobat -ErrorFailToCopyFile=No s'ha pogut copiar el fitxer " %s " a " %s ". +ErrorFailToCopyFile=No s'ha pogut copiar el fitxer «%s» a «%s». ErrorFailToCopyDir=No s'ha pogut copiar el directori ' %s ' a ' %s '. ErrorFailToRenameFile=Error al renomenar l'arxiu '%s' a '%s'. -ErrorFailToDeleteFile=No s'ha pogut eliminar el fitxer " %s ". +ErrorFailToDeleteFile=No s'ha pogut eliminar el fitxer «%s». ErrorFailToCreateFile=Error al crear l'arxiu '%s' ErrorFailToRenameDir=Error al renomenar la carpeta '%s' a '%s'. ErrorFailToCreateDir=Error al crear la carpeta '%s' @@ -60,8 +60,8 @@ ErrorSetupOfEmailsNotComplete=La configuració dels correus electrònics no s'ha ErrorFeatureNeedJavascript=Aquesta funcionalitat requereix javascript actiu per funcionar. Modifiqueu en configuració->entorn. ErrorTopMenuMustHaveAParentWithId0=Un menú del tipus 'Superior' no pot tenir un menú pare. Poseu 0 al menú pare o trieu un menú del tipus 'Esquerra'. ErrorLeftMenuMustHaveAParentId=Un menú del tipus 'Esquerra' ha de tenir un ID de pare -ErrorFileNotFound=Arxiu no trobat (ruta incorrecta, permisos incorrectes o accés prohibit pel paràmetre openbasedir) -ErrorDirNotFound=Directori %s no trobat (Ruta incorrecta, permisos inadequats o accés prohibit pel paràmetre PHP openbasedir o safe_mode) +ErrorFileNotFound=No s'ha trobat el fitxer %s (camí incorrecte, permisos incorrectes o accés denegat pel paràmetre PHP openbasedir o safe_mode) +ErrorDirNotFound=No s'ha trobat el directori %s (camí incorrecte, permisos incorrectes o accés denegat pel paràmetre PHP openbasedir o safe_mode) ErrorFunctionNotAvailableInPHP=La funció %s és requerida per aquesta característica, però no es troba disponible en aquesta versió/instal·lació de PHP. ErrorDirAlreadyExists=Ja existeix una carpeta amb aquest nom. ErrorFileAlreadyExists=Ja existeix un fitxer amb aquest nom. @@ -84,7 +84,7 @@ ErrorNoAccountancyModuleLoaded=Mòdul de comptabilitat no activat ErrorExportDuplicateProfil=El nom d'aquest perfil ja existeix per aquest conjunt d'exportació ErrorLDAPSetupNotComplete=La configuració Dolibarr-LDAP és incompleta. ErrorLDAPMakeManualTest=S'ha generat un fitxer .ldif al directori %s. Proveu de carregar-lo manualment des de la línia d'ordres per a obtenir més informació sobre els errors. -ErrorCantSaveADoneUserWithZeroPercentage=No es pot desar una acció amb "estat no iniciat" si el camp "fet per" també s'omple. +ErrorCantSaveADoneUserWithZeroPercentage=No es pot desar una acció amb «estat no iniciat» si també s'omple el camp «fet per». ErrorRefAlreadyExists=La referència %s ja existeix. ErrorPleaseTypeBankTransactionReportName=Introduïu el nom de l’extracte bancari on s’ha d’informar de l’entrada (format AAAAAMM o AAAAAMMDD) ErrorRecordHasChildren=No s'ha pogut eliminar el registre, ja que té alguns registres fills. @@ -97,7 +97,7 @@ ErrorWrongValueForField=Camp %s : ' %s ' no coincideix amb la reg ErrorHtmlInjectionForField=Camp %s : el valor ' %s no conté dades malicioses ' ErrorFieldValueNotIn=Camp %s : ' %s ' no és un valor trobat en el camp %s de %s ErrorFieldRefNotIn=Camp %s : ' %s ' no és un %s ref actual -ErrorMultipleRecordFoundFromRef=Several record found when searching from ref %s. No way to know which ID to use. +ErrorMultipleRecordFoundFromRef=S'han trobat diversos registres en cercar des de la referència%s. No hi ha manera de saber quina identificació utilitzar. ErrorsOnXLines=S'han trobat %s errors ErrorFileIsInfectedWithAVirus=L'antivirus no ha pogut validar aquest arxiu (és probable que estigui infectat per un virus)! ErrorNumRefModel=Hi ha una referència a la base de dades (%s) i no és compatible amb aquesta regla de numeració. Elimineu el registre o canvieu el nom de referència per a activar aquest mòdul. @@ -125,7 +125,7 @@ ErrorCantReadFile=Error de lectura del fitxer '%s' ErrorCantReadDir=Error de lectura de la carpeta '%s' ErrorBadLoginPassword=Identificadors d'usuari o contrasenya incorrectes ErrorLoginDisabled=El seu compte està desactivat -ErrorFailedToRunExternalCommand=No s'ha pogut executar l'ordre extern. Comproveu que estigui disponible i executable pel vostre usuari del servidor PHP. Comproveu que l'ordre no estigui protegida a nivell d'intèrpret d'ordres per una capa de seguretat com apparmor. +ErrorFailedToRunExternalCommand=No s'ha pogut executar l'ordre extern. Comproveu que estigui disponible i que l'executi el vostre usuari del servidor PHP. Comproveu també que l'ordre no estigui protegida en l'àmbit d'intèrpret d'ordres per una capa de seguretat com apparmor. ErrorFailedToChangePassword=Error en la modificació de la contrasenya ErrorLoginDoesNotExists=El compte d'usuari de %s no s'ha trobat. ErrorLoginHasNoEmail=Aquest usuari no té e-mail. Impossible continuar. @@ -136,7 +136,7 @@ ErrorLinesCantBeNegativeForOneVATRate=El total de línies (net d’impostos) no ErrorLinesCantBeNegativeOnDeposits=Les línies no poden ser negatives en un dipòsit. Si ho feu, podreu tenir problemes quan necessiteu consumir el dipòsit a la factura final ErrorQtyForCustomerInvoiceCantBeNegative=La quantitat a les línies de factures a client no poden ser negatives ErrorWebServerUserHasNotPermission=El compte d'execució del servidor web %s no disposa dels permisos per això -ErrorNoActivatedBarcode=No hi ha activat cap tipus de codi de barres +ErrorNoActivatedBarcode=No s'ha activat cap mena de codi de barres ErrUnzipFails=No s'ha pogut descomprimir el fitxer %s amb ZipArchive ErrNoZipEngine=No engine to zip/unzip %s file in this PHP ErrorFileMustBeADolibarrPackage=El fitxer %s ha de ser un paquet Dolibarr en format zip @@ -244,7 +244,7 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Per a desactivar els objectes, han d ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Per ser activats, els objectes han de tenir l'estat "Esborrany" o "Desactivat" ErrorNoFieldWithAttributeShowoncombobox=Cap camp té la propietat "showoncombobox" en la definició de l'objecte "%s". No es pot mostrar el llistat desplegable. ErrorFieldRequiredForProduct=El camp "%s" és obligatori per al producte %s -AlreadyTooMuchPostOnThisIPAdress=You have already posted too much on this IP address. +AlreadyTooMuchPostOnThisIPAdress=Ja heu publicat massa en aquesta adreça IP. ProblemIsInSetupOfTerminal=El problema està en la configuració del terminal %s. ErrorAddAtLeastOneLineFirst=Afegeix almenys una primera línia ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, el registre ja s’ha transferit a la comptabilitat, no es pot eliminar. @@ -262,6 +262,7 @@ ErrorParameterMustBeEnabledToAllwoThisFeature=Error, el paràmetre %s s ErrorLoginDateValidity=Error, aquest inici de sessió està fora de l'interval de dates de validesa ErrorValueLength=La longitud del camp ' %s ' ha de ser superior a ' %s ' ErrorReservedKeyword=La paraula ' %s ' és una paraula clau reservada +ErrorFilenameReserved=El nom de fitxer %s no es pot utilitzar perquè és una ordre reservada i protegida. ErrorNotAvailableWithThisDistribution=No disponible amb aquesta distribució ErrorPublicInterfaceNotEnabled=La interfície pública no s'ha activat ErrorLanguageRequiredIfPageIsTranslationOfAnother=Cal definir l'idioma de la pàgina nova si es defineix com a traducció d'una altra pàgina @@ -280,8 +281,8 @@ ErrorWrongFileName=El nom del fitxer no pot contenir __COSA__ ErrorNotInDictionaryPaymentConditions=No es troba al Diccionari de condicions de pagament, modifiqueu-lo. ErrorIsNotADraft=%s no és un esborrany ErrorExecIdFailed=No es pot executar l'ordre "id" -ErrorBadCharIntoLoginName=Unauthorized character in the field %s -ErrorRequestTooLarge=Error, request too large or session expired +ErrorBadCharIntoLoginName=Caràcter no autoritzat al camp %s +ErrorRequestTooLarge=Error, sol·licitud massa gran o sessió caducada ErrorNotApproverForHoliday=No sou l'autor de l'abandonament %s ErrorAttributeIsUsedIntoProduct=Aquest atribut s'utilitza en una o més variants de producte ErrorAttributeValueIsUsedIntoProduct=Aquest valor d'atribut s'utilitza en una o més variants de producte @@ -298,17 +299,17 @@ ErrorFailedToLoadThirdParty=No s'ha pogut trobar/carregar un tercer des d'id=%s, ErrorThisPaymentModeIsNotSepa=Aquest mode de pagament no és un compte bancari ErrorStripeCustomerNotFoundCreateFirst=El client de Stripe no està configurat per a aquest tercer (o s'ha establert un valor suprimit al costat de Stripe). Creeu-lo (o torneu-lo a adjuntar) primer. ErrorCharPlusNotSupportedByImapForSearch=La cerca IMAP no pot cercar al remitent o al destinatari una cadena que contingui el caràcter + -ErrorTableNotFound=Table %s not found -ErrorValueForTooLow=Value for %s is too low -ErrorValueCantBeNull=Value for %s can't be null -ErrorDateOfMovementLowerThanDateOfFileTransmission=The date of the bank transaction can't be lower than the date of the file transmission -ErrorTooMuchFileInForm=Too much files in form, the maximum number is %s file(s) -ErrorSessionInvalidatedAfterPasswordChange=The session was been invalidated following a change of password, status or dates of validity. Please relogin. -ErrorExistingPermission = Permission %s for object %s already exists -ErrorFieldExist=The value for %s already exist -ErrorEqualModule=Module invalid in %s -ErrorFieldValue=Value for %s is incorrect -ErrorCoherenceMenu=%s is required when % equal LEFT +ErrorTableNotFound=No s'ha trobat la taula %s +ErrorValueForTooLow=El valor de %s és massa baix +ErrorValueCantBeNull=El valor de %s no pot ser nul +ErrorDateOfMovementLowerThanDateOfFileTransmission=La data de la transacció bancària no pot ser inferior a la data de transmissió del fitxer +ErrorTooMuchFileInForm=Hi ha massa fitxers en el formulari, el nombre màxim és de %s fitxers +ErrorSessionInvalidatedAfterPasswordChange=La sessió s'ha invalidat després d'un canvi de contrasenya, estat o dates de validesa. Si us plau, torneu a iniciar sessió. +ErrorExistingPermission = Ja existeix el permís %s per a l'objecte %s +ErrorFieldExist=El valor de %s ja existeix +ErrorEqualModule=El mòdul no és vàlid a %s +ErrorFieldValue=El valor de %s és incorrecte +ErrorCoherenceMenu= %s és necessari quan %s és «left» # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=El paràmetre PHP upload_max_filesize (%s) és superior al paràmetre PHP post_max_size (%s). No es tracta d’una configuració consistent. @@ -346,8 +347,8 @@ WarningModuleXDisabledSoYouMayMissEventHere=El mòdul %s no s'ha habilitat. Per WarningPaypalPaymentNotCompatibleWithStrict=El valor "Estricte" fa que les funcions de pagament en línia no funcionin correctament. Utilitzeu "Lax". WarningThemeForcedTo=Avís, el tema s'ha forçat a %s per la constant oculta MAIN_FORCETHEME WarningPagesWillBeDeleted=Advertència, això també suprimirà totes les pàgines/contenidors existents del lloc web. Hauríeu d'exportar el vostre lloc web abans, de manera que tingueu una còpia de seguretat per tornar-lo a importar més tard. -WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=Automatic validation is disabled when option to decrease stock is set on "Invoice validation". -WarningModuleNeedRefrech = Module %s has been disabled. Don't forget to enable it +WarningAutoValNotPossibleWhenStockIsDecreasedOnInvoiceVal=La validació automàtica es desactiva quan l'opció de disminució d'estoc s'estableix a "Validació de la factura". +WarningModuleNeedRefrech = El mòdul %s s'ha desactivat. No oblideu activar-lo # Validate RequireValidValue = El valor no és vàlid diff --git a/htdocs/langs/ca_ES/help.lang b/htdocs/langs/ca_ES/help.lang index 431e2d14223..95c3c5ae6ef 100644 --- a/htdocs/langs/ca_ES/help.lang +++ b/htdocs/langs/ca_ES/help.lang @@ -3,10 +3,10 @@ CommunitySupport=Assistència Forums i Wiki EMailSupport=Assistència E-Mail RemoteControlSupport=Suport en línia en temps real / remot OtherSupport=Altres tipus d'assistència -ToSeeListOfAvailableRessources=Per contactar/veure els recursos disponibles: +ToSeeListOfAvailableRessources=Per a contactar/veure els recursos disponibles: HelpCenter=Centre d'ajuda DolibarrHelpCenter=Centre d'Ajuda i Suport de Dolibarr -ToGoBackToDolibarr=En cas contrari, fes clic aquí per continuar utilitzant Dolibarr . +ToGoBackToDolibarr=En cas contrari, feu clic aquí per a continuar utilitzant Dolibarr. TypeOfSupport=Tipus de suport TypeSupportCommunauty=Comunitari (gratuït) TypeSupportCommercial=Comercial @@ -20,4 +20,4 @@ BackToHelpCenter=En cas contrari, torna a la pàgina d'inici del C LinkToGoldMember=Pots trucar a un dels formadors preseleccionats per Dolibarr pel teu idioma (%s) fent clic al seu Panell (l'estat i el preu màxim s'actualitzen automàticament): PossibleLanguages=Idiomes disponibles SubscribeToFoundation=Ajuda al projecte Dolibarr, adhereix-te a l'associació -SeeOfficalSupport=Per a obtenir suport oficial de Dolibarr en el vostre idioma:
%s +SeeOfficalSupport=Per a obtenir suport oficial de Dolibarr en el vostre idioma:
%s diff --git a/htdocs/langs/ca_ES/holiday.lang b/htdocs/langs/ca_ES/holiday.lang index af0c560f896..c29fa3d1198 100644 --- a/htdocs/langs/ca_ES/holiday.lang +++ b/htdocs/langs/ca_ES/holiday.lang @@ -8,7 +8,7 @@ MenuAddCP=Sol·licitud nova de dia lliure MenuCollectiveAddCP=Nova sol·licitud de festiu col·lectiu NotActiveModCP=Heu d'habilitar el mòdul Dies lliures per a veure aquesta pàgina. AddCP=Feu una sol·licitud de dia lliure -DateDebCP=Data inici +DateDebCP=Data d'inici DateFinCP=Data fi DraftCP=Esborrany ToReviewCP=A l'espera d'aprovació @@ -85,7 +85,7 @@ AddEventToUserOkCP=S'ha completat la incorporació del dia lliure excepcional. ErrorFieldRequiredUserOrGroup=Cal omplir el camp "grup" o el camp "usuari". fusionGroupsUsers=El camp de grups i el camp d'usuari es fusionaran MenuLogCP=Veure registre de canvis -LogCP=Registre de totes les actualitzacions fetes a "Saldo de dies lliures" +LogCP=Registre de totes les actualitzacions fetes a «Saldo de dies lliures» ActionByCP=Actualitzat per UserUpdateCP=Actualitzat per a PrevSoldeCP=Saldo anterior @@ -107,7 +107,7 @@ HolidaysCancelation=Cancel·lació de la sol·licitud de dies lliures EmployeeLastname=Cognoms de l'empleat EmployeeFirstname=Nom de l'empleat TypeWasDisabledOrRemoved=El tipus de dia lliure (id %s) ha sigut desactivat o eliminat -LastHolidays=Les darreres %s sol·licituds de permís +LastHolidays=Últimes %s sol·licituds de dies lliures AllHolidays=Totes les sol·licituds de permís HalfDay=Mig dia NotTheAssignedApprover=No sou l'aprovador assignat @@ -129,13 +129,13 @@ HolidaysToValidateBody=A continuació es mostra una sol·licitud de permís per HolidaysToValidateDelay=Aquesta sol·licitud de dies lliures retribuïts tindrà lloc en un termini de menys de %s dies. HolidaysToValidateAlertSolde=L'usuari que ha realitzat la sol·licitud de dies lliures retribuïts no disposa de suficients dies disponibles HolidaysValidated=Sol·licituds de permís validats -HolidaysValidatedBody=La seva sol·licitud de dies lliures retribuïts des de el %s al %s ha sigut validada. +HolidaysValidatedBody=La vostra sol·licitud de dies lliures de %s a %s s'ha validat. 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=S'ha cancel·lat la vostra sol·licitud de permís del %s al %s. FollowedByACounter=1: Aquest tipus de dia lliure necessita el seguiment d'un comptador. El comptador s'incrementa manualment o automàticament i quan hi ha una petició de dia lliure validada, el comptador es decrementa.
0: No seguit per un comptador. -NoLeaveWithCounterDefined=No hi ha cap tipus de dia lliure definit que hagi de seguir un comptador +NoLeaveWithCounterDefined=No hi ha cap mena de dia lliure definit que hagi de ser seguit per un comptador GoIntoDictionaryHolidayTypes=Aneu a Inici - Configuració - Diccionaris - Tipus de dies lliures per a configurar els diferents tipus de dies lliures. HolidaySetup=Configuració del mòdul Dies de permís HolidaysNumberingModules=Models de numeració de sol·licituds de dies de permís @@ -149,10 +149,10 @@ XIsAUsualNonWorkingDay=%s sol ser un dia NO laborable BlockHolidayIfNegative=Bloqueja si el saldo és negatiu LeaveRequestCreationBlockedBecauseBalanceIsNegative=La creació d'aquesta sol·licitud de vacances està bloquejada perquè el vostre saldo és negatiu ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=La sol·licitud d'abandonament %s ha de ser esborrany, cancel·lada o rebutjada per eliminar-la -IncreaseHolidays=Increase leave balance -HolidayRecordsIncreased= %s leave balances increased -HolidayRecordIncreased=Leave balance increased -ConfirmMassIncreaseHoliday=Bulk leave balance increase -NumberDayAddMass=Number of day to add to the selection -ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? +IncreaseHolidays=Augmentar el saldo de dies lliures +HolidayRecordsIncreased= %s saldos de dies lliures augmentats +HolidayRecordIncreased=Saldo de dies lliures augmentat +ConfirmMassIncreaseHoliday=Augment massiu del saldo de dies lliures +NumberDayAddMass=Nombre de dia per a afegir a la selecció +ConfirmMassIncreaseHolidayQuestion=Esteu segur que voleu augmentar les vacances dels registres seleccionats %s? HolidayQtyNotModified=El saldo dels dies restants per a %s no s'ha canviat diff --git a/htdocs/langs/ca_ES/install.lang b/htdocs/langs/ca_ES/install.lang index 4057871b57b..7591d31118f 100644 --- a/htdocs/langs/ca_ES/install.lang +++ b/htdocs/langs/ca_ES/install.lang @@ -8,7 +8,7 @@ ConfFileIsNotWritable=L'arxiu de configuració %s no és modificable. Com ConfFileIsWritable=L'arxiu %s és modificable. ConfFileMustBeAFileNotADir=El fitxer de configuració %s ha de ser un fitxer, no un directori. ConfFileReload=Actualització dels paràmetres del fitxer de configuració. -NoReadableConfFileSoStartInstall=El fitxer de configuració conf/conf.php no existeix o no es pot llegir. Executarem el procés d'instal·lació per intentar inicialitzar-lo. +NoReadableConfFileSoStartInstall=El fitxer de configuració conf/conf.php no existeix o no es pot llegir. Executarem el procés d'instal·lació per a intentar inicialitzar-lo. PHPSupportPOSTGETOk=Aquest PHP suporta bé les variables POST i GET. PHPSupportPOSTGETKo=És possible que aquest PHP no suport les variables POST i/o GET. Comproveu el paràmetre variables_order del php.ini. PHPSupportSessions=Aquest PHP suporta sessions @@ -82,7 +82,7 @@ GoToDolibarr=Aneu a Dolibarr GoToSetupArea=Aneu a Dolibarr (àrea de configuració) MigrationNotFinished=La versió de la base de dades no està completament actualitzada: torneu a executar el procés d'actualització. GoToUpgradePage=Aneu de nou a la pàgina d'actualització -WithNoSlashAtTheEnd=Sense el signe "/" al final +WithNoSlashAtTheEnd=Sense la barra inclinada «/» al final DirectoryRecommendation=  IMPORTANT : Heu d'utilitzar un directori que es troba fora de les pàgines web (no utilitzeu un subdirector del paràmetre anterior). LoginAlreadyExists=Ja existeix DolibarrAdminLogin=Nom d'usuari d’administrador de Dolibarr @@ -94,7 +94,7 @@ ChoosedMigrateScript=Elecció de l'script de migració DataMigration=Migració de la base de dades (dades) DatabaseMigration=Migració de la base de dades (estructura + algunes dades) ProcessMigrateScript=Execució del script -ChooseYourSetupMode=Trieu el mode de configuració i feu clic a "Comença"... +ChooseYourSetupMode=Trieu el vostre mode de configuració i feu clic a «Inici»... FreshInstall=Nova instal·lació FreshInstallDesc=Utilitzeu aquest mode si aquesta és la vostra primera instal·lació. Si no, aquest mode pot reparar una instal·lació prèvia incompleta. Si voleu actualitzar la vostra versió, seleccioneu "Actualitzar". Upgrade=Actualització @@ -129,7 +129,7 @@ MigrationCustomerOrderShipping=Migració de dades d'enviament de comandes de ven MigrationShippingDelivery=Actualització de les dades d'enviaments MigrationShippingDelivery2=Actualització de les dades d'enviaments 2 MigrationFinished=S'ha acabat la migració -LastStepDesc= Darrer pas : definiu aquí l'inici de sessió i la contrasenya que voleu utilitzar per connectar-se a Dolibarr. No perdis això, ja que és el compte mestre per administrar tots els altres / comptes d'usuari addicionals. +LastStepDesc=Últim pas: Definiu aquí l'inici de sessió i la contrasenya que voleu utilitzar per a connectar-vos a Dolibarr. No la perdeu, ja que és el compte principal per a administrar tots els altres comptes d'usuari addicionals. ActivateModule=Activació del mòdul %s ShowEditTechnicalParameters=Feu clic aquí per a mostrar/editar els paràmetres avançats (mode expert) WarningUpgrade=Avís:\nHas fet una còpia de seguretat de la base de dades primer?\nAixò és molt recomanable. La pèrdua de dades (a causa, per exemple, d'errors a la versió de mysql 5.5.40/41/42/43) és possible durant aquest procés, per la qual cosa és essencial fer un bolcat complet de la base de dades abans d'iniciar qualsevol migració.\n\nFeu clic a D'acord per a iniciar el procés de migració... @@ -157,7 +157,7 @@ MigrationPaymentsUpdate=Actualització dels pagaments (vincle nn pagaments-factu MigrationPaymentsNumberToUpdate=%s pagament(s) a actualitzar MigrationProcessPaymentUpdate=Actualització pagament(s) %s MigrationPaymentsNothingToUpdate=No hi ha més pagaments orfes que hagin de corregir. -MigrationPaymentsNothingUpdatable=No hi ha més pagaments per corregir +MigrationPaymentsNothingUpdatable=No hi ha més pagaments que es puguin corregir MigrationContractsUpdate=Actualització dels contractes sense detalls (gestió del contracte + detall de contracte) MigrationContractsNumberToUpdate=%s contracte(s) a actualitzar MigrationContractsLineCreation=Crea una línia de contracte per referència del contracte %s @@ -165,8 +165,8 @@ MigrationContractsNothingToUpdate=No hi ha més contractes (vinculats a un produ MigrationContractsFieldDontExist=El camp fk_facture ja no existeix. Res a fer. MigrationContractsEmptyDatesUpdate=Correcció de la data buida de contracte MigrationContractsEmptyDatesUpdateSuccess=La correcció de la data buida del contracte s'ha realitzat correctament -MigrationContractsEmptyDatesNothingToUpdate=No hi ha data de contracte buida per corregir -MigrationContractsEmptyCreationDatesNothingToUpdate=No hi ha data de creació del contracte per corregir +MigrationContractsEmptyDatesNothingToUpdate=Cap data de contracte buida a corregir +MigrationContractsEmptyCreationDatesNothingToUpdate=Cap data de creació de contracte a corregir MigrationContractsInvalidDatesUpdate=Correcció del valor incorrecte de la data de contracte MigrationContractsInvalidDateFix=Corregir contracte %s (data contracte=%s, Data posada en servei min=%s) MigrationContractsInvalidDatesNumber=%s contractes modificats @@ -205,13 +205,13 @@ MigrationResetBlockedLog=Restablir el mòdul BlockedLog per l'algoritme v7 MigrationImportOrExportProfiles=Migració de perfils d'importació o exportació (%s) ShowNotAvailableOptions=Mostra les opcions no disponibles HideNotAvailableOptions=Amaga les opcions no disponibles -ErrorFoundDuringMigration=S'han reportat error(s) durant el procés de migració, de manera que el següent pas no està disponible. Per ignorar els errors, podeu fer clic aquí , però l'aplicació o algunes funcions no funcionen correctament fins que es resolen els errors. +ErrorFoundDuringMigration=S'han informat errors durant el procés de migració, de manera que el pas següent no està disponible. Per a ignorar els errors, podeu fer clic aquí, però és possible que l'aplicació o algunes funcions no funcionin correctament fins que es resolguin els errors. YouTryInstallDisabledByDirLock=L'aplicació ha intentat actualitzar-se automàticament, però les pàgines d'instal·lació / actualització s'han desactivat per a la seguretat (el directori rep el nom amb el sufix .lock).
YouTryInstallDisabledByFileLock=L'aplicació s'ha intentat actualitzar automàticament, però les pàgines d'instal·lació / actualització s'han desactivat per a la seguretat (per l'existència d'un fitxer de bloqueig install.lock al directori de documents del dolibarr).
-YouTryUpgradeDisabledByMissingFileUnLock=The application tried to self-upgrade, but the upgrade process is currently not allowed.
+YouTryUpgradeDisabledByMissingFileUnLock=L'aplicació ha intentat actualitzar-se, però el procés d'actualització no està permès actualment.
ClickHereToGoToApp=Fes clic aquí per anar a la teva aplicació ClickOnLinkOrRemoveManualy=Si una actualització està en curs, espereu. Si no, feu clic al següent enllaç. Si sempre veieu aquesta mateixa pàgina, heu de suprimir / canviar el nom del fitxer install.lock del directori de documents. -ClickOnLinkOrCreateUnlockFileManualy=If an upgrade is in progress, please wait... If not, you must create a file upgrade.unlock into the Dolibarr documents directory. +ClickOnLinkOrCreateUnlockFileManualy=Si hi ha una actualització en curs, espereu... Si no, heu de crear un fitxer upgrade.unlock al directori de documents de Dolibarr. Loaded=Carregat FunctionTest=Prova de funció NodoUpgradeAfterDB=Cap acció sol·licitada pels mòduls externs després de l'actualització de la base de dades diff --git a/htdocs/langs/ca_ES/interventions.lang b/htdocs/langs/ca_ES/interventions.lang index 0297d3da2bf..b281400e064 100644 --- a/htdocs/langs/ca_ES/interventions.lang +++ b/htdocs/langs/ca_ES/interventions.lang @@ -24,9 +24,9 @@ NameAndSignatureOfInternalContact=Nom i signatura del participant: NameAndSignatureOfExternalContact=Nom i signatura del client: DocumentModelStandard=Document model estàndard per a intervencions InterventionCardsAndInterventionLines=Fitxes i línies d'intervenció -InterventionClassifyBilled=Classifica "Facturat" -InterventionClassifyUnBilled=Classifica "No facturat" -InterventionClassifyDone=Classifica com a "Fet" +InterventionClassifyBilled=Marca «Facturat» +InterventionClassifyUnBilled=Marca «No facturat» +InterventionClassifyDone=Marca «Fet» StatusInterInvoiced=Facturada SendInterventionRef=Presentar intervenció %s SendInterventionByMail=Envia la intervenció per e-mail @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Oculta hores i minuts del camp de dates dels regis InterventionStatistics=Estadístiques de intervencions NbOfinterventions=Nombre de fitxers d’intervenció NumberOfInterventionsByMonth=Nombre de fitxes d'intervenció per mes (data de validació) -AmountOfInteventionNotIncludedByDefault=La quantitat d'intervenció no s'inclou per defecte als beneficis (en la majoria dels casos, les fulles de temps s'utilitzen per a comptar el temps dedicat). Afegiu l'opció PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT a 1 a Inici-Vonfiguració-Altres per a incloure'ls. +AmountOfInteventionNotIncludedByDefault=La quantitat d'intervenció no s'inclou per defecte als beneficis (en la majoria dels casos, les fulles de temps s'utilitzen per a comptar el temps dedicat). Podeu utilitzar l'opció PROJECT_ELEMENTS_FOR_ADD_MARGIN i PROJECT_ELEMENTS_FOR_MINUS_MARGIN a la configuració d'Inici-Configuració-Altres per a completar la llista d'elements inclosos als beneficis. InterId=Id. d'intervenció InterRef=Ref. d'intervenció InterDateCreation=Data de creació de la intervenció diff --git a/htdocs/langs/ca_ES/mails.lang b/htdocs/langs/ca_ES/mails.lang index e1b776a6649..e4aab8c1d43 100644 --- a/htdocs/langs/ca_ES/mails.lang +++ b/htdocs/langs/ca_ES/mails.lang @@ -7,10 +7,10 @@ MailCard=Fitxa E-Mailing MailRecipients=Destinataris MailRecipient=Destinatari MailTitle=Descripció -MailFrom=Remitent +MailFrom=De MailErrorsTo=Errors a MailReply=Respondre a -MailTo=Destinatari(s) +MailTo=Enviar a MailToUsers=A l'usuari(s) MailCC=Còpia a MailToCCUsers=Còpia l'usuari(s) @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contactes per càrrec MailingModuleDescEmailsFromFile=Correus electrònics des de fitxer MailingModuleDescEmailsFromUser=Entrada de correus electrònics per usuari MailingModuleDescDolibarrUsers=Usuaris amb correus electrònics -MailingModuleDescThirdPartiesByCategories=Tercers (per categories) +MailingModuleDescThirdPartiesByCategories=Tercers SendingFromWebInterfaceIsNotAllowed=L'enviament des de la interfície web no està permès. EmailCollectorFilterDesc=Tots els filtres han de coincidir perquè es reculli un correu electrònic @@ -106,7 +106,7 @@ NbOfCompaniesContacts=Contactes/adreces únics MailNoChangePossible=Destinataris d'un E-Mailing validat no modificables SearchAMailing=Cercar un E-Mailing SendMailing=Envia e-mailing -SentBy=Enviat por +SentBy=Enviat per MailingNeedCommand=L’enviament de correus electrònics massius es pot realitzar des de la línia d'ordres. Demaneu a l'administrador del servidor que iniciï la següent ordre per a enviar els correus electrònics a tots els destinataris: MailingNeedCommand2=No obstant això, podeu enviar-los en línia afegint el paràmetre MAILING_LIMIT_SENDBYWEB amb el valor del nombre màxim de correus electrònics que vulgueu enviar per sessió. Per a això, aneu a Inici - Configuració - Altres. ConfirmSendingEmailing=Si voleu enviar correus electrònics directament des d'aquesta pantalla, confirmeu que esteu segur que voleu enviar correus electrònics ara des del vostre navegador? @@ -118,8 +118,8 @@ NbOfEMailingsReceived=E-Mailings en massa rebuts NbOfEMailingsSend=E-mails massius enviats IdRecord=ID registre DeliveryReceipt=Justificant de recepció. -YouCanUseCommaSeparatorForSeveralRecipients=Podeu utilitzar el separador coma per a especificar diversos destinataris. -TagCheckMail=Seguiment de l'obertura del email +YouCanUseCommaSeparatorForSeveralRecipients=Podeu utilitzar el separador coma per a especificar diversos destinataris. +TagCheckMail=Seguiment de l'obertura del correu TagUnsubscribe=Enllaç de cancel·lació de la subscripció TagSignature=Signatura de l'usuari remitent EMailRecipient=Correu electrònic del destinatari @@ -142,17 +142,17 @@ NbOfTargetedContacts=Nombre actual de correus electrònics de contactes destinat UseFormatFileEmailToTarget=El fitxer importat ha de tenir el format email;nom;cognom;altre UseFormatInputEmailToTarget=Entra una cadena amb el format email;nom;cognom;altre MailAdvTargetRecipients=Destinataris (selecció avançada) -AdvTgtTitle=Ompliu els camps d'entrada per seleccionar prèviament els tercers o contactes / adreces a destinació +AdvTgtTitle=Ompliu els camps d'entrada per a preseleccionar els tercers o els contactes/adreces de destí AdvTgtSearchTextHelp=Utilitzeu %% com a comodins. Per exemple, per a trobar tots els elements com jean, joe, jim , podeu introduir j%% , també podeu utilitzar ; com a separador de valor i utilitzar ! per excepcions d'aquest valor. Per exemple, jean;joe;jim%%;!jimo;!jima%% tindrà com a objectiu tots els jean, joe, començant per jim però no jimo ni tot el que comenci amb jima -AdvTgtSearchIntHelp=Utilitza un interval per seleccionar un valor enter o decimal +AdvTgtSearchIntHelp=Utilitzeu un interval per a seleccionar un valor enter o decimal AdvTgtMinVal=Valor mínim AdvTgtMaxVal=Valor màxim -AdvTgtSearchDtHelp=Utilitza un interval per seleccionar el valor de la data +AdvTgtSearchDtHelp=Utilitzeu l'interval per a seleccionar el valor de la data AdvTgtStartDt=Dt. inici AdvTgtEndDt=Dt. final AdvTgtTypeOfIncudeHelp=Target E-mail de tercers i correu electrònic de contacte del tercer, o simplement un correu electrònic de tercers o només un correu electrònic de contacte -AdvTgtTypeOfIncude=Tipus de e-mail marcat -AdvTgtContactHelp=Utilitza només si marques el contacte en "Tipus de e-mails marcats" +AdvTgtTypeOfIncude=Tipus de correu electrònic dirigit +AdvTgtContactHelp=Feu servir només si orienteu el contacte a "Tipus de correu electrònic dirigit" AddAll=Afegeix tot RemoveAll=Elimina tot ItemsCount=Registre(s) @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Registre creat pel Receptor de correus electrònic DefaultBlacklistMailingStatus=Valor per defecte del camp '%s' en crear un contacte nou DefaultStatusEmptyMandatory=Buit però obligatori WarningLimitSendByDay=ADVERTIMENT: la configuració o el contracte de la vostra instància limita el vostre nombre de correus electrònics per dia a %s . Si intenteu enviar-ne més, pot ser que la vostra instància es ralenteixi o se suspengui. Poseu-vos en contacte amb el vostre servei d'assistència si necessiteu una quota més alta. +NoMoreRecipientToSendTo=No hi ha més destinatari a qui enviar el correu electrònic diff --git a/htdocs/langs/ca_ES/main.lang b/htdocs/langs/ca_ES/main.lang index a7f516e8eed..8703eca1e78 100644 --- a/htdocs/langs/ca_ES/main.lang +++ b/htdocs/langs/ca_ES/main.lang @@ -13,7 +13,7 @@ DIRECTION=ltr FONTFORPDF=helvetica FONTSIZEFORPDF=10 SeparatorDecimal=, -SeparatorThousand=None +SeparatorThousand=. FormatDateShort=%d/%m/%Y FormatDateShortInput=%d/%m/%Y FormatDateShortJava=dd/MM/yyyy @@ -54,9 +54,9 @@ ErrorConstantNotDefined=Parámetre %s no definit ErrorUnknown=Error desconegut ErrorSQL=Error de SQL ErrorLogoFileNotFound=No s'ha trobat el fitxer de logotip «%s». -ErrorGoToGlobalSetup=Aneu a la configuració "Empresa/Organització" per a solucionar-ho +ErrorGoToGlobalSetup=Aneu a la configuració «Empresa/Organització» per a solucionar-ho ErrorGoToModuleSetup=Aneu a Configuració del mòdul per a solucionar-ho -ErrorFailedToSendMail=Error en l'enviament de l'e-mail (emissor =%s, destinatairo =%s) +ErrorFailedToSendMail=No s'ha pogut enviar el correu (emissor=%s, receptor=%s) ErrorFileNotUploaded=El fitxer no s'ha pogut transferir ErrorInternalErrorDetected=Error detectat ErrorWrongHostParameter=Paràmetre Servidor invàlid @@ -70,11 +70,11 @@ ErrorDuplicateField=Duplicat en un camp únic ErrorSomeErrorWereFoundRollbackIsDone=S'han trobat alguns errors. Modificacions desfetes. ErrorConfigParameterNotDefined=El paràmetre %s no està definit en el fitxer de configuració Dolibarr conf.php. ErrorCantLoadUserFromDolibarrDatabase=Impossible trobar l'usuari %s a la base de dades Dolibarr. -ErrorNoVATRateDefinedForSellerCountry=Error, cap tipus d'IVA definit per al país '%s'. -ErrorNoSocialContributionForSellerCountry=Error, cap tipus d'impost varis definit per al país '%s'. +ErrorNoVATRateDefinedForSellerCountry=Error, no s'han definit les taxes d'IVA per al país «%s». +ErrorNoSocialContributionForSellerCountry=Error, no s'ha definit cap mena d'impost varis per al país «%s». ErrorFailedToSaveFile=Error, el registre del fitxer ha fallat. -ErrorCannotAddThisParentWarehouse=Esteu intentant afegir un magatzem primari que ja és fill d'un mag atzem existent -FieldCannotBeNegative=El camp "%s" no pot ser negatiu +ErrorCannotAddThisParentWarehouse=Esteu intentant afegir un magatzem principal que ja és fill d'un magatzem existent +FieldCannotBeNegative=El camp «%s» no pot ser negatiu MaxNbOfRecordPerPage=Màx. nombre de registres per pàgina NotAuthorized=No estàs autoritzat per a fer-ho. SetDate=Indica la data @@ -122,14 +122,14 @@ ReturnCodeLastAccessInError=Retorna el codi per les últimes peticions d'accés InformationLastAccessInError=Informació de les últimes peticions d'accés a la base de dades amb error DolibarrHasDetectedError=Dolibarr ha trobat un error tècnic YouCanSetOptionDolibarrMainProdToZero=Podeu llegir el fitxer de registre o establir l'opció $dolibarr_main_prod a '0' al fitxer de configuració per a obtenir més informació. -InformationToHelpDiagnose=Aquesta informació pot ser útil per a finalitats de diagnòstic (podeu establir l'opció $dolibarr_main_prod a '1' per amagar informació sensible) +InformationToHelpDiagnose=Aquesta informació pot ser útil per a finalitats de diagnòstic (podeu establir l'opció $dolibarr_main_prod a «1» per a amagar informació delicada) MoreInformation=Més informació TechnicalInformation=Informació tècnica TechnicalID=ID Tècnic LineID=ID de línia NotePublic=Nota (pública) NotePrivate=Nota (privada) -PrecisionUnitIsLimitedToXDecimals=Dolibarr està configurat per limitar la precisió dels preus unitaris a %s decimals. +PrecisionUnitIsLimitedToXDecimals=Dolibarr està configurat per a limitar la precisió dels preus unitaris a %s decimals. DoTest=Provar ToFilter=Filtre NoFilter=Sense filtre @@ -281,7 +281,7 @@ Date=Data DateAndHour=Data i hora DateToday=Data d'avui DateReference=Data de referència -DateStart=Data inicial +DateStart=Data d'inici DateEnd=Data final DateCreation=Data de creació DateCreationShort=Data creació @@ -475,11 +475,11 @@ ActionsToDo=Esdeveniments a realitzar ActionsToDoShort=A realitzar ActionsDoneShort=Realitzades ActionNotApplicable=No aplicable -ActionRunningNotStarted=No començat +ActionRunningNotStarted=Començar ActionRunningShort=En progrés ActionDoneShort=Acabat ActionUncomplete=Incomplet -LatestLinkedEvents=Darrers %s esdeveniments vinculats +LatestLinkedEvents=Últims %s esdeveniments vinculats CompanyFoundation=Empresa/Organització Accountant=Comptador ContactsForCompany=Contactes d'aquest tercer @@ -514,6 +514,7 @@ NotYetAvailable=Encara no disponible NotAvailable=No disponible Categories=Etiquetes Category=Etiqueta +SelectTheTagsToAssign=Seleccioneu les etiquetes/categories que voleu assignar By=Per From=De FromDate=De @@ -783,7 +784,7 @@ CoreErrorTitle=Error del sistema CoreErrorMessage=Ho sentim, s'ha produït un error. Poseu-vos en contacte amb l'administrador del sistema per a comprovar els registres o desactiva $dolibarr_main_prod=1 per a obtenir més informació. CreditCard=Targeta de crèdit ValidatePayment=Validar aquest pagament -CreditOrDebitCard=Tarja de crèdit o dèbit +CreditOrDebitCard=Targeta de crèdit o dèbit FieldsWithAreMandatory=Els camps marcats per un %s són obligatoris FieldsWithIsForPublic=Els camps marcats per %s es mostren en la llista pública de socis. Si no voleu veure'ls, desactiveu la casella "públic". AccordingToGeoIPDatabase=(Obtingut per conversió GeoIP) @@ -826,7 +827,7 @@ LinkToMo=Enllaç a Mo CreateDraft=Crea esborrany SetToDraft=Tornar a redactar ClickToEdit=Clic per a editar -ClickToRefresh=Clic per actualitzar +ClickToRefresh=Feu clic per a actualitzar EditWithEditor=Editar amb CKEditor EditWithTextEditor=Editar amb l'editor de text EditHTMLSource=Editar el codi HTML @@ -902,8 +903,8 @@ ConfirmMassClone=Confirma la clonació massiva ConfirmMassCloneQuestion=Seleccioneu el projecte per a clonar ConfirmMassCloneToOneProject=Clonar al projecte %s RelatedObjects=Objectes relacionats -ClassifyBilled=Classifica facturat -ClassifyUnbilled=Classifica no facturat +ClassifyBilled=Marca facturat +ClassifyUnbilled=Marca no facturat Progress=Progrés ProgressShort=Progr. FrontOffice=Front office @@ -916,8 +917,8 @@ ExportFilteredList=Llistat filtrat d'exportació ExportList=Llistat d'exportació ExportOptions=Opcions d'exportació IncludeDocsAlreadyExported=Inclou documents ja exportats -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported +ExportOfPiecesAlreadyExportedIsEnable=Els documents ja exportats són visibles i s'exportaran +ExportOfPiecesAlreadyExportedIsDisable=Els documents ja exportats s'amaguen i no s'exportaran AllExportedMovementsWereRecordedAsExported=Tots els moviments exportats s'han registrat com a exportats NotAllExportedMovementsCouldBeRecordedAsExported=No s'ha pogut registrar tots els moviments exportats com a exportats Miscellaneous=Diversos @@ -928,9 +929,9 @@ ViewFlatList=Veure llista plana ViewAccountList=Veure llibre major ViewSubAccountList=Vegeu el subcompte del llibre major RemoveString=Eliminar cadena '%s' -SomeTranslationAreUncomplete=Alguns dels idiomes que s'ofereixen poden estar traduïts només parcialment o poden contenir errors. Si us plau, ajudeu a corregir el vostre idioma registrant-vos a https://transifex.com/projects/p/dolibarr/ per a afegir les vostres millores. +SomeTranslationAreUncomplete=Alguns dels idiomes que s'ofereixen poden estar traduïts només parcialment o poden contenir errors. Si us plau, ajudeu a corregir el vostre idioma registrant-vos a https://transifex.com/projects/p/dolibarr/ per a afegir les vostres millores. DirectDownloadLink=Enllaç de descàrrega públic -PublicDownloadLinkDesc=Per baixar el fitxer només es necessita l'enllaç +PublicDownloadLinkDesc=Només cal l'enllaç per a descarregar el fitxer DirectDownloadInternalLink=Enllaç de descàrrega privat PrivateDownloadLinkDesc=Cal estar registrat i amb permisos per a visualitzar o descarregar el fitxer Download=Descarrega @@ -1160,15 +1161,15 @@ SetSupervisor=Estableix el supervisor CreateExternalUser=Crea un usuari extern ConfirmAffectTag=Assignació massiva d'etiquetes ConfirmAffectUser=Assignació massiva d'usuaris -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? +ProjectRole=Rol assignat a cada projecte/oportunitat +TasksRole=Rol assignat a cada tasca (si s'utilitza) +ConfirmSetSupervisor=Estableix el supervisor massivament +ConfirmUpdatePrice=Trieu una taxa de preu d'augment/disminució +ConfirmAffectTagQuestion=Esteu segur que voleu assignar etiquetes als registres seleccionats %s? +ConfirmAffectUserQuestion=Esteu segur que voleu assignar usuaris als registres seleccionats %s? ConfirmSetSupervisorQuestion=Esteu segur que voleu establir el supervisor als %s registres seleccionats? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? -CategTypeNotFound=No s'ha trobat cap tipus d'etiqueta per al tipus de registres +ConfirmUpdatePriceQuestion=Esteu segur que voleu actualitzar el preu dels registres seleccionats %s? +CategTypeNotFound=No s'ha trobat cap mena d'etiqueta per al tipus de registre Rate=Tipus SupervisorNotFound=No s'ha trobat el supervisor CopiedToClipboard=Copiat al porta-retalls @@ -1205,8 +1206,8 @@ Terminated=Baixa AddLineOnPosition=Afegeix una línia a la posició (al final si està buida) ConfirmAllocateCommercial=Assigna la confirmació del representant de vendes ConfirmAllocateCommercialQuestion=Esteu segur que voleu assignar els registres seleccionats (%s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned +CommercialsAffected=Agents comercials assignats +CommercialAffected=Agent comercial assignat YourMessage=El teu missatge YourMessageHasBeenReceived=S'ha rebut el teu missatge. Et respondrem o contactarem al més aviat possible. UrlToCheck=URL per a comprovar @@ -1217,11 +1218,12 @@ UserAgent=Agent d'usuari InternalUser=Usuari intern ExternalUser=Usuari extern NoSpecificContactAddress=No hi ha cap contacte ni adreça específics -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. +NoSpecificContactAddressBis=Aquesta pestanya està dedicada a forçar contactes o adreces específiques per a l'objecte actual. Utilitzeu-lo només si voleu definir un o diversos contactes o adreces específiques per a l'objecte quan la informació del tercer no sigui suficient o no sigui precisa. HideOnVCard=Amaga %s AddToContacts=Afegeix una adreça als meus contactes LastAccess=Últim accés UploadAnImageToSeeAPhotoHere=Carregueu una imatge de la pestanya %s per a veure una foto aquí LastPasswordChangeDate=Data de l'últim canvi de contrasenya -PublicVirtualCardUrl=Virtual business card page +PublicVirtualCardUrl=URL de la pàgina de la fitxa de visita virtual +PublicVirtualCard=Targeta de visita virtual TreeView=Vista d'arbre diff --git a/htdocs/langs/ca_ES/margins.lang b/htdocs/langs/ca_ES/margins.lang index 0ab8a76b6d0..e0c32c282ad 100644 --- a/htdocs/langs/ca_ES/margins.lang +++ b/htdocs/langs/ca_ES/margins.lang @@ -6,9 +6,10 @@ TotalMargin=Marge total MarginOnProducts=Marge / Productes MarginOnServices=Marge / Serveis MarginRate=Marge sobre cost -MarkRate=Marge sobre venda +ModifyMarginRates=Modificar les taxes de marge +MarkRate=Marge de venda DisplayMarginRates=Mostrar els marges sobre cost -DisplayMarkRates=Mostrar els marges sobre venda +DisplayMarkRates=Mostra els marges de venda InputPrice=Introduir un preu margin=Gestió de marges margesSetup=Configuració de la gestió de marges @@ -22,7 +23,7 @@ ProductService=Producte o servei AllProducts=Tots els productes i serveis ChooseProduct/Service=Tria el producte o servei ForceBuyingPriceIfNull=Forçar preu de cost/compra al preu de venda si no s'ha definit -ForceBuyingPriceIfNullDetails=Si no es proporciona el preu de compra / cost quan afegim una nova línia i aquesta opció està "ACTIVADA", el marge serà 0%% a la nova línia (preu de compra / cost = preu de venda). Si aquesta opció està "DESACTIVADA" (recomanat), el marge serà igual al valor suggerit per defecte (i pot ser 100%% si no es pot trobar cap valor per defecte). +ForceBuyingPriceIfNullDetails=Si el preu de compra/cost no es proporciona quan afegim una línia nova i aquesta opció està «ACTIVADA», el marge serà 0%% a la línia nova (preu de compra/cost = preu de venda). Si aquesta opció està «DESACTIVADA» (recomanat), el marge serà igual al valor suggerit per defecte (i pot ser 100%% si no es troba cap valor per defecte). MARGIN_METHODE_FOR_DISCOUNT=Mètode de gestió de descomptes globals UseDiscountAsProduct=Com un producte UseDiscountAsService=Com un servei @@ -30,16 +31,16 @@ UseDiscountOnTotal=Sobre el total MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Indica si un descompte global es pren en compte com un producte, servei o només en el total a l'hora de calcular els marges. MARGIN_TYPE=Preu de cost suggerit per defecte pel càlcul de marge MargeType1=Marge en el millor preu de proveïdor -MargeType2=Marge en Preu mitjà ponderat (PMP) +MargeType2=Marge sobre el Preu Mitjà Ponderat (PMP) MargeType3=Marge en preu de cost -MarginTypeDesc=* Marge en el millor preu de compra = Preu de venda: el preu del millor proveïdor es defineix a la targeta de producte.
* Marge en el preu mitjà ponderat (WAP) = preu de venda: el preu mitjà ponderat del producte (WAP) o el millor preu del proveïdor si WAP encara no està definit
* Marge sobre el preu de cost = Preu de venda: preu de cost definit a la targeta de producte o WAP si el preu de cost no està definit o el millor preu del proveïdor si WAP encara no està definit -CostPrice=Preu de compra +MarginTypeDesc=* Marge del millor preu de compra = Preu de venda - Millor preu de proveïdor definit a la fitxa del producte
* Marge del Preu Mitjà Ponderat (PMP) = Preu de venda - Preu Mitjà Ponderat del producte (PMP) o el millor preu de proveïdor si encara no s'ha definit el PMP
* Marge a Preu de cost = Preu de venda - Preu de cost definit a la fitxa del producte o PMP si el preu de cost no està definit, o el millor preu de proveïdor si encara no s'ha definit el PMP +CostPrice=Preu de cost UnitCharges=Càrrega unitària -Charges=Càrreges +Charges=Càrrecs AgentContactType=Tipus de contacte comissionat AgentContactTypeDetails=Definiu quin tipus de contacte (enllaçat en factures) que s’utilitzarà per a l’informe del marge per contacte / adreça. Tingueu en compte que la lectura d’estadístiques d’un contacte no és fiable, ja que en la majoria dels casos es pot no definir explícitament el contacte a les factures. rateMustBeNumeric=El marge ha de ser un valor numèric -markRateShouldBeLesserThan100=El marge té que ser menor que 100 -ShowMarginInfos=Mostrar info de marges +markRateShouldBeLesserThan100=El marge ha de ser inferior a 100 +ShowMarginInfos=Mostra informació de marge CheckMargins=Detall de marges MarginPerSaleRepresentativeWarning=L'informe de marge per usuari utilitza l'enllaç entre tercers i representants de vendes per a calcular el marge de cada representant de venda. Com que és possible que algunes terceres parts no tinguin cap representant de venda dedicat i que hi hagi tercers que estiguin vinculats a diversos, és possible que algunes quantitats no s'incloguin a aquest informe (si no hi ha cap representant de vendes) i que algunes puguin aparèixer en línies diferents (per a cada representant de venda) . diff --git a/htdocs/langs/ca_ES/members.lang b/htdocs/langs/ca_ES/members.lang index 0ab882c079a..8f80415fe12 100644 --- a/htdocs/langs/ca_ES/members.lang +++ b/htdocs/langs/ca_ES/members.lang @@ -4,6 +4,8 @@ MemberCard=Fitxa de soci SubscriptionCard=Fitxa cotització Member=Soci Members=Socis +NoRecordedMembers=No hi ha socis registrats +NoRecordedMembersByType=No hi ha socis registrats ShowMember=Mostra la fitxa de soci UserNotLinkedToMember=Usuari no enllaçat a un soci ThirdpartyNotLinkedToMember=Tercer no vinculat a un membre @@ -36,7 +38,7 @@ DateEndSubscription=Data de finalització de la subscripció EndSubscription=Fi de la pertinença SubscriptionId=Identificador de contribució WithoutSubscription=Sense pertinença -WaitingSubscription=Membership pending +WaitingSubscription=Renovació pendent MemberId=Identificador de membre MemberRef=Membre Ref NewMember=Soci nou @@ -74,19 +76,19 @@ MemberTypeCanNotBeDeleted=El tipus de soci no es pot eliminar NewSubscription=Aportació nova NewSubscriptionDesc=Aquest formulari us permet registrar la vostra afiliació com a soci nou de l'entitat. Si voleu renovar l'afiliació (si ja sou soci), poseu-vos en contacte amb el gestor de l'entitat per correu electrònic %s. Subscription=Contribució -AnyAmountWithAdvisedAmount=Any amount of your choice, recommended %s -AnyAmountWithoutAdvisedAmount=Any amount of your choice +AnyAmountWithAdvisedAmount=Qualsevol quantitat que escolliu, recomanada %s +AnyAmountWithoutAdvisedAmount=Qualsevol quantitat que escolliu CanEditAmountShort=Qualsevol import CanEditAmountShortForValues=recomanat, qualsevol import MembershipDuration=Duració -GetMembershipButtonLabel=Join +GetMembershipButtonLabel=Uneix-te Subscriptions=Aportacions SubscriptionLate=En retard SubscriptionNotReceived=No s’ha rebut cap contribució ListOfSubscriptions=Llista de contribucions SendCardByMail=Enviar una targeta per correu electrònic AddMember=Crea soci -NoTypeDefinedGoToSetup=No s'ha definit cap tipus de soci. Aneu al menú "Tipus de socis" +NoTypeDefinedGoToSetup=No s'ha definit cap mena de soci. Aneu al menú «Tipus de socis» NewMemberType=Tipus de soci nou WelcomeEMail=Correu electrònic de benvinguda SubscriptionRequired=Cal aportació @@ -117,7 +119,7 @@ ForceMemberType=Força el tipus de soci ExportDataset_member_1=Membres i contribucions ImportDataset_member_1=Socis LastMembersModified=Últims %s socis modificats -LastSubscriptionsModified=Últimes contribucions modificades %s +LastSubscriptionsModified=Últimes %s contribucions modificades String=Cadena Text=Text llarg Int=Enter @@ -178,8 +180,8 @@ DocForAllMembersCards=Generació de targetes per a tots els socis DocForOneMemberCards=Generació de targetes per a un soci en particular DocForLabels=Generació d'etiquetes d'adreces (Format de plantilla configurat actualment: %s) SubscriptionPayment=Pagament de la contribució -LastSubscriptionDate=Data del darrer pagament de la contribució -LastSubscriptionAmount=Import de la darrera contribució +LastSubscriptionDate=Data de l'últim pagament de contribució +LastSubscriptionAmount=Import de l'última aportació LastMemberType=Darrer tipus de soci MembersStatisticsByCountries=Estadístiques de socis per país MembersStatisticsByState=Estadístiques de socis per província @@ -195,8 +197,8 @@ MembersByNature=Aquesta pantalla us mostra estadístiques dels membres per natur MembersByRegion=Aquesta pantalla us mostra les estadístiques dels membres per regió. MembersStatisticsDesc=Tria les estadístiques que vols consultar... MenuMembersStats=Estadístiques -LastMemberDate=Darrera data de subscripció -LatestSubscriptionDate=Darrera data de contribució +LastMemberDate=Última data d'adhesió +LatestSubscriptionDate=Última data de contribució MemberNature=Naturalesa del membre MembersNature=Naturalesa dels membres Public=La informació és pública @@ -206,7 +208,7 @@ SubscriptionsStatistics=Estadístiques de contribucions NbOfSubscriptions=Nombre de contribucions AmountOfSubscriptions=Import recaptat de les contribucions TurnoverOrBudget=Volum de vendes (empresa) o Pressupost (associació o col.lectiu) -DefaultAmount=Import per defecte de la contribució (només s'utilitza si no es defineix cap import a nivell de tipus de soci) +DefaultAmount=Import per defecte de la contribució (només s'utilitza si no es defineix cap import en l'àmbit tipus de soci) MinimumAmount=Import mínim (només s'utilitza quan l'import de la contribució és gratuït) CanEditAmount=L'import de la subscripció és gratuït CanEditAmountDetail=El visitant pot triar/editar la quantitat de la seva contribució independentment del tipus de soci @@ -233,3 +235,4 @@ CreateDolibarrThirdPartyDesc=Un tercer és l'entitat jurídica que s'utilitzarà MemberFirstname=Nom del membre MemberLastname=Cognom del membre MemberCodeDesc=Codi de soci, únic per a tots els socis +NoRecordedMembers=No hi ha socis registrats diff --git a/htdocs/langs/ca_ES/modulebuilder.lang b/htdocs/langs/ca_ES/modulebuilder.lang index 362e623b434..cde13c6a1c0 100644 --- a/htdocs/langs/ca_ES/modulebuilder.lang +++ b/htdocs/langs/ca_ES/modulebuilder.lang @@ -18,7 +18,7 @@ ModuleInitialized=Mòdul inicialitzat FilesForObjectInitialized=S'han inicialitzat els fitxers per al objecte nou '%s' FilesForObjectUpdated=Fitxers de l'objecte '%s' actualitzat (fitxers .sql i fitxer .class.php) ModuleBuilderDescdescription=Introduïu aquí tota la informació general que descrigui el vostre mòdul. -ModuleBuilderDescspecifications=Podeu introduir aquí una descripció detallada de les especificacions del mòdul que encara no està estructurada en altres pestanyes. Així que teniu a la vostra disposició totes les normes que es desenvolupin. També aquest contingut de text s'inclourà a la documentació generada (veure l'última pestanya). Podeu utilitzar el format de Markdown, però es recomana utilitzar el format Asciidoc (comparació entre .md i .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). +ModuleBuilderDescspecifications=Podeu introduir aquí una descripció detallada de les especificacions del vostre mòdul que encara no està estructurada en altres pestanyes. Així que tens a l'abast de totes les regles a desenvolupar. També aquest contingut de text s'inclourà a la documentació generada (vegeu l'última pestanya). Podeu utilitzar el format Markdown, però es recomana utilitzar el format Asciidoc (comparació entre .md i .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). ModuleBuilderDescobjects=Definiu aquí els objectes que voleu gestionar amb el vostre mòdul. Es generarà una classe CRUD DAO, fitxers SQL, una pàgina per a llistar el registre d'objectes, per a crear/editar/visualitzar un registre i una API. ModuleBuilderDescmenus=Aquesta pestanya està dedicada a definir les entrades de menú proporcionades pel teu mòdul. ModuleBuilderDescpermissions=Aquesta pestanya està dedicada a definir els permisos nous que voleu proporcionar amb el vostre mòdul. @@ -30,7 +30,7 @@ EnterNameOfModuleToDeleteDesc=Podeu suprimir el vostre mòdul. AVÍS: se suprimi EnterNameOfObjectToDeleteDesc=Podeu suprimir un objecte. AVÍS: Tots els fitxers de codificació (generats o creats manualment) relacionats amb l'objecte s'eliminaran. DangerZone=Zona perillosa BuildPackage=Construeix el paquet -BuildPackageDesc=Podeu generar un paquet zip de la vostra aplicació de manera que estigueu a punt per distribuir-lo a qualsevol Dolibarr. També podeu distribuir-lo o vendre-lo al mercat com DoliStore.com . +BuildPackageDesc=Pots generar un paquet zip de la teva aplicació perquè puguis distribuir-lo a qualsevol Dolibarr. També podeu distribuir-lo o vendre'l a DoliStore.com. BuildDocumentation=Construeix documentació ModuleIsNotActive=Aquest mòdul encara no està activat. Aneu a %s per a publicar-lo o feu clic aquí ModuleIsLive=Aquest mòdul ha estat activat. Qualsevol canvi pot trencar la funció actual en viu. @@ -46,7 +46,7 @@ PageForAgendaTab=Pàgina de PHP per a la pestanya d'esdeveniments PageForDocumentTab=Pàgina de PHP per a la pestanya de documents PageForNoteTab=Pàgina de PHP per a la pestanya de notes PageForContactTab=Pàgina PHP per a la pestanya de contacte -PathToModulePackage=Ruta al zip del paquet del mòdul/aplicació +PathToModulePackage=Camí al zip del paquet del mòdul/aplicació PathToModuleDocumentation=Camí al fitxer de la documentació del mòdul / aplicació (%s) SpaceOrSpecialCharAreNotAllowed=Els espais o caràcters especials no estan permesos. FileNotYetGenerated=El fitxer encara no s'ha generat @@ -92,9 +92,9 @@ ListOfDictionariesEntries=Llista d'entrades de diccionaris ListOfPermissionsDefined=Llista de permisos definits SeeExamples=Mira exemples aquí EnabledDesc=Condició per tenir aquest camp actiu.

Exemples:
1
isModEnabled('MAIN_MODULE_MYMODULE') a0342fccfda19bzLE_Get ='GCCFda19bz0' -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update).

Using a negative value means field is not shown by default on list but can be selected for viewing). -ItCanBeAnExpression=It can be an expression. Example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
$user->hasRight('holiday', 'define_holiday')?1:5 -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +VisibleDesc=El camp és visible? (Exemples: 0=Mai visible, 1=Visible a la llista i formularis de creació/actualització/visualització, 2=Visible només a la llista, 3=Visible només al formulari de creació/actualització/visualització (no a la llista), 4=Visible a la llista i actualització/visualització només del formulari (no crear), 5=Visible només al formulari de visualització final de la llista (no crear, no actualitzar).

L'ús d'un valor negatiu significa que el camp no es mostra per defecte a la llista, però es pot seleccionar per a veure'l). +ItCanBeAnExpression=Pot ser una expressió. Exemple:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
$user->hasRight('holiday', 'define_holiday')?1:5 +DisplayOnPdfDesc=Mostra aquest camp en documents PDF compatibles, pots gestionar la posició amb el camp «Posició».
Per document:
0 = no es mostra
1 = es mostra
2 = es mostra només si no està buit

Per linies de document:
0 = no es mostra
1 = es mostra en una columna
3 = es mostra en la línia de la columna de descripció després de la descripció
4 = es mostra a la columna de descripció després de la descripció només si no està buida DisplayOnPdf=En PDF IsAMeasureDesc=Es pot acumular el valor del camp per a obtenir un total a la llista? (Exemples: 1 o 0) SearchAllDesc=El camp utilitzat per realitzar una cerca des de l'eina de cerca ràpida? (Exemples: 1 o 0) @@ -136,9 +136,9 @@ UseSpecificEditorURL = Utilitzeu editor específic URL UseSpecificFamily = Utilitzeu una família específica UseSpecificAuthor = Utilitzeu un autor específic UseSpecificVersion = Utilitzeu una versió inicial específica -IncludeRefGeneration=The reference of this object must be generated automatically by custom numbering rules +IncludeRefGeneration=La referència d'aquest objecte s'ha de generar automàticament mitjançant regles de numeració personalitzades IncludeRefGenerationHelp=Marqueu-ho si voleu incloure codi per gestionar automàticament la generació de la referència mitjançant regles de numeració personalitzades -IncludeDocGeneration=I want the feature to generate some documents (PDF, ODT) from templates for this object +IncludeDocGeneration=Vull que la funció generi alguns documents (PDF, ODT) a partir de plantilles per a aquest objecte IncludeDocGenerationHelp=Si ho marques, es generarà el codi per a afegir una casella "Generar document" al registre. ShowOnCombobox=Mostra el valor en quadres combinats KeyForTooltip=Clau per donar més informació @@ -147,24 +147,24 @@ CSSViewClass=CSS per al formulari de lectura CSSListClass=CSS per a llistats NotEditable=No editable ForeignKey=Clau forana -ForeignKeyDesc=If the value of this field must be guaranted to exists into another table. Enter here a value matching syntax: tablename.parentfieldtocheck -TypeOfFieldsHelp=Example:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
'1' means we add a + button after the combo to create the record
'filter' is a sql condition, example: 'status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)' -TypeOfFieldsHelpIntro=This is the type of the field/attribute. +ForeignKeyDesc=Si el valor d'aquest camp s'ha de garantir que existeix en una altra taula. Introduïu aquí un valor que coincideixi amb la sintaxi: tablename.parentfieldtocheck +TypeOfFieldsHelp=Exemple:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]]
'1' significa que afegim un botó + després de la combinació per a crear el registre
«filter» és una condició sql, exemple: «status=1 AND fk_user=__USER_ID__ AND entity IN (__SHARED_ENTITIES__)» +TypeOfFieldsHelpIntro=Aquest és el tipus de camp/atribut. AsciiToHtmlConverter=Convertidor Ascii a HTML AsciiToPdfConverter=Convertidor Ascii a PDF TableNotEmptyDropCanceled=La taula no està buida. S'ha cancel·lat l'eliminació. ModuleBuilderNotAllowed=El creador de mòduls està disponible però no permès al vostre usuari. ImportExportProfiles=Importar i exportar perfils -ValidateModBuilderDesc=Set this to 1 if you want to have the method $this->validateField() of object being called to validate the content of the field during insert or update. Set 0 if there is no validation required. +ValidateModBuilderDesc=Establiu-ho a 1 si voleu que es cridi el mètode $this->validateField() de l'objecte per va alidar el contingut del camp durant la inserció o l'actualització. Establiu-ho a 0 si no es requereix validació. WarningDatabaseIsNotUpdated=Avís: la base de dades no s'actualitza automàticament, heu de destruir les taules i desactivar-habilitar el mòdul perquè es tornin a crear taules. LinkToParentMenu=Menú principal (fk_xxxxmenu) ListOfTabsEntries=Llista d'entrades de pestanyes TabsDefDesc=Definiu aquí les pestanyes proporcionades pel vostre mòdul TabsDefDescTooltip=Les pestanyes proporcionades pel vostre mòdul/aplicació es defineixen a la matriu $this->tabs al fitxer descriptor del mòdul. Podeu editar manualment aquest fitxer o utilitzar l'editor incrustat. BadValueForType=Valor incorrecte per al tipus %s -DefinePropertiesFromExistingTable=Define properties from an existing table -DefinePropertiesFromExistingTableDesc=If a table in the database (for the object to create) already exists, you can use it to define the properties of the object. -DefinePropertiesFromExistingTableDesc2=Keep empty if the table does not exist yet. The code generator will use different kinds of fields to build an example of table that you can edit later. +DefinePropertiesFromExistingTable=Definiu propietats a partir d'una taula existent +DefinePropertiesFromExistingTableDesc=Si ja existeix una taula a la base de dades (per a que l'objecte es creï), podeu utilitzar-la per a definir les propietats de l'objecte. +DefinePropertiesFromExistingTableDesc2=Manteniu-lo buit si la taula encara no existeix. El generador de codi utilitzarà diferents tipus de camps per a crear un exemple de taula que podeu editar més tard. GeneratePermissions=Vull afegir els permisos d'aquest objecte GeneratePermissionsHelp=generar permisos per defecte per a aquest objecte PermissionDeletedSuccesfuly=El permís s'ha eliminat correctament diff --git a/htdocs/langs/ca_ES/mrp.lang b/htdocs/langs/ca_ES/mrp.lang index 20e66cf2b42..e1a7ad8c7b2 100644 --- a/htdocs/langs/ca_ES/mrp.lang +++ b/htdocs/langs/ca_ES/mrp.lang @@ -83,7 +83,7 @@ ProductsToProduce=Productes a produir UnitCost=Cost unitari TotalCost=Cost total BOMTotalCost=El cost de produir aquesta Llista de materials en funció del cost de cada quantitat i producte a consumir (utilitza el preu de cost si està definit, altrament el preu mitjà ponderat si està definit, altrament el millor preu de compra) -BOMTotalCostService=If the "Workstation" module is activated and a workstation is defined by default on the line, then the calculation is "quantity (converted into hours) x workstation ahr", otherwise "quantity (converted into hours) x cost price of the service" +BOMTotalCostService=Si el mòdul «Estació de treball» està activat i una estació de treball està definida per defecte a la línia, el càlcul és «quantitat (convertida en hores) x ahr de l'estació de treball», en cas contrari «quantitat (convertida en hores) x preu de cost del servei» GoOnTabProductionToProduceFirst=Per a tancar una Ordre de fabricació primer heu d'iniciar la producció (vegeu la pestanya «%s»). Però podeu cancel·lar-la. ErrorAVirtualProductCantBeUsedIntoABomOrMo=Un kit no es pot utilitzar en una llista de material o en una OF Workstation=Estació de treball @@ -109,13 +109,16 @@ HumanMachine=Humà / Màquina WorkstationArea=Zona d’estació de treball Machines=Màquines THMEstimatedHelp=Aquesta taxa permet definir un cost previst de l'article -BOM=Factura de materials +BOM=Llista de materials CollapseBOMHelp=Podeu definir la visualització per defecte dels detalls de la nomenclatura a la configuració del mòdul BOM MOAndLines=Comandes i línies de fabricació MoChildGenerate=Genera Child Mo ParentMo=MO Pare MOChild=MO Nen BomCantAddChildBom=La nomenclatura %s ja està present a l'arbre que porta a la nomenclatura %s -BOMNetNeeds = Necessitats netes en BOM +BOMNetNeeds = Necessitats netes BOMProductsList=Productes de BOM BOMServicesList=Serveis de BOM +Manufacturing=Fabricació +Disassemble=Desmuntar +ProducedBy=Produït per diff --git a/htdocs/langs/ca_ES/orders.lang b/htdocs/langs/ca_ES/orders.lang index 94002f6a891..744d5d8bf79 100644 --- a/htdocs/langs/ca_ES/orders.lang +++ b/htdocs/langs/ca_ES/orders.lang @@ -85,8 +85,8 @@ OrdersOpened=Comandes a processar NoDraftOrders=Sense comandes esborrany NoOrder=Sense comanda NoSupplierOrder=Sense comanda de compra -LastOrders=Últimes %scomandes de vendes -LastCustomerOrders=Últimes %scomandes de vendes +LastOrders=Últimes %s comandes de vendes +LastCustomerOrders=Últimes %s comandes de vendes LastSupplierOrders=Últimes %s comandes de compra LastModifiedOrders=Últimes %s comandes modificades AllOrders=Totes les comandes @@ -108,9 +108,9 @@ ConfirmUnvalidateOrder=Vols restaurar la comanda %s a l'estat esborrany? ConfirmCancelOrder=Vols anul·lar aquesta comanda? ConfirmMakeOrder=Vols confirmar la creació d'aquesta comanda a data de %s? GenerateBill=Facturar -ClassifyShipped=Classifica enviat +ClassifyShipped=Marca lliurat PassedInShippedStatus=classificat lliurat -YouCantShipThis=Això no ho puc classificar. Si us plau, comproveu els permisos dels usuaris +YouCantShipThis=Això no ho puc classificar. Comproveu els permisos dels usuaris DraftOrders=Esborranys de comandes DraftSuppliersOrders=Esborrany de comandes de compra OnProcessOrders=Comandes en procés @@ -165,7 +165,7 @@ CreateInvoiceForThisCustomer=Facturar comandes CreateInvoiceForThisSupplier=Facturar comandes CreateInvoiceForThisReceptions=Recepcions de factures NoOrdersToInvoice=Sense comandes facturables -CloseProcessedOrdersAutomatically=Classifica com a "Processades" totes les comandes seleccionades. +CloseProcessedOrdersAutomatically=Marca com a «Processades» totes les comandes seleccionades. OrderCreation=Creació comanda Ordered=Comandat OrderCreated=Les vostres comandes s'han creat diff --git a/htdocs/langs/ca_ES/other.lang b/htdocs/langs/ca_ES/other.lang index 2ee4d2f4be1..5e08f5f3ab7 100644 --- a/htdocs/langs/ca_ES/other.lang +++ b/htdocs/langs/ca_ES/other.lang @@ -34,7 +34,7 @@ GraphInBarsAreLimitedToNMeasures=Els gràfics es limiten a %s mesures en mode " OnlyOneFieldForXAxisIsPossible=Actualment, només és possible 1 camp com a eix X. Només s'ha seleccionat el primer camp seleccionat. AtLeastOneMeasureIsRequired=Almenys 1 camp per a la mesura és obligatori AtLeastOneXAxisIsRequired=Almenys 1 camp per a l'Eix X és obligatori -LatestBlogPosts=Darreres publicacions al bloc +LatestBlogPosts=Últimes publicacions del blog notiftouser=A usuaris notiftofixedemail=Al correu fix notiftouserandtofixedemail=A l'usuari i correu fix @@ -81,7 +81,7 @@ Notify_TASK_MODIFY=Tasca modificada Notify_TASK_DELETE=Tasca eliminada Notify_EXPENSE_REPORT_VALIDATE=Informe de despeses validat (cal aprovar) Notify_EXPENSE_REPORT_APPROVE=Informe de despeses aprovat -Notify_HOLIDAY_VALIDATE=Sol·licitud de sol licitud validada (cal aprovar) +Notify_HOLIDAY_VALIDATE=Sol·licitud de dies lliures validada (cal aprovació) Notify_HOLIDAY_APPROVE=Sol·licitud de permís aprovada Notify_ACTION_CREATE=S'ha afegit l'acció a l'Agenda SeeModuleSetup=Vegi la configuració del mòdul %s @@ -213,9 +213,9 @@ EMailTextInvoiceValidated=La factura %s ha estat validada. EMailTextInvoicePayed=S'ha pagat la factura %s. EMailTextProposalValidated=S'ha validat la proposta %s. EMailTextProposalClosedSigned=La proposta %s s'ha tancat amb la signatura. -EMailTextProposalClosedSignedWeb=Proposal %s has been closed signed on portal page. -EMailTextProposalClosedRefused=Proposal %s has been closed refused. -EMailTextProposalClosedRefusedWeb=Proposal %s has been closed refuse on portal page. +EMailTextProposalClosedSignedWeb=La proposta %s s'ha tancat signada a la pàgina del portal. +EMailTextProposalClosedRefused=La proposta %s ha estat tancada i rebutjada. +EMailTextProposalClosedRefusedWeb=La proposta %s s'ha tancat a la pàgina del portal. EMailTextOrderValidated=S'ha validat l'ordre %s. EMailTextOrderApproved=S'ha aprovat l'ordre %s. EMailTextOrderValidatedBy=L'ordre %s ha estat registrada per %s. @@ -225,8 +225,8 @@ EMailTextOrderRefusedBy=L'ordre %s ha estat rebutjat per %s. EMailTextExpeditionValidated=S'ha validat l'enviament %s. EMailTextExpenseReportValidated=L'informe de despeses %s ha estat validat. EMailTextExpenseReportApproved=S'ha aprovat l'informe de despeses %s. -EMailTextHolidayValidated=S'ha validat la sol licitud %s. -EMailTextHolidayApproved=S'ha aprovat la sol licitud %s. +EMailTextHolidayValidated=La sol·licitud de dies lliures %s s'ha validat. +EMailTextHolidayApproved=La sol·licitud de dies lliures %s s'ha aprovat. EMailTextActionAdded=L'acció %s s'ha afegit a l'agenda. ImportedWithSet=Lot d'importació (import key) DolibarrNotification=Notificació automàtica @@ -244,7 +244,7 @@ UseAdvancedPerms=Usar els drets avançats en els permisos dels mòduls FileFormat=Format d'arxiu SelectAColor=Tria un color AddFiles=Afegeix arxius -StartUpload=Transferir +StartUpload=Inicia la càrrega CancelUpload=Cancel·lar transferència FileIsTooBig=L'arxiu és massa gran PleaseBePatient=Si us plau sigui pacient... @@ -257,7 +257,7 @@ ClickHereToGoTo=Clica aquí per anar a %s YouMustClickToChange=De totes formes, primer heu de fer clic al següent enllaç per a validar aquest canvi de contrasenya ConfirmPasswordChange=Confirmeu el canvi de contrasenya ForgetIfNothing=Si vostè no ha sol·licitat aquest canvi, simplement ignori aquest e-mail. Les seves credencials són guardades de forma segura -IfAmountHigherThan=si l'import es major que %s +IfAmountHigherThan=Si l'import és superior a %s SourcesRepository=Repositori de fonts Chart=Gràfic PassEncoding=Codificació de contrasenya @@ -293,7 +293,7 @@ WEBSITE_PAGEURL=URL de pàgina WEBSITE_TITLE=Títol WEBSITE_DESCRIPTION=Descripció WEBSITE_IMAGE=Imatge -WEBSITE_IMAGEDesc=Ruta relativa dels suports d’imatge. Podeu mantenir-la buida, ja que rarament es fa servir (pot ser utilitzada per contingut dinàmic per a mostrar una miniatura a la llista de publicacions del bloc). Utilitzeu __WEBSITE_KEY__ a la ruta si aquesta depèn del nom del lloc web (per exemple: image/__ WEBSITE_KEY __ /stories/lamevaimatge.png). +WEBSITE_IMAGEDesc=Camí relatiu del suport d'imatge. Podeu mantenir-lo buit, ja que s'utilitza rarament (pot ser utilitzat per contingut dinàmic per a mostrar una miniatura en una llista d'entrades del bloc). Utilitzeu __WEBSITE_KEY__ al camí si el camí depèn del nom del lloc web (per exemple: image/__WEBSITE_KEY__/stories/lamevaimatge.png). WEBSITE_KEYWORDS=Paraules clau LinesToImport=Línies per importar @@ -306,7 +306,7 @@ ProductStatistics=Productes / Serveis Estadístiques NbOfQtyInOrders=Quantitat en comandes SelectTheTypeOfObjectToAnalyze=Seleccioneu un objecte per a veure'n les estadístiques... -ConfirmBtnCommonContent = Esteu segur que voleu "%s"? +ConfirmBtnCommonContent = Esteu segur que voleu «%s»? ConfirmBtnCommonTitle = Confirmeu la vostra acció CloseDialog = Tancar Autofill = Emplenament automàtic diff --git a/htdocs/langs/ca_ES/partnership.lang b/htdocs/langs/ca_ES/partnership.lang index a88b18b8b4d..29182a4d6dd 100644 --- a/htdocs/langs/ca_ES/partnership.lang +++ b/htdocs/langs/ca_ES/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=Associació: consulteu l'enllaç de retrocés de refer # Menu # NewPartnership=Nova associació -NewPartnershipbyWeb= La vostra associació s'ha afegit correctament. +NewPartnershipbyWeb=La vostra sol·licitud d'associació s'ha afegit correctament. Ens posarem en contacte amb tu aviat... ListOfPartnerships=Llista d'associació # @@ -38,7 +38,7 @@ ListOfPartnerships=Llista d'associació PartnershipSetup=Configuració de l'associació PartnershipAbout=Quant a Partnership PartnershipAboutPage=Associació sobre la pàgina -partnershipforthirdpartyormember=L'estat de soci s'ha de definir en un "tercer" o un "membre". +partnershipforthirdpartyormember=L'estatus de soci s'ha de definir com a «tercer» o «soci» PARTNERSHIP_IS_MANAGED_FOR=Associació gestionada per PARTNERSHIP_BACKLINKS_TO_CHECK=Retroenllaços per a comprovar PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb de dies abans de cancel·lar l'estat d'una associació quan la subscripció ha caducat @@ -52,7 +52,7 @@ PublicFormRegistrationPartnerDesc=Dolibarr us pot proporcionar un URL/lloc web p DeletePartnership=Suprimiu una associació PartnershipDedicatedToThisThirdParty=Associació dedicada a aquest tercer PartnershipDedicatedToThisMember=Associació dedicada a aquest membre -DatePartnershipStart=Data inicial +DatePartnershipStart=Data d'inici DatePartnershipEnd=Data final ReasonDecline=Rebutjar la raó ReasonDeclineOrCancel=Rebutjar la raó @@ -92,5 +92,5 @@ LastCheckBacklink=Data de l'última comprovació de l'URL ReasonDeclineOrCancel=Rebutjar la raó NewPartnershipRequest=Nova sol·licitud de col·laboració -NewPartnershipRequestDesc=Aquest formulari us permet sol·licitar formar part d'un dels nostres programes d'associació. Si necessiteu ajuda per omplir aquest formulari, poseu-vos en contacte amb el correu electrònic %s . +NewPartnershipRequestDesc=Aquest formulari us permet sol·licitar formar part d'un dels nostres programes d'associació. Si necessiteu ajuda per a omplir aquest formulari, poseu-vos en contacte amb el correu electrònic %s. diff --git a/htdocs/langs/ca_ES/products.lang b/htdocs/langs/ca_ES/products.lang index f599efead62..928872a1a96 100644 --- a/htdocs/langs/ca_ES/products.lang +++ b/htdocs/langs/ca_ES/products.lang @@ -1,9 +1,9 @@ # Dolibarr language file - Source file is en_US - products ProductRef=Ref. producte ProductLabel=Nom del producte -ProductLabelTranslated=Nom de producte traduïda +ProductLabelTranslated=Nom del producte traduït ProductDescription=Descripció del producte -ProductDescriptionTranslated=Descripció de producte traduïda +ProductDescriptionTranslated=Descripció del producte traduït ProductNoteTranslated=Nota de producte traduïda ProductServiceCard=Fitxa producte/servei TMenuProducts=Productes @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Serveis només en venda ServicesOnPurchaseOnly=Serveis només per compra ServicesNotOnSell=Serveis no a la venda i no per a la compra ServicesOnSellAndOnBuy=Serveis en venda o de compra -LastModifiedProductsAndServices=Últims productes / serveis %s que es van modificar +LastModifiedProductsAndServices=Últims %s productes/serveis que s'han modificat LastRecordedProducts=Últims %s productes registrats LastRecordedServices=Últims %s serveis registrats CardProduct0=Producte @@ -127,7 +127,7 @@ ProductParentList=Llista de kits amb aquest producte com a component ErrorAssociationIsFatherOfThis=Un dels productes seleccionats és pare del producte en curs DeleteProduct=Eliminar un producte/servei ConfirmDeleteProduct=Esteu segur de voler eliminar aquest producte/servei? -ProductDeleted=El producte/servei "%s" s'ha eliminat de la base de dades. +ProductDeleted=El producte/servei «%s» s'ha eliminat de la base de dades. ExportDataset_produit_1=Productes ExportDataset_service_1=Serveis ImportDataset_produit_1=Productes @@ -146,10 +146,10 @@ NoSupplierPriceDefinedForThisProduct=No hi ha cap preu / quantitat de proveïdor PredefinedItem=Element predefinit PredefinedProductsToSell=Producte predefinit PredefinedServicesToSell=Servei predefinit -PredefinedProductsAndServicesToSell=Productes/serveis predefinits per vendre -PredefinedProductsToPurchase=Producte predefinit per comprar -PredefinedServicesToPurchase=Serveis predefinits per comprar -PredefinedProductsAndServicesToPurchase=Productes / serveis predefinits per comprar +PredefinedProductsAndServicesToSell=Productes/serveis predefinits a vendre +PredefinedProductsToPurchase=Producte predefinit per a comprar +PredefinedServicesToPurchase=Serveis predefinits per a comprar +PredefinedProductsAndServicesToPurchase=Productes/serveis predefinits per a comprar NotPredefinedProducts=Sense productes/serveis predefinits GenerateThumb=Generar l'etiqueta ServiceNb=Servei núm. %s @@ -258,10 +258,10 @@ ProductsMultiPrice=Productes i preus per cada nivell de preu ProductsOrServiceMultiPrice=Preus per als clients (de productes o serveis, multipreus) ProductSellByQuarterHT=Facturació de productes trimestral abans d'impostos ServiceSellByQuarterHT=Facturació de serveis trimestral abans d'impostos -Quarter1=1º trimestre -Quarter2=2º trimestre -Quarter3=3º trimestre -Quarter4=4º trimestre +Quarter1=1r trimestre +Quarter2=2n trimestre +Quarter3=3r trimestre +Quarter4=4t trimestre BarCodePrintsheet=Imprimeix codis de barres PageToGenerateBarCodeSheets=Amb aquesta eina, podeu imprimir fulls adhesius de codis de barres. Trieu el format de la vostra pàgina d'etiqueta, tipus de codi de barres i valor del codi de barres, i feu clic al botó %s . NumberOfStickers=Nombre d'adhesius per a imprimir a la pàgina @@ -304,7 +304,7 @@ DynamicPriceDesc=Podeu definir fórmules matemàtiques per a calcular els preus AddVariable=Afegeix variable AddUpdater=Afegeix actualitzador GlobalVariables=Variables globals -VariableToUpdate=Variable per actualitzar +VariableToUpdate=Variable a actualitzar GlobalVariableUpdaters=Actualitzacions externes per a variables GlobalVariableUpdaterType0=Dades JSON GlobalVariableUpdaterHelp0=Analitza les dades JSON de l'URL especificat, VALUE especifica la ubicació del valor rellevant, @@ -399,7 +399,7 @@ ActionAvailableOnVariantProductOnly=Acció només disponible sobre la variant de ProductsPricePerCustomer=Preus dels productes per clients ProductSupplierExtraFields=Atributs addicionals (preus de proveïdors) DeleteLinkedProduct=Suprimeix el producte fill enllaçat a la combinació -AmountUsedToUpdateWAP=Unit amount to use to update the Weighted Average Price +AmountUsedToUpdateWAP=Import unitari a utilitzar per a actualitzar el Preu Mitjà Ponderat PMPValue=Preu mitjà ponderat PMPValueShort=PMP mandatoryperiod=Períodes obligatoris @@ -416,7 +416,7 @@ ProductsMergeSuccess=Els productes s'han fusionat ErrorsProductsMerge=Errors en la combinació de productes SwitchOnSaleStatus=Canvia l'estat de venda SwitchOnPurchaseStatus=Activa l'estat de compra -UpdatePrice=Increase/decrease customer price +UpdatePrice=Augmenta/disminueix el preu del client StockMouvementExtraFields= Camps addicionals (moviment d'existències) InventoryExtraFields= Camps addicionals (inventari) ScanOrTypeOrCopyPasteYourBarCodes=Escaneja o escriviu o copieu/enganxeu els vostres codis de barres diff --git a/htdocs/langs/ca_ES/projects.lang b/htdocs/langs/ca_ES/projects.lang index 229e6971e98..b5521f91926 100644 --- a/htdocs/langs/ca_ES/projects.lang +++ b/htdocs/langs/ca_ES/projects.lang @@ -65,7 +65,7 @@ TimeToBill=Temps no facturat TimeBilled=Temps facturat Tasks=Tasques Task=Tasca -TaskDateStart=Data d'inici +TaskDateStart=Data d'inici de la tasca TaskDateEnd=Data de finalització TaskDescription=Descripció de tasca NewTask=Tasca nova @@ -242,9 +242,9 @@ OppStatusPENDING=Pendent OppStatusWON=Guanyat OppStatusLOST=Perdut Budget=Pressupost -AllowToLinkFromOtherCompany=Allow to link an element with a project of other company

Supported values:
- Keep empty: Can link elements with any projects in the same company (default)
- "all": Can link elements with any projects, even projects of other companies
- A list of third-party ids separated by commas: can link elements with any projects of these third partys (Example: 123,4795,53)
-LatestProjects=Darrers %s projectes -LatestModifiedProjects=Darrers %s projectes modificats +AllowToLinkFromOtherCompany=Permet enllaçar un element amb un projecte d'una altra empresa

Valors admesos:
- Buit: Pot enllaçar elements amb qualsevol projecte de la mateixa empresa (per defecte)
- "all": Pot enllaçar elements amb qualsevol projecte, inclòs projectes d'altres empreses
- Una llista d'identificadors de tercers separats per comes: pot enllaçar elements amb qualsevol projecte d'aquests tercers (Exemple: 123,4795,53)
+LatestProjects=Últims %s projectes +LatestModifiedProjects=Últims %s projectes modificats OtherFilteredTasks=Altres tasques filtrades NoAssignedTasks=No s'ha trobat cap tasca assignada (assigneu el projecte/tasques a l'usuari actual des del quadre de selecció superior per a introduir-hi l'hora) ThirdPartyRequiredToGenerateInvoice=Cal definir un tercer en el projecte per a poder facturar-lo. @@ -259,7 +259,7 @@ RecordsClosed=%s projecte(s) tancat(s) SendProjectRef=Informació del projecte %s ModuleSalaryToDefineHourlyRateMustBeEnabled=El mòdul "Salaris" ha d'estar habilitat per a definir la tarifa horària dels empleats per tal de valorar el temps dedicat NewTaskRefSuggested=Tasca ref en ús, es requereix una nova tasca ref -NumberOfTasksCloned=%s task(s) cloned +NumberOfTasksCloned=%s tasca(s) clonada(s). TimeSpentInvoiced=Temps de facturació facturat TimeSpentForIntervention=Temps dedicat TimeSpentForInvoice=Temps dedicat @@ -286,11 +286,11 @@ RefTaskParent=Ref. Tasca pare ProfitIsCalculatedWith=El benefici es calcula utilitzant AddPersonToTask=Afegeix també a les tasques UsageOrganizeEvent=Ús: organització d'esdeveniments -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classifica un projecte com a tancat quan s'hagin completat totes les seves tasques (progrés 100%%) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks already set to a progress of 100 %% won't be affected: you will have to close them manually. This option only affects open projects. +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Marca el projecte com a tancat quan s'hagin completat totes les seves tasques (progrés 100%%) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Nota: els projectes existents amb totes les tasques ja configurades amb un progrés de 100%% no es veuran afectats: haureu de tancar-los manualment. Aquesta opció només afecta els projectes oberts. SelectLinesOfTimeSpentToInvoice=Seleccioneu les línies de temps invertides que no estiguin facturades i, a continuació, feu l'acció massiva "Genera factura" per a facturar-les. ProjectTasksWithoutTimeSpent=Projecte tasques sense temps dedicat -FormForNewLeadDesc=Gràcies per omplir el següent formulari per contactar amb nosaltres. També podeu enviar-nos un correu electrònic directament a %s . +FormForNewLeadDesc=Gràcies per a omplir el següent formulari per a contactar amb nosaltres. També podeu enviar-nos un correu electrònic directament a %s. ProjectsHavingThisContact=Projectes amb aquest contacte StartDateCannotBeAfterEndDate=La data de fi no pot ser anterior a la d'inici ErrorPROJECTLEADERRoleMissingRestoreIt=Falta la funció "PROJECTLEADER" o s'ha desactivat; restaura-la al diccionari de tipus de contacte diff --git a/htdocs/langs/ca_ES/receptions.lang b/htdocs/langs/ca_ES/receptions.lang index 1ef267132bb..a4063b6c434 100644 --- a/htdocs/langs/ca_ES/receptions.lang +++ b/htdocs/langs/ca_ES/receptions.lang @@ -34,7 +34,7 @@ StatusReceptionProcessedShort=Processats ReceptionSheet=Full de recepció ValidateReception=Valida la recepció ConfirmDeleteReception=Vols suprimir aquesta recepció? -ConfirmValidateReception=Vols validar aquesta recepció amb referència %s ? +ConfirmValidateReception=Esteu segur que voleu validar aquesta recepció amb la referència %s? ConfirmCancelReception=Vols cancel·lar aquesta recepció? StatsOnReceptionsOnlyValidated=Les estadístiques compten només les recepcions validades. La data utilitzada és la data de validació de la recepció (la data de lliurament planificada no sempre es coneix). SendReceptionByEMail=Envia la recepció per correu electrònic @@ -47,7 +47,7 @@ ProductQtyInSuppliersReceptionAlreadyRecevied=Quantitat de producte des de coman ValidateOrderFirstBeforeReception=Primer has de validar la comanda abans de poder fer recepcions. ReceptionsNumberingModules=Mòdul de numeració per a recepcions ReceptionsReceiptModel=Plantilles de documents per a recepcions -NoMorePredefinedProductToDispatch=No hi ha més productes predefinits per ser enviats +NoMorePredefinedProductToDispatch=No hi ha més productes predefinits per a enviar ReceptionExist=Hi ha una recepció ReceptionBackToDraftInDolibarr=Recepció %s torna a esborrany ReceptionClassifyClosedInDolibarr=Recepció %s classificada Tancada diff --git a/htdocs/langs/ca_ES/resource.lang b/htdocs/langs/ca_ES/resource.lang index a608f69d929..8738c93e6b0 100644 --- a/htdocs/langs/ca_ES/resource.lang +++ b/htdocs/langs/ca_ES/resource.lang @@ -22,7 +22,7 @@ ResourceElementPage=Elements de recursos ResourceCreatedWithSuccess=Recurs creat correctament RessourceLineSuccessfullyDeleted=Línia de recurs eliminada correctament RessourceLineSuccessfullyUpdated=Línia de recurs actualitzada correctament -ResourceLinkedWithSuccess=Recurs enllaçat correntament +ResourceLinkedWithSuccess=Recurs vinculat correctament ConfirmDeleteResource=Estàs segur de voler eliminar aquest element? RessourceSuccessfullyDeleted=Recurs eliminat correctament @@ -35,5 +35,5 @@ AssetNumber=Número de sèrie ResourceTypeCode=Codi de tipus de recurs ImportDataset_resource_1=Recursos -ErrorResourcesAlreadyInUse=Alguns recursos estan en us +ErrorResourcesAlreadyInUse=Alguns recursos estan en ús ErrorResourceUseInEvent=%s usat en %s esdeveniment diff --git a/htdocs/langs/ca_ES/salaries.lang b/htdocs/langs/ca_ES/salaries.lang index 8931092134c..9db1fa15573 100644 --- a/htdocs/langs/ca_ES/salaries.lang +++ b/htdocs/langs/ca_ES/salaries.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - salaries SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Compte (del pla comptable) utilitzat per defecte per a tercers «usuaris». -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=The dedicated account defined on user card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated user accounting account on user is not defined. +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=El compte dedicat definit a la fitxa d'usuari només s'utilitzarà per a la comptabilitat de subllibre. Aquest s'utilitzarà per al Llibre Major i com a valor predeterminat de la comptabilitat del subllibre si no es defineix un compte comptable d'usuari dedicat a l'usuari. SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Compte comptable per defecte per als pagaments salarials CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=De manera predeterminada, deixeu buida l'opció "Crear automàticament un pagament total" quan creeu un sou Salary=Sou @@ -18,7 +18,7 @@ TJM=Tarifa mitjana diària CurrentSalary=Salari actual THMDescription=Aquest valor es pot utilitzar per a calcular el cost del temps consumit en un projecte introduït pels usuaris si s'utilitza el mòdul de projecte TJMDescription=Aquest valor només és informatiu i no s'utilitza en cap càlcul -LastSalaries=Últims sous %s +LastSalaries=Últims %s sous AllSalaries=Tots els salaris SalariesStatistics=Estadístiques de salaris SalariesAndPayments=Salaris i pagaments diff --git a/htdocs/langs/ca_ES/stocks.lang b/htdocs/langs/ca_ES/stocks.lang index 28109142013..03636d18fba 100644 --- a/htdocs/langs/ca_ES/stocks.lang +++ b/htdocs/langs/ca_ES/stocks.lang @@ -109,8 +109,8 @@ WarehousesAndProductsBatchDetail=Magatzems i productes (amb detall per lot/sèri AverageUnitPricePMPShort=Preu mitjà ponderat AverageUnitPricePMPDesc=El preu unitari mitjà d'entrada que hem hagut de gastar per a incorporar 1 unitat de producte al nostre estoc. SellPriceMin=Preu de venda unitari -EstimatedStockValueSellShort=Valor per vendre -EstimatedStockValueSell=Valor per vendre +EstimatedStockValueSellShort=Valor a vendre +EstimatedStockValueSell=Valor a vendre EstimatedStockValueShort=Valor compra (PMP) EstimatedStockValue=Valor de compra (PMP) DeleteAWarehouse=Eliminar un magatzem @@ -121,7 +121,7 @@ SelectWarehouseForStockDecrease=Tria el magatzem a utilitzar en el decrement d'e SelectWarehouseForStockIncrease=Tria el magatzem a utilitzar en l'increment d'estoc NoStockAction=Sense accions sobre l'estoc DesiredStock=Estoc desitjat -DesiredStockDesc=Aquest import d'estoc serà el valor utilitzat per omplir l'estoc en la funció de reaprovisionament. +DesiredStockDesc=Aquest import d'estoc serà el valor utilitzat per a omplir l'estoc en la funció de reaprovisionament. StockToBuy=A demanar Replenishment=Reaprovisionament ReplenishmentOrders=Ordres de reaprovisionament @@ -257,7 +257,7 @@ ConfirmFinish=Confirmeu el tancament de l'inventari? Això generarà tots els mo ObjectNotFound=no s'ha trobat %s MakeMovementsAndClose=Generar moviments i tancar AutofillWithExpected=Ompliu la quantitat real amb la quantitat esperada -ShowAllBatchByDefault=Per defecte, mostreu els detalls del lot a la pestanya "existències" del producte +ShowAllBatchByDefault=Per defecte, mostreu els detalls del lot a la pestanya «estoc» del producte CollapseBatchDetailHelp=Podeu configurar la visualització predeterminada del detall del lot a la configuració del mòdul d'existències ErrorWrongBarcodemode=Mode de codi de barres desconegut ProductDoesNotExist=El producte no existeix @@ -268,7 +268,7 @@ WarehouseId=Identificador de magatzem WarehouseRef=Magatzem Ref SaveQtyFirst=Deseu primer les quantitats reals inventariades, abans de demanar la creació del moviment d'existències. ToStart=Comença -InventoryStartedShort=Començada +InventoryStartedShort=Començat ErrorOnElementsInventory=Operació cancel·lada pel motiu següent: ErrorCantFindCodeInInventory=No es pot trobar el codi següent a l'inventari QtyWasAddedToTheScannedBarcode=Èxit!! La quantitat s'ha afegit a tots els codis de barres sol·licitats. Podeu tancar l'eina Escàner. diff --git a/htdocs/langs/ca_ES/supplier_proposal.lang b/htdocs/langs/ca_ES/supplier_proposal.lang index 5a6546a4e81..ab16b6920c5 100644 --- a/htdocs/langs/ca_ES/supplier_proposal.lang +++ b/htdocs/langs/ca_ES/supplier_proposal.lang @@ -51,5 +51,8 @@ ListOfSupplierProposals=Llista de sol·licituds de pressupostos a proveïdor ListSupplierProposalsAssociatedProject=Llista de pressupostos de proveïdor associats al projecte SupplierProposalsToClose=Pressupostos de proveïdor per a tancar SupplierProposalsToProcess=Pressupostos de proveïdor a processar -LastSupplierProposals=Últims %s preus de sol·licitud +LastSupplierProposals=Últimes %s sol·licituds de preus AllPriceRequests=Totes les peticions +TypeContact_supplier_proposal_external_SHIPPING=Contacte amb el proveïdor per al lliurament +TypeContact_supplier_proposal_external_BILLING=Contacte amb el proveïdor per a la facturació +TypeContact_supplier_proposal_external_SERVICE=Agent comercial del seguiment del pressupost diff --git a/htdocs/langs/ca_ES/suppliers.lang b/htdocs/langs/ca_ES/suppliers.lang index f92bd144ae3..d1d5f8c722f 100644 --- a/htdocs/langs/ca_ES/suppliers.lang +++ b/htdocs/langs/ca_ES/suppliers.lang @@ -4,16 +4,17 @@ SuppliersInvoice=Factura del proveïdor SupplierInvoices=Factures de proveïdor ShowSupplierInvoice=Mostra la factura del proveïdor NewSupplier=Proveïdor nou +NewSupplierInvoice = Nova factura de proveïdor History=Històric ListOfSuppliers=Llista de proveïdors ShowSupplier=Mostra el proveïdor OrderDate=Data comanda -BuyingPriceMin=El millor preu de compra -BuyingPriceMinShort=El millor preu de compra +BuyingPriceMin=Millor preu de compra +BuyingPriceMinShort=Millor preu de compra TotalBuyingPriceMinShort=Total dels preus de compra dels subproductes TotalSellingPriceMinShort=Total dels preus de venda de subproductes SomeSubProductHaveNoPrices=Alguns subproductes no tenen preus definits -AddSupplierPrice=Afegeix preu de compra +AddSupplierPrice=Afegeix el preu de compra ChangeSupplierPrice=Canvia el preu de compra SupplierPrices=Preus del proveïdor ReferenceSupplierIsAlreadyAssociatedWithAProduct=Aquesta referència del proveïdor ja està associada amb el producte: %s @@ -51,6 +52,6 @@ RepeatableSupplierInvoice=Plantilla de factura del proveïdor RepeatableSupplierInvoices=Plantilla de factures de proveïdors RepeatableSupplierInvoicesList=Plantilla de factures de proveïdors RecurringSupplierInvoices=Factures de proveïdors recurrents -ToCreateAPredefinedSupplierInvoice=Per crear una plantilla de factura de proveïdor, heu de crear una factura estàndard, després, sense validar-la, feu clic al botó "%s". +ToCreateAPredefinedSupplierInvoice=Per a crear una plantilla de factura de proveïdor, heu de crear una factura estàndard, després, sense validar-la, feu clic al botó «%s». GeneratedFromSupplierTemplate=Generat a partir de la plantilla de factura del proveïdor %s SupplierInvoiceGeneratedFromTemplate=Factura del proveïdor %s Generada a partir de la plantilla de factura del proveïdor %s diff --git a/htdocs/langs/ca_ES/ticket.lang b/htdocs/langs/ca_ES/ticket.lang index aa8ca8e85f8..af8e5788f5a 100644 --- a/htdocs/langs/ca_ES/ticket.lang +++ b/htdocs/langs/ca_ES/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Creat per NewTicket=Tiquet nou SubjectAnswerToTicket=Resposta de tiquet TicketTypeRequest=Tipus de sol·licitud -TicketCategory=Categorització del tiquet +TicketCategory=Grup de tiquet SeeTicket=Consultar tiquet TicketMarkedAsRead=Tiquet ha estat marcat com llegit TicketReadOn=Segueix llegint @@ -204,7 +204,7 @@ TicketMessageSuccessfullyAdded=El missatge s'ha afegit correctament TicketMessagesList=Llista de missatges NoMsgForThisTicket=No hi ha missatges per aquest tiquet TicketProperties=Classificació -LatestNewTickets=Últimes entrades més noves %s (no llegides) +LatestNewTickets=Últims %s tiquets més recents (no llegits) TicketSeverity=Gravetat ShowTicket=Consultar tiquet RelatedTickets=Tiquets relacionats @@ -245,7 +245,7 @@ TicketMessageMailIntroAutoNewPublicMessage=S'ha publicat un nou missatge al tiqu TicketAssignedToYou=Tiquet assignat TicketAssignedEmailBody=Se us ha assignat el tiquet # %s per %s MarkMessageAsPrivate=Marcar el missatge com privat -TicketMessageSendEmailHelp=An email will be sent to all assigned contact (internal contacts, but also external contacts except if the option "%s" is checked) +TicketMessageSendEmailHelp=S'enviarà un correu electrònic a tots els contactes assignats (contactes interns, però també contactes externs, excepte si l'opció «%s» està marcada) TicketMessagePrivateHelp=Aquest missatge no es mostrarà als usuaris externs TicketEmailOriginIssuer=Emissor en l'origen dels tiquets InitialMessage=Missatge inicial @@ -336,12 +336,12 @@ ActionsOnTicket=Esdeveniments en tiquets # # Boxes # -BoxLastTicket=Últimes entrades creades -BoxLastTicketDescription=Últimes entrades creades %s +BoxLastTicket=Últims tiquets creats +BoxLastTicketDescription=Últims %s tiquets creats BoxLastTicketContent= BoxLastTicketNoRecordedTickets=No hi ha tiquets pendents de llegir recents BoxLastModifiedTicket=Últims tiquets modificats -BoxLastModifiedTicketDescription=Últimes entrades modificades %s +BoxLastModifiedTicketDescription=Últims %s tiquets modificats BoxLastModifiedTicketContent= BoxLastModifiedTicketNoRecordedTickets=No hi ha tiquets modificats recentment BoxTicketType=Distribució dels tiquets oberts per tipus diff --git a/htdocs/langs/ca_ES/trips.lang b/htdocs/langs/ca_ES/trips.lang index 96c385f47f4..ff999beb238 100644 --- a/htdocs/langs/ca_ES/trips.lang +++ b/htdocs/langs/ca_ES/trips.lang @@ -1,150 +1,152 @@ # Dolibarr language file - Source file is en_US - trips +AUTHOR=Desat per +AUTHORPAIEMENT=Pagat per +AddTrip=Crear informe de despeses +AllExpenseReport=Tots els tipus d’informe de despeses +AllExpenseReports=Tots els informes de despeses +AnyOtherInThisListCanValidate=Persona a informar per a validar la sol·licitud. +AttachTheNewLineToTheDocument=Adjunta la línia a un document carregat +AucuneLigne=Encara no hi ha informe de despeses declarat +BrouillonnerTrip=Tornar l'informe de despeses a l'estat "Esborrany" +byEX_DAY=per dia (limitació a %s) +byEX_EXP=per línia (limitació a %s) +byEX_MON=per mes (limitació a %s) +byEX_YEA=per any (limitació a %s) +CANCEL_USER=Eliminat per +CarCategory=Categoria de vehicles +ClassifyRefunded=Marca «Reemborsat» +CompanyVisited=Empresa/organització visitada +ConfirmBrouillonnerTrip=Esteu segur que voleu traslladar aquest informe de despeses a l'estat "Esborrany"? +ConfirmCancelTrip=Estàs segur que vols cancel·lar aquest informe de despeses? +ConfirmCloneExpenseReport=Estàs segur de voler clonar aquest informe de despeses ? +ConfirmDeleteTrip=Estàs segur que vols eliminar aquest informe de despeses? +ConfirmPaidTrip=Esteu segur que voleu canviar l'estat d'aquest informe de despeses a "Pagat"? +ConfirmRefuseTrip=Estàs segur que vols denegar aquest informe de despeses? +ConfirmSaveTrip=Estàs segur que vols validar aquest informe de despeses? +ConfirmValideTrip=Estàs segur que vols aprovar aquest informe de despeses? +DATE_CANCEL=Data de cancel·lació +DATE_PAIEMENT=Data de pagament +DATE_REFUS=Data de denegació +DATE_SAVE=Data de validació +DefaultCategoryCar=Mode de transport per defecte +DefaultRangeNumber=Número de rang per defecte +DeleteTrip=Suprimeix l'informe de despeses +ErrorDoubleDeclaration=Has declarat un altre informe de despeses en un altre rang de dates semblant +Error_EXPENSEREPORT_ADDON_NotDefined=Error, la regla per a la numeració d'informes de despeses no es va definir a la configuració del mòdul "Informe de despeses" +ExpenseRangeOffset=Quantitat d'offset: %s +expenseReportCatDisabled=Categoria deshabilitada: consulteu el diccionari c_exp_tax_cat +expenseReportCoef=Coeficient +expenseReportCoefUndefined=(valor no definit) +expenseReportOffset=Decàleg +expenseReportPrintExample=offset + (d x coef) = %s +expenseReportRangeDisabled=S'ha desactivat el rang: consulteu el diccionari c_exp_tax_range +expenseReportRangeFromTo=de %d a %d +expenseReportRangeMoreThan=més de %d +expenseReportTotalForFive=Exemple amb d = 5 +ExpenseReportApplyTo=Aplicar a +ExpenseReportApproved=S'ha aprovat un informe de despeses +ExpenseReportApprovedMessage=S'ha aprovat l'informe de despeses %s.
- Usuari: %s
- Aprovat per: %s
Feu clic aquí per a veure l'informe de despeses: %s +ExpenseReportCanceled=S'ha cancel·lat un informe de despeses +ExpenseReportCanceledMessage=L'informe de despeses %s s'ha cancel·lat.
- Usuari: %s
- Cancel·lat per: %s
- Motiu de cancel·lació: %s
Cliqueu aquí per a veure l'informe de despeses: %s +ExpenseReportConstraintViolationError=S'ha superat la quantitat màxima (regla %s): %s és superior a %s (excedit prohibit) +ExpenseReportConstraintViolationWarning=S'ha superat l'import màxim (regla %s): %s és superior a %s (supera l'autoritzat) +ExpenseReportDateEnd=Data fi +ExpenseReportDateStart=Data d'inici +ExpenseReportDomain=Domini a aplicar +ExpenseReportIkDesc=Podeu modificar el càlcul de les despeses de quilometratge per categoria i abast, els quals s'han definit anteriorment. d és la distància en quilòmetres +ExpenseReportLimitAmount=Import màxim +ExpenseReportLimitOn=Limitar a +ExpenseReportLine=Línia de l'informe de despeses +ExpenseReportPaid=S'ha pagat un informe de despeses +ExpenseReportPaidMessage=L'informe de despeses %s s'ha pagat.
- Usuari: %s
- Pagat per: %s
Feu clic aquí per a veure l'informe de despeses: %s +ExpenseReportPayment=Informe de despeses pagades +ExpenseReportRef=Ref. de l'informe de despeses +ExpenseReportRefused=S'ha rebutjat un informe de despeses +ExpenseReportRefusedMessage=L'informe de despeses %s s'ha denegat.
- Usuari: %s
- Rebutjat per: %s
- Motiu de denegació: %s
Cliqueu aquí per a veure l'informe de despeses: %s +ExpenseReportRestrictive=Superació prohibida +ExpenseReportRuleErrorOnSave=Error: %s +ExpenseReportRuleSave=S'ha desat la regla de l'informe de despeses +ExpenseReportRulesDesc=Podeu definir regles d'import màxim per als informes de despeses. Aquestes regles s'aplicaran quan s'afegeixi una nova despesa a un informe de despeses +ExpenseReportWaitingForApproval=S'ha generat un nou informe de vendes per aprovació +ExpenseReportWaitingForApprovalMessage=S'ha enviat un nou informe de despeses i està pendent d'aprovació.
- Usuari: %s
- Període: %s
Cliqueu aquí per a validar: %s +ExpenseReportWaitingForReApproval=S'ha generat un informe de despeses per a re-aprovació +ExpenseReportWaitingForReApprovalMessage=S'ha enviat un informe de despeses i s'està esperant una nova aprovació.
L'%s, us heu negat a aprovar l'informe de despeses per aquest motiu: %s.
S'ha proposat una nova versió i està esperant la vostra aprovació.
- Usuari: %s
- Període: %s
Feu clic aquí per a validar: %s +ExpenseReportsIk=Configuració de les despeses de quilometratge +ExpenseReportsRules=Normes d'informe de despeses +ExpenseReportsToApprove=Informes de despeses per a aprovar +ExpenseReportsToPay=Informes de despeses a pagar +ExpensesArea=Àrea d'informes de despeses +FeesKilometersOrAmout=Import o quilòmetres +LastExpenseReports=Últims %s informes de despeses +ListOfFees=Llista de taxes +ListOfTrips=Llistat de informes de despeses +ListToApprove=Pendent d'aprovació +ListTripsAndExpenses=Llistat d'informes de despeses +MOTIF_CANCEL=Raó +MOTIF_REFUS=Raó +ModePaiement=Tipus de pagament +NewTrip=Informe de despeses nou +nolimitbyEX_DAY=per dia (sense límits) +nolimitbyEX_EXP=per línia (sense límits) +nolimitbyEX_MON=per mes (sense límits) +nolimitbyEX_YEA=per any (sense límits) +NoTripsToExportCSV=No hi ha cap informe de despeses per a exportar en aquest període. +NOT_AUTHOR=No sou l’autor d’aquest informe de despeses. Operació cancel·lada. +OnExpense=Línia de despesa +PDFStandardExpenseReports=Plantilla estàndard per a generar un document PDF per a l'informe de despeses +PaidTrip=Pagar un informe de despeses +REFUSEUR=Denegat per +RangeIk=Rang de quilometratge +RangeNum=Rang %d +SaveTrip=Valida l'informe de despeses ShowExpenseReport=Mostra l'informe de despeses +ShowTrip=Mostra l'informe de despeses +TripCard=Informe de despesa de targeta +TripId=Id d'informe de despeses +TripNDF=Informacions de l'informe de despeses +TripSociete=Informació de l'empresa Trips=Informes de despeses TripsAndExpenses=Informes de despeses TripsAndExpensesStatistics=Estadístiques de l'informe de despeses -TripCard=Informe de despesa de targeta -AddTrip=Crear informe de despeses -ListOfTrips=Llistat de informes de despeses -ListOfFees=Llista de taxes TypeFees=Tipus de despeses -ShowTrip=Mostra l'informe de despeses -NewTrip=Informe de despeses nou -LastExpenseReports=Últims %s informes de despeses -AllExpenseReports=Tots els informes de despeses -CompanyVisited=Empresa/organització visitada -FeesKilometersOrAmout=Import o quilòmetres -DeleteTrip=Suprimeix l'informe de despeses -ConfirmDeleteTrip=Estàs segur que vols eliminar aquest informe de despeses? -ListTripsAndExpenses=Llistat d'informes de despeses -ListToApprove=Pendent d'aprovació -ExpensesArea=Àrea d'informes de despeses -ClassifyRefunded=Classifica "Retornat" -ExpenseReportWaitingForApproval=S'ha generat un nou informe de vendes per aprovació -ExpenseReportWaitingForApprovalMessage=S'ha enviat un nou informe de despeses i està pendent d'aprovació.
- Usuari: %s
- Període: %s
Cliqueu aquí per validar: %s -ExpenseReportWaitingForReApproval=S'ha generat un informe de despeses per a re-aprovació -ExpenseReportWaitingForReApprovalMessage=S'ha enviat un informe de despeses i està a l'espera de la seva aprovació.
%s, es va negar a aprovar l'informe de despeses per aquest motiu: %s.
S'ha proposat una nova versió i espera la seva aprovació.
- Usuari: %s
- Període: %s
Cliqueu aquí per validar: %s -ExpenseReportApproved=S'ha aprovat un informe de despeses -ExpenseReportApprovedMessage=S'ha aprovat l'informe de despeses %s.
- Usuari: %s
- Aprovat per: %s
Feu clic aquí per a veure l'informe de despeses: %s -ExpenseReportRefused=S'ha rebutjat un informe de despeses -ExpenseReportRefusedMessage=L'informe de despeses %s s'ha denegat.
- Usuari: %s
- Rebutjat per: %s
- Motiu de denegació: %s
Cliqueu aquí per a veure l'informe de despeses: %s -ExpenseReportCanceled=S'ha cancel·lat un informe de despeses -ExpenseReportCanceledMessage=L'informe de despeses %s s'ha cancel·lat.
- Usuari: %s
- Cancel·lat per: %s
- Motiu de cancel·lació: %s
Cliqueu aquí per a veure l'informe de despeses: %s -ExpenseReportPaid=S'ha pagat un informe de despeses -ExpenseReportPaidMessage=L'informe de despeses %s s'ha pagat.
- Usuari: %s
- Pagat per: %s
Feu clic aquí per a veure l'informe de despeses: %s -TripId=Id d'informe de despeses -AnyOtherInThisListCanValidate=Persona que s’ha d’informar per validar la sol·licitud. -TripSociete=Informació de l'empresa -TripNDF=Informacions de l'informe de despeses -PDFStandardExpenseReports=Plantilla estàndard per a generar un document PDF per a l'informe de despeses -ExpenseReportLine=Línia de l'informe de despeses -TF_OTHER=Altres -TF_TRIP=Transport -TF_LUNCH=Dieta -TF_METRO=Metro -TF_TRAIN=Tren -TF_BUS=Bus -TF_CAR=Cotxe -TF_PEAGE=Peatge -TF_ESSENCE=Combustible -TF_HOTEL=Hotel -TF_TAXI=Taxi -EX_KME=Cost de quilometratge -EX_FUE=CV de benzina -EX_HOT=Hotel -EX_PAR=CV d'aparcament -EX_TOL=CV de peatge -EX_TAX=Impostos varis -EX_IND=Indemnització de subscripció de transport -EX_SUM=Subministrament de manteniment -EX_SUO=Material d'oficina -EX_CAR=Lloguer de cotxes -EX_DOC=Documentació -EX_CUR=Clients que reben -EX_OTR=Altres que reben -EX_POS=Franqueig -EX_CAM=CV de manteniment i reparació -EX_EMM=Dinar dels empleats -EX_GUM=Menjar de convidats -EX_BRE=Esmorzar -EX_FUE_VP=PV de benzina -EX_TOL_VP=PV de peatge -EX_PAR_VP=PV d'aparcament -EX_CAM_VP=PV de manteniment i reparació -DefaultCategoryCar=Mode de transport per defecte -DefaultRangeNumber=Número de rang per defecte UploadANewFileNow=Carrega ara un document nou -Error_EXPENSEREPORT_ADDON_NotDefined=Error, la regla per a la numeració d'informes de despeses no es va definir a la configuració del mòdul "Informe de despeses" -ErrorDoubleDeclaration=Has declarat un altre informe de despeses en un altre rang de dates semblant -AucuneLigne=Encara no hi ha informe de despeses declarat -ModePaiement=Tipus de pagament VALIDATOR=Usuari responsable de l'aprovació VALIDOR=Aprovat per -AUTHOR=Desat per -AUTHORPAIEMENT=Pagat per -REFUSEUR=Denegat per -CANCEL_USER=Eliminat per -MOTIF_REFUS=Raó -MOTIF_CANCEL=Raó -DATE_REFUS=Data de denegació -DATE_SAVE=Data de validació -DATE_CANCEL=Data de cancel·lació -DATE_PAIEMENT=Data de pagament -ExpenseReportRef=Ref. de l'informe de despeses ValidateAndSubmit=Validar i sotmetre a aprovació ValidatedWaitingApproval=Validat (pendent d'aprovació) -NOT_AUTHOR=No sou l’autor d’aquest informe de despeses. Operació cancel·lada. -ConfirmRefuseTrip=Estàs segur que vols denegar aquest informe de despeses? ValideTrip=Aprova l'informe de despeses -ConfirmValideTrip=Estàs segur que vols aprovar aquest informe de despeses? -PaidTrip=Pagar un informe de despeses -ConfirmPaidTrip=Esteu segur que voleu canviar l'estat d'aquest informe de despeses a "Pagat"? -ConfirmCancelTrip=Estàs segur que vols cancel·lar aquest informe de despeses? -BrouillonnerTrip=Tornar l'informe de despeses a l'estat "Esborrany" -ConfirmBrouillonnerTrip=Esteu segur que voleu traslladar aquest informe de despeses a l'estat "Esborrany"? -SaveTrip=Valida l'informe de despeses -ConfirmSaveTrip=Estàs segur que vols validar aquest informe de despeses? -NoTripsToExportCSV=No hi ha cap informe de despeses per a exportar en aquest període. -ExpenseReportPayment=Informe de despeses pagades -ExpenseReportsToApprove=Informes de despeses per a aprovar -ExpenseReportsToPay=Informes de despeses a pagar -ConfirmCloneExpenseReport=Estàs segur de voler clonar aquest informe de despeses ? -ExpenseReportsIk=Configuració de les despeses de quilometratge -ExpenseReportsRules=Normes d'informe de despeses -ExpenseReportIkDesc=Podeu modificar el càlcul de les despeses de quilometratge per categoria i abast, els quals s'han definit anteriorment. d és la distància en quilòmetres -ExpenseReportRulesDesc=Podeu definir regles d'import màxim per als informes de despeses. Aquestes regles s'aplicaran quan s'afegeixi una nova despesa a un informe de despeses -expenseReportOffset=Decàleg -expenseReportCoef=Coeficient -expenseReportTotalForFive=Exemple amb d = 5 -expenseReportRangeFromTo=de %d a %d -expenseReportRangeMoreThan=més de %d -expenseReportCoefUndefined=(valor no definit) -expenseReportCatDisabled=Categoria deshabilitada: consulteu el diccionari c_exp_tax_cat -expenseReportRangeDisabled=S'ha desactivat el rang: consulteu el diccionari c_exp_tax_range -expenseReportPrintExample=offset + (d x coef) = %s -ExpenseReportApplyTo=Aplicar a -ExpenseReportDomain=Domini a aplicar -ExpenseReportLimitOn=Limitar a -ExpenseReportDateStart=Data inici -ExpenseReportDateEnd=Data fi -ExpenseReportLimitAmount=Import màxim -ExpenseReportRestrictive=Superació prohibida -AllExpenseReport=Tots els tipus d’informe de despeses -OnExpense=Línia de despesa -ExpenseReportRuleSave=S'ha desat la regla de l'informe de despeses -ExpenseReportRuleErrorOnSave=Error: %s -RangeNum=Rang %d -ExpenseReportConstraintViolationError=S'ha superat la quantitat màxima (regla %s): %s és superior a %s (excedit prohibit) -byEX_DAY=per dia (limitació a %s) -byEX_MON=per mes (limitació a %s) -byEX_YEA=per any (limitació a %s) -byEX_EXP=per línia (limitació a %s) -ExpenseReportConstraintViolationWarning=S'ha superat l'import màxim (regla %s): %s és superior a %s (supera l'autoritzat) -nolimitbyEX_DAY=per dia (sense límits) -nolimitbyEX_MON=per mes (sense límits) -nolimitbyEX_YEA=per any (sense límits) -nolimitbyEX_EXP=per línia (sense límits) -CarCategory=Categoria de vehicles -ExpenseRangeOffset=Quantitat d'offset: %s -RangeIk=Rang de quilometratge -AttachTheNewLineToTheDocument=Adjunta la línia a un document carregat + +## Dictionary +EX_BRE=Esmorzar +EX_CAM=CV de manteniment i reparació +EX_CAM_VP=PV de manteniment i reparació +EX_CAR=Lloguer de cotxes +EX_CUR=Clients que reben +EX_DOC=Documentació +EX_EMM=Dinar dels empleats +EX_FUE=CV de benzina +EX_FUE_VP=PV de benzina +EX_GUM=Menjar de convidats +EX_HOT=Hotel +EX_IND=Indemnització de subscripció de transport +EX_KME=Cost de quilometratge +EX_OTR=Altres que reben +EX_PAR=CV d'aparcament +EX_PAR_VP=PV d'aparcament +EX_POS=Franqueig +EX_SUM=Subministrament de manteniment +EX_SUO=Material d'oficina +EX_TAX=Impostos varis +EX_TOL=CV de peatge +EX_TOL_VP=PV de peatge +TF_BUS=Bus +TF_CAR=Cotxe +TF_ESSENCE=Combustible +TF_HOTEL=Hotel +TF_LUNCH=Dieta +TF_METRO=Metro +TF_OTHER=Altres +TF_PEAGE=Peatge +TF_TAXI=Taxi +TF_TRAIN=Tren +TF_TRIP=Transport diff --git a/htdocs/langs/ca_ES/website.lang b/htdocs/langs/ca_ES/website.lang index 6a1485548e1..0223233c8ae 100644 --- a/htdocs/langs/ca_ES/website.lang +++ b/htdocs/langs/ca_ES/website.lang @@ -33,7 +33,7 @@ Webpage=Pàgina/contenidor web AddPage=Afegeix pàgina/contenidor PageContainer=Pàgina PreviewOfSiteNotYetAvailable=La previsualització del vostre lloc web %s encara no està disponible. Primer heu de " importar una plantilla de lloc web completa " o simplement " Afegir una pàgina / contenidor ". -RequestedPageHasNoContentYet=La pàgina sol·licitada amb l'identificador %s encara no té contingut, o el fitxer de memòria cau .tpl.php s'ha eliminat. Edita el contingut de la pàgina per solucionar-ho. +RequestedPageHasNoContentYet=La pàgina sol·licitada amb l'identificador %s encara no té contingut o el fitxer de memòria cau .tpl.php s'ha eliminat. Editeu el contingut de la pàgina per a solucionar-ho. SiteDeleted=Lloc web '%s' eliminat PageContent=Pàgina/Contenidor PageDeleted=Pàgina/Contenidor '%s' del lloc web %s eliminat @@ -54,7 +54,7 @@ ReadPerm=Llegit WritePerm=Escriu TestDeployOnWeb=Prova / implantació a la web PreviewSiteServedByWebServer=
  • Vista prèvia %s en una nova pestanya.


  • El %s serà servit per un servidor web extern (com ara Apache, Nginx, IIS). Heu d'instal·lar i configurar aquest servidor abans d'apuntar al directori:
    %s
    URL servit per un servidor extern:
    %s
    -PreviewSiteServedByDolibarr= Previsualitza %s en una nova pestanya.

    El %s serà servit pel servidor Dolibarr així que no cal instal·lar cap servidor web addicional (com ara Apache, Nginx, IIS).
    L'inconvenient és que l'URL de les pàgines no són amigables i comencen per la ruta del vostre Dolibarr.
    URL servit per Dolibarr:
    %s

    Per a utilitzar el vostre propi servidor web extern per a servir aquest lloc web, creeu un VIRTUALHOST al vostre servidor web que apunti al directori
    %s
    , llavors introduïu el nom d'aquest servidor virtual i feu clic a l'enllaç "Provar/Desplegar a la web". +PreviewSiteServedByDolibarr=Previsualitza %s en una pestanya nova.

    El %s serà servit pel servidor Dolibarr, de manera que no cal instal·lar cap servidor web addicional (com Apache, Nginx, IIS).
    L'inconvenient és que els URL de les pàgines no són fàcils d'utilitzar i comencen pel camí del vostre Dolibarr.
    URL servit per Dolibarr:
    %s

    Per a utilitzar el vostre propi servidor web extern per a servir aquest lloc web, creeu un VIRTUALHOST al vostre servidor web que apunti al directori
    %s
    , llavors introduïu el nom d'aquest servidor virtual i feu clic a l'enllaç «Prova/Desplega a la web». VirtualHostUrlNotDefined=No s'ha definit l'URL de l'amfitrió virtual servit per un servidor web extern NoPageYet=Encara sense pàgines YouCanCreatePageOrImportTemplate=Podeu crear una pàgina nova o importar una plantilla completa del lloc web @@ -79,7 +79,7 @@ ExportSite=Exporta la web ImportSite=Importa la plantilla del lloc web IDOfPage=Id de la pàgina Banner=Bàner -BlogPost=Publicació del bloc +BlogPost=Entrada al blog WebsiteAccount=Compte del lloc web WebsiteAccounts=Comptes de lloc web AddWebsiteAccount=Crear un compte de lloc web @@ -135,12 +135,12 @@ PublicAuthorAlias=Àlies d’autor públic AvailableLanguagesAreDefinedIntoWebsiteProperties=Els idiomes disponibles es defineixen a les propietats del lloc web ReplacementDoneInXPages=Substitució realitzada %s pàgines o contenidors RSSFeed=Fils RSS -RSSFeedDesc=Podeu obtenir un feed RSS dels últims articles amb el tipus «entrada de bloc» mitjançant aquest URL +RSSFeedDesc=Podeu obtenir un feed RSS dels últims articles amb el tipus «entrada de blog» mitjançant aquest URL PagesRegenerated=%s pàgina (es) / contenidor (s) regenerada RegenerateWebsiteContent=Regenera els fitxers de memòria cau del lloc web AllowedInFrames=Es permet en marcs DefineListOfAltLanguagesInWebsiteProperties=Definiu la llista de tots els idiomes disponibles a les propietats del lloc web. -GenerateSitemaps=Generate website sitemap.xml file +GenerateSitemaps=Genereu el fitxer sitemap.xml del lloc web ConfirmGenerateSitemaps=Si ho confirmeu, suprimireu el fitxer de mapa del lloc existent... ConfirmSitemapsCreation=Confirmeu la generació del mapa del lloc SitemapGenerated=Fitxer del mapa del lloc %s generat @@ -150,9 +150,9 @@ ErrorFaviconSize=El favicon ha de tenir una mida de 16x16, 32x32 o 64x64 FaviconTooltip=Pengeu una imatge que ha de ser PNG (16x16, 32x32 o 64x64) NextContainer=Pàgina/Contenidor següent PreviousContainer=Pàgina/Contenidor anterior -WebsiteMustBeDisabled=The website must have the status "%s" -WebpageMustBeDisabled=The web page must have the status "%s" -SetWebsiteOnlineBefore=When website is offline, all pages are offline. Change status of website first. +WebsiteMustBeDisabled=El lloc web ha de tenir l'estat «%s» +WebpageMustBeDisabled=La pàgina web ha de tenir l'estat «%s» +SetWebsiteOnlineBefore=Quan el lloc web està fora de línia, totes les pàgines estan fora de línia. Primer canvieu l'estat del lloc web. Booking=Reserva Reservation=Reserva PagesViewedPreviousMonth=Pàgines vistes (mes anterior) diff --git a/htdocs/langs/ca_ES/withdrawals.lang b/htdocs/langs/ca_ES/withdrawals.lang index 00d8bd28f98..371437d9ae1 100644 --- a/htdocs/langs/ca_ES/withdrawals.lang +++ b/htdocs/langs/ca_ES/withdrawals.lang @@ -12,7 +12,7 @@ WithdrawalsReceipts=Domiciliacions WithdrawalReceipt=Domiciliació BankTransferReceipts=Ordres de transferència bancària BankTransferReceipt=Ordre de transferència bancària -LatestBankTransferReceipts=Les %s últimes ordres de transferència bancària +LatestBankTransferReceipts=Últimes %s ordres de transferència bancària LastWithdrawalReceipts=Últims %s fitxers per a la domiciliació bancària WithdrawalsLine=Línia d'ordre de domiciliació CreditTransfer=Transferència bancària @@ -33,7 +33,7 @@ InvoiceWaitingPaymentByBankTransfer=Factura en espera de transferència bancàri AmountToWithdraw=Import a domiciliar AmountToTransfer=Import a transferir NoInvoiceToWithdraw=No hi ha cap factura oberta per a '%s'. Aneu a la pestanya "%s" de la fitxa de factura per a fer una sol·licitud. -NoSupplierInvoiceToWithdraw=No supplier invoice with open '%s' is waiting. Go on tab '%s' on invoice card to make a request. +NoSupplierInvoiceToWithdraw=No s'està esperant cap factura del proveïdor amb «%s» obert. Aneu a la pestanya «%s» de la fitxa de factura per a fer una sol·licitud. ResponsibleUser=Usuari responsable WithdrawalsSetup=Configuració del pagament mitjançant domiciliació bancària CreditTransferSetup=Configuració de transferència bancària @@ -49,9 +49,9 @@ BankTransferRequestsDone=S'han registrat %s sol·licituds de transferència ThirdPartyBankCode=Codi bancari de tercers NoInvoiceCouldBeWithdrawed=Cap factura s'ha carregat amb èxit. Comproveu que els tercers de les factures tenen un IBAN vàlid i que IBAN té un RUM (Referència de mandat exclusiva) amb mode %s. WithdrawalCantBeCreditedTwice=Aquesta domiciliació ja està marcada com a cobrada; això no es pot fer dues vegades, ja que això podria generar duplicats de pagaments i entrades bancàries. -ClassCredited=Classifica com "Abonada" -ClassDebited=Classifica els domiciliats -ClassCreditedConfirm=Esteu segur de voler classificar aquesta domiciliació com abonada al seu compte bancari? +ClassCredited=Marca abonada +ClassDebited=Marca els domiciliats +ClassCreditedConfirm=Esteu segur que voleu marcar aquesta domiciliació com a abonada al vostre compte bancari? TransData=Data enviament TransMetod=Mètode enviament Send=Envia @@ -109,7 +109,7 @@ DoCreditTransferBeforePayments3=Quan es tanqui l'ordre de transferència de crè WithdrawalFile=Fitxer de comanda de dèbit CreditTransferFile=Fitxer de transferència de crèdit SetToStatusSent=Estableix l'estat "Fitxer enviat" -ThisWillAlsoAddPaymentOnInvoice=També registrarà els pagaments en les factures i els classificarà com a "Pagats" si resten a pagar és nul +ThisWillAlsoAddPaymentOnInvoice=Això també registrarà els pagaments a les factures i els classificarà com a "Pagats" si la resta a pagar és nul·la. StatisticsByLineStatus=Estadístiques per estats de línies RUM=UMR DateRUM=Data de signatura del mandat diff --git a/htdocs/langs/cs_CZ/admin.lang b/htdocs/langs/cs_CZ/admin.lang index b483e426502..da92a17d9c6 100644 --- a/htdocs/langs/cs_CZ/admin.lang +++ b/htdocs/langs/cs_CZ/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Boxy MaxNbOfLinesForBoxes=Maximální počet řádků pro widgety AllWidgetsWereEnabled=Všechny dostupné widgety jsou povoleny +WidgetAvailable=Widget available PositionByDefault=Výchozí pořadí Position=Pozice MenusDesc=V nastavení menu nastavíte obsah obou panelů nabídek (horizontální i vertikální). @@ -374,7 +375,7 @@ DoTestSendHTML=Vyzkoušet odesílání HTML ErrorCantUseRazIfNoYearInMask=Chyba, nelze použít volbu @ pro reset čítače každý rok, když posloupnost {yy} nebo {yyyy} není v masce. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Chyba, nelze použít volbu @ pokud posloupnost {yy}{mm} or {yyyy}{mm} není uvedena v masce. UMask=Umask parametr pro nové soubory na Unix / Linux / BSD / Mac systému souborů. -UMaskExplanation=Tento parametr umožňuje definovat výchozí oprávnění souborl vytvořených Dolibarr systémem na serveru (např. během nahrávání).
    Musí se jednat o osmičkovou hodnotu (např. 0666 znamená číst a psát pro všechny).
    Tento parametr je na serverech Windows k ničemu. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Podívejte se na stránku Wiki, kde najdete seznam přispěvatelů a jejich organizace UseACacheDelay= Zpoždění pro ukládání výsledku exportu do mezipaměti v sekundách (0 nebo prázdné pro neukládání) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind konverze možnosti Module3200Name=Nezměnitelné archivy Module3200Desc=Povolení nezměnitelného protokolu obchodních událostí. Události jsou archivovány v reálném čase. Protokol je tabulka řetězových událostí jen pro čtení, která lze exportovat. Tento modul může být pro některé země povinný. Module3300Name=Module Builder -Module3200Desc=Povolení nezměnitelného protokolu obchodních událostí. Události jsou archivovány v reálném čase. Protokol je tabulka řetězových událostí jen pro čtení, která lze exportovat. Tento modul může být pro některé země povinný. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Sociální sítě Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Nastavení WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/cs_CZ/interventions.lang b/htdocs/langs/cs_CZ/interventions.lang index 5bebd024405..cd70f4bd6b6 100644 --- a/htdocs/langs/cs_CZ/interventions.lang +++ b/htdocs/langs/cs_CZ/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Skryje hodiny a minuty z data pole pro zásahové InterventionStatistics=Statistiky intervencí NbOfinterventions=Počet zásahových karet NumberOfInterventionsByMonth=Počet intervenčních karet podle měsíce (datum platnosti) -AmountOfInteventionNotIncludedByDefault=Částka intervence není zahrnutá do výkazu zisku (ve většině případů se časové pásmo používá k počítání vynaloženého času). Přidejte možnost PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT na hodnotu 1 do domova-nastavení-jiné, abyste je zahrnovali. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=intervence id InterRef=Intervence ref. InterDateCreation=Datum vytvoření intervence @@ -66,3 +66,7 @@ RepeatableIntervention=Šablona intervence ToCreateAPredefinedIntervention=Chcete-li vytvořit předdefinovaný nebo opakující se zásah, vytvořte společný zásah a převeďte jej na intervenční šablonu ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? GenerateInter=Generate intervention +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/cs_CZ/mails.lang b/htdocs/langs/cs_CZ/mails.lang index 53cf8879162..82d4ebcb7a6 100644 --- a/htdocs/langs/cs_CZ/mails.lang +++ b/htdocs/langs/cs_CZ/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Kontakty podle pozice MailingModuleDescEmailsFromFile=Emaily ze souboru MailingModuleDescEmailsFromUser=Emaily zadávané uživatelem MailingModuleDescDolibarrUsers=Uživatelé s e-maily -MailingModuleDescThirdPartiesByCategories=Subjekty (podle kategorií) +MailingModuleDescThirdPartiesByCategories=Subjekty SendingFromWebInterfaceIsNotAllowed=Odesílání z webového rozhraní není povoleno. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/cy_GB/admin.lang b/htdocs/langs/cy_GB/admin.lang index ed7c0f29233..32d0d09b175 100644 --- a/htdocs/langs/cy_GB/admin.lang +++ b/htdocs/langs/cy_GB/admin.lang @@ -145,6 +145,7 @@ Box=Teclyn Boxes=Teclynnau MaxNbOfLinesForBoxes=Max. nifer y llinellau ar gyfer teclynnau AllWidgetsWereEnabled=Mae'r holl widgets sydd ar gael wedi'u galluogi +WidgetAvailable=Widget available PositionByDefault=Gorchymyn diofyn Position=Swydd MenusDesc=Mae rheolwyr dewislen yn gosod cynnwys y ddau far dewislen (llorweddol a fertigol). @@ -374,7 +375,7 @@ DoTestSendHTML=Prawf anfon HTML ErrorCantUseRazIfNoYearInMask=Gwall, ni ellir defnyddio opsiwn @ i ailosod cownter bob blwyddyn os nad yw dilyniant {yy} neu {yyyy} mewn mwgwd. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Gwall, ni allwn ddefnyddio opsiwn @ os nad yw dilyniant {yy}{mm} neu {yyyy}{mm} mewn mwgwd. UMask=Paramedr UMask ar gyfer ffeiliau newydd ar system ffeiliau Unix/Linux/BSD/Mac. -UMaskExplanation=Mae'r paramedr hwn yn caniatáu ichi ddiffinio caniatâd a osodwyd yn ddiofyn ar ffeiliau a grëwyd gan Dolibarr ar y gweinydd (yn ystod uwchlwytho er enghraifft).
    Rhaid iddo fod y gwerth wythol (er enghraifft, mae 0666 yn golygu darllen ac ysgrifennu i bawb).
    Mae'r paramedr hwn yn ddiwerth ar weinydd Windows. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Cymerwch olwg ar y dudalen Wiki am restr o gyfranwyr a'u sefydliad UseACacheDelay= Oedi ar gyfer caching ymateb allforio mewn eiliadau (0 neu wag am ddim celc) DisableLinkToHelpCenter=Cuddio'r ddolen " Angen help neu gefnogaeth " ar y dudalen mewngofnodi @@ -663,7 +664,7 @@ Module2900Desc=Galluoedd trosi GeoIP Maxmind Module3200Name=Archifau Annewidiadwy Module3200Desc=Galluogi log na ellir ei newid o ddigwyddiadau busnes. Mae digwyddiadau'n cael eu harchifo mewn amser real. Mae'r log yn dabl darllen yn unig o ddigwyddiadau cadwyn y gellir eu hallforio. Gall y modiwl hwn fod yn orfodol ar gyfer rhai gwledydd. Module3300Name=Module Builder -Module3200Desc=Galluogi log na ellir ei newid o ddigwyddiadau busnes. Mae digwyddiadau'n cael eu harchifo mewn amser real. Mae'r log yn dabl darllen yn unig o ddigwyddiadau cadwyn y gellir eu hallforio. Gall y modiwl hwn fod yn orfodol ar gyfer rhai gwledydd. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Rhwydweithiau Cymdeithasol Module3400Desc=Galluogi meysydd Rhwydweithiau Cymdeithasol yn drydydd partïon a chyfeiriadau (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Defnyddiwch fodd cof isel ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/cy_GB/interventions.lang b/htdocs/langs/cy_GB/interventions.lang index 199e7015404..663e1006acd 100644 --- a/htdocs/langs/cy_GB/interventions.lang +++ b/htdocs/langs/cy_GB/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Yn cuddio oriau a munudau oddi ar y maes dyddiad a InterventionStatistics=Ystadegau ymyriadau NbOfinterventions=Nifer y cardiau ymyrraeth NumberOfInterventionsByMonth=Nifer y cardiau ymyrryd fesul mis (dyddiad dilysu) -AmountOfInteventionNotIncludedByDefault=Nid yw swm yr ymyriad yn cael ei gynnwys yn yr elw yn ddiofyn (yn y rhan fwyaf o achosion, defnyddir taflenni amser i gyfrif yr amser a dreuliwyd). Ychwanegu opsiwn PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT i 1 i'r gosodiad cartref-arall i'w cynnwys. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=ID ymyrraeth InterRef=Cyf ymyrraeth. InterDateCreation=Ymyrraeth creu dyddiad @@ -68,3 +68,5 @@ ConfirmReopenIntervention=A ydych yn siŵr eich bod am agor yr ymyriad %s %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/cy_GB/ticket.lang b/htdocs/langs/cy_GB/ticket.lang index cd780e29517..774793349b6 100644 --- a/htdocs/langs/cy_GB/ticket.lang +++ b/htdocs/langs/cy_GB/ticket.lang @@ -26,6 +26,7 @@ Permission56002=Addasu tocynnau Permission56003=Dileu tocynnau Permission56004=Rheoli tocynnau Permission56005=Gweld tocynnau pob trydydd parti (ddim yn effeithiol ar gyfer defnyddwyr allanol, bob amser yn gyfyngedig i'r trydydd parti y maent yn dibynnu ar) +Permission56006=Export tickets Tickets=Tickets TicketDictType=Tocyn - Mathau @@ -61,6 +62,8 @@ TypeContact_ticket_external_CONTRIBUTOR=Cyfrannwr allanol OriginEmail=Ebost y Gohebydd Notify_TICKET_SENTBYMAIL=Anfon neges tocyn trwy e-bost +ExportDataset_ticket_1=Tickets + # Status Read=Darllen Assigned=Wedi'i neilltuo @@ -183,7 +186,7 @@ CreatedBy=Crëwyd gan NewTicket=Tocyn Newydd SubjectAnswerToTicket=Ateb tocyn TicketTypeRequest=Math o gais -TicketCategory=Categoreiddio tocynnau +TicketCategory=Ticket group SeeTicket=Gweler tocyn TicketMarkedAsRead=Mae'r tocyn wedi'i farcio fel wedi'i ddarllen TicketReadOn=Darllen ymlaen diff --git a/htdocs/langs/da_DK/accountancy.lang b/htdocs/langs/da_DK/accountancy.lang index bfce7602092..3c7a39a0c0f 100644 --- a/htdocs/langs/da_DK/accountancy.lang +++ b/htdocs/langs/da_DK/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Aktivér kombinationsliste for datterselskabskonto (ka ACCOUNTING_DATE_START_BINDING=Definer en dato for start af binding og overførsel i regnskab. Under denne dato overføres transaktionerne ikke til regnskab. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Ved regnskabsoverførsel, hvilken periode er valgt som standard -ACCOUNTING_SELL_JOURNAL=Salgsjournal (salg og returnering) -ACCOUNTING_PURCHASE_JOURNAL=Købsjournal (køb og returnering) -ACCOUNTING_BANK_JOURNAL=Kassekladde (kvitteringer og udbetalinger) +ACCOUNTING_SELL_JOURNAL=Salgsjournal - salg og returnering +ACCOUNTING_PURCHASE_JOURNAL=Købsjournal - køb og returnering +ACCOUNTING_BANK_JOURNAL=Kassekladde - ind- og udbetalinger ACCOUNTING_EXPENSEREPORT_JOURNAL=Udgiftskladde ACCOUNTING_MISCELLANEOUS_JOURNAL=Almindelig journal ACCOUNTING_HAS_NEW_JOURNAL=Ny Journal @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Dette vil slette alle linjer i regnskabet for året/måneden og ConfirmDeleteMvtPartial=Dette vil slette transaktionen fra regnskabet (alle linjer relateret til den samme transaktion vil blive slettet) FinanceJournal=Finanskladde ExpenseReportsJournal=Udgiftskladder +InventoryJournal=Lagerjournal DescFinanceJournal=Regnskabskladde inkl. alle betalingstyper med bankkonto DescJournalOnlyBindedVisible=Dette er en oversigt over poster, der er bundet til en regnskabskonto og kan registreres i tidsskrifterne og hovedbogen. VATAccountNotDefined=Momskonto ikke defineret diff --git a/htdocs/langs/da_DK/admin.lang b/htdocs/langs/da_DK/admin.lang index 7cc08f19041..1a87b301475 100644 --- a/htdocs/langs/da_DK/admin.lang +++ b/htdocs/langs/da_DK/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Maks. antal linjer til widgets AllWidgetsWereEnabled=Alle tilgængelige widgets er aktiveret +WidgetAvailable=Widget tilgængelig PositionByDefault=Standardrækkefølge Position=Position MenusDesc=Menumanager indstiller indholdet af de to menulinjer (vandret og lodret). @@ -374,7 +375,7 @@ DoTestSendHTML=Test afsendelse af HTML ErrorCantUseRazIfNoYearInMask=Fejl, kan ikke bruge option @ til at nulstille tælleren hvert år, hvis sekvensen {yy} eller {yyyy} ikke er i masken. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Fejl, kan ikke bruge option @, hvis sekvensen {yy}{mm} eller {yyyy}{mm} ikke er i masken. UMask=UMask parameter for nye filer på Unix/Linux/BSD/Mac filsystem. -UMaskExplanation=Denne parameter giver dig mulighed for at definere rettigheder sat som standard på filer oprettet af Dolibarr på serveren (under upload for eksempel).
    Det skal være den Oktale værdi (f.eks. betyder 0666 læse og skrive rettigheder for alle).
    Denne parameter bruges ikke på en Windows-server. +UMaskExplanation=Denne parameter giver dig mulighed for at definere tilladelser sat som standard på filer oprettet af Dolibarr på serveren (under upload for eksempel).
    Det skal være den oktale værdi (f.eks. betyder 0666 læse og skrive for alle.). Den anbefalede værdi er 0600 eller 0660
    Denne parameter er ubrugelig på en Windows-server. SeeWikiForAllTeam=Tag et kig på Wiki-siden for en liste over bidragydere og deres organisation UseACacheDelay= Forsinkelse for cachelagring af eksport svar i sekunder (0 eller tom for ingen cache) DisableLinkToHelpCenter=Skjul linket "Brug for hjælp eller support" på login-siden @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind konverteringsmuligheder Module3200Name=Uforanderlige arkiver Module3200Desc=Aktiver en uforanderlig log over forretningsbegivenheder. Begivenheder arkiveres i realtid. Loggen er en skrivebeskyttet tabel over kædede hændelser, der kan eksporteres. Dette modul er obligatorisk i nogle lande. Module3300Name=Modulbygger -Module3200Desc=Aktiver en uforanderlig log over forretningsbegivenheder. Begivenheder arkiveres i realtid. Loggen er en skrivebeskyttet tabel over kædede hændelser, der kan eksporteres. Dette modul er obligatorisk i nogle lande. +Module3300Desc=Et RAD (Rapid Application Development - lav kode og ingen kode) værktøj til at hjælpe udviklere eller avancerede brugere med at bygge deres eget modul/applikation. Module3400Name=Sociale netværk Module3400Desc=Aktiver sociale netværksfelter til tredjeparter og adresser (Skype, Twitter, Facebook, ...). Module4000Name=Personaleadministration @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Brug en tilstand med lav hukommelse ExportUseLowMemoryModeHelp=Brug tilstanden med lav hukommelse til at generere dump-filen (komprimering sker gennem et rør i stedet for ind i PHP-hukommelsen). Denne metode tillader ikke at kontrollere, at filen er komplet, og fejlmeddelelsen kan ikke rapporteres, hvis den mislykkes. Brug det, hvis du oplever ikke nok hukommelsesfejl. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface til at fange dolibarr-udløsere og sende det til en URL +ModuleWebhookDesc = Interface til at fange dolibarr-udløsere og sende data om hændelsen til en URL WebhookSetup = Webhook opsætning Settings = Indstillinger WebhookSetupPage = Webhook opsætningsside @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Advarsel: modulet %s har indsti WarningModuleHasChangedSecurityCsrfParameter=Advarsel: modulet %s har deaktiveret CSRF-sikkerheden for din instans. Denne handling er mistænkelig, og din installation er muligvis ikke længere sikret. Kontakt venligst forfatteren af modulet for forklaring. EMailsInGoingDesc=Indgående e-mails administreres af modulet %s. Du skal aktivere og konfigurere det, hvis du har brug for at understøtte indgående e-mails. MAIN_IMAP_USE_PHPIMAP=Brug PHP-IMAP-biblioteket til IMAP i stedet for native PHP IMAP. Dette tillader også brugen af en OAuth2-forbindelse til IMAP (modulet OAuth skal også være aktiveret). +MAIN_CHECKBOX_LEFT_COLUMN=Vis kolonnen for felt- og linjevalg til venstre (til højre som standard) + +CSSPage=CSS stil diff --git a/htdocs/langs/da_DK/boxes.lang b/htdocs/langs/da_DK/boxes.lang index 8bdaee3825d..fd2a437462d 100644 --- a/htdocs/langs/da_DK/boxes.lang +++ b/htdocs/langs/da_DK/boxes.lang @@ -118,6 +118,27 @@ BoxCustomersOutstandingBillReached=Kunder med en udestående grænse nået UsersHome=Hjemmebrugere og grupper MembersHome=Hjemmemedlemskab ThirdpartiesHome=Hjemme-tredjeparter +productindex=Hjem produkter og tjenester +mrpindex=Hjem MRP +commercialindex=Kommerciel hjemme +projectsindex=Hjemmeprojekter +invoiceindex=Hjem fakturaer +hrmindex=Hjem fakturaer TicketsHome=Hjem billetter +stockindex=Hjem aktier +sendingindex=Hjemfragt +receptionindex=Hjemmodtagelser +activityindex=Hjemmeaktivitet +proposalindex=Boligforslag +ordersindex=Hjem ordrer +orderssuppliersindex=Hjem ordrer leverandører +contractindex=Hjem kontrakter +interventionindex=Hjemlige indgreb +suppliersproposalsindex=Forslag til boligleverandører +donationindex=Hjem donationer +specialexpensesindex=Udgifter til specialtilbud i hjemmet +expensereportindex=Udgiftsrapport for hjemmet +mailingindex=Hjemmepost +opensurveyindex=Hjem åben undersøgelse AccountancyHome=Hjemregnskab ValidatedProjects=Validerede projekter diff --git a/htdocs/langs/da_DK/ecm.lang b/htdocs/langs/da_DK/ecm.lang index aadd50b447c..50d410f66e4 100644 --- a/htdocs/langs/da_DK/ecm.lang +++ b/htdocs/langs/da_DK/ecm.lang @@ -19,7 +19,7 @@ ECMArea=DMS / ECM område ECMAreaDesc=DMS / ECM (Document Management System / Electronic Content Management) -området giver dig mulighed for at gemme, dele og søge hurtigt alle slags dokumenter i Dolibarr. ECMAreaDesc2a=* Manual mapper kan bruges til at gemme dokumenter, der ikke er knyttet til et bestemt element. ECMAreaDesc2b=* Automatiske mapper udfyldes automatisk, når du tilføjer dokumenter fra siden af et element. -ECMAreaDesc3=* Medias mapper er filer i underbiblioteket /medias i dokumentbiblioteket, læsbare af alle uden behov for at blive logget og uden behov for at få filen delt eksplicit. Det bruges til at gemme billedfiler fra e-mail eller webstedsmodul. +ECMAreaDesc3=* Medias mapper er filer i underbiblioteket /medias i dokumentbiblioteket, læsbare af alle uden behov for at blive logget og uden behov for at få filen delt eksplicit. Det bruges til at gemme billedfiler til for eksempel e-mail- eller hjemmesidemodulet. ECMSectionWasRemoved=Directory %s er blevet slettet. ECMSectionWasCreated=Katalog %s er blevet oprettet. ECMSearchByKeywords=Søg på nøgleord diff --git a/htdocs/langs/da_DK/errors.lang b/htdocs/langs/da_DK/errors.lang index 1739bd8c8fe..6970140be26 100644 --- a/htdocs/langs/da_DK/errors.lang +++ b/htdocs/langs/da_DK/errors.lang @@ -262,6 +262,7 @@ ErrorParameterMustBeEnabledToAllwoThisFeature=Fejl, parameter %s skal a ErrorLoginDateValidity=Fejl, dette login er uden for gyldighedsdatointervallet ErrorValueLength=Feltets længde ' %s ' skal være højere end ' %s ' ErrorReservedKeyword=Ordet ' %s ' er et forbeholdt nøgleord +ErrorFilenameReserved=Filnavnet %s kan ikke bruges, da det er en reserveret og beskyttet kommando. ErrorNotAvailableWithThisDistribution=Ikke tilgængelig med denne distribution ErrorPublicInterfaceNotEnabled=Offentlig grænseflade var ikke aktiveret ErrorLanguageRequiredIfPageIsTranslationOfAnother=Sprog for den nye side skal defineres, hvis det er indstillet som en oversættelse af en anden side @@ -308,7 +309,7 @@ ErrorExistingPermission = Tilladelse %s for objekt %s findes a ErrorFieldExist=Værdien for %s findes allerede ErrorEqualModule=Modul ugyldigt i %s ErrorFieldValue=Værdien for %s er forkert -ErrorCoherenceMenu= %s er påkrævet, når % er lig med VENSTRE +ErrorCoherenceMenu= %s er påkrævet, når %s a09a4b739f17left'0 er ' # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Din PHP-parameter upload_max_filesize (%s) er højere end PHP-parameter post_max_size (%s). Dette er ikke en ensartet opsætning. diff --git a/htdocs/langs/da_DK/interventions.lang b/htdocs/langs/da_DK/interventions.lang index 4784f2f4fe5..e18aa70ba87 100644 --- a/htdocs/langs/da_DK/interventions.lang +++ b/htdocs/langs/da_DK/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Skjuler timer og minutter fra datofeltet for indgr InterventionStatistics=Statistikker af indgreb NbOfinterventions=Antal interventionskort NumberOfInterventionsByMonth=Antal interventionskort efter måned (dato for bekræftelse) -AmountOfInteventionNotIncludedByDefault=Indgreb beløb er ikke medtaget som standard i overskud (i de fleste tilfælde benyttes tidsskemaer til at tælle tid). Tilføj valgmulighed PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT til 1 i home setup-andre for at inkludere dem. +AmountOfInteventionNotIncludedByDefault=Interventionsbeløb er ikke som standard inkluderet i overskuddet (i de fleste tilfælde bruges timesedler til at tælle brugt tid). Du kan bruge PROJECT_ELEMENTS_FOR_ADD_MARGIN og PROJECT_ELEMENTS_FOR_MINUS_MARGIN valgmuligheden i home-setup-other for at fuldføre listen over elementer inkluderet i profit. InterId=Indgrebs id InterRef=Indgreb ref. InterDateCreation=Dato oprettelse for indgreb diff --git a/htdocs/langs/da_DK/mails.lang b/htdocs/langs/da_DK/mails.lang index 990dd9266d7..81314c1e241 100644 --- a/htdocs/langs/da_DK/mails.lang +++ b/htdocs/langs/da_DK/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=E-mails fra filen MailingModuleDescEmailsFromUser=Emails indlæst af brugeren MailingModuleDescDolibarrUsers=Brugere med e-mails -MailingModuleDescThirdPartiesByCategories=Tredjeparter (efter kategorier) +MailingModuleDescThirdPartiesByCategories=Tredje partier SendingFromWebInterfaceIsNotAllowed=Afsendelse fra webgrænseflade er ikke tilladt. EmailCollectorFilterDesc=Alle filtre skal matche for at en e-mail bliver indsamlet @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Post oprettet af Email Collector %s fra e-mail %s DefaultBlacklistMailingStatus=Standardværdi for feltet '%s' ved oprettelse af en ny kontaktperson DefaultStatusEmptyMandatory=Tom men obligatorisk WarningLimitSendByDay=ADVARSEL: Opsætningen eller kontrakten for din instans begrænser dit antal e-mails pr. dag til %s. Forsøg på at sende mere kan resultere i, at din instans bliver langsommere eller suspenderet. Kontakt venligst din support, hvis du har brug for en højere kvote. +NoMoreRecipientToSendTo=Ikke flere modtagere at sende e-mailen til diff --git a/htdocs/langs/da_DK/main.lang b/htdocs/langs/da_DK/main.lang index 5a33e5b69d0..d953a53564c 100644 --- a/htdocs/langs/da_DK/main.lang +++ b/htdocs/langs/da_DK/main.lang @@ -514,6 +514,7 @@ NotYetAvailable=Ikke tilgængelig endnu  NotAvailable=Ikke til rådighed Categories=Tags/kategorier Category=Tags/kategori +SelectTheTagsToAssign=Vælg de tags/kategorier, der skal tildeles By=Ved From=Fra FromDate=Fra @@ -1223,5 +1224,6 @@ AddToContacts=Tilføj adresse til mine kontakter LastAccess=Sidste adgang UploadAnImageToSeeAPhotoHere=Upload et billede fra fanen %s for at se et billede her LastPasswordChangeDate=Dato for sidste ændring af adgangskode -PublicVirtualCardUrl=Virtuel visitkortside +PublicVirtualCardUrl=Virtuelt visitkortside URL +PublicVirtualCard=Virtuelt visitkort TreeView=Træ oversigt diff --git a/htdocs/langs/da_DK/margins.lang b/htdocs/langs/da_DK/margins.lang index 94e6a992cee..c4fc58bd086 100644 --- a/htdocs/langs/da_DK/margins.lang +++ b/htdocs/langs/da_DK/margins.lang @@ -6,6 +6,7 @@ TotalMargin=Total margen MarginOnProducts=Margen / Produkter MarginOnServices=Margin / Services MarginRate=Margen sats +ModifyMarginRates=Rediger marginsatser MarkRate=Mark rate DisplayMarginRates=Vis margen satser DisplayMarkRates=Vis markeringsrenter diff --git a/htdocs/langs/da_DK/members.lang b/htdocs/langs/da_DK/members.lang index f9159214a1e..5afe331dcb9 100644 --- a/htdocs/langs/da_DK/members.lang +++ b/htdocs/langs/da_DK/members.lang @@ -4,6 +4,8 @@ MemberCard=Medlem kortet SubscriptionCard=Subscription kortet Member=Medlem Members=Medlemmer +NoRecordedMembers=Ingen registrerede medlemmer +NoRecordedMembersByType=Ingen registrerede medlemmer ShowMember=Vis medlemskort UserNotLinkedToMember=Brugeren ikke er knyttet til et medlem ThirdpartyNotLinkedToMember=Tredjepart, der ikke er knyttet til et medlem @@ -233,3 +235,4 @@ CreateDolibarrThirdPartyDesc=En tredjepart er den juridiske enhed, der vil blive MemberFirstname=Medlemmets fornavn MemberLastname=Medlemmets efternavn MemberCodeDesc=Medlemskode, unik for alle medlemmer +NoRecordedMembers=Ingen registrerede medlemmer diff --git a/htdocs/langs/da_DK/mrp.lang b/htdocs/langs/da_DK/mrp.lang index 22b926c5ef5..db7573d80a4 100644 --- a/htdocs/langs/da_DK/mrp.lang +++ b/htdocs/langs/da_DK/mrp.lang @@ -119,3 +119,6 @@ BomCantAddChildBom=Nomenklaturen %s er allerede til stede i træet, der fører t BOMNetNeeds = Stykliste nettobehov BOMProductsList=BOMs produkter BOMServicesList=BOMs ydelser +Manufacturing=Fremstilling +Disassemble=Skille ad +ProducedBy=Produceret af diff --git a/htdocs/langs/da_DK/partnership.lang b/htdocs/langs/da_DK/partnership.lang index a45f85923a4..db38e31ed60 100644 --- a/htdocs/langs/da_DK/partnership.lang +++ b/htdocs/langs/da_DK/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=Partnerskab: Tjek henvisende backlink # Menu # NewPartnership=Nyt partnerskab -NewPartnershipbyWeb= Dit partnerskab blev tilføjet med succes. +NewPartnershipbyWeb=Din partnerskabsanmodning er blevet tilføjet. Vi kontakter dig muligvis snart... ListOfPartnerships=Liste over partnerskab # diff --git a/htdocs/langs/da_DK/ticket.lang b/htdocs/langs/da_DK/ticket.lang index 14f5fcde62b..d76b0d980e7 100644 --- a/htdocs/langs/da_DK/ticket.lang +++ b/htdocs/langs/da_DK/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Lavet af NewTicket=Ny sag SubjectAnswerToTicket=Sags svar TicketTypeRequest=Anmodningstype -TicketCategory=Sagskategorisering +TicketCategory=Billetgruppe SeeTicket=Se sag TicketMarkedAsRead=Sagen er blevet markeret som læst TicketReadOn=Læs videre diff --git a/htdocs/langs/de_CH/main.lang b/htdocs/langs/de_CH/main.lang index eec8f32e6ee..cf46e719d05 100644 --- a/htdocs/langs/de_CH/main.lang +++ b/htdocs/langs/de_CH/main.lang @@ -173,9 +173,7 @@ Ref=Nummer RefSupplier=Lieferantennummer RefPayment=Zahlungs-Nr. ActionsToDo=Aktionen zur Erledigung -ActionsToDoShort=Zu erledigen ActionRunningNotStarted=Nicht begonnen -ActionRunningShort=In Bearbeitung LatestLinkedEvents=Die neuesten %s verknüpften Vorgänge CompanyFoundation=Firma / Organisation ContactsForCompany=Ansprechpartner/Adressen dieses Geschäftspartners @@ -185,8 +183,6 @@ ActionsOnContact=Ereignisse zu diesem Kontakt ActionsOnContract=Ereignisse zu diesem Vertrag ActionsOnMember=Aktionen zu diesem Mitglied ActionsOnProduct=Vorgänge zu diesem Produkt -ToDo=Zu erledigen -Running=In Bearbeitung RequestAlreadyDone=Anfrage bereits bekannt Generate=Erstelle DolibarrStateBoard=Datenbankstatistiken diff --git a/htdocs/langs/de_CH/ticket.lang b/htdocs/langs/de_CH/ticket.lang index af534077747..953bd7d53ce 100644 --- a/htdocs/langs/de_CH/ticket.lang +++ b/htdocs/langs/de_CH/ticket.lang @@ -1,6 +1,5 @@ # Dolibarr language file - Source file is en_US - ticket TypeContact_ticket_external_SUPPORTCLI=Kundenkontakt / Störfallverfolgung Read=Lesen -InProgress=In Bearbeitung TicketCloseOn=Schliessungsdatum TicketAddIntervention=Einsatz erstellen diff --git a/htdocs/langs/de_DE/accountancy.lang b/htdocs/langs/de_DE/accountancy.lang index 521161d3f8f..e204ee91b47 100644 --- a/htdocs/langs/de_DE/accountancy.lang +++ b/htdocs/langs/de_DE/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Combo-Liste für Nebenkonto aktivieren (kann langsam s ACCOUNTING_DATE_START_BINDING=Definieren Sie ein Datum, an dem die Bindung und Übertragung in der Buchhaltung beginnen soll. Transaktionen vor diesem Datum werden nicht in die Buchhaltung übertragen. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Welcher Zeitraum ist beim Buchhaltungstransfer standardmäßig ausgewählt? -ACCOUNTING_SELL_JOURNAL=Verkaufsjournal (Verkäufe und Retouren) -ACCOUNTING_PURCHASE_JOURNAL=Einkaufsjournal (Käufe und Retouren) -ACCOUNTING_BANK_JOURNAL=Kassenbuch (Einnahmen und Ausgaben) +ACCOUNTING_SELL_JOURNAL=Verkaufsjournal - Verkäufe und Retouren +ACCOUNTING_PURCHASE_JOURNAL=Einkaufsjournal - Käufe und Retouren +ACCOUNTING_BANK_JOURNAL=Kassenbuch - Einnahmen und Ausgaben ACCOUNTING_EXPENSEREPORT_JOURNAL=Spesen-Abrechnungs-Journal ACCOUNTING_MISCELLANEOUS_JOURNAL=Sammeljournal ACCOUNTING_HAS_NEW_JOURNAL=Eröffnungsjournal @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Dadurch werden alle Buchungszeilen für das Jahr/den Monat und/ ConfirmDeleteMvtPartial=Hierdurch wird die Transaktion aus der Buchhaltung gelöscht (alle Zeilen, die sich auf dieselbe Transaktion beziehen, werden gelöscht). FinanceJournal=Finanzjournal ExpenseReportsJournal=Spesenabrechnungsjournal +InventoryJournal=Bestandsjournal DescFinanceJournal=Finanzjournal inklusive aller Arten von Zahlungen mit Bankkonto DescJournalOnlyBindedVisible=Dies ist eine Ansicht von Datensätzen, denen ein Buchungskonto zugeordnet ist und die in den Journalen und im Hauptbuch erfasst werden können. VATAccountNotDefined=Steuerkonto nicht definiert diff --git a/htdocs/langs/de_DE/admin.lang b/htdocs/langs/de_DE/admin.lang index 9ebc81795f1..cc92cfc6c3c 100644 --- a/htdocs/langs/de_DE/admin.lang +++ b/htdocs/langs/de_DE/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Maximale Zeilenanzahl in Widgets AllWidgetsWereEnabled=Alle verfügbaren Widgets sind bereits aktiviert. +WidgetAvailable=Widget verfügbar PositionByDefault=Standardposition Position=Position MenusDesc=In der Menüverwaltung können Sie den Inhalt der beiden Menüleisten (Oben und Links) festlegen @@ -374,7 +375,7 @@ DoTestSendHTML=Zum Testen HTML zusenden ErrorCantUseRazIfNoYearInMask=Fehler: die Option @ kann nicht benutzt werden, um den Zähler jährlich zurück zu setzen, wenn die Sequenz {yy} oder {yyyy} in der Maske fehlt. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Fehler: Kann Option @ nicht verwenden, wenn Sequenz {mm}{yy} oder {mm}{yyyy} nicht im Schema verwendet werden. UMask=UMask-Parameter für neue Dateien auf Unix/Linux/BSD-Dateisystemen. -UMaskExplanation=Über diesen Parameter können Sie die standardmäßigen Dateiberechtigungen für vom System erzeugte/verwaltete Inhalte festlegen.
    Erforderlich ist ein Oktalwert (0666 bedeutet z.B. Lesen und Schreiben für alle).
    Auf Windows-Umgebungen haben diese Einstellungen keinen Effekt. +UMaskExplanation=Mit diesem Parameter können Sie Berechtigungen definieren, die standardmäßig für Dateien festgelegt werden, die von Dolibarr auf dem Server erstellt wurden (z. B. während des Hochladens).
    Es muss ein Oktalwert sein (z. B. bedeutet 0666 Lesen und Schreiben für alle). Empfohlener Wert ist 0600 oder 0660
    Dieser Parameter ist auf einem Windows-Server nutzlos. SeeWikiForAllTeam=Werfen Sie einen Blick auf die Wiki-Seite für eine vollständige Liste aller Mitwirkenden und deren Organisationen UseACacheDelay= Verzögerung für den Export der Cache-Antwort in Sekunden (0 oder leer für kein Caching) DisableLinkToHelpCenter=Link "Brauche Hilfe oder Support" auf der Login-Seite ausblenden @@ -663,9 +664,9 @@ Module2900Desc=GeoIP Maxmind Konvertierung Module3200Name=Unveränderliche Archive Module3200Desc=Aktivieren Sie ein unveränderliches Protokoll von Geschäftsereignissen. Ereignisse werden in Echtzeit archiviert. Das Protokoll ist eine schreibgeschützte Tabelle mit verketteten Ereignissen, die exportiert werden können. Dieses Modul kann für einige Länder zwingend erforderlich sein. Module3300Name=Module-Builder -Module3200Desc=Aktivieren Sie ein unveränderliches Protokoll von Geschäftsereignissen. Ereignisse werden in Echtzeit archiviert. Das Protokoll ist eine schreibgeschützte Tabelle mit verketteten Ereignissen, die exportiert werden können. Dieses Modul kann für einige Länder zwingend erforderlich sein. +Module3300Desc=Ein RAD-Tool (Rapid Application Development – Low-Code und No-Code), das Entwicklern oder fortgeschrittenen Benutzern hilft, ihre eigenen Module/Anwendungen zu erstellen. Module3400Name=Soziale Netzwerke -Module3400Desc=Aktiviert Felder für soziale Netzwerke für Dritte und Adressen (Skype, Twitter, Facebook, ...). +Module3400Desc=Aktiviert Felder für soziale Netzwerke für Geschäftspartner und Kontakte (Skype, Twitter, Facebook, ...). Module4000Name=Personal Module4000Desc=Personalverwaltung Module5000Name=Mandantenfähigkeit @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Verwenden Sie einen Low-Memory-Modus ExportUseLowMemoryModeHelp=Verwenden Sie den Low-Memory-Modus, um die Dump-Datei zu generieren (die Komprimierung erfolgt über eine Pipe statt in den PHP-Speicher). Mit dieser Methode kann nicht überprüft werden, ob die Datei vollständig ist, und es kann keine Fehlermeldung gemeldet werden, wenn der Vorgang fehlschlägt. Verwenden Sie diesen Modus, wenn Sie die Fehlermeldung "nicht genügend Speicher" erhalten. ModuleWebhookName = Webhook -ModuleWebhookDesc = Schnittstelle zum Abfangen von Dolibarr-Triggern und zum Senden an eine URL +ModuleWebhookDesc = Schnittstelle zum Abfangen von Dolibarr-Triggern und Senden von Daten des Ereignisses an eine URL WebhookSetup = Webhook-Einrichtung Settings = Einstellungen WebhookSetupPage = Webhook-Einrichtungsseite @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Achtung: Das Modul %s hat einen WarningModuleHasChangedSecurityCsrfParameter=Warnung: Das Modul %s hat die CSRF-Sicherheit Ihrer Instanz deaktiviert. Diese Aktion ist verdächtig und Ihre Installation ist möglicherweise nicht mehr gesichert. Bitte wenden Sie sich zur Erläuterung an den Autor des Moduls. EMailsInGoingDesc=Eingehende E-Mails werden vom Modul %s verwaltet. Sie müssen es aktivieren und konfigurieren, wenn Sie eingehende E-Mails unterstützen müssen. MAIN_IMAP_USE_PHPIMAP=Verwenden Sie die PHP-IMAP-Bibliothek für IMAP anstelle von nativem PHP-IMAP. Dies ermöglicht auch die Verwendung einer OAuth2-Verbindung für IMAP (Modul OAuth muss ebenfalls aktiviert sein). +MAIN_CHECKBOX_LEFT_COLUMN=Spalte für Feld- und Zeilenauswahl links anzeigen (standardmäßig rechts) + +CSSPage=CSS-Style diff --git a/htdocs/langs/de_DE/boxes.lang b/htdocs/langs/de_DE/boxes.lang index 21627668e2e..ff43c0816ca 100644 --- a/htdocs/langs/de_DE/boxes.lang +++ b/htdocs/langs/de_DE/boxes.lang @@ -118,6 +118,27 @@ BoxCustomersOutstandingBillReached=Kunden mit erreichtem Aussenstände-Limit UsersHome=Start Benutzer und Gruppen MembersHome=Start Mitgliedschaft ThirdpartiesHome=Start Geschäftspartner +productindex=Startseite Produkte und Leistungen +mrpindex=Startseite MRP +commercialindex=Startseite Einkauf | Vertrieb +projectsindex=Startseite Projekte +invoiceindex=Startseite Rechnungen +hrmindex=Startseite Personalwesen TicketsHome=Start Tickets +stockindex=Startseite Warenlager +sendingindex=Startseite Lieferungen +receptionindex=Startseite Wareneingänge +activityindex=Startseite Aufgaben | Tätigkeiten +proposalindex=Startseite Angebote +ordersindex=Startseite Kundenaufträge +orderssuppliersindex=Startseite Lieferantenbestellungen +contractindex=Startseite Verträge +interventionindex=Startseite Serviceaufträge +suppliersproposalsindex=Startseite Lieferantenangebote +donationindex=Startseite Spenden +specialexpensesindex=Startseite Steuern | Sozialabgaben +expensereportindex=Startseite Spesenabrechnungen +mailingindex=Startseite E-Mail-Kampagnen +opensurveyindex=Startseite Umfragen AccountancyHome=Start Buchhaltung ValidatedProjects=Validierte Projekte diff --git a/htdocs/langs/de_DE/ecm.lang b/htdocs/langs/de_DE/ecm.lang index f5a10c0deb2..54c6632e3df 100644 --- a/htdocs/langs/de_DE/ecm.lang +++ b/htdocs/langs/de_DE/ecm.lang @@ -19,7 +19,7 @@ ECMArea=DMS/ECM Bereich ECMAreaDesc=Der Bereich DMS/ECM (Document Management System / Electronic Content Management) ermöglicht Ihnen das schnelle Speichern, Teilen und Durchsuchen von Dokumenten aller Art in Dolibarr. ECMAreaDesc2a=* Manuelle Verzeichnisse können verwendet werden, um Dokumente zu speichern, die nicht mit einem bestimmten Element verknüpft sind. ECMAreaDesc2b=* Automatische Verzeichnisse werden automatisch gefüllt, wenn Dokumente von der Seite eines Elements hinzugefügt werden. -ECMAreaDesc3=* Medienverzeichnis umfasst Dateien im Unterverzeichnis /medias des Dokumentenverzeichnisses, die von jedem gelesen werden können, ohne dass eine Anmeldung erforderlich ist und die Datei nicht explizit freigegeben werden muss. Es wird verwendet, um Bilddateien von E-Mail- oder Website-Modulen zu speichern. +ECMAreaDesc3=* Medienverzeichnisse sind Dateien im Unterverzeichnis /medias des Dokumentenverzeichnisses, die von jedem gelesen werden können, ohne dass eine Anmeldung erforderlich ist und die Datei nicht explizit freigegeben werden muss. Darin werden beispielsweise Bilddateien für das E-Mail- oder Website-Modul gespeichert. ECMSectionWasRemoved=Verzeichnis %s wurde gelöscht. ECMSectionWasCreated=Verzeichnis %s wurde erstellt. ECMSearchByKeywords=Suche nach Stichwörtern diff --git a/htdocs/langs/de_DE/errors.lang b/htdocs/langs/de_DE/errors.lang index 0f51b201082..b069d878900 100644 --- a/htdocs/langs/de_DE/errors.lang +++ b/htdocs/langs/de_DE/errors.lang @@ -262,6 +262,7 @@ ErrorParameterMustBeEnabledToAllwoThisFeature=Fehler, Parameter %s muss ErrorLoginDateValidity=Fehler, diese Anmeldung liegt außerhalb des Gültigkeitszeitraums ErrorValueLength=Die Länge des Feldes ' %s ' muss höher sein als ' %s '. ErrorReservedKeyword=Das Wort ' %s ' ist ein reserviertes Schlüsselwort +ErrorFilenameReserved=Der Dateiname %s kann nicht verwendet werden, da es sich um einen reservierten und geschützten Befehl handelt. ErrorNotAvailableWithThisDistribution=Nicht verfügbar mit dieser Version ErrorPublicInterfaceNotEnabled=Öffentliche Schnittstelle wurde nicht aktiviert ErrorLanguageRequiredIfPageIsTranslationOfAnother=Die Sprache der neuen Seite muss definiert werden, wenn sie als Übersetzung einer anderen Seite festgelegt ist @@ -308,7 +309,7 @@ ErrorExistingPermission = Berechtigung %s für Objekt %s existiert ErrorFieldExist=Der Wert für %s existiert bereits ErrorEqualModule=Modul ungültig in %s ErrorFieldValue=Der Wert für %s ist falsch -ErrorCoherenceMenu= %s ist erforderlich, wenn % LEFT ist +ErrorCoherenceMenu= %s ist erforderlich, wenn %s 'left' ist # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Ihr PHP Parameter upload_max_filesize (%s) ist größer als Parameter post_max_size (%s). Dies ist eine inkonsistente Einstellung. diff --git a/htdocs/langs/de_DE/interventions.lang b/htdocs/langs/de_DE/interventions.lang index 5a7e2d3142f..658581c66df 100644 --- a/htdocs/langs/de_DE/interventions.lang +++ b/htdocs/langs/de_DE/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Stunden- und Minutenfelder beim Datum von Einsatze InterventionStatistics=Statistik Serviceaufträge NbOfinterventions=Anzahl Dokumente für Serviceaufträge NumberOfInterventionsByMonth=Anzahl Dokumente für Serviceaufträge pro Monat (Freigabedatum) -AmountOfInteventionNotIncludedByDefault=Der Beitrag der Einsätze ist normalerweise nicht im Umsatz enthalten. (In den meisten Fällen werden die Einsatzstunden separat erfasst). Die globale Option PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT auf 1 setzen, damit diese berücksichtigt werden. +AmountOfInteventionNotIncludedByDefault=Der Umsatz der Serviceaufträge wird standardmäßig nicht in den Gewinn einbezogen (in den meisten Fällen werden Stundenzettel verwendet, um die aufgewendete Zeit zu zählen). Sie können die Optionen PROJECT_ELEMENTS_FOR_ADD_MARGIN und PROJECT_ELEMENTS_FOR_MINUS_MARGIN in home-setup-other verwenden, um die Liste der in den Gewinn einbezogenen Elemente zu vervollständigen. InterId=Serviceauftrag ID InterRef=Serviceauftrag Ref. InterDateCreation=Erstellungszeitpunkt Serviceauftrag diff --git a/htdocs/langs/de_DE/mails.lang b/htdocs/langs/de_DE/mails.lang index 7bce9acc096..081c24ed61c 100644 --- a/htdocs/langs/de_DE/mails.lang +++ b/htdocs/langs/de_DE/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Kontakte nach Position MailingModuleDescEmailsFromFile=E-Mail-Adressen aus csv-Datei importieren MailingModuleDescEmailsFromUser=E-Mail-Adresse durch manuelle Eingabe hinzufügen MailingModuleDescDolibarrUsers=Benutzer mit E-Mail-Adresse -MailingModuleDescThirdPartiesByCategories=Geschäftspartner (nach Kategorien) +MailingModuleDescThirdPartiesByCategories=Geschäftspartner SendingFromWebInterfaceIsNotAllowed=Versand vom Webinterface ist nicht erlaubt EmailCollectorFilterDesc=Alle Filter müssen übereinstimmen, damit eine E-Mail erfasst wird @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Datensatz, der vom E-Mail-Sammler %s aus der E-Mai DefaultBlacklistMailingStatus=Standardwert für Feld '%s' beim Anlegen eines neuen Kontakts DefaultStatusEmptyMandatory=Leer aber erforderlich WarningLimitSendByDay=WARNUNG: Die Konfiguration oder der Vertrag Ihrer Instanz begrenzt Ihre Anzahl von E-Mails pro Tag auf %s . Der Versuch mehr zu senden kann dazu führen, dass Ihre Instanz langsamer wird oder ausgesetzt wird. Bitte wenden Sie sich an Ihren Support, wenn Sie ein höheres Kontingent benötigen. +NoMoreRecipientToSendTo=Kein weiteren Empfänger, an die die E-Mail gesendet werden kann diff --git a/htdocs/langs/de_DE/main.lang b/htdocs/langs/de_DE/main.lang index 56e9c337bfe..98e4591335e 100644 --- a/htdocs/langs/de_DE/main.lang +++ b/htdocs/langs/de_DE/main.lang @@ -472,13 +472,13 @@ CommercialProposalsShort=Angebote Comment=Kommentar Comments=Kommentare ActionsToDo=Aufgaben -ActionsToDoShort=zu erledigen +ActionsToDoShort=Zu erledigen ActionsDoneShort=Erledigt ActionNotApplicable=Nicht anwendbar ActionRunningNotStarted=zu beginnen -ActionRunningShort=in Bearbeitung +ActionRunningShort=In Bearbeitung ActionDoneShort=Abgeschlossen -ActionUncomplete=Unvollständig +ActionUncomplete=Offen LatestLinkedEvents=Zuletzt verknüpfte Ereignisse (maximal %s) CompanyFoundation=Firma oder Institution Accountant=Buchhalter @@ -492,9 +492,9 @@ ActionsOnMember=Ereignisse zu diesem Mitglied ActionsOnProduct=Ereignisse zu diesem Produkt ActionsOnAsset=Ereignisse für dieses Anlagegut NActionsLate=%s verspätet -ToDo=zu erledigen +ToDo=Zu erledigen Completed=Abgeschlossen -Running=in Bearbeitung +Running=In Bearbeitung RequestAlreadyDone=Überweisungsauftrag ist bereits erstellt Filter=Filter FilterOnInto=Suchkriterium '%s' ist in den Feldern %s @@ -514,6 +514,7 @@ NotYetAvailable=Noch nicht verfügbar NotAvailable=Nicht verfügbar Categories=Kategorien Category=Suchwort/Kategorie +SelectTheTagsToAssign=Wählen Sie die zuzuweisenden Kategorien/Schlagworte aus By=Durch From=Von FromDate=Von @@ -1223,5 +1224,6 @@ AddToContacts=Adresse zu meinen Kontakten hinzufügen LastAccess=Letzter Zugriff UploadAnImageToSeeAPhotoHere=Laden Sie ein Bild auf der Registerkarte %s hoch, um hier ein Foto zu sehen LastPasswordChangeDate=Datum der letzten Passwortänderung -PublicVirtualCardUrl=Virtuelle Visitenkartenseite +PublicVirtualCardUrl=URL der virtuellen Visitenkartenseite +PublicVirtualCard=Virtuelle Visitenkarte TreeView=Baumansicht diff --git a/htdocs/langs/de_DE/margins.lang b/htdocs/langs/de_DE/margins.lang index a03f864fecd..7bd49394a24 100644 --- a/htdocs/langs/de_DE/margins.lang +++ b/htdocs/langs/de_DE/margins.lang @@ -6,6 +6,7 @@ TotalMargin=Gewinnspanne gesamt MarginOnProducts=Gewinnspanne / Produkte MarginOnServices=Gewinnspanne / Leistungen MarginRate=Gewinnspannen-Rate +ModifyMarginRates=Gewinnspannen ändern MarkRate=Gewinnspannen-Rate DisplayMarginRates=Zeige Gewinnspannen-Raten an DisplayMarkRates=Zeige Gewinnspannen-Raten an diff --git a/htdocs/langs/de_DE/members.lang b/htdocs/langs/de_DE/members.lang index 0c6595f5d04..64160bacd49 100644 --- a/htdocs/langs/de_DE/members.lang +++ b/htdocs/langs/de_DE/members.lang @@ -4,6 +4,8 @@ MemberCard=Mitglied – Übersicht SubscriptionCard=Mitgliedschaft – Übersicht Member=Mitglied Members=Mitglieder +NoRecordedMembers=Keine registrierten Mitglieder +NoRecordedMembersByType=Keine registrierten Mitglieder ShowMember=Zeige Mitgliedskarte UserNotLinkedToMember=Der Benutzer ist keinem Mitglied zugewiesen ThirdpartyNotLinkedToMember=Geschäftspartner hat keine Verknüpfung zu einem Mitglied @@ -233,3 +235,4 @@ CreateDolibarrThirdPartyDesc=Der Geschäftspartner ist der Rechnungsempfänger, MemberFirstname=Vorname des Mitglieds MemberLastname=Nachname des Mitglieds MemberCodeDesc=Mitgliedsnummer, individuell für alle Mitglieder +NoRecordedMembers=Keine registrierten Mitglieder diff --git a/htdocs/langs/de_DE/mrp.lang b/htdocs/langs/de_DE/mrp.lang index 339079761f1..37dc33a3423 100644 --- a/htdocs/langs/de_DE/mrp.lang +++ b/htdocs/langs/de_DE/mrp.lang @@ -119,3 +119,6 @@ BomCantAddChildBom=Die Nomenklatur %s ist bereits im Baum vorhanden, der zur Nom BOMNetNeeds = BOM-Nettobedarf BOMProductsList=BOM-Produkte BOMServicesList=BOM-Leistungen +Manufacturing=Fertigung +Disassemble=Demontage +ProducedBy=Hergestellt von diff --git a/htdocs/langs/de_DE/partnership.lang b/htdocs/langs/de_DE/partnership.lang index de9ceb49567..0f008e1c83a 100644 --- a/htdocs/langs/de_DE/partnership.lang +++ b/htdocs/langs/de_DE/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=Partnerschaft: Überprüfen Sie den verweisenden Backli # Menu # NewPartnership=Neue Partnerschaft -NewPartnershipbyWeb= Ihre Partnerschaft wurde erfolgreich hinzugefügt. +NewPartnershipbyWeb=Ihre Partnerschaftsanfrage wurde erfolgreich hinzugefügt. Wir werden uns in Kürze mit Ihnen in Verbindung setzen... ListOfPartnerships=Liste der Partnerschaften # diff --git a/htdocs/langs/de_DE/ticket.lang b/htdocs/langs/de_DE/ticket.lang index 6360717dcc4..c719ea80a1e 100644 --- a/htdocs/langs/de_DE/ticket.lang +++ b/htdocs/langs/de_DE/ticket.lang @@ -67,7 +67,7 @@ ExportDataset_ticket_1=Tickets # Status Read=Gelesen Assigned=Zugewiesen -InProgress=in Bearbeitung +InProgress=In Bearbeitung NeedMoreInformation=Warten auf Feedback des Erstellers NeedMoreInformationShort=Warten auf Feedback Answered=Beantwortet diff --git a/htdocs/langs/el_GR/accountancy.lang b/htdocs/langs/el_GR/accountancy.lang index 7aa219573b5..bbb759a6490 100644 --- a/htdocs/langs/el_GR/accountancy.lang +++ b/htdocs/langs/el_GR/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Ενεργοποίηση σύνθετης λίστας ACCOUNTING_DATE_START_BINDING=Καθορίστε ημερομηνία έναρξης δεσμεύσεων & μεταφοράς στη λογιστική. Πριν από αυτή την ημερομηνία, οι συναλλαγές δεν θα μεταφερθούν στη λογιστική. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Ποια είναι η προεπιλεγμένη περίοδος στη λογιστική μεταφορά; -ACCOUNTING_SELL_JOURNAL=Ημερολόγιο πωλήσεων (πωλήσεις και επιστροφές) -ACCOUNTING_PURCHASE_JOURNAL=Ημερολόγιο αγοράς (αγορές και επιστροφές) -ACCOUNTING_BANK_JOURNAL=Ημερολόγιο μετρητών (εισπράξεις και εκταμιεύσεις) +ACCOUNTING_SELL_JOURNAL=Ημερολόγιο πωλήσεων - πωλήσεις και επιστροφές +ACCOUNTING_PURCHASE_JOURNAL=Ημερολόγιο αγορών - αγορές και επιστροφές +ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements ACCOUNTING_EXPENSEREPORT_JOURNAL=Ημερολόγιο εξόδων ACCOUNTING_MISCELLANEOUS_JOURNAL=Γενικό ημερολόγιο ACCOUNTING_HAS_NEW_JOURNAL=Έχει νέο περιοδικό @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Αυτό θα διαγράψει όλες τις γραμμές ConfirmDeleteMvtPartial=Αυτό θα διαγράψει τη συναλλαγή από τη λογιστική (όλες οι γραμμές που σχετίζονται με την ίδια συναλλαγή θα διαγραφούν) FinanceJournal=Ημερολόγιο χρηματοοικονομικών ExpenseReportsJournal=Ημερολόγιο αναφοράς εξόδων +InventoryJournal=Ημερολόγιο απογραφής DescFinanceJournal=Ημερολόγιο χρηματοοικονομικών που περιλαμβάνει όλους τους τύπους πληρωμών μέσω τραπεζικού λογαριασμού DescJournalOnlyBindedVisible=Αυτή είναι μια προβολή αρχείων που είναι δεσμευμένα σε έναν λογιστικό λογαριασμό και μπορούν να καταγραφούν στα Ημερολόγια και στο Καθολικό. VATAccountNotDefined=Δεν έχει οριστεί λογαριασμός για ΦΠΑ diff --git a/htdocs/langs/el_GR/admin.lang b/htdocs/langs/el_GR/admin.lang index 5dbf7939e27..328b5590aec 100644 --- a/htdocs/langs/el_GR/admin.lang +++ b/htdocs/langs/el_GR/admin.lang @@ -145,6 +145,7 @@ Box=Γραφικό στοιχείο Boxes=Γραφικά στοιχεία MaxNbOfLinesForBoxes=Μέγιστο πλήθος γραμμών για τα widgets AllWidgetsWereEnabled=Όλα τα διαθέσιμα γραφικά στοιχεία είναι ενεργοποιημένα +WidgetAvailable=Διαθέσιμο γραφικό στοιχείο PositionByDefault=Προκαθορισμένη σειρά Position=Θέση MenusDesc=Οι διαχειριστές μενού ορίζουν το περιεχόμενο των δύο γραμμών μενού (οριζόντια και κάθετα). @@ -374,7 +375,7 @@ DoTestSendHTML=Δοκιμή αποστολής HTML ErrorCantUseRazIfNoYearInMask=Σφάλμα, δεν μπορείτε να χρησιμοποιήσετε την επιλογή @ για να μηδενίσετε το μετρητή για κάθε έτος, εάν η ακολουθία {yy} ή {yyyy} δεν είναι στη μάσκα. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Δεν μπορείτε να χρησιμοποιήσετε την επιλογή @ αν η ακολουθία {yy}{mm} ή {yyyy}{mm} δεν είναι στην μάσκα. UMask=Παράμετρος UMask για νέα αρχεία σε συστήματα αρχείων συστημάτων Unix/Linux/BSD/Mac. -UMaskExplanation=Αυτή η παράμετρος σας επιτρέπει να ορίσετε προεπιλεγμένα δικαιώματα αρχείων για αρχεία που δημιουργεί το Dolibarr στον διακομιστή (κατά την διάρκεια μεταφόρτωσης π.χ.).
    Πρέπει να είναι οκταδικής μορφής (για παράδειγμα, 0666 που σημαίνει εγγραφή και ανάγνωση για όλους).
    Αυτή η παράμετρος είναι άχρηστη σε διακομιστές Windows. +UMaskExplanation=Αυτή η παράμετρος σάς επιτρέπει να ορίσετε δικαιώματα που έχουν οριστεί από προεπιλογή σε αρχεία που δημιουργούνται από το Dolibarr στον διακομιστή (για παράδειγμα κατά τη μεταφόρτωση).
    Πρέπει να είναι η οκταδική τιμή (για παράδειγμα, 0666 που σημαίνει ανάγνωση και εγγραφή για όλους.). Η συνιστώμενη τιμή είναι 0600 ή 0660
    Αυτή η παράμετρος αφορά διακομιστή Windows. SeeWikiForAllTeam=Δείτε στη σελίδα του Wiki τη λίστα με τους συντελεστές και τους οργανισμούς τους UseACacheDelay= Καθυστέρηση για την ανταπόκριση εξαγωγής προσωρινής μνήμης σε δευτερόλεπτα (0 ή κενό για μη χρήση προσωρινής μνήμης) DisableLinkToHelpCenter=Απόκρυψη του συνδέσμου " Χρειάζεστε βοήθεια ή υποστήριξη " στη σελίδα σύνδεσης @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind conversions capabilities Module3200Name=Αναλλοίωτα αρχεία Module3200Desc=Ενεργοποιήστε ένα αναλλοίωτο αρχείο καταγραφής επιχειρηματικών εκδηλώσεων. Τα συμβάντα αρχειοθετούνται σε πραγματικό χρόνο. Το αρχείο καταγραφής είναι ένας πίνακας μόνο για ανάγνωση των αλυσιδωτών συμβάντων που μπορούν να εξαχθούν. Αυτή η ενότητα μπορεί να είναι υποχρεωτική για ορισμένες χώρες. Module3300Name=Module Builder -Module3200Desc=Ενεργοποιήστε ένα αναλλοίωτο αρχείο καταγραφής επιχειρηματικών εκδηλώσεων. Τα συμβάντα αρχειοθετούνται σε πραγματικό χρόνο. Το αρχείο καταγραφής είναι ένας πίνακας μόνο για ανάγνωση των αλυσιδωτών συμβάντων που μπορούν να εξαχθούν. Αυτή η ενότητα μπορεί να είναι υποχρεωτική για ορισμένες χώρες. +Module3300Desc=Ένα εργαλείο RAD (Rapid Application Development - low-code and no-code) εργαλείο που βοηθά τους προγραμματιστές ή προχωρημένους χρήστες να δημιουργήσουν τη δική τους ενότητα/εφαρμογή. Module3400Name=Κοινωνικά Δίκτυα Module3400Desc=Ενεργοποιήστε τα πεδία Κοινωνικών Δικτύων σε τρίτα μέρη και διευθύνσεις (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Χρησιμοποιήστε low memory mode ExportUseLowMemoryModeHelp=Χρησιμοποιήστε τη λειτουργία χαμηλής μνήμης για να δημιουργήσετε το αρχείου αντιγράφου ασφαλείας (η συμπίεση γίνεται μέσω pipe αντί της μνήμης PHP). Αυτή η μέθοδος δεν επιτρέπει τον έλεγχο ακεραιότητας του αρχείου και δεν μπορεί να αναφερθεί μήνυμα σφάλματος εάν αποτύχει. Χρησιμοποιήστε το εάν αντιμετωπίζετε αρκετά σφάλματα μνήμης. ModuleWebhookName = Webhook -ModuleWebhookDesc = Διεπαφή για αποστολή σε μια διεύθυνση URL ενεργειών του Dolibarr +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Ρύθμιση webhook Settings = Ρυθμίσεις WebhookSetupPage = Σελίδα ρύθμισης Webhook @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Προειδοποίηση: η WarningModuleHasChangedSecurityCsrfParameter=Προειδοποίηση: η ενότητα %s έχει απενεργοποιήσει την ασφάλεια CSRF της εγκατάστασης σας. Αυτή η ενέργεια είναι ύποπτη και η εγκατάστασή σας ενδέχεται να μην είναι πλέον ασφαλής. Επικοινωνήστε με τον δημιουργό της ενότητας για εξηγήσεις. EMailsInGoingDesc=Η διαχείριση των εισερχόμενων email γίνεται από τη ενότητα %s. Πρέπει να την ενεργοποιήσετε και να την διαμορφώσετε εάν χρειάζεται να υποστηρίζετε εισερχόμενα email. MAIN_IMAP_USE_PHPIMAP=Χρησιμοποιήστε τη βιβλιοθήκη PHP-IMAP για IMAP αντί για εγγενή PHP IMAP. Αυτό επιτρέπει επίσης τη χρήση μιας σύνδεσης OAuth2 για IMAP (η μονάδα OAuth πρέπει επίσης να είναι ενεργοποιημένη). +MAIN_CHECKBOX_LEFT_COLUMN=Εμφάνιση της στήλης για την επιλογή πεδίου και γραμμής στα αριστερά (στα δεξιά από προεπιλογή) + +CSSPage=CSS Style diff --git a/htdocs/langs/el_GR/boxes.lang b/htdocs/langs/el_GR/boxes.lang index 03f769b4c26..fd1584adf2d 100644 --- a/htdocs/langs/el_GR/boxes.lang +++ b/htdocs/langs/el_GR/boxes.lang @@ -118,6 +118,27 @@ BoxCustomersOutstandingBillReached=Πελάτες που έχουν φτάσει UsersHome=Χρήστες και ομάδες MembersHome=Μέλη ThirdpartiesHome=Τρίτα μέρη +productindex=Προϊόντα και υπηρεσίες +mrpindex=MRP +commercialindex=Εμπορικό +projectsindex=Έργα +invoiceindex=Τιμολόγια +hrmindex=Τιμολόγια TicketsHome=Εισιτήρια +stockindex=Αποθέματα +sendingindex=Αποστολές +receptionindex=Παραλαβές +activityindex=Δραστηριότητα +proposalindex=Home proposal +ordersindex=Παραγγελίες +orderssuppliersindex=Home orders suppliers +contractindex=Home contracts +interventionindex=Home interventions +suppliersproposalsindex=Home suppliers proposals +donationindex=Δωρεές +specialexpensesindex=Home specials expenses +expensereportindex=Home expensereport +mailingindex=Home mailing +opensurveyindex=Home opensurvey AccountancyHome=Λογιστική ValidatedProjects=Επικυρωμένα έργα diff --git a/htdocs/langs/el_GR/ecm.lang b/htdocs/langs/el_GR/ecm.lang index 872c78f4733..812492237fc 100644 --- a/htdocs/langs/el_GR/ecm.lang +++ b/htdocs/langs/el_GR/ecm.lang @@ -19,7 +19,7 @@ ECMArea=Περιοχή DMS / ECM ECMAreaDesc=Η περιοχή DMS / ECM (Συστήματα Διαχείρισης Εγγράφων / Ηλεκτρονική Διαχείριση Περιεχομένου) σας επιτρέπει να αποθηκεύετε, να μοιράζεστε και να αναζητάτε γρήγορα όλα τα είδη εγγράφων στο Dolibarr. ECMAreaDesc2a=* Οι μη αυτόματοι κατάλογοι μπορούν να χρησιμοποιηθούν για την αποθήκευση εγγράφων που δεν συνδέονται με ένα συγκεκριμένο στοιχείο. ECMAreaDesc2b=* Οι αυτόματοι κατάλογοι συμπληρώνονται αυτόματα κατά την προσθήκη εγγράφων από τη σελίδα ενός στοιχείου. -ECMAreaDesc3=* Οι κατάλογοι πολυμέσων είναι φάκελοι στον υποκατάλογο /medias του καταλόγου εγγράφων, αναγνώσιμα από όλους χωρίς να χρειάζεται συνδεση. Χρησιμοποιούνται για την αποθήκευση αρχείων εικόνας από ηλεκτρονική αλληλογραφία ή κάποια ενότητα του ιστότοπου. +ECMAreaDesc3=* Medias directories are files into the subdirectory /medias of documents directory, readable by everybody with no need to be logged and no need to have the file shared explicitely. It is used to store image files for the emailing or website module for example. ECMSectionWasRemoved=Ο κατάλογος %s έχει διαγραφεί. ECMSectionWasCreated=Ο κατάλογος %s έχει δημιουργηθεί. ECMSearchByKeywords=Αναζήτηση με λέξεις-κλειδιά diff --git a/htdocs/langs/el_GR/errors.lang b/htdocs/langs/el_GR/errors.lang index 05e04990296..543000ad11c 100644 --- a/htdocs/langs/el_GR/errors.lang +++ b/htdocs/langs/el_GR/errors.lang @@ -262,6 +262,7 @@ ErrorParameterMustBeEnabledToAllwoThisFeature=Σφάλμα, η παράμετρ ErrorLoginDateValidity=Σφάλμα, αυτή η σύνδεση είναι εκτός του εύρους ημερομηνιών εγκυρότητας ErrorValueLength=Το μήκος του πεδίου ' %s ' πρέπει να είναι μεγαλύτερο από το ' %s ' ErrorReservedKeyword=Η λέξη " %s " είναι μια δεσμευμένη λέξη-κλειδί +ErrorFilenameReserved=Το όνομα αρχείου %s δεν μπορεί να χρησιμοποιηθεί καθώς είναι μια δεσμευμένη και προστατευμένη εντολή. ErrorNotAvailableWithThisDistribution=Δεν διατίθεται με αυτήν τη διανομή ErrorPublicInterfaceNotEnabled=Η δημόσια διεπαφή δεν ενεργοποιήθηκε ErrorLanguageRequiredIfPageIsTranslationOfAnother=Η γλώσσα της νέας σελίδας πρέπει να οριστεί εάν είναι μετάφραση άλλης σελίδας @@ -308,7 +309,7 @@ ErrorExistingPermission = Η άδεια %s για το αντικείμ ErrorFieldExist=Η τιμή για %s υπάρχει ήδη ErrorEqualModule=Μη έγκυρη ενότητα στο %s ErrorFieldValue=Η τιμή για %s είναι λανθασμένη -ErrorCoherenceMenu= %s απαιτείται όταν % ισούται με LEFT +ErrorCoherenceMenu= %s απαιτείται όταν το %s είναι 'αριστερά' # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Η παράμετρος PHP upload_max_filesize (%s) είναι υψηλότερη από την παράμετρο PHP post_max_size (%s). Αυτή δεν είναι μια συνεπής ρύθμιση. diff --git a/htdocs/langs/el_GR/hrm.lang b/htdocs/langs/el_GR/hrm.lang index 0721140f6e8..ebe2aa29762 100644 --- a/htdocs/langs/el_GR/hrm.lang +++ b/htdocs/langs/el_GR/hrm.lang @@ -26,8 +26,8 @@ HRM_DEFAULT_SKILL_DESCRIPTION=Προεπιλεγμένη περιγραφή τω deplacement=Ωράριο DateEval=Ημερομηνία αξιολόγησης JobCard=Καρτέλα θέσεων εργασίας -JobPosition=Περιγραφή εργασίας -JobsPosition=Περιγραφές εργασιών +JobProfile=Περιγραφή εργασίας +JobsProfiles=Περιγραφές εργασιών NewSkill=Νέα Δεξιότητα SkillType=Τύπος δεξιότητας Skilldets=Λίστα βαθμών για αυτήν την δεξιότητα @@ -46,14 +46,14 @@ NewEval=Νέα αξιολόγηση ValidateEvaluation=Επικύρωση αξιολόγησης ConfirmValidateEvaluation=Είστε σίγουροι ότι θέλετε να επικυρώσετε αυτήν την αξιολόγηση με αναφορά %s ; EvaluationCard=Καρτέλα αξιολόγησης -RequiredRank=Απαιτούμενη κατάταξη για αυτή τη θέση εργασίας +RequiredRank=Required rank for the job profile EmployeeRank=Κατάταξη υπαλλήλου για αυτήν την δεξιότητα EmployeePosition=Θέση υπαλλήλου EmployeePositions=Θέσεις υπαλλήλων EmployeesInThisPosition=Υπάλληλοι σε αυτή τη θέση group1ToCompare=Ομάδα χρηστών για ανάλυση group2ToCompare=Δεύτερη ομάδα χρηστών για σύγκριση -OrJobToCompare=Σύγκριση βάση των απαραίτητων εργασιακών δεξιοτήτων +OrJobToCompare=Συγκρίνετε με τις απαιτήσεις δεξιοτήτων ενός προφίλ εργασίας difference=Διαφορά CompetenceAcquiredByOneOrMore=Ικανότητα που αποκτήθηκε από έναν ή περισσότερους χρήστες αλλά δεν ζητήθηκε από τον δεύτερο αξιολογητή MaxlevelGreaterThan=Μέγιστο επίπεδο μεγαλύτερο από το ζητούμενο diff --git a/htdocs/langs/el_GR/interventions.lang b/htdocs/langs/el_GR/interventions.lang index a88e3346568..d309057d3d6 100644 --- a/htdocs/langs/el_GR/interventions.lang +++ b/htdocs/langs/el_GR/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Απόκρυψη ωρών και λεπτών το InterventionStatistics=Στατιστικά παρεμβάσεων NbOfinterventions=Αριθ. Καρτών παρέμβασης NumberOfInterventionsByMonth=Αριθμός καρτών παρέμβασης ανά μήνα (ημερομηνία επικύρωσης) -AmountOfInteventionNotIncludedByDefault=Το ποσό της παρέμβασης δεν περιλαμβάνεται εξ ορισμού στο κέρδος (στις περισσότερες περιπτώσεις, τα φύλλα καταγραφής χρόνου χρησιμοποιούνται για τον υπολογισμό του χρόνου που δαπανάται). Προσθέστε την επιλογή PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT στο 1 στο Αρχική-Ρυθμίσεις-Άλλες Ρυθμίσεις για να τις συμπεριλάβετε. +AmountOfInteventionNotIncludedByDefault=Το ποσό της παρέμβασης δεν περιλαμβάνεται εξ ορισμού στο κέρδος (στις περισσότερες περιπτώσεις, τα φύλλα χρόνου χρησιμοποιούνται για τον υπολογισμό του χρόνου που δαπανάται). Μπορείτε να χρησιμοποιήσετε τις επιλογές PROJECT_ELEMENTS_FOR_ADD_MARGIN και PROJECT_ELEMENTS_FOR_MINUS_MARGIN από το μενού Αρχική-Ρυθμίσεις-Άλλες ρυθμίσεις για να συμπληρώσετε τη λίστα των στοιχείων που περιλαμβάνονται στο κέρδος. InterId=Αναγνωριστικό παρέμβασης InterRef=Αναφ παρέμβασης InterDateCreation=Ημερομηνία δημιουργίας παρέμβασης diff --git a/htdocs/langs/el_GR/mails.lang b/htdocs/langs/el_GR/mails.lang index 9965724bf0f..99793dd8a22 100644 --- a/htdocs/langs/el_GR/mails.lang +++ b/htdocs/langs/el_GR/mails.lang @@ -7,14 +7,14 @@ MailCard=Κάρτελα email MailRecipients=Παραλήπτες MailRecipient=Παραλήπτης MailTitle=Περιγραφή -MailFrom=Αποστολέας +MailFrom=Από MailErrorsTo=Σφάλματα σε MailReply=Απάντηση σε -MailTo=Παραλήπτης(ες) +MailTo=Προς MailToUsers=Προς MailCC=Κοινοποίηση σε MailToCCUsers=Κοινοποίηση σε χρήστη(ες) -MailCCC=Cached copy to +MailCCC=Αποθηκευμένο αντίγραφο σε MailTopic=Θέμα Email MailText=Μήνυμα MailFile=Επισυναπτόμενα Αρχεία @@ -43,7 +43,7 @@ MailSuccessfulySent=Το email (από %s προς %s) απεστάλη επιτ MailingSuccessfullyValidated=Το email επικυρώθηκε με επιτυχία MailUnsubcribe=Κατάργηση εγγραφής MailingStatusNotContact=Να μην χρησιμοποιείται -MailingStatusReadAndUnsubscribe=Read and unsubscribe +MailingStatusReadAndUnsubscribe=Διαβάστε και καταργήστε την εγγραφή σας στην λίστα email ErrorMailRecipientIsEmpty=Το πεδίο παραλήπτη του email είναι κενό WarningNoEMailsAdded=Δεν υπάρχει νέο email για προσθήκη στη λίστα παραληπτών. ConfirmValidMailing=Είστε σίγουροι ότι θέλετε να επικυρώσετε αυτό το email; @@ -79,19 +79,19 @@ GroupEmails=Ομαδικά email OneEmailPerRecipient=Ένα email ανά παραλήπτη (από προεπιλογή, επιλεγμένο ένα email ανά εγγραφή) WarningIfYouCheckOneRecipientPerEmail=Προειδοποίηση, εάν επιλέξετε αυτό το πλαίσιο, σημαίνει ότι θα σταλεί μόνο ένα email για πολλές διαφορετικές επιλεγμένες εγγραφές, επομένως, εάν το μήνυμά σας περιέχει μεταβλητές αντικατάστασης που αναφέρονται σε δεδομένα μιας εγγραφής, δεν θα είναι δυνατή η αντικατάστασή τους. ResultOfMailSending=Αποτέλεσμα μαζικής αποστολής email -NbSelected=Ο αριθμός είναι επιλεγμένος +NbSelected=Επιλέχθηκε ο αριθμός NbIgnored=Ο αριθμός αγνοήθηκε -NbSent=Ο αριθμός αποστέλλεται +NbSent=Ο αριθμός εστάλη SentXXXmessages=%s μήνυμα(τα) στάλθηκαν. -ConfirmUnvalidateEmailing=Are you sure you want to change email %s to draft status? -MailingModuleDescContactsWithThirdpartyFilter=Contact with customer filters -MailingModuleDescContactsByCompanyCategory=Επαφές ανά κατηγορία τρίτων +ConfirmUnvalidateEmailing=Είστε σίγουροι ότι θέλετε να αλλάξετε το email %s σε κατάσταση προσχεδίου; +MailingModuleDescContactsWithThirdpartyFilter=Επαφή με φίλτρα πελατών +MailingModuleDescContactsByCompanyCategory=Επαφές ανά κατηγορία τρίτων μερών MailingModuleDescContactsByCategory=Επαφές ανά κατηγορία MailingModuleDescContactsByFunction=Επαφές ανά θέση -MailingModuleDescEmailsFromFile=Τα μηνύματα ηλεκτρονικού ταχυδρομείου από το αρχείο -MailingModuleDescEmailsFromUser=Εισαγωγή μηνυμάτων ηλεκτρονικού ταχυδρομείου από το χρήστη -MailingModuleDescDolibarrUsers=Χρήστες με μηνύματα ηλεκτρονικού ταχυδρομείου -MailingModuleDescThirdPartiesByCategories=Τρίτα μέρη (κατά κατηγορίες) +MailingModuleDescEmailsFromFile=Email από το αρχείο +MailingModuleDescEmailsFromUser=Email από τον χρήστη +MailingModuleDescDolibarrUsers=Χρήστες με email +MailingModuleDescThirdPartiesByCategories=Τρίτα μέρη SendingFromWebInterfaceIsNotAllowed=Η αποστολή από τη διεπαφή ιστού δεν επιτρέπεται. EmailCollectorFilterDesc=Όλα τα φίλτρα πρέπει να ταιριάζουν για να συλλεχθεί ένα email @@ -99,9 +99,9 @@ EmailCollectorFilterDesc=Όλα τα φίλτρα πρέπει να ταιριά LineInFile=Γραμμή %s στο αρχείο RecipientSelectionModules=Ορίζονται αιτήματα για την επιλογή του παραλήπτη MailSelectedRecipients=Επιλεγμένοι αποδέκτες -MailingArea=Emailings περιοχή +MailingArea=Τομεας Emailings LastMailings=Τελευταία %s email -TargetsStatistics=Στατιστικά στοχων +TargetsStatistics=Στατιστικά στόχων NbOfCompaniesContacts=Μοναδικές επαφές/διευθύνσεις MailNoChangePossible=Παραλήπτες με επικυρωμένες ηλεκτρονικές διευθύνσεις δεν μπορούν να αλλάξουν SearchAMailing=Αναζήτηση αλληλογραφίας @@ -116,10 +116,10 @@ ToClearAllRecipientsClickHere=Κάντε κλικ εδώ για να διαγρ ToAddRecipientsChooseHere=Προσθέστε παραλήπτες επιλέγοντας από τις λίστες NbOfEMailingsReceived=Μαζικές αποστολές έλαβαν NbOfEMailingsSend=Μαζική αλληλογραφία αποστέλλεται -IdRecord=ID record -DeliveryReceipt=Delivery Ack. +IdRecord=ID εγγραφής +DeliveryReceipt=Αναφορά παράδοσης YouCanUseCommaSeparatorForSeveralRecipients=Μπορείτε να χρησιμοποιήσετε το κόμμα σαν διαχωριστή για να καθορίσετε πολλούς παραλήπτες. -TagCheckMail=Παρακολούθηση άνοιγμα της αλληλογραφίας +TagCheckMail=Παρακολούθηση ανοίγματος email TagUnsubscribe=Σύνδεσμος απεγγραφής TagSignature=Υπογραφή του χρήστη αποστολής EMailRecipient=Email παραλήπτη @@ -137,22 +137,22 @@ ListOfNotificationsDone=Λίστα όλων των αυτόματων ειδοπ MailSendSetupIs=Διαμόρφωση αποστολή email έχει ρυθμιστεί σε '%s'. Αυτή η λειτουργία δεν μπορεί να χρησιμοποιηθεί για να σταλθούν μαζικά μηνύματα ηλεκτρονικού ταχυδρομείου. MailSendSetupIs2=Θα πρέπει πρώτα να πάτε, με έναν λογαριασμό διαχειριστή, στο μενού %s Αρχική - Ρύθμιση - Emails %s για να αλλάξετε την παράμετρο '%s' για να χρησιμοποιήσετε τη λειτουργία '%s'. Με αυτόν τον τρόπο, μπορείτε να μεταβείτε στις ρυθμίσεις του διακομιστή SMTP παρέχεται από τον Internet Service Provider και να χρησιμοποιήσετε τη Μαζική αποστολή ηλεκτρονικού ταχυδρομείου. MailSendSetupIs3=Αν έχετε οποιαδήποτε απορία σχετικά με το πώς να ρυθμίσετε το διακομιστή SMTP σας, μπορείτε να ζητήσετε στο %s. -YouCanAlsoUseSupervisorKeyword=You can also add the keyword __SUPERVISOREMAIL__ to have email being sent to the supervisor of user (works only if an email is defined for this supervisor) +YouCanAlsoUseSupervisorKeyword=Μπορείτε επίσης να προσθέσετε τη λέξη-κλειδί __SUPERVISOREMAIL__ για την αποστολή email στον επόπτη του χρήστη (λειτουργεί μόνο εάν έχει οριστεί ένα email για αυτόν τον επόπτη) NbOfTargetedContacts=Τρέχων αριθμός των στοχευμένων ηλεκτρονικών μηνυμάτων της επαφής -UseFormatFileEmailToTarget=Imported file must have format email;name;firstname;other -UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other +UseFormatFileEmailToTarget=Το εισαγόμενο αρχείο πρέπει να έχει τη μορφή email;name;firstname;other +UseFormatInputEmailToTarget=Εισάγετε μια συμβολοσειρά με μορφή email;name;firstname;other MailAdvTargetRecipients=Παραλήπτες (προχωρημένη επιλογή) AdvTgtTitle=Συμπληρώστε τα πεδία εισαγωγής για να επιλέξετε εκ των προτέρων τα τρίτα μέρη ή τις επαφές / διευθύνσεις που θέλετε να στοχεύσετε -AdvTgtSearchTextHelp=Χρησιμοποιήστε το ως χαρακτήρες μπαλαντέρ. Για παράδειγμα, για να βρείτε όλα τα στοιχεία όπως jean, joe, jim , μπορείτε να πληκτρολογήσετε %%, μπορείτε επίσης να χρησιμοποιήσετε το σύμβολο ; ως διαχωριστικό για την τιμη και να χρησιμοποιήσετε το σύμβολο ! για να εξαιρέσετε κάποιες τιμές από την αναζήτηση. Για παράδειγμα η αναζήτηση jean;joe;jim%%;!jimo;!jima%% θα στοχεύει σε όλες τις τιμές που περιέχουν jean και joe, σε αυτές που ξεκινούν με jim αλλά όχι με jimo και σε καμιά που ξεκινάει με jima +AdvTgtSearchTextHelp=Χρησιμοποιήστε τα %% ως χαρακτήρες μπαλαντέρ. Για παράδειγμα, για να βρείτε όλα τα στοιχεία όπως jean, joe, jim , μπορείτε να πληκτρολογήσετε j%%, μπορείτε επίσης να χρησιμοποιήσετε το σύμβολο ; ως διαχωριστικό για την τιμή και να χρησιμοποιήσετε το σύμβολο ! για να εξαιρέσετε κάποιες τιμές από την αναζήτηση. Για παράδειγμα η αναζήτηση jean;joe;jim%%;!jimo;!jima%% θα στοχεύσει όλες τις τιμές που περιέχουν jean και joe, σε αυτές που ξεκινούν με jim αλλά όχι με jimo και σε καμιά που ξεκινάει με jima AdvTgtSearchIntHelp=Χρησιμοποιήστε το διάστημα για να επιλέξετε τιμή int ή float AdvTgtMinVal=Ελάχιστη τιμή AdvTgtMaxVal=Μέγιστη τιμή -AdvTgtSearchDtHelp=Use interval to select date value -AdvTgtStartDt=Start dt. -AdvTgtEndDt=End dt. -AdvTgtTypeOfIncudeHelp=Στόχευση ηλεκτρονικού ταχυδρομείου τρίτου μέρους και ηλεκτρονικού ταχυδρομείου της επαφής τρίτου μέρους, ή απλώς ηλεκτρονικού ταχυδρομείου τρίτου μέρους ή απλά ηλεκτρονικού ταχυδρομείου επικοινωνίας +AdvTgtSearchDtHelp=Χρησιμοποιήστε το διάστημα για να επιλέξετε την τιμή ημερομηνίας +AdvTgtStartDt=Ημερ. Έναρξης +AdvTgtEndDt=Ημερ. Λήξης +AdvTgtTypeOfIncudeHelp=Εmail τρίτου μέρους και email επαφής τρίτου μέρους ή απλώς email τρίτου μέρους ή απλώς email επαφής AdvTgtTypeOfIncude=Τύπος στοχευμένου email -AdvTgtContactHelp=Use only if you target contact into "Type of targeted email" +AdvTgtContactHelp=Χρησιμοποιήστε μόνο εάν στοχεύετε επαφή σε "Τύπος στοχευμένου email" AddAll=Προσθήκη όλων RemoveAll=Αφαίρεση όλων ItemsCount=Αντικείμενο(α) @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Εγγραφή που δημιουργήθηκε DefaultBlacklistMailingStatus=Προεπιλεγμένη τιμή για το πεδίο '%s' κατά τη δημιουργία μιας νέας επαφής DefaultStatusEmptyMandatory=Κενό αλλά υποχρεωτικό WarningLimitSendByDay=ΠΡΟΕΙΔΟΠΟΙΗΣΗ: Η ρύθμιση ή η σύμβαση της εγκατάστασης σας περιορίζει τον αριθμό των email σας ανά ημέρα σε %s . Η προσπάθεια αποστολής περισσότερων ενδέχεται να έχει ως αποτέλεσμα την επιβράδυνση ή την αναστολή της εγκατάστασης σας. Επικοινωνήστε με την υποστήριξή σας εάν χρειάζεστε υψηλότερο όριο. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/el_GR/margins.lang b/htdocs/langs/el_GR/margins.lang index 48dd84e4e9c..ba60d016dd2 100644 --- a/htdocs/langs/el_GR/margins.lang +++ b/htdocs/langs/el_GR/margins.lang @@ -6,6 +6,7 @@ TotalMargin=Συνολικό Περιθώριο MarginOnProducts=Περιθώριο / Προϊόντα MarginOnServices=Περιθώριο / Υπηρεσίες MarginRate=Ποσοστό περιθωρίου επί της %% +ModifyMarginRates=Τροποποίηση ποσοστών περιθωρίου MarkRate=Ποσοστό Κέρδους DisplayMarginRates=Εμφάνιση ποσοστών περιθωρίου DisplayMarkRates=Εμφάνιση ποσοστών κέρδους diff --git a/htdocs/langs/el_GR/members.lang b/htdocs/langs/el_GR/members.lang index a710eed77ef..44423555b45 100644 --- a/htdocs/langs/el_GR/members.lang +++ b/htdocs/langs/el_GR/members.lang @@ -4,6 +4,8 @@ MemberCard=Καρτέλα μελών SubscriptionCard=Καρτέλα συνδρομής Member=Μέλος Members=Μέλη +NoRecordedMembers=Δεν υπάρχουν εγγεγραμμένα μέλη +NoRecordedMembersByType=Δεν υπάρχουν εγγεγραμμένα μέλη ShowMember=Εμφάνιση καρτέλας μέλους UserNotLinkedToMember=Ο χρήστης δεν συνδέετε με κάποιο μέλος ThirdpartyNotLinkedToMember=Το τρίτο μέρος δεν συνδέεται με κάποιο μέλος @@ -233,3 +235,4 @@ CreateDolibarrThirdPartyDesc=Ένα τρίτο μέρος είναι η νομι MemberFirstname=Όνομα μέλους MemberLastname=Επώνυμο μέλους MemberCodeDesc=Κωδικός μέλους, μοναδικός για όλα τα μέλη +NoRecordedMembers=Δεν υπάρχουν εγγεγραμμένα μέλη diff --git a/htdocs/langs/el_GR/partnership.lang b/htdocs/langs/el_GR/partnership.lang index 305cba8f54b..38542c95eeb 100644 --- a/htdocs/langs/el_GR/partnership.lang +++ b/htdocs/langs/el_GR/partnership.lang @@ -20,6 +20,7 @@ ModulePartnershipName=Διαχείριση συνεργασιών PartnershipDescription=Ενότητα Διαχείριση Συνεργασιών PartnershipDescriptionLong= Ενότητα Διαχείριση Συνεργασιών Partnership=Συνεργασία +Partnerships=Συνεργασίες AddPartnership=Προσθήκη συνεργασίας CancelPartnershipForExpiredMembers=Συνεργασία: Ακύρωση συνεργασίας μελών με συνδρομές που έχουν λήξει PartnershipCheckBacklink=Συνεργασία: Ελέγξτε την παραπομπή backlink @@ -28,6 +29,7 @@ PartnershipCheckBacklink=Συνεργασία: Ελέγξτε την παραπ # Menu # NewPartnership=Νέα Συνεργασία +NewPartnershipbyWeb=Το αίτημα συνεργασίας σας προστέθηκε με επιτυχία. Θα επικοινωνήσουμε μαζί σας σύντομα... ListOfPartnerships=Λίστα συνεργασιών # diff --git a/htdocs/langs/el_GR/ticket.lang b/htdocs/langs/el_GR/ticket.lang index 399e7de949b..69ca78e5a47 100644 --- a/htdocs/langs/el_GR/ticket.lang +++ b/htdocs/langs/el_GR/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Δημιουργήθηκε από NewTicket=Νέο ticket SubjectAnswerToTicket=Απάντηση σε ticket TicketTypeRequest=Τύπος αιτήματος -TicketCategory=Κατηγοριοποίηση ticket +TicketCategory=Κατηγορία ticket SeeTicket=Δείτε το ticket TicketMarkedAsRead=Το ticket έχει επισημανθεί ως αναγνωσμένο TicketReadOn=Συνέχισε να διαβάζεις diff --git a/htdocs/langs/en_US/languages.lang b/htdocs/langs/en_US/languages.lang index b6368a7d374..e94b6bbafe4 100644 --- a/htdocs/langs/en_US/languages.lang +++ b/htdocs/langs/en_US/languages.lang @@ -1,5 +1,6 @@ # Dolibarr language file - Source file is en_US - languages Language_am_ET=Ethiopian +Language_af_ZA=Afrikaans (South Africa) Language_ar_AR=Arabic Language_ar_DZ=Arabic (Algeria) Language_ar_EG=Arabic (Egypt) diff --git a/htdocs/langs/en_US/mails.lang b/htdocs/langs/en_US/mails.lang index 0414854a3f4..f04ee17575c 100644 --- a/htdocs/langs/en_US/mails.lang +++ b/htdocs/langs/en_US/mails.lang @@ -176,7 +176,7 @@ Answered=Answered IsNotAnAnswer=Is not answer (initial email) IsAnAnswer=Is an answer of an initial email RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s -DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact +DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. -NoMoreRecipientToSendTo=No more recipient to send the email to \ No newline at end of file +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/es_CO/mails.lang b/htdocs/langs/es_CO/mails.lang index 6c419c6cb77..8267c6f906c 100644 --- a/htdocs/langs/es_CO/mails.lang +++ b/htdocs/langs/es_CO/mails.lang @@ -5,7 +5,6 @@ EMailings=e-mailing AllEMailings=Todos los e-mailings MailCard=Tarjeta de e-mailing MailRecipient=Recipiente -MailFrom=De MailTo=A MailToUsers=Para usuario(s) MailCC=Copiar a diff --git a/htdocs/langs/es_ES/accountancy.lang b/htdocs/langs/es_ES/accountancy.lang index c4411ff9984..7c5b09a8e40 100644 --- a/htdocs/langs/es_ES/accountancy.lang +++ b/htdocs/langs/es_ES/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Habilite la lista combinada para la cuenta subsidiaria ACCOUNTING_DATE_START_BINDING=Defina una fecha para comenzar a vincular y transferir en contabilidad. Por debajo de esta fecha, las transacciones no se transferirán a contabilidad. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=En la transferencia de contabilidad, ¿cuál es el período seleccionado por defecto? -ACCOUNTING_SELL_JOURNAL=Diario de ventas (ventas y devoluciones) -ACCOUNTING_PURCHASE_JOURNAL=Diario de compras (compras y devoluciones) -ACCOUNTING_BANK_JOURNAL=Libro de caja (recibos y desembolsos) +ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns +ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns +ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements ACCOUNTING_EXPENSEREPORT_JOURNAL=Informe de gastos diario ACCOUNTING_MISCELLANEOUS_JOURNAL=Diario general ACCOUNTING_HAS_NEW_JOURNAL=Tiene un nuevo diario @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Esto eliminará todas las líneas de contabilidad para el año/ ConfirmDeleteMvtPartial=Esto eliminará la transacción de la contabilidad (se eliminarán todas las líneas relacionadas con la misma transacción) FinanceJournal=Diario financiero ExpenseReportsJournal=Diario informe de gastos +InventoryJournal=Diario de inventario DescFinanceJournal=El diario financiero incluye todos los tipos de pagos por cuenta bancaria DescJournalOnlyBindedVisible=Esta es una vista de registro que está vinculada a una cuenta de contabilidad y se puede registrar en Diarios y Libro mayor. VATAccountNotDefined=Cuenta contable para IVA no definida diff --git a/htdocs/langs/es_ES/admin.lang b/htdocs/langs/es_ES/admin.lang index 6867b574d01..450d4e6462f 100644 --- a/htdocs/langs/es_ES/admin.lang +++ b/htdocs/langs/es_ES/admin.lang @@ -145,6 +145,7 @@ Box=Panel Boxes=Paneles MaxNbOfLinesForBoxes=Número máximo de líneas para paneles AllWidgetsWereEnabled=Todos los widgets disponibles están habilitados +WidgetAvailable=Widget available PositionByDefault=Posición por defecto Position=Posición MenusDesc=Los gestores de menús definen el contenido de las dos barras de menú (horizontal y vertical) @@ -374,7 +375,7 @@ DoTestSendHTML=Probar envío HTML ErrorCantUseRazIfNoYearInMask=Error: no puede utilizar la opción @ para reiniciar el contador cada año si la secuencia {yy} o {yyyy} no se encuentra en la máscara. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, no se puede usar la opción @ si la secuencia {yy}{mm} o {yyyy}{mm} no se encuentra en la máscara. UMask=Parámetro UMask de nuevos archivos en Unix/Linux/BSD. -UMaskExplanation=Este parámetro determina los derechos de los archivos creados en el servidor Dolibarr (durante la subida, por ejemplo).
    Este debe ser el valor octal (por ejemplo, 0666 significa lectura / escritura para todos).
    Este parámetro no tiene ningún efecto sobre un servidor Windows. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Vea el wiki para más detalles de todos los contribuidores y de su organización UseACacheDelay= Demora en caché de la exportación en segundos (0 o vacio sin caché) DisableLinkToHelpCenter=Ocultar el enlace "Necesita ayuda o soporte" en la página de acceso a la aplicación @@ -663,7 +664,7 @@ Module2900Desc=Capacidades de conversión GeoIP Maxmind Module3200Name=Archivos inalterables Module3200Desc=Activar el registro inalterable de eventos empresariales. Los eventos se archivan en tiempo real. El registro es una tabla de sucesos encadenados que se pueden leer y exportar. Este módulo puede ser obligatorio en algunos países. Module3300Name=Constructor de módulos -Module3200Desc=Activar el registro inalterable de eventos empresariales. Los eventos se archivan en tiempo real. El registro es una tabla de sucesos encadenados que se pueden leer y exportar. Este módulo puede ser obligatorio en algunos países. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Redes sociales Module3400Desc=Habilita campos de Redes Sociales en terceros y direcciones (skype, twitter, facebook...). Module4000Name=RRHH @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Usar un modo de poca memoria ExportUseLowMemoryModeHelp=Use el modo de memoria baja para generar el archivo de volcado (la compresión se realiza a través de una canalización en lugar de en la memoria PHP). Este método no permite verificar que el archivo esté completo y no se puede informar un mensaje de error si falla. Úselo si no experimenta suficientes errores de memoria. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interfaz para capturar disparadores de dolibarr y enviarlo a una URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Configuración de webhook Settings = Configuraciones WebhookSetupPage = Página de configuración del webhook @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/es_ES/boxes.lang b/htdocs/langs/es_ES/boxes.lang index 3109afd00fc..2f798780be7 100644 --- a/htdocs/langs/es_ES/boxes.lang +++ b/htdocs/langs/es_ES/boxes.lang @@ -118,6 +118,27 @@ BoxCustomersOutstandingBillReached=Clientes con límite pendiente alcanzado UsersHome=Usuarios y grupos internos MembersHome=Afiliados internos ThirdpartiesHome=Terceros internos +productindex=Inicio productos y servicios +mrpindex=Inicio MRP +commercialindex=Inicio comercial +projectsindex=Home projects +invoiceindex=Home invoices +hrmindex=Home invoices TicketsHome=Tickets internos +stockindex=Home stocks +sendingindex=Home shippings +receptionindex=Home receivings +activityindex=Home activity +proposalindex=Home proposal +ordersindex=Home orders +orderssuppliersindex=Home orders suppliers +contractindex=Home contracts +interventionindex=Home interventions +suppliersproposalsindex=Home suppliers proposals +donationindex=Home donations +specialexpensesindex=Home specials expenses +expensereportindex=Home expensereport +mailingindex=Home mailing +opensurveyindex=Home opensurvey AccountancyHome=Contabilidad interna ValidatedProjects=Proyectos validados diff --git a/htdocs/langs/es_ES/ecm.lang b/htdocs/langs/es_ES/ecm.lang index aef8d8e9a39..826b85da74e 100644 --- a/htdocs/langs/es_ES/ecm.lang +++ b/htdocs/langs/es_ES/ecm.lang @@ -19,7 +19,7 @@ ECMArea=Área SGD/GED ECMAreaDesc=El área SGD/GED (Sistema Gestión Documental / Gestión Electrónica de Documentos) le permite guardar, compartir y buscar rápidamente todo tipo de documentos en Dolibarr. ECMAreaDesc2a=* Los directorios manuales se pueden utilizar para guardar documentos no vinculados a un elemento en particular. ECMAreaDesc2b=* Los directorios automáticos se llenan automáticamente al agregar documentos desde la página de un elemento. -ECMAreaDesc3=* Los directorios de medios son archivos en el subdirectorio /medias del directorio de documentos, que todos pueden leer sin necesidad de iniciar sesión y sin necesidad de compartir el archivo explícitamente. Se utiliza para almacenar archivos de imagen del módulo de correo electrónico o sitio web. +ECMAreaDesc3=* Medias directories are files into the subdirectory /medias of documents directory, readable by everybody with no need to be logged and no need to have the file shared explicitely. It is used to store image files for the emailing or website module for example. ECMSectionWasRemoved=El directorio %s ha sido eliminado ECMSectionWasCreated=El directorio %s ha sido creado. ECMSearchByKeywords=Buscar por palabras clave diff --git a/htdocs/langs/es_ES/interventions.lang b/htdocs/langs/es_ES/interventions.lang index d0348e7112c..600158c7349 100644 --- a/htdocs/langs/es_ES/interventions.lang +++ b/htdocs/langs/es_ES/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Oculta horas y minutos fuera del campo de fecha pa InterventionStatistics=Estadísticas de intervenciones NbOfinterventions=Nº de fichas de intervención NumberOfInterventionsByMonth=Nº de fichas de intervención por mes (fecha de validación) -AmountOfInteventionNotIncludedByDefault=Las cantidades de la intervención no se incluye por defecto en los beneficios (en la mayoría de los casos, las hojas de tiempo se utilizan para contar el tiempo invertido). Añada la opción PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT con valor 1 en Inicio-Configuración-Varios para incluirlos. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=Id. intervención InterRef=Ref. intervención InterDateCreation=Fecha creación intervención diff --git a/htdocs/langs/es_ES/mails.lang b/htdocs/langs/es_ES/mails.lang index d79f9eeeea8..848b68a43f5 100644 --- a/htdocs/langs/es_ES/mails.lang +++ b/htdocs/langs/es_ES/mails.lang @@ -7,10 +7,10 @@ MailCard=Ficha E-Mailing MailRecipients=Destinatarios MailRecipient=Destinatario MailTitle=Descripción -MailFrom=Remitente +MailFrom=De MailErrorsTo=Errores a MailReply=Responder a -MailTo=Destinatario(s) +MailTo=Enviar a MailToUsers=A usuario(s) MailCC=Copia a MailToCCUsers=Copia a usuario(s) @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contactos por posición MailingModuleDescEmailsFromFile=E-mails de archivo MailingModuleDescEmailsFromUser=E-mails enviados por usuario MailingModuleDescDolibarrUsers=Usuarios con e-mails -MailingModuleDescThirdPartiesByCategories=Terceros (por categoría) +MailingModuleDescThirdPartiesByCategories=Terceros SendingFromWebInterfaceIsNotAllowed=El envío desde la interfaz web no está permitido. EmailCollectorFilterDesc=Todos los filtros deben coincidir para que se recopile un e-mail @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Registro creado por el Recopilador de E-Mails %s d DefaultBlacklistMailingStatus=Valor predeterminado para el campo '%s' al crear un nuevo contacto DefaultStatusEmptyMandatory=Vacío pero obligatorio WarningLimitSendByDay=ADVERTENCIA: La configuración o el contrato de su instancia limita su número de correos electrónicos por día a %s . Intentar enviar más puede provocar que su instancia se ralentice o se suspenda. Póngase en contacto con su soporte si necesita una cuota más alta. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/es_ES/partnership.lang b/htdocs/langs/es_ES/partnership.lang index ba961ddcc42..63cb40d2dfe 100644 --- a/htdocs/langs/es_ES/partnership.lang +++ b/htdocs/langs/es_ES/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=Asociación: compruebe el vínculo de retroceso de refe # Menu # NewPartnership=Nueva Asociación -NewPartnershipbyWeb= Su asociación se agregó con éxito. +NewPartnershipbyWeb=Your partnership request has been added successfully. We may contact you soon... ListOfPartnerships=Listado de Asociaciones # diff --git a/htdocs/langs/es_ES/ticket.lang b/htdocs/langs/es_ES/ticket.lang index 9b731c8f1bd..ae24742c532 100644 --- a/htdocs/langs/es_ES/ticket.lang +++ b/htdocs/langs/es_ES/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Creado por NewTicket=Nuevo ticket SubjectAnswerToTicket=Respuesta TicketTypeRequest=Tipo de solicitud -TicketCategory=Categorización de tickets +TicketCategory=Ticket group SeeTicket=Ver ticket TicketMarkedAsRead=El ticket ha sido marcado como leído TicketReadOn=Leído el diff --git a/htdocs/langs/et_EE/admin.lang b/htdocs/langs/et_EE/admin.lang index ae48821de9c..6cbe6855f5e 100644 --- a/htdocs/langs/et_EE/admin.lang +++ b/htdocs/langs/et_EE/admin.lang @@ -145,6 +145,7 @@ Box=Vidin Boxes=Vidinad MaxNbOfLinesForBoxes=Vidinate maksimaalne ridade arv AllWidgetsWereEnabled=Kõik saadaval vidinad on lubatud +WidgetAvailable=Widget available PositionByDefault=Vaikimisi järjestus Position=Ametikoht MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). @@ -374,7 +375,7 @@ DoTestSendHTML=Testi HTMLi saatmist ErrorCantUseRazIfNoYearInMask=Viga: ei saa kasutada seadet @ iga aasta alguses loenduri nullimiseks kui jada {yy} or {yyyy} ei sisaldu maskis. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Viga: ei saa kasutada võimalust @, kui maskis ei sisaldu jada {yy} {mm} või {yyyy} {mm}. UMask=Umask parameeter uute failide loomiseks Unix/Linux/BSD/Mac failisüsteemidel. -UMaskExplanation=See parameeter võimaldab määratleda Dolibarri poolt loodud failide vaikimise õigused (näiteks üleslaadimise ajal)
    See peab olema kaheksandsüsteemi väärtus (nt 0666 tähendab lubada kõigile lugemise ja kirjutamise õigused)
    Windows serveris seda parameetrit ei kasutata. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Vaadake Wiki lehekülge, kus on nimekiri osalejatest ja nende organisatsioonist UseACacheDelay= Eksportimise vastuse vahemällu salvestamise viivitus (0 või tühi vahemälu mitte kasutamiseks) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind konverteerimise võimekus Module3200Name=Unalterable Archives Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. Module3300Name=Module Builder -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Sotsiaalvõrgud Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=Personalihaldus @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Seaded WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/et_EE/mails.lang b/htdocs/langs/et_EE/mails.lang index 431457df254..f2d5d0f39b3 100644 --- a/htdocs/langs/et_EE/mails.lang +++ b/htdocs/langs/et_EE/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=Kolmandad isikud SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/fa_IR/admin.lang b/htdocs/langs/fa_IR/admin.lang index 9cb64178dbc..66542015c3d 100644 --- a/htdocs/langs/fa_IR/admin.lang +++ b/htdocs/langs/fa_IR/admin.lang @@ -145,6 +145,7 @@ Box=وسیله Boxes=وسایل MaxNbOfLinesForBoxes=حداکثر سطور وسایل AllWidgetsWereEnabled=همۀ وسیله‌های موجود فعال هستند +WidgetAvailable=Widget available PositionByDefault=ترتیب پیش‌فرض Position=مکان MenusDesc=اداره‌کننده‌های فهرست‌ها محتوای دو نوار فهرست را تعیین می‌کنند (افقی و عمودی). @@ -374,7 +375,7 @@ DoTestSendHTML=آزمایش ارسال HTML ErrorCantUseRazIfNoYearInMask=خطا، در صورتی {yy} یا {yyyy} در ترتیب شمارنده نباشد، امکان استفاده از گزینۀ @ برای بازسازی شمارنده در هر سال وجود ندارد. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=خطا، در صورتی {yy}{mm} یا {yyyy}{mm} در ترتیب شمارنده نباشد، امکان استفاده از گزینۀ @ برای بازسازی شمارنده در هر سال وجود ندارد. UMask=مقدار UMask برای فایل‌های جدید در سامانه‌های فایل Unix/Linux/BSD/Mac -UMaskExplanation=این مقدار به شما امکان تعیین مجوزهای پیش‌فرض فایل‌ها که توسط Dolibarr روی سرور (مثلا در هنگام بالاگذاری فایل) ساخته شده می‌دهد.
    این باید یک مقدار هشت‌هشتی باشد (برای مثال، 0666 به معنای امکان خواندن و نوشتن برای همه است).
    این مقدار در یک سرور ویندوزی بی‌معنی است. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=برای مطالعۀ فهرست مشارکت کنندگان و موسسات آن‌ها به صفحات ویکی مراجعه فرمائید. UseACacheDelay= تاخیر برای میان‌گیری-Caching واکنش به صادرات در واحد ثانیه (0 یا خالی برای عدم ایجاد میان‌گیری) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=قابلیت‌های تبدیل GeoIP Maxmind Module3200Name=بایگانی‌های تغییرناپذیر Module3200Desc=فعال کردن یک گزارش کاری غیرقابل تغییر. رخدادها به صورت بلادرنگ بایگانی خواهند شد. گزارش به صورت یک جدول فقط‌خواندنی از رخدادهای زنجیره‌ای در آمده که قابلیت صادرات دارند. برای بعضی از کشورها این واحد، اجباری است. Module3300Name=Module Builder -Module3200Desc=فعال کردن یک گزارش کاری غیرقابل تغییر. رخدادها به صورت بلادرنگ بایگانی خواهند شد. گزارش به صورت یک جدول فقط‌خواندنی از رخدادهای زنجیره‌ای در آمده که قابلیت صادرات دارند. برای بعضی از کشورها این واحد، اجباری است. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=شبکه‌های اجتماعی Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=مدیریت منابع انسانی @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = تنظیمات WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/fa_IR/interventions.lang b/htdocs/langs/fa_IR/interventions.lang index 546306f476a..1ff599bd852 100644 --- a/htdocs/langs/fa_IR/interventions.lang +++ b/htdocs/langs/fa_IR/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=ساعت و دقیقۀ مربوط به بخش تا InterventionStatistics=آمار پادرمیانی‌ها NbOfinterventions=تعداد کارت‌های پادرمیانی NumberOfInterventionsByMonth=تعداد کارت‌های پادرمیانی بر حسب ما (تاریخ تائید اعتبار) -AmountOfInteventionNotIncludedByDefault=به طور پیش‌فرض مبلغ پادرمیانی در سود محاسبه نمی‌شود (در اکثر موارد، برگه‌های زمان برای محاسبۀ زمان صرف شده استفاده می‌شوند). برای شامل کردن سود آن‌ها گزینۀ PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT را در خانه-برپاسازی-سایر به 1 تغییر دهید. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=شناسۀ پادرمیانی InterRef=ش.ارجاع پادرمیانی InterDateCreation=تاریخ ساخت پادرمیانی @@ -66,3 +66,7 @@ RepeatableIntervention=Template of intervention ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? GenerateInter=Generate intervention +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/fa_IR/mails.lang b/htdocs/langs/fa_IR/mails.lang index 8d416379d9f..a7eb5b1c117 100644 --- a/htdocs/langs/fa_IR/mails.lang +++ b/htdocs/langs/fa_IR/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=طرف‌های تماس با سمت‌ها MailingModuleDescEmailsFromFile=رایانامه‌ها از فایل MailingModuleDescEmailsFromUser=ورودی رایانامه کاربر MailingModuleDescDolibarrUsers=کاربران دارای رایانامه -MailingModuleDescThirdPartiesByCategories=شخص‌سوم‌ها (بر حسب دسته‌بندی) +MailingModuleDescThirdPartiesByCategories=شخص‌سوم‌ها SendingFromWebInterfaceIsNotAllowed=ارسال از رابط وب مجاز نیست. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/fi_FI/admin.lang b/htdocs/langs/fi_FI/admin.lang index a3375fde153..33a7c90b0a4 100644 --- a/htdocs/langs/fi_FI/admin.lang +++ b/htdocs/langs/fi_FI/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widgetit MaxNbOfLinesForBoxes=Maksimi rivimäärä Widgeteille AllWidgetsWereEnabled=Kaikki saatavilla olevat Widgetit on aktivoitu +WidgetAvailable=Widget available PositionByDefault=Oletusjärjestys Position=Sijainti MenusDesc=Valikkohallinnasta asetetaan kahden valikkorivin (vaaka- ja pystysuora) sisältö. @@ -374,7 +375,7 @@ DoTestSendHTML=Testaa HTML:n lähettäminen ErrorCantUseRazIfNoYearInMask=Virhe, ei voi käyttää vaihtoehtoa @ laskurin nollaamiseen vuosittain, jos jaksoa {yy} tai {yyyy} ei ole maskissa. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Virhe ei voi käyttäjä vaihtoehto @ jos SEQUENCE (yy) (mm) tai (vvvv) (mm) ei mask. UMask=UMask parametri uusia tiedostoja Unix / Linux / BSD-tiedostojärjestelmää. -UMaskExplanation=Tämän parametrin avulla voit määrittää käyttöoikeudet asettaa oletuksena tiedostoja luotu Dolibarr palvelimelle (aikana ladata esimerkiksi).
    Se on oktaali-arvo (esim. 0666 tarkoittaa, lukea ja kirjoittaa kaikki).
    Ce paramtre ne Sert pas sous un serveur Windows. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization UseACacheDelay= Viive cashing vienti vastehuippu sekuntia (0 tai tyhjä ei välimuisti) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind tulokset valmiuksia Module3200Name=Muuttamattomat arkistot Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. Module3300Name=Module Builder -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Sosiaaliset verkostot Module3400Desc=Ota sosiaalisten verkostojen kentät käyttöön kolmansille osapuolille ja osoitteille (skype, twitter, facebook, ...). Module4000Name=Henkilöstöhallinta @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Asetukset WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/fi_FI/mails.lang b/htdocs/langs/fi_FI/mails.lang index accdb253f9b..0277a1b2a95 100644 --- a/htdocs/langs/fi_FI/mails.lang +++ b/htdocs/langs/fi_FI/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=Sidosryhmät SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/fr_FR/accountancy.lang b/htdocs/langs/fr_FR/accountancy.lang index 345342421fb..89b76f7ab9c 100644 --- a/htdocs/langs/fr_FR/accountancy.lang +++ b/htdocs/langs/fr_FR/accountancy.lang @@ -167,14 +167,14 @@ ACCOUNTANCY_COMBO_FOR_AUX=Activer la liste déroulante pour les comptes auxiliai ACCOUNTING_DATE_START_BINDING=Définissez une date pour commencer la liaison et le transfert en comptabilité. En dessous de cette date, les transactions ne seront jamais transférées à la comptabilité. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Sur virement comptable, quelle est la période sélectionnée par défaut -ACCOUNTING_SELL_JOURNAL=Journal des ventes -ACCOUNTING_PURCHASE_JOURNAL=Journal des achats -ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements -ACCOUNTING_EXPENSEREPORT_JOURNAL=Journal des notes de frais -ACCOUNTING_MISCELLANEOUS_JOURNAL=Journal des opérations diverses -ACCOUNTING_HAS_NEW_JOURNAL=Journal des A-nouveaux -ACCOUNTING_INVENTORY_JOURNAL=Journal d'inventaire -ACCOUNTING_SOCIAL_JOURNAL=Journal de paie +ACCOUNTING_SELL_JOURNAL=Ventes +ACCOUNTING_PURCHASE_JOURNAL=Achats +ACCOUNTING_BANK_JOURNAL=Banque +ACCOUNTING_EXPENSEREPORT_JOURNAL=Notes de frais +ACCOUNTING_MISCELLANEOUS_JOURNAL=Opérations diverses +ACCOUNTING_HAS_NEW_JOURNAL=A-nouveaux +ACCOUNTING_INVENTORY_JOURNAL=Inventaire +ACCOUNTING_SOCIAL_JOURNAL=Paie ACCOUNTING_RESULT_PROFIT=Compte de résultat (Profit) ACCOUNTING_RESULT_LOSS=Compte de résultat (perte) @@ -272,7 +272,7 @@ Pcgtype=Groupe de comptes comptables PcgtypeDesc=Les groupes de comptes sont utilisés comme critères de filtre et de regroupement prédéfinis pour certains rapports de comptabilité. Par exemple, «INCOME» ou «EXPENSE» sont utilisés en tant que groupes pour la comptabilité afin de générer le rapport dépenses / revenus. AccountingCategoriesDesc=Un groupe de comptes personnalisé peut être utilisé pour regrouper les comptes comptables en un seul nom afin de faciliter l'utilisation du filtre ou la création de rapports personnalisés. -Reconcilable=Rapprochable +Reconcilable=Lettrable TotalVente=Total chiffre affaires hors taxe TotalMarge=Total marge @@ -300,7 +300,7 @@ DescValidateMovements=Toute modification ou suppression d'écriture, de lettrage ValidateHistory=Lier automatiquement AutomaticBindingDone=Liaisons automatiques effectuées (%s) - Liaison automatique impossible pour certains enregistrements (%s) -DoManualBindingForFailedRecord=Vous devez réaliser un rapprochement manuel pour la/les %s ligne·s non rapproché·es automatiquement. +DoManualBindingForFailedRecord=Vous devez réaliser un lettrage manuel pour la/les %s ligne·s non lettré·es automatiquement. ErrorAccountancyCodeIsAlreadyUse=Erreur, vous ne pouvez pas supprimer ou désactiver ce compte comptable car il est utilisé MvtNotCorrectlyBalanced=Mouvement non équilibré. Débit = %s & Crédit = %s @@ -314,7 +314,7 @@ ChangeBinding=Changer les liens Accounted=En comptabilité NotYetAccounted=Pas encore transféré en comptabilité ShowTutorial=Afficher le tutoriel -NotReconciled=Non rapproché +NotReconciled=Non lettré WarningRecordWithoutSubledgerAreExcluded=Attention, toutes les lignes sans compte auxiliaire défini sont filtrées et exclues de cette vue AccountRemovedFromCurrentChartOfAccount=Compte comptable qui n'existe pas dans le plan comptable actuel @@ -416,22 +416,22 @@ Calculated=Calculé Formula=Formule ## Reconcile -LetteringAuto=Rapprocher automatiquement -LetteringManual=Rapprocher manuel -Unlettering=Annuler le rapprochement -UnletteringAuto=Annuler le rapprochement automatique -UnletteringManual=Annuler rapprochement manuel -AccountancyNoLetteringModified=Pas de rapprochement modifié -AccountancyOneLetteringModifiedSuccessfully=Un rapprochement modifié avec succès -AccountancyLetteringModifiedSuccessfully=%s rapprochements modifiés avec succès -AccountancyNoUnletteringModified=Aucune annulation de rapprochement modifiée -AccountancyOneUnletteringModifiedSuccessfully=Une annulation de rapprochement modifiée avec succès -AccountancyUnletteringModifiedSuccessfully=%s annulations de rapprochement modifiées avec succès +LetteringAuto=Lettrage automatique +LetteringManual=Lettrage manuel +Unlettering=Annuler le lettrage +UnletteringAuto=Annuler le lettrage automatique +UnletteringManual=Annuler lettrage manuel +AccountancyNoLetteringModified=Pas de lettrage modifié +AccountancyOneLetteringModifiedSuccessfully=Un lettrage modifié avec succès +AccountancyLetteringModifiedSuccessfully=%s lettrages modifiés avec succès +AccountancyNoUnletteringModified=Aucune annulation de lettrage modifiée +AccountancyOneUnletteringModifiedSuccessfully=Une annulation de lettrage modifiée avec succès +AccountancyUnletteringModifiedSuccessfully=%s annulations de lettrage modifiées avec succès ## Confirm box -ConfirmMassUnletteringAuto=Confirmation d'annulation de rapprochement automatique -ConfirmMassUnletteringManual=Confirmation de dé-rapprochement manuel -ConfirmMassUnletteringQuestion=Voulez-vous vraiment annuler le rapprochement des %s enregistrements sélectionnés ? +ConfirmMassUnletteringAuto=Confirmation de l'annulation du lettrage automatique +ConfirmMassUnletteringManual=Confirmation de l'annulation du lettrage manuel +ConfirmMassUnletteringQuestion=Voulez-vous vraiment annuler le lettrage des %s enregistrements sélectionnés ? ConfirmMassDeleteBookkeepingWriting=Confirmation de suppression en masse ConfirmMassDeleteBookkeepingWritingQuestion=Cela supprimera la transaction de la comptabilité (toutes les lignes liées à la même transaction seront supprimées). Êtes-vous sûr de vouloir supprimer le(s) %s enregistrement(s) sélectionné(s) ? diff --git a/htdocs/langs/fr_FR/admin.lang b/htdocs/langs/fr_FR/admin.lang index ffcd0f60b29..6b97695d8e9 100644 --- a/htdocs/langs/fr_FR/admin.lang +++ b/htdocs/langs/fr_FR/admin.lang @@ -145,7 +145,7 @@ Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Nombre maximum de lignes dans les widgets AllWidgetsWereEnabled=Tous les widgets disponibles ont été activés -WidgetAvailable=Widget available +WidgetAvailable=Widget disponible PositionByDefault=Position par défaut Position=Position MenusDesc=Les gestionnaires de menu définissent le contenu des deux barres de menus (la barre horizontale et la barre verticale). Il est possible de mettre un gestionnaire différent selon que l'utilisateur est interne ou externe. @@ -375,7 +375,7 @@ DoTestSendHTML=Tester envoi HTML ErrorCantUseRazIfNoYearInMask=Erreur, ne peut utiliser l'option @ pour remettre à zéro en début d'année si la séquence {yy} ou {yyyy} n'est pas dans le masque. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Erreur, ne peut utiliser l'option @ si la séquence {yy}{mm} ou {yyyy}{mm} n'est pas dans le masque. UMask=Masque des nouveaux fichiers sous Unix/Linux/BSD/Mac. -UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. +UMaskExplanation=Ce paramètre permet de définir les permissions définies par défaut sur les fichiers créés par Dolibarr sur le serveur (lors d'un upload par exemple).
    Il s'agit de la valeur octale (par exemple, 0666 signifie lecture et écriture pour tous.). La valeur recommandée est 0600 ou 0660.
    Ce paramètre est inutile sur un serveur Windows. SeeWikiForAllTeam=Voir le wiki pour le détail de tous les contributeurs et leur organisation UseACacheDelay= Délai de mise en cache de l'export en secondes (0 ou vide pour aucun cache) DisableLinkToHelpCenter=Cacher le lien «Besoin d'aide ou assistance» sur la page de connexion @@ -2300,7 +2300,7 @@ ExportUseLowMemoryMode=Utiliser un mode mémoire faible ExportUseLowMemoryModeHelp=Utilisez le mode mémoire faible pour générer le fichier dump (la compression se fait via un pipe plutôt que dans la mémoire PHP). Cette méthode ne permet pas de vérifier que le fichier est complet et le message d'erreur ne peut pas être signalé en cas d'échec. Utilisez ce mode si vous avez des erreurs dues à un manque de mémoire. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL +ModuleWebhookDesc = Interface permettant de définir les événements déclenchables de dolibarr et d'envoyer les données de l'événement via une URL WebhookSetup = Configuration du webhook Settings = Paramètres WebhookSetupPage = Page de configuration du webhook @@ -2375,4 +2375,4 @@ EMailsInGoingDesc=La réception des e-mails est gérée par le module %s. Vous d MAIN_IMAP_USE_PHPIMAP=Utiliser la librairie PHP-IMAP pour la prise en charge IMAP, à la place du support IMAP natif de PHP. Ceci permet également l'utilisation d'une connexion OAuth2 pour IMAP (le module OAuth doit aussi être activé). MAIN_CHECKBOX_LEFT_COLUMN=Afficher la colonne de sélection de champ et de ligne à gauche (à droite par défaut) -CSSPage=CSS Style +CSSPage=Style CSS diff --git a/htdocs/langs/gl_ES/accountancy.lang b/htdocs/langs/gl_ES/accountancy.lang index 52275ead14b..eb48519c735 100644 --- a/htdocs/langs/gl_ES/accountancy.lang +++ b/htdocs/langs/gl_ES/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Activar a listaxe combinada para a conta subsidiaria ( ACCOUNTING_DATE_START_BINDING=Define unha data para comezar a ligar e transferir na contabilidade. Por debaixo desta data, as transaccións non se transferirán á contabilidade. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Na transferencia de contabilidade, cal é o período seleccionado por defecto -ACCOUNTING_SELL_JOURNAL=Diario de vendas (vendas e devolucións) -ACCOUNTING_PURCHASE_JOURNAL=Diario de compras (compras e devolucións) -ACCOUNTING_BANK_JOURNAL=Diario de caixa (recibos e desembolsos) +ACCOUNTING_SELL_JOURNAL=Diario de vendas - vendas e devolucións +ACCOUNTING_PURCHASE_JOURNAL=Diario de compras: compra e devolucións +ACCOUNTING_BANK_JOURNAL=Diario de caixa - recibos e desembolsos ACCOUNTING_EXPENSEREPORT_JOURNAL=Informe de gastos diario ACCOUNTING_MISCELLANEOUS_JOURNAL=Xornal xeral ACCOUNTING_HAS_NEW_JOURNAL=Ten un novo diario @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Isto eliminará todas as liñas da contabilidade do ano/mes e/o ConfirmDeleteMvtPartial=Isto eliminará a transacción da contabilidade (eliminaranse todas as liñas relacionadas coa mesma transacción) FinanceJournal=Diario financiero ExpenseReportsJournal=Diario informe de gastos +InventoryJournal=Diario de inventario DescFinanceJournal=O diario financiero inclúe todos os tipos de pagos por conta bancaria DescJournalOnlyBindedVisible=Ista é una vista do rexistro ligada a unha conta contable e que pode ser rexistrada nos diarios e Libro Maior. VATAccountNotDefined=Conta contable para IVE non definida diff --git a/htdocs/langs/gl_ES/admin.lang b/htdocs/langs/gl_ES/admin.lang index 90180ce3ae1..0bcc53194c7 100644 --- a/htdocs/langs/gl_ES/admin.lang +++ b/htdocs/langs/gl_ES/admin.lang @@ -145,6 +145,7 @@ Box=Panel Boxes=Paneis MaxNbOfLinesForBoxes=Número máximo de liñas para paneis AllWidgetsWereEnabled=Todos os widgets dispoñibles están activados +WidgetAvailable=Panel dispoñible PositionByDefault=Posición por defecto Position=Posición MenusDesc=Os xestores de menús definen o contido das dúas barras de menú (horizontal e vertical) @@ -374,7 +375,7 @@ DoTestSendHTML=Probar envío HTML ErrorCantUseRazIfNoYearInMask=Erro: non pode utilizar a opción @ para reiniciar o contador cada ano se a secuencia {yy} o {yyyy} non atópase na máscara. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Erro, non pode usar a opción @ se a secuencia {yy}{mm} o {yyyy}{mm} non atópase na máscara. UMask=Parámetro UMask de novos ficheiros en Unix/Linux/BSD. -UMaskExplanation=Este parámetro determina os dereitos dos ficheiros creados no servidor Dolibarr (durante a subida, por exemplo).
    Este debe ser o valor octal (por exemplo, 0666 significa leitura / escritura para todos).
    Este parámetro non ten ningún efecto sobre un servidor Windows. +UMaskExplanation=Este parámetro permítelle definir permisos por defecto dos ficheiros creados por Dolibarr no servidor (durante a carga, por exemplo).
    Este debe ser o valor octal (por exemplo, 0666 significa ler/escribir para todos). O valor recomendado é 0600 ou 0660
    Este parámetro non ten ningún efecto sobre un servidor Windows. SeeWikiForAllTeam=Vexa o wiki para mais detalles de todos os actores e da súa organización UseACacheDelay= Demora en caché da exportación en segundos (0 o vacio sen caché) DisableLinkToHelpCenter=Agocha a ligazón "Precisa axuda ou soporte" na páxina de inicio de sesión @@ -663,7 +664,7 @@ Module2900Desc=Capacidades de conversión GeoIP Maxmind Module3200Name=Ficheiros inalterables Module3200Desc=Activar o rexistro inalterable de eventos empresarais. Os eventos arquívanse en tempo real. O rexistro é unha taboa de sucesos encadeados que poden lerse e exportar. Este módulo pode ser obrigatorio nalgúns países. Module3300Name=Diseñador de módulos -Module3200Desc=Activar o rexistro inalterable de eventos empresarais. Os eventos arquívanse en tempo real. O rexistro é unha taboa de sucesos encadeados que poden lerse e exportar. Este módulo pode ser obrigatorio nalgúns países. +Module3300Desc=Unha RAD (Desenvolvemento Rápido de Aplicacións: código baixo e sen código) ferramenta para axudar aos desenvolvedores ou usuarios avanzados a construír o seu propio módulo/aplicación. Module3400Name=Redes sociais Module3400Desc=Active os campos das redes sociais en terceiros e enderezos (skype, twitter, facebook, ...). Module4000Name=RRHH @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use un modo de memoria baixa ExportUseLowMemoryModeHelp=Use o modo de memoria baixa para xerar o ficheiro de volcado (a compresión realízase a través dun tubo en lugar de na memoria PHP). Este método non permite comprobar que o ficheiro está completo e non se pode informar da mensaxe de erro se falla. Utilíceo se non experimenta erros de memoria suficientes. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface para capturar os disparadores (triggers) dolibarr e envialos a un URL +ModuleWebhookDesc = Interface para capturar os disparadores (triggers) dolibarr e enviar datos do evento a unha URL WebhookSetup = Configuración de webhook Settings = Configuracións WebhookSetupPage = Páxina de configuración de webhook @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Aviso: o módulo %s estableceu WarningModuleHasChangedSecurityCsrfParameter=Aviso: o módulo %s desactivou a seguridade CSRF da súa instancia. Esta acción é sospeitosa e é posible que a súa instalación non estea xa protexida. Póñase en contacto co autor do módulo para obter explicacións. EMailsInGoingDesc=Os correos electrónicos entrantes son xestionados polo módulo %s. Debe activalo e configuralo se precisa admitir correos electrónicos entrantes. MAIN_IMAP_USE_PHPIMAP=Use a biblioteca PHP-IMAP para IMAP en lugar da nitivae PHP IMAP. Isto tamén permite o uso dunha conexión OAuth2 para IMAP (o módulo OAuth tamén debe estar activado). +MAIN_CHECKBOX_LEFT_COLUMN=Amosa a columna para a selección de campo e liña á esquerda (á dereita por defecto) + +CSSPage=Estilo CSS diff --git a/htdocs/langs/gl_ES/boxes.lang b/htdocs/langs/gl_ES/boxes.lang index 31a4f631c89..618d97d71d0 100644 --- a/htdocs/langs/gl_ES/boxes.lang +++ b/htdocs/langs/gl_ES/boxes.lang @@ -118,6 +118,27 @@ BoxCustomersOutstandingBillReached=Alcanzáronse os clientes cun límite pendent UsersHome=Usuarios e grupos internos MembersHome=Membros internos ThirdpartiesHome=Terceiros internos +productindex=Produtos e servizos internos +mrpindex=Inicio MRP +commercialindex=Inicio comercial +projectsindex=Inicio proxectos +invoiceindex=Inicio facturas +hrmindex=Inicio facturas TicketsHome=Tickets internos +stockindex=Inicio existencias +sendingindex=Inicio envíos +receptionindex=Inicio recepcións +activityindex=Inicio actividade +proposalindex=Inicio orzamentos +ordersindex=Inicio pedimentos +orderssuppliersindex=Inicip pedimentos a provedores +contractindex=Inicio contratos +interventionindex=Inicio intervencións +suppliersproposalsindex=Inicio orzamentos de provedor +donationindex=Inicio doacións/subvencións +specialexpensesindex=Inicio gastos especiais +expensereportindex=Inicio informe de gastos +mailingindex=Inicio correo electrónico +opensurveyindex=Inicio enquisa aberta AccountancyHome=Contabilidade interna ValidatedProjects=Proxectos validados diff --git a/htdocs/langs/gl_ES/ecm.lang b/htdocs/langs/gl_ES/ecm.lang index f47440871fe..00abe7259e3 100644 --- a/htdocs/langs/gl_ES/ecm.lang +++ b/htdocs/langs/gl_ES/ecm.lang @@ -19,7 +19,7 @@ ECMArea=Área MS/ECM ECMAreaDesc=O área DMS / ECM (Document Management System / Electronic Content Management) permítelle gardar, compartir e buscar rapidamente todo tipo de documentos en Dolibarr. ECMAreaDesc2a=* Os directorios manuais pódense usar para gardar documentos non ligados a un elemento en particular. ECMAreaDesc2b=* Os directorios automáticos énchense automaticamente ao engadir documentos desde a páxina dun elemento. -ECMAreaDesc3=* Os directorios de medios son ficheiros do subdirectorio /medias do directorio de documentos, lexibles por todos sen necesidade de rexistrarse e sen necesidade de compartir o ficheiro de forma explícita. Utilízase para almacenar ficheiros de imaxe do módulo de correo electrónico ou sitio web. +ECMAreaDesc3=* Os directorios de medios son ficheiros do subdirectorio /medias do directorio de documentos, lexibles por todos sen necesidade de rexistrarse e sen necesidade de compartir o ficheiro de forma explícita. Utilízase, por exemplo, para almacenar ficheiros de imaxe para o módulo de correo electrónico ou sitio web. ECMSectionWasRemoved=O directorio %s foi eliminado ECMSectionWasCreated=O directorio %s foi creado. ECMSearchByKeywords=Buscar por palabras clave diff --git a/htdocs/langs/gl_ES/errors.lang b/htdocs/langs/gl_ES/errors.lang index 3a54b10294d..99ab2408dec 100644 --- a/htdocs/langs/gl_ES/errors.lang +++ b/htdocs/langs/gl_ES/errors.lang @@ -262,6 +262,7 @@ ErrorParameterMustBeEnabledToAllwoThisFeature=Erro, o parámetro %s1debe ErrorLoginDateValidity=Erro, este inicio de sesión está fóra do intervalo de datas validas ErrorValueLength=A lonxitude do campo "%s" debe ser superior a "%s" ErrorReservedKeyword=A palabra '%s' é unha palabra chave reservada +ErrorFilenameReserved=O nome de ficheiro %s non se pode usar xa que é un comando reservado e protexido. ErrorNotAvailableWithThisDistribution=Non dispoñible con esta distribución ErrorPublicInterfaceNotEnabled=Interfaz pública non activada ErrorLanguageRequiredIfPageIsTranslationOfAnother=O idioma da nova páxina debe definirse se se define como tradución doutra páxina @@ -308,7 +309,7 @@ ErrorExistingPermission = Permiso %s para o obxecto %s ErrorFieldExist=O valor de %s xa existe ErrorEqualModule=Módulo non válido en %s ErrorFieldValue=O valor para %s é incorrecto -ErrorCoherenceMenu= %s é preciso cando % é igual á ESQUERDA +ErrorCoherenceMenu= %s é preciso cando %s é 'esquerda' # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=O seu parámetro PHP upload_max_filesize (%s) é superior ao parámetro PHP post_max_size (%s). Esta non é unha configuración consistente. diff --git a/htdocs/langs/gl_ES/interventions.lang b/htdocs/langs/gl_ES/interventions.lang index cf20ab11dfa..9566d38de98 100644 --- a/htdocs/langs/gl_ES/interventions.lang +++ b/htdocs/langs/gl_ES/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Oculta horas e minutos fora do campo de data para InterventionStatistics=Estatísticas de intervencións NbOfinterventions=Nº de fichas de intervención NumberOfInterventionsByMonth=Nº de fichas de intervención por mes (data de validación) -AmountOfInteventionNotIncludedByDefault=A cantidade de intervención non se inclúe por defecto no beneficio (na maioría dos casos, as follas de traballo úsanse para contar o tempo empregado). Engade a opción PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT a 1 en home-setup-other para incluílas. +AmountOfInteventionNotIncludedByDefault=A cantidade de intervención non se inclúe por defecto no beneficio (na maioría dos casos, as follas de horas de traballo utilízanse para contar o tempo empregado). Pode usar a opción PROJECT_ELEMENTS_FOR_ADD_MARGIN e PROJECT_ELEMENTS_FOR_MINUS_MARGIN en inicio-configuración-outro para completar a listaxe de elementos incluídos no beneficio. InterId=Id. intervención InterRef=Ref. intervención InterDateCreation=Data creación intervención diff --git a/htdocs/langs/gl_ES/mails.lang b/htdocs/langs/gl_ES/mails.lang index 54ee641b24a..2db0fd1cff1 100644 --- a/htdocs/langs/gl_ES/mails.lang +++ b/htdocs/langs/gl_ES/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contactos por posición MailingModuleDescEmailsFromFile=Mails de ficheiros MailingModuleDescEmailsFromUser=Mails enviados por usuario MailingModuleDescDolibarrUsers=Usuarios con mails -MailingModuleDescThirdPartiesByCategories=Terceiros (por categoría) +MailingModuleDescThirdPartiesByCategories=Terceiros SendingFromWebInterfaceIsNotAllowed=O envío dende a interfaz web non está permitido. EmailCollectorFilterDesc=Todos os filtros deben coincidir para recibir un correo electrónico @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Rexistro creado polo receptor de correo electróni DefaultBlacklistMailingStatus=Valor predeterminado para o campo '%s' ao crear un novo contacto DefaultStatusEmptyMandatory=Baleiro pero obrigatorio WarningLimitSendByDay=ADVERTENCIA: a configuración ou o contrato da súa instancia limita o seu número de correos electrónicos ao día a %s . Se tenta enviar máis, pode que a súa instancia se ralentice ou se suspenda. Poñase en contacto co seu servizo de asistencia se precisa unha cota máis alta. +NoMoreRecipientToSendTo=Non hai máis destinatarios aos que enviar o correo electrónico diff --git a/htdocs/langs/gl_ES/main.lang b/htdocs/langs/gl_ES/main.lang index bd87e4f9635..59cd9d433ff 100644 --- a/htdocs/langs/gl_ES/main.lang +++ b/htdocs/langs/gl_ES/main.lang @@ -514,6 +514,7 @@ NotYetAvailable=Aínda non dispoñible NotAvailable=Non dispoñible Categories=Etiquetas/categorías Category=Etiqueta/categoría +SelectTheTagsToAssign=Seleccione as etiquetas/categorías para asignar By=Por From=De FromDate=De @@ -1223,5 +1224,6 @@ AddToContacts=Engadir enderezo aos meus contactos LastAccess=Último acceso UploadAnImageToSeeAPhotoHere=Cargue unha imaxe da pestana %s para ver unha foto aquí LastPasswordChangeDate=Última data de modificación de contrasinal -PublicVirtualCardUrl=Páxina virtual de tarxetas de visita +PublicVirtualCardUrl=URL da páxina de tarxeta virtual da empresa +PublicVirtualCard=Tarxeta virtual da empresa TreeView=Vista en árbore diff --git a/htdocs/langs/gl_ES/margins.lang b/htdocs/langs/gl_ES/margins.lang index b9b73c49de7..916f1bd4c76 100644 --- a/htdocs/langs/gl_ES/margins.lang +++ b/htdocs/langs/gl_ES/margins.lang @@ -6,6 +6,7 @@ TotalMargin=Marxe total MarginOnProducts=Marxe / Produtos MarginOnServices=Marxe / Servizos MarginRate=Marxe sobre coste +ModifyMarginRates=Modificar a narxe sobre custos MarkRate=Marxe sobre venda DisplayMarginRates=Amosar a marxe sobre costes DisplayMarkRates=Amosar a marxe sobre ventas diff --git a/htdocs/langs/gl_ES/members.lang b/htdocs/langs/gl_ES/members.lang index 1e46997f4cc..7243d10b377 100644 --- a/htdocs/langs/gl_ES/members.lang +++ b/htdocs/langs/gl_ES/members.lang @@ -4,6 +4,8 @@ MemberCard=Ficha membro SubscriptionCard=Ficha cotización Member=Membro Members=Membros +NoRecordedMembers=Ningún membro rexistrado +NoRecordedMembersByType=Ningún membro rexistrado ShowMember=Amosar ficha membro UserNotLinkedToMember=Usuario non ligado a un membro ThirdpartyNotLinkedToMember=Terceiro non ligado a ningún membro @@ -233,3 +235,4 @@ CreateDolibarrThirdPartyDesc=Un terceiro é a persoa xurídica que se usará na MemberFirstname=Nome do membro MemberLastname=Apelido do membro MemberCodeDesc=Código de membro, único para todos os membros +NoRecordedMembers=Ningún membro rexistrado diff --git a/htdocs/langs/gl_ES/mrp.lang b/htdocs/langs/gl_ES/mrp.lang index 71c2483e2aa..a838cf327e6 100644 --- a/htdocs/langs/gl_ES/mrp.lang +++ b/htdocs/langs/gl_ES/mrp.lang @@ -119,3 +119,6 @@ BomCantAddChildBom=A nomenclatura %s xa está presente na árbore que conduce á BOMNetNeeds = Necesidades netas de BOM BOMProductsList=Produtos de BOM BOMServicesList=Servizos de BOM +Manufacturing=Fabricación +Disassemble=Desmontar +ProducedBy=Producido por diff --git a/htdocs/langs/gl_ES/partnership.lang b/htdocs/langs/gl_ES/partnership.lang index e1fffab3d16..41323b68dce 100644 --- a/htdocs/langs/gl_ES/partnership.lang +++ b/htdocs/langs/gl_ES/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=Asociación: comprobe a ligazón de retroceso referente # Menu # NewPartnership=Nova Asociación -NewPartnershipbyWeb= A súa asociación engadiuse correctamente. +NewPartnershipbyWeb=A súa solicitude de asociación engadiuse correctamente. Podemos contactar con vostede en breve... ListOfPartnerships=Listaxe de Asociacións # diff --git a/htdocs/langs/gl_ES/ticket.lang b/htdocs/langs/gl_ES/ticket.lang index 85e093b9f1d..0b9f8a63817 100644 --- a/htdocs/langs/gl_ES/ticket.lang +++ b/htdocs/langs/gl_ES/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Creado por NewTicket=Novo ticket SubjectAnswerToTicket=Resposta TicketTypeRequest=Tipo de solicitude -TicketCategory=Categorización de tickets +TicketCategory=Grupo de tickets SeeTicket=Ver ticket TicketMarkedAsRead=O ticket foi marcado como lido TicketReadOn=Lido o diff --git a/htdocs/langs/he_IL/admin.lang b/htdocs/langs/he_IL/admin.lang index 26f39363219..20f49a36223 100644 --- a/htdocs/langs/he_IL/admin.lang +++ b/htdocs/langs/he_IL/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Max. number of lines for widgets AllWidgetsWereEnabled=All available widgets are enabled +WidgetAvailable=Widget available PositionByDefault=ברירת המחדל של סדר Position=Position MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). @@ -374,7 +375,7 @@ DoTestSendHTML=בדוק שליחת HTML ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=שגיאה, לא ניתן להשתמש באפשרות @ אם רצף {yy} {מ"מ} או {yyyy} {מ"מ} אינו מסכה. UMask=UMask פרמטר עבור קבצים חדשים על יוניקס / לינוקס / BSD מערכת הקבצים. -UMaskExplanation=פרמטר זה מאפשר לך להגדיר הרשאות כברירת מחדל על קבצים שנוצרו על ידי Dolibarr בשרת (במהלך הטעינה למשל).
    זה חייב להיות ערך אוקטלי (לדוגמה, 0666 אמצעי קריאה וכתיבה לכולם).
    פרמטר זה הוא חסר תועלת על שרת Windows. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization UseACacheDelay= עיכוב במטמון בתגובה יצוא שניות (0 או ריק מטמון לא) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind המרות יכולות Module3200Name=Unalterable Archives Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. Module3300Name=Module Builder -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Social Networks Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/he_IL/mails.lang b/htdocs/langs/he_IL/mails.lang index bd56bac15f8..b64067385e6 100644 --- a/htdocs/langs/he_IL/mails.lang +++ b/htdocs/langs/he_IL/mails.lang @@ -7,10 +7,10 @@ MailCard=EMailing card MailRecipients=Recipients MailRecipient=Recipient MailTitle=תאור -MailFrom=Sender +MailFrom=From MailErrorsTo=Errors to MailReply=Reply to -MailTo=Receiver(s) +MailTo=To MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=צדדים שלישיים SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -178,3 +178,5 @@ IsAnAnswer=Is an answer of an initial email RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory +WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/hr_HR/admin.lang b/htdocs/langs/hr_HR/admin.lang index cb9c3a3ba18..31d250ee63c 100644 --- a/htdocs/langs/hr_HR/admin.lang +++ b/htdocs/langs/hr_HR/admin.lang @@ -145,6 +145,7 @@ Box=Dodatak Boxes=Dodaci MaxNbOfLinesForBoxes=Maksimalni broj linija u dodatku AllWidgetsWereEnabled=Svi dostupni widgeti su omogućeni +WidgetAvailable=Widget available PositionByDefault=Predefiniran redosljed Position=Pozicija MenusDesc=Upravitelji izbornicima postavljaju sadržaj za dva izbornika ( horizontalni i vertikalni). @@ -374,7 +375,7 @@ DoTestSendHTML=Slanje HTML testa ErrorCantUseRazIfNoYearInMask=Pogreška, ne može se koristiti opcija @ za poništavanje brojača svake godine ako sekvenca {yy} ili {yyyy} nije u maski. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Greška, ne možete koristiti opciju @ ako sekvence {yy}{mm} ili {yyyy}{mm} nisu u predlošku. UMask=Umask parametar za nove datoteke na Unix/Linux/BSD/Mac sistemu. -UMaskExplanation=Ovaj parametar vam omogućuje da definirate dopuštenja postavljena prema zadanim postavkama za datoteke koje je Dolibarr stvorio na poslužitelju (na primjer, tijekom prijenosa).
    Mora biti oktalna vrijednost (na primjer, 0666 znači čitanje i pisanje za svakoga).
    Ovaj parametar je beskoristan na Windows poslužitelju. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Pogledajte Wiki stranicu za popis suradnika i njihovu organizaciju UseACacheDelay= Kašnjenje za predmemoriranje izvoznog odgovora u sekundama (0 ili prazno ako nema predmemorije) DisableLinkToHelpCenter=Sakrij vezu " Trebate pomoć ili podršku " na stranici za prijavu @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind mogućnosti konverzije Module3200Name=Nepromjenjivi arhivi Module3200Desc=Omogućite nepromjenjivi zapisnik poslovnih događaja. Događaji se arhiviraju u stvarnom vremenu. Dnevnik je tablica samo za čitanje vezanih događaja koji se mogu izvesti. Ovaj modul može biti obavezan za neke zemlje. Module3300Name=Module Builder -Module3200Desc=Omogućite nepromjenjivi zapisnik poslovnih događaja. Događaji se arhiviraju u stvarnom vremenu. Dnevnik je tablica samo za čitanje vezanih događaja koji se mogu izvesti. Ovaj modul može biti obavezan za neke zemlje. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Društvene mreže Module3400Desc=Omogućite polja društvenih mreža trećim stranama i adresama (skype, twitter, facebook, ...). Module4000Name=Djelatnici @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Koristite način rada s malo memorije ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Postavke WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/hr_HR/mails.lang b/htdocs/langs/hr_HR/mails.lang index eb885a097de..a65d8f59324 100644 --- a/htdocs/langs/hr_HR/mails.lang +++ b/htdocs/langs/hr_HR/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=Treće osobe SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Zapis kreiran od strane sakupljača e-pošte %s iz DefaultBlacklistMailingStatus=Zadana vrijednost za polje '%s' prilikom stvaranja novog kontakta DefaultStatusEmptyMandatory=Prazan, ali obavezan WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/hr_HR/ticket.lang b/htdocs/langs/hr_HR/ticket.lang index 235ce683650..2c8f6a3d2a2 100644 --- a/htdocs/langs/hr_HR/ticket.lang +++ b/htdocs/langs/hr_HR/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Izradio NewTicket=Novi tiket SubjectAnswerToTicket=Odgovor na tiket TicketTypeRequest=Vrsta zahtjeva -TicketCategory=Kategorizacija tiketa +TicketCategory=Ticket group SeeTicket=Vidi tiket TicketMarkedAsRead=Tiket je označen kao pročitan TicketReadOn=Pročitano diff --git a/htdocs/langs/hu_HU/accountancy.lang b/htdocs/langs/hu_HU/accountancy.lang index 9b9ccc2575c..ea8c67f273c 100644 --- a/htdocs/langs/hu_HU/accountancy.lang +++ b/htdocs/langs/hu_HU/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Kombinációs lista engedélyezése az alszámlához ( ACCOUNTING_DATE_START_BINDING=Határozzon meg egy dátumot a könyvelésbe történő bekötés és átutalás megkezdéséhez. Ezen időpont alatt a tranzakciók nem kerülnek át a könyvelésbe. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=A könyvelési átutalásnál mi az alapértelmezetten kiválasztott időszak -ACCOUNTING_SELL_JOURNAL=Értékesítési napló (eladások és visszaküldések) -ACCOUNTING_PURCHASE_JOURNAL=Vásárlási napló (vásárlás és visszaküldés) -ACCOUNTING_BANK_JOURNAL=Pénztári napló (bevételek és kifizetések) +ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns +ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns +ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements ACCOUNTING_EXPENSEREPORT_JOURNAL=Költségjelentési napló ACCOUNTING_MISCELLANEOUS_JOURNAL=Általános napló ACCOUNTING_HAS_NEW_JOURNAL=Új naplója van @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Ez törli a könyvelés összes műveletsorát az év/hónap é ConfirmDeleteMvtPartial=Ez törli a tranzakciót a számvitelből (az ugyanahhoz a tranzakcióhoz kapcsolódó összes műveletsor törlődik) FinanceJournal=Pénzügyi napló ExpenseReportsJournal=Költségjelentési napló +InventoryJournal=Leltári napló DescFinanceJournal=Pénzügyi napló, amely tartalmazza a bankszámlánkénti fizetések összes típusát DescJournalOnlyBindedVisible=Ez egy számvitelii számlához kötött rekord nézet, amely rögzíthető a naplókban és a főkönyvben. VATAccountNotDefined=Nincs megadva az áfa-számla diff --git a/htdocs/langs/hu_HU/admin.lang b/htdocs/langs/hu_HU/admin.lang index e6d8637e617..877294d65d0 100644 --- a/htdocs/langs/hu_HU/admin.lang +++ b/htdocs/langs/hu_HU/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widgetek MaxNbOfLinesForBoxes=A modul számára elérhető sorok száma AllWidgetsWereEnabled=Az összes elérhető modul engedélyezve van +WidgetAvailable=Widget available PositionByDefault=Alapértelmezett sorrend Position=Pozíció MenusDesc=A menükezelők a két menüsor (vízszintes és függőleges) tartalmát állítják be. @@ -374,7 +375,7 @@ DoTestSendHTML=HTML küldés tesztelése ErrorCantUseRazIfNoYearInMask=Hiba, nem használható a @ opció az éves számláló nullázására, ha a (z) {yy} vagy (yyyy} sorozat nincs maszkban. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Hiba, nem tudja használni, ha az opció @ {sorozat} {nn mm ÉÉÉÉ} vagy {} {} mm nincs maszk. UMask=Umask paramétert az új fájlok a Unix / Linux / BSD fájlrendszer. -UMaskExplanation=Ez a paraméter lehetővé teszi, hogy meghatározza jogosultságok beállítása alapértelmezés szerint létrehozott fájlok Dolibarr a szerver (feltöltés közben például).
    Ennek kell lennie az oktális érték (például 0666 segítségével írni és olvasni mindenki számára).
    Ez a paraméter haszontalan egy Windows szerverre. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Vessen egy pillantást a Wiki oldalra a közreműködők és szervezeteik listájára UseACacheDelay= Késleltetése caching export válasz másodpercben (0 vagy üres cache nélkül) DisableLinkToHelpCenter=A bejelentkezési oldalon rejtse el a „Segítségre vagy támogatásra van szüksége” hivatkozást @@ -663,7 +664,7 @@ Module2900Desc=GeoIP MaxMind konverziók képességek Module3200Name=Megváltoztathatatlan archívumok Module3200Desc=Az üzleti események megváltoztathatatlan naplójának engedélyezése. Az események valós időben archiválódnak. A napló a láncolt események csak olvasható táblázata, amely exportálható. Ez a modul bizonyos országokban kötelező lehet. Module3300Name=Modul Készítő -Module3200Desc=Az üzleti események megváltoztathatatlan naplójának engedélyezése. Az események valós időben archiválódnak. A napló a láncolt események csak olvasható táblázata, amely exportálható. Ez a modul bizonyos országokban kötelező lehet. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Közösségi hálózatok Module3400Desc=Engedélyezze a közösségi hálózatok mezőit harmadik felek és címek számára (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Használjon alacsony memória módot ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interfész a dolibarr triggerek elkapásához és egy URL-re küldéséhez +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook beállítása Settings = Beállítások WebhookSetupPage = Webhook beállítási oldal @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/hu_HU/interventions.lang b/htdocs/langs/hu_HU/interventions.lang index 572564db6ff..18d43cdf6be 100644 --- a/htdocs/langs/hu_HU/interventions.lang +++ b/htdocs/langs/hu_HU/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Elrejti az órákat és perceket a dátummezőtől InterventionStatistics=A beavatkozások statisztikái NbOfinterventions=A beavatkozási kártyák száma NumberOfInterventionsByMonth=A beavatkozási kártyák száma hónaponként (érvényesítés dátuma) -AmountOfInteventionNotIncludedByDefault=A beavatkozás összege alapértelmezés szerint nem számít bele a profitba (a legtöbb esetben munkaidő-nyilvántartást használnak az eltöltött idő számlálására). Adja hozzá a PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT opciót az 1-hez a home-setup-other részhez, hogy felvegye őket. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=Beavatkozási azonosító InterRef=Beavatkozási hiv. InterDateCreation=Dátum létrehozási beavatkozás diff --git a/htdocs/langs/hu_HU/mails.lang b/htdocs/langs/hu_HU/mails.lang index b9fa26c7dec..aa83eaa5704 100644 --- a/htdocs/langs/hu_HU/mails.lang +++ b/htdocs/langs/hu_HU/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Kapcsolattartók pozíció szerint MailingModuleDescEmailsFromFile=E-mailek fájlból MailingModuleDescEmailsFromUser=E-mailek a felhasználó által MailingModuleDescDolibarrUsers=E-mailekkel rendelkező felhasználók -MailingModuleDescThirdPartiesByCategories=Harmadik felek (kategóriák szerint) +MailingModuleDescThirdPartiesByCategories=Harmadik felek SendingFromWebInterfaceIsNotAllowed=A webes felületről történő küldés nem megengedett. EmailCollectorFilterDesc=Minden szűrőnek meg kell egyeznie ahhoz, hogy e-mailt gyűjtsön @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=A(z) %s e-mail gyűjtő által létrehozott rekord DefaultBlacklistMailingStatus=A '%s' mező alapértelmezett értéke új névjegy létrehozásakor DefaultStatusEmptyMandatory=Üres, de kötelező WarningLimitSendByDay=FIGYELMEZTETÉS: A példány beállítása vagy szerződése a napi e-mailek számát %s értékre korlátozza. Ha többet próbál küldeni, előfordulhat, hogy a példány lelassul vagy felfüggeszthető. Ha magasabb kvótára van szüksége, forduljon ügyfélszolgálatához. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/hu_HU/partnership.lang b/htdocs/langs/hu_HU/partnership.lang index e8ac719fe79..07c0d2abb33 100644 --- a/htdocs/langs/hu_HU/partnership.lang +++ b/htdocs/langs/hu_HU/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=Partnerség: Ellenőrizze a hivatkozási hivatkozást # Menu # NewPartnership=Új partnerség -NewPartnershipbyWeb= Az Ön partnersége sikeresen hozzáadva. +NewPartnershipbyWeb=Your partnership request has been added successfully. We may contact you soon... ListOfPartnerships=A partnerségek listája # diff --git a/htdocs/langs/hu_HU/ticket.lang b/htdocs/langs/hu_HU/ticket.lang index e398527a5a8..c01e929ec95 100644 --- a/htdocs/langs/hu_HU/ticket.lang +++ b/htdocs/langs/hu_HU/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Létrehozta NewTicket=Új jegy SubjectAnswerToTicket=Jegy válasz TicketTypeRequest=Kérés típusa -TicketCategory=Jegyek kategorizálása +TicketCategory=Ticket group SeeTicket=Lásd a jegyet TicketMarkedAsRead=A jegy olvasottként meg lett jelölve TicketReadOn=Olvass tovább diff --git a/htdocs/langs/id_ID/admin.lang b/htdocs/langs/id_ID/admin.lang index 269995a4027..1f71ef1aec4 100644 --- a/htdocs/langs/id_ID/admin.lang +++ b/htdocs/langs/id_ID/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widget MaxNbOfLinesForBoxes=Maks. jumlah baris untuk widget AllWidgetsWereEnabled=Semua widget yang tersedia diaktifkan +WidgetAvailable=Widget available PositionByDefault=Pesanan Standar Position=Posisi MenusDesc=Manajer menu mengatur konten dari dua bilah menu (horizontal dan vertikal). @@ -374,7 +375,7 @@ DoTestSendHTML=Mencoba Mengirim HTML ErrorCantUseRazIfNoYearInMask=Kesalahan, tidak dapat menggunakan opsi @ untuk mengatur ulang penghitung setiap tahun jika urutan {yy} atau {yyyy} tidak ada di mask. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Kesalahan, tidak dapat menggunakan opsi @ jika urutan {yy} {mm} atau {yyyy} {mm} tidak ada di mask. UMask=Parameter UMask untuk file baru di sistem file Unix / Linux / BSD / Mac. -UMaskExplanation=Parameter ini memungkinkan Anda untuk menetapkan izin yang ditetapkan secara default pada file yang dibuat oleh Dolibarr di server (misalnya saat mengunggah).
    Itu harus nilai oktal (misalnya, 0666 berarti membaca dan menulis untuk semua orang).
    Parameter ini tidak berguna di server Windows. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Lihatlah halaman Wiki untuk daftar kontributor dan organisasi mereka UseACacheDelay= Keterlambatan untuk caching respons ekspor dalam detik (0 atau kosong tanpa cache) DisableLinkToHelpCenter=Sembunyikan tautan " Butuh bantuan atau dukungan " di halaman login @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind kemampuan konversi Module3200Name=Arsip yang Tidak Dapat Diubah Module3200Desc=Aktifkan log peristiwa bisnis yang tidak dapat diubah. Perihal diarsipkan secara waktu nyata. Log adalah tabel read-only peristiwa dirantai yang dapat diekspor. Modul ini mungkin wajib untuk beberapa negara. Module3300Name=Module Builder -Module3200Desc=Aktifkan log peristiwa bisnis yang tidak dapat diubah. Perihal diarsipkan secara waktu nyata. Log adalah tabel read-only peristiwa dirantai yang dapat diekspor. Modul ini mungkin wajib untuk beberapa negara. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Jaringan sosial Module3400Desc=Aktifkan bidang Jaringan Sosial ke pihak ketiga dan alamat (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Pengaturan WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/id_ID/interventions.lang b/htdocs/langs/id_ID/interventions.lang index 8446a7d2078..7097f577dbf 100644 --- a/htdocs/langs/id_ID/interventions.lang +++ b/htdocs/langs/id_ID/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Menyembunyikan jam dan menit dari bidang tanggal u InterventionStatistics=Statistik intervensi NbOfinterventions=Jumlah kartu intervensi NumberOfInterventionsByMonth=Jumlah kartu intervensi berdasarkan bulan (tanggal validasi) -AmountOfInteventionNotIncludedByDefault=Jumlah intervensi tidak dimasukkan secara default ke dalam laba (dalam kebanyakan kasus, timesheets digunakan untuk menghitung waktu yang dihabiskan). Tambahkan opsi PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT ke 1 ke pengaturan rumah-lainnya untuk memasukkannya. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=ID intervensi InterRef=Intervensi ref. InterDateCreation=Intervensi pembuatan tanggal @@ -66,3 +66,7 @@ RepeatableIntervention=Template intervensi ToCreateAPredefinedIntervention=Untuk membuat intervensi yang telah ditetapkan atau berulang, buat intervensi umum dan ubah menjadi template intervensi ConfirmReopenIntervention=Apakah Anda yakin ingin membuka kembali intervensi %s ? GenerateInter=Menghasilkan intervensi +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/id_ID/mails.lang b/htdocs/langs/id_ID/mails.lang index 0066881e19e..1a3bc04c3e7 100644 --- a/htdocs/langs/id_ID/mails.lang +++ b/htdocs/langs/id_ID/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Kontak berdasarkan posisi MailingModuleDescEmailsFromFile=Email dari file MailingModuleDescEmailsFromUser=Masukan input email oleh pengguna MailingModuleDescDolibarrUsers=Pengguna dengan Email -MailingModuleDescThirdPartiesByCategories=Pihak ketiga (berdasarkan kategori) +MailingModuleDescThirdPartiesByCategories=Pihak Ketiga SendingFromWebInterfaceIsNotAllowed=Mengirim dari antarmuka web tidak diizinkan. EmailCollectorFilterDesc=Semua filter harus cocok agar email dikumpulkan @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Catatan dibuat oleh Kolektor Email %s dari email % DefaultBlacklistMailingStatus=Nilai default untuk bidang '%s' saat membuat kontak baru DefaultStatusEmptyMandatory=Kosong tapi wajib WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/id_ID/ticket.lang b/htdocs/langs/id_ID/ticket.lang index 332177bc765..51c64a41a33 100644 --- a/htdocs/langs/id_ID/ticket.lang +++ b/htdocs/langs/id_ID/ticket.lang @@ -26,6 +26,7 @@ Permission56002=Ubah tiket Permission56003=Hapus tiket Permission56004=Kelola tiket Permission56005=Lihat tiket dari semua pihak ketiga (tidak berlaku untuk pengguna eksternal, selalu terbatas pada pihak ketiga yang mereka andalkan) +Permission56006=Export tickets Tickets=Tickets TicketDictType=Tiket - Jenis @@ -61,6 +62,8 @@ TypeContact_ticket_external_CONTRIBUTOR=Kontributor eksternal OriginEmail=Email Reporter Notify_TICKET_SENTBYMAIL=Kirim pesan tiket melalui email +ExportDataset_ticket_1=Tickets + # Status Read=Baca Assigned=Ditugaskan @@ -183,7 +186,7 @@ CreatedBy=Dibuat oleh NewTicket=Tiket Baru SubjectAnswerToTicket=Jawaban tiket TicketTypeRequest=Jenis permintaan -TicketCategory=Kategorisasi tiket +TicketCategory=Ticket group SeeTicket=Lihat tiket TicketMarkedAsRead=Tiket telah ditandai sebagai sudah dibaca TicketReadOn=Baca terus diff --git a/htdocs/langs/is_IS/admin.lang b/htdocs/langs/is_IS/admin.lang index 1255f40be09..fb06d4d0833 100644 --- a/htdocs/langs/is_IS/admin.lang +++ b/htdocs/langs/is_IS/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Max. number of lines for widgets AllWidgetsWereEnabled=All available widgets are enabled +WidgetAvailable=Widget available PositionByDefault=Sjálfgefin röð Position=Staða MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). @@ -374,7 +375,7 @@ DoTestSendHTML=Próf senda HTML ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Villa, get ekki notað valkost @ ef röð (YY) (mm) eða (áááá) (mm) er ekki í maska. UMask=UMask breytu fyrir nýja skrá á Unix / Linux / BSD skrá kerfi. -UMaskExplanation=Þessi stika gerir þér kleift að tilgreina heimildir sjálfgefið á skrá skapa við Dolibarr á miðlara (á senda til dæmis).
    Það hlýtur að vera octal gildi (til dæmis, 0666 þýðir að lesa og skrifa fyrir alla).
    Þessi stika er gagnslaus á Gluggakista framreiðslumaður. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization UseACacheDelay= Töf á flýtiminni útflutningur svar í sekúndum (0 eða tómt fyrir ekkert skyndiminni) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind viðskipti viðbúnað Module3200Name=Unalterable Archives Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. Module3300Name=Module Builder -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Social Networks Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/is_IS/mails.lang b/htdocs/langs/is_IS/mails.lang index f941da9fa45..6575fb20116 100644 --- a/htdocs/langs/is_IS/mails.lang +++ b/htdocs/langs/is_IS/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=Í þriðja aðila SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/it_IT/accountancy.lang b/htdocs/langs/it_IT/accountancy.lang index 6426a252743..8708d3c28a4 100644 --- a/htdocs/langs/it_IT/accountancy.lang +++ b/htdocs/langs/it_IT/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Abilita l'elenco combinato per l'account sussidiario ( ACCOUNTING_DATE_START_BINDING=Definisci una data per iniziare il consolidamento e il trasferimento in contabilità. Al di sotto di tale data, i movimenti non saranno trasferiti in contabilità. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Al momento del trasferimento contabile, qual è il periodo selezionato di default -ACCOUNTING_SELL_JOURNAL=Giornale vendite (vendite e resi) -ACCOUNTING_PURCHASE_JOURNAL=Giornale acquisti (acquisti e resi) -ACCOUNTING_BANK_JOURNAL=Giornale di cassa (incassi ed esborsi) +ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns +ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns +ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements ACCOUNTING_EXPENSEREPORT_JOURNAL=Giornale Note Spese ACCOUNTING_MISCELLANEOUS_JOURNAL=Giornale generale ACCOUNTING_HAS_NEW_JOURNAL=Ha un nuovo giornale @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Ciò cancellerà tutte le righe contabili per l'anno/mese e/o p ConfirmDeleteMvtPartial=Questo cancellerà la transazione dalla contabilità (tutte le righe relative alla stessa transazione verranno eliminate) FinanceJournal=Giornale delle finanze ExpenseReportsJournal=Rapporto spese +InventoryJournal=Giornale inventario DescFinanceJournal=Giornale finanziario che include tutti i tipi di pagamenti per conto bancario DescJournalOnlyBindedVisible=Questa è una vista di registrazione che è vincolata a un conto contabile e può essere registrata nei giornali e nel libro mastro. VATAccountNotDefined=Conto per IVA non definito diff --git a/htdocs/langs/it_IT/admin.lang b/htdocs/langs/it_IT/admin.lang index da2bd4092f3..f173fb609df 100644 --- a/htdocs/langs/it_IT/admin.lang +++ b/htdocs/langs/it_IT/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Massimo numero di righe per widget AllWidgetsWereEnabled=Tutti i widget disponibili sono abilitati +WidgetAvailable=Widget available PositionByDefault=Per impostazione predefinita Position=Posizione MenusDesc=Gestione del contenuto delle 2 barre dei menu (barra orizzontale e barra verticale). @@ -374,7 +375,7 @@ DoTestSendHTML=Prova inviando HTML ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Errore, non si può usare l'opzione @ se non c'è una sequenza {yy}{mm} o {yyyy}{mm} nello schema. UMask=Parametro umask per i nuovi file su Unix/Linux/BSD. -UMaskExplanation=Questo parametro consente di definire i permessi impostati di default per i file creati da Dolibarr sul server (per esempio durante il caricamento).
    Il valore deve essere ottale (per esempio, 0.666 indica il permesso di lettura e scrittura per tutti).
    Questo parametro non si usa sui server Windows. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization UseACacheDelay= Ritardo per il caching di esportazione (0 o vuoto per disabilitare la cache) DisableLinkToHelpCenter=Nascondi il link " Hai bisogno di aiuto o supporto " nella pagina di accesso @@ -663,7 +664,7 @@ Module2900Desc=Localizzazione degli accessi tramite GeoIP Maxmind Module3200Name=Archivi inalterabili Module3200Desc=Abilita un registro inalterabile degli eventi aziendali. Gli eventi sono archiviati in tempo reale. Il registro è una tabella di sola lettura degli eventi concatenati che possono essere esportati. Questo modulo potrebbe essere obbligatorio per alcuni paesi. Module3300Name=Costruttore di moduli -Module3200Desc=Abilita un registro inalterabile degli eventi aziendali. Gli eventi sono archiviati in tempo reale. Il registro è una tabella di sola lettura degli eventi concatenati che possono essere esportati. Questo modulo potrebbe essere obbligatorio per alcuni paesi. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Social Networks Module3400Desc=Abilita i campi Social Network in terze parti e indirizzi (skype, twitter, facebook, ...). Module4000Name=Risorse umane @@ -1910,7 +1911,7 @@ TestGeoIPResult=Test di conversione indirizzo IP -> nazione ProjectsNumberingModules=Modulo numerazione progetti ProjectsSetup=Impostazioni modulo progetti ProjectsModelModule=Modelli dei rapporti dei progetti -TasksNumberingModules=Tasks numbering module +TasksNumberingModules=Modulo numerazione compiti TaskModelModule=Tasks reports document model UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
    This may improve performance if you have a large number of projects, but it is less convenient. ##### ECM (GED) ##### @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Utilizzare una modalità di memoria insufficiente ExportUseLowMemoryModeHelp=Utilizzare la modalità di memoria minima per generare il file di dump (la compressione viene eseguita tramite una pipe anziché nella memoria PHP). Questo metodo non consente di verificare che il file sia completo e il messaggio di errore non può essere segnalato se fallisce. Usalo se riscontri errori di memoria insufficienti. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interfaccia per catturare i trigger di dolibarr e inviarlo a un URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Configurazione del webhook Settings = Impostazioni WebhookSetupPage = Pagina di configurazione del webhook @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/it_IT/interventions.lang b/htdocs/langs/it_IT/interventions.lang index 4033a46086a..21b79048492 100644 --- a/htdocs/langs/it_IT/interventions.lang +++ b/htdocs/langs/it_IT/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Hides hours and minutes off the date field for int InterventionStatistics=Statistiche degli interventi NbOfinterventions=No. of intervention cards NumberOfInterventionsByMonth=No. of intervention cards by month (date of validation) -AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). Add option PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT to 1 into home-setup-other to include them. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=ID intervento InterRef=Rif. intervento InterDateCreation=Data di creazione intervento diff --git a/htdocs/langs/it_IT/mails.lang b/htdocs/langs/it_IT/mails.lang index 5074f48e307..460c49b4b4d 100644 --- a/htdocs/langs/it_IT/mails.lang +++ b/htdocs/langs/it_IT/mails.lang @@ -7,10 +7,10 @@ MailCard=Scheda email MailRecipients=Destinatari MailRecipient=Destinatario MailTitle=Titolo -MailFrom=Mittente +MailFrom=Da MailErrorsTo=Errors to MailReply=Rispondi a -MailTo=Destinatario(i) +MailTo=a MailToUsers=To user(s) MailCC=Copia carbone (CC) MailToCCUsers=In copia gli utenti @@ -53,7 +53,7 @@ NbOfUniqueEMails=No. of unique emails NbOfEMails=Numero di email TotalNbOfDistinctRecipients=Numero di singoli destinatari NoTargetYet=Nessun destinatario ancora definito (Vai alla scheda 'destinatari') -NoRecipientEmail=No recipient email for %s +NoRecipientEmail=Nessuna email destinataria per %s RemoveRecipient=Rimuovi destinatario YouCanAddYourOwnPredefindedListHere=Per creare le liste di email predefinite leggi htdocs/core/modules/mail/README. EMailTestSubstitutionReplacedByGenericValues=Quando si utilizza la modalità di prova le variabili vengono sostituite con valori generici @@ -73,15 +73,15 @@ ActivateCheckReadKey=Chiave utilizzata per crittografare l'URL utilizzato per la EMailSentToNRecipients=Email sent to %s recipients. EMailSentForNElements=Email sent for %s elements. XTargetsAdded=%s destinatari aggiunti alla lista di invio -OnlyPDFattachmentSupported=If the PDF documents were already generated for the objects to send, they will be attached to email. If not, no email will be sent (also, note that only pdf documents are supported as attachments in mass sending in this version). -AllRecipientSelected=The recipients of the %s record selected (if their email is known). -GroupEmails=Group emails +OnlyPDFattachmentSupported=Se i documenti PDF sono già stata generati per gli oggetti da spedire verranno allegati all'email. Altrimenti, l'email non verrà inviata. (solo i documenti PDF sono supportati come allegato all'email in questa versione). +AllRecipientSelected=I destinatari dei %s record selezionati (se le loro email sono corrette). +GroupEmails=Raggruppa emails OneEmailPerRecipient=Una e-mail per destinatario (per impostazione predefinita, una e-mail per record selezionato) -WarningIfYouCheckOneRecipientPerEmail=Warning, if you check this box, it means only one email will be sent for several different record selected, so, if your message contains substitution variables that refers to data of a record, it becomes not possible to replace them. -ResultOfMailSending=Result of mass Email sending -NbSelected=Number selected -NbIgnored=Number ignored -NbSent=Number sent +WarningIfYouCheckOneRecipientPerEmail=Attenzione, se selezioni questi checkbox, verrà inviata una sola email per vari records selezionati dello stesso soggetto terzo, così se il tuo testo contiene parole chiave da sostituire diventerà impossibile la sostituzione puntuale. +ResultOfMailSending=Risultato dell'invio massivo email +NbSelected=Numero selezionate +NbIgnored=Numero ignorate +NbSent=Numero inviate SentXXXmessages=%s message(s) sent. ConfirmUnvalidateEmailing=Are you sure you want to change email %s to draft status? MailingModuleDescContactsWithThirdpartyFilter=Contact with customer filters @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Soggetti terzi (per categoria) +MailingModuleDescThirdPartiesByCategories=Third parties SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=Tutti i filtri devono corrispondere affinché venga raccolta un'e-mail @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record creato da Email Collector %s dall'email %s DefaultBlacklistMailingStatus=Valore predefinito per il campo '%s' durante la creazione di un nuovo contatto DefaultStatusEmptyMandatory=Vuoto ma obbligatorio WarningLimitSendByDay=ATTENZIONE: la configurazione o il contratto della tua istanza limita il numero di email al giorno a %s . Il tentativo di inviarne di più potrebbe comportare un rallentamento o la sospensione dell'istanza. Contatta il tuo supporto se hai bisogno di una quota più alta. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/it_IT/ticket.lang b/htdocs/langs/it_IT/ticket.lang index ea1df7ffb82..e08f2a68075 100644 --- a/htdocs/langs/it_IT/ticket.lang +++ b/htdocs/langs/it_IT/ticket.lang @@ -26,6 +26,7 @@ Permission56002=Modifica tickets Permission56003=Cancella tickets Permission56004=Manage tickets Permission56005=See tickets of all third parties (not effective for external users, always be limited to the third party they depend on) +Permission56006=Export tickets Tickets=Tickets TicketDictType=Ticket - Tipologie @@ -61,6 +62,8 @@ TypeContact_ticket_external_CONTRIBUTOR=External contributor OriginEmail=Email giornalista Notify_TICKET_SENTBYMAIL=Send ticket message by email +ExportDataset_ticket_1=Tickets + # Status Read=Da leggere Assigned=Assegnato @@ -183,7 +186,7 @@ CreatedBy=Creato da NewTicket=Nuovo Ticket SubjectAnswerToTicket=Ticket answer TicketTypeRequest=Request type -TicketCategory=Classificazione dei biglietti +TicketCategory=Ticket group SeeTicket=See ticket TicketMarkedAsRead=Ticket has been marked as read TicketReadOn=Read on diff --git a/htdocs/langs/ja_JP/accountancy.lang b/htdocs/langs/ja_JP/accountancy.lang index 58b090cb9a0..47ba07a9b93 100644 --- a/htdocs/langs/ja_JP/accountancy.lang +++ b/htdocs/langs/ja_JP/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=子会社アカウントのコンボリストを有効 ACCOUNTING_DATE_START_BINDING=会計で結合と転記を開始する日付を定義する。この日付を下回ると、取引は会計に転記されない。 ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=会計転送では、デフォルトで選択される期間は何か -ACCOUNTING_SELL_JOURNAL=販売仕訳帳 (販売と返品) -ACCOUNTING_PURCHASE_JOURNAL=購買仕訳帳(購入と返品) -ACCOUNTING_BANK_JOURNAL=現金仕訳帳(入出金) +ACCOUNTING_SELL_JOURNAL=販売仕訳帳 - 販売と返品 +ACCOUNTING_PURCHASE_JOURNAL=仕訳帳 - 購入と返品 +ACCOUNTING_BANK_JOURNAL=現金仕訳帳 - 入出金 ACCOUNTING_EXPENSEREPORT_JOURNAL=経費報告仕訳帳 ACCOUNTING_MISCELLANEOUS_JOURNAL=一般仕訳帳 ACCOUNTING_HAS_NEW_JOURNAL=新規仕訳帳がある @@ -238,6 +238,7 @@ ConfirmDeleteMvt=これにより、年/月および/または特定の仕訳の ConfirmDeleteMvtPartial=これにより、トランザクションが会計から削除される(同じトランザクションに関連する全行が削除される) FinanceJournal=財務仕訳帳 ExpenseReportsJournal=経費報告仕訳帳 +InventoryJournal=在庫仕訳帳 DescFinanceJournal=銀行口座による全種別の支払を含む財務仕訳帳 DescJournalOnlyBindedVisible=これは、勘定科目に結合され、仕訳帳と元帳に記録できるレコードのビュー。 VATAccountNotDefined=VATの科目が定義されていない diff --git a/htdocs/langs/ja_JP/admin.lang b/htdocs/langs/ja_JP/admin.lang index a29776436ca..bc562de5cb1 100644 --- a/htdocs/langs/ja_JP/admin.lang +++ b/htdocs/langs/ja_JP/admin.lang @@ -145,6 +145,7 @@ Box=ウィジェット Boxes=ウィジェット MaxNbOfLinesForBoxes=ウィジェットsの最大行数 AllWidgetsWereEnabled=使用可能な全ウィジェットsが有効 +WidgetAvailable=利用可能なウィジェット PositionByDefault=デフォルト順 Position=位置 MenusDesc=メニューマネージャは、2つのメニューバー ( 水平および垂直 ) のコンテンツを設定する。 @@ -374,7 +375,7 @@ DoTestSendHTML=HTMLを送信するテスト ErrorCantUseRazIfNoYearInMask=エラー。シーケンス{yy}または{yyyy}がマスクされていない場合、オプション@を使用して毎年カウンターをリセットすることはできない。 ErrorCantUseRazInStartedYearIfNoYearMonthInMask=エラー、シーケンス場合は、@オプションを使用することはできない{YY} {ミリメートル}または{探す} {mmは}マスクではない。 UMask=のUnix / Linux / BSDのファイルシステム上に新規ファイルのumaskパラメータ。 -UMaskExplanation=このパラメータは、 ( たとえば、アップロード中に ) 、サーバー上でDolibarrによって作成されたファイルは、デフォルトで設定されているアクセス許可を定義することができる。
    それは、8進値 ( 例えば、0666が意味するのは全員に対して読取および書込 ) である必要がある。
    このパラメータは、Windowsサーバー上では役に立たない。 +UMaskExplanation=このパラメーターを使用すると、サーバー上で Dolibarr によって作成されたファイルにデフォルトで設定されるアクセス許可を定義できる (アップロード中など)。
    8 進数値であること (たとえば、0666 は全員の読み書きを意味する)。推奨値は 0600 または 0660
    。このパラメーターは、Windows サーバーでは使われない。 SeeWikiForAllTeam=寄稿者とその組織のリストについては、Wikiページを見ること。 UseACacheDelay= 秒単位でをエクスポート応答をキャッシュするための遅延 ( 0またはキャッシュなしの空の ) DisableLinkToHelpCenter=ログインページのリンク「ヘルプまたはサポートが必要」を非表示にする @@ -663,7 +664,7 @@ Module2900Desc=のGeoIP Maxmindの変換機能 Module3200Name=変更不可能なアーカイブ Module3200Desc=ビジネスイベントの変更不可能なログを有効化。イベントはリアルタイムでアーカイブされる。ログは、エクスポート可能な連鎖イベントの読取り専用テーブル。このモジュールは、国によっては必須の場合がある。 Module3300Name=モジュールビルダー -Module3200Desc=ビジネスイベントの変更不可能なログを有効化。イベントはリアルタイムでアーカイブされる。ログは、エクスポート可能な連鎖イベントの読取り専用テーブル。このモジュールは、国によっては必須の場合がある。 +Module3300Desc=開発者または上級ユーザーが独自のモジュール/アプリケーションを構築するのに役立つ RAD (Rapid Application Development - ローコードおよびノーコード) ツール。 Module3400Name=ソーシャルネットワーク Module3400Desc=ソーシャルネットワークフィールドを取引先とアドレス(skype、twitter、facebookなど)に対して有効化する。 Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=低メモリモードを使用する ExportUseLowMemoryModeHelp=低メモリ モードを使用してダンプ ファイルを生成する (圧縮は、PHP メモリではなく、パイプを介して行われます)。このメソッドでは、ファイルが完全であることを確認できず、失敗した場合にエラー メッセージを報告できない。メモリ不足エラーが発生した場合に使用する。 ModuleWebhookName = Webhook -ModuleWebhookDesc = dolibarrトリガーをキャッチしてURLに送信するためのインターフェース +ModuleWebhookDesc = dolibarr トリガーをキャッチし、イベントのデータを URL に送信するためのインターフェイス WebhookSetup = Webhookのセットアップ Settings = 設定 WebhookSetupPage = Webhookセットアップページ @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=警告: モジュール %s は WarningModuleHasChangedSecurityCsrfParameter=警告: モジュール %s はインスタンスの CSRF セキュリティを無効にしました。このアクションは疑わしいものであり、インストールが保護されていない可能性がある。説明については、モジュールの作成者に連絡すること。 EMailsInGoingDesc=受信メールはモジュール %s によって管理される。受信メールをサポートする必要がある場合は、有効にして構成する必要がある。 MAIN_IMAP_USE_PHPIMAP=ネイティブ PHP IMAP の代わりに、IMAP 用の PHP-IMAP ライブラリを使用する。これにより、IMAP に OAuth2 接続を使用することもできる (モジュール OAuth も有効にする必要がある)。 +MAIN_CHECKBOX_LEFT_COLUMN=フィールドと行を選択するための列を左側に表示します (デフォルトでは右側)。 + +CSSPage=CSS スタイル diff --git a/htdocs/langs/ja_JP/boxes.lang b/htdocs/langs/ja_JP/boxes.lang index 096c0447144..ef35860c467 100644 --- a/htdocs/langs/ja_JP/boxes.lang +++ b/htdocs/langs/ja_JP/boxes.lang @@ -118,6 +118,27 @@ BoxCustomersOutstandingBillReached=上限に達した顧客 UsersHome=ユーザとグループ MembersHome=ホーム成員資格 ThirdpartiesHome=取引先 +productindex=ホーム 製品とサービス +mrpindex=ホーム MRP +commercialindex=ホーム 商取引 +projectsindex=ホーム プロジェクト +invoiceindex=ホーム インボイス +hrmindex=ホーム インボイス TicketsHome=チケット +stockindex=ホーム 在庫 +sendingindex=ホーム 配送 +receptionindex=ホーム 受領 +activityindex=ホーム アクティビティ +proposalindex=ホーム 提案 +ordersindex=ホーム 注文 +orderssuppliersindex=ホーム 仕入先注文 +contractindex=ホーム 契約 +interventionindex=ホーム 出張 +suppliersproposalsindex=ホーム 仕入先提案 +donationindex=ホーム 寄付 +specialexpensesindex=ホーム 特別費用 +expensereportindex=ホーム 経費報告書 +mailingindex=ホーム 郵送 +opensurveyindex=ホーム 公開アンケート AccountancyHome=会計 ValidatedProjects=検証済プロジェクト diff --git a/htdocs/langs/ja_JP/ecm.lang b/htdocs/langs/ja_JP/ecm.lang index a204e318a84..986ef4448d7 100644 --- a/htdocs/langs/ja_JP/ecm.lang +++ b/htdocs/langs/ja_JP/ecm.lang @@ -19,7 +19,7 @@ ECMArea=DMS / ECMエリア ECMAreaDesc=DMS / ECM(ドキュメント管理システム/電子コンテンツ管理)エリアでは、Dolibarr内のあらゆる種類のドキュメントをすばやく保存、共有、検索できる。 ECMAreaDesc2a=* 手動ディレクトリは、特定の要素にリンクされていないドキュメントを保存するために使用できる。 ECMAreaDesc2b=* 要素のページからドキュメントを追加すると、自動ディレクトリが自動的に入力される。 -ECMAreaDesc3=* Medias ディレクトリは、documents ディレクトリのサブディレクトリ /medias にあるファイルであり、ログに記録する必要も、ファイルを明示的に共有する必要もなく、誰でも読み取ることができる。電子メールまたは ウェブサイト モジュールからの画像ファイルを保存するために使用される。 +ECMAreaDesc3=* Medias ディレクトリは、documents ディレクトリのサブディレクトリ /medias にあるファイルであり、ログに記録する必要もファイルを明示的に共有する必要もなく、誰でも読み取り可能。たとえば、電子メールやウェブサイト モジュールなどの画像ファイルを保存するために使用される。 ECMSectionWasRemoved=ディレクトリの%sが削除されている。 ECMSectionWasCreated=ディレクトリ%sが作成された。 ECMSearchByKeywords=キーワードで検索 diff --git a/htdocs/langs/ja_JP/errors.lang b/htdocs/langs/ja_JP/errors.lang index 4f05d480d7e..9cc95c1640c 100644 --- a/htdocs/langs/ja_JP/errors.lang +++ b/htdocs/langs/ja_JP/errors.lang @@ -262,6 +262,7 @@ ErrorParameterMustBeEnabledToAllwoThisFeature=エラー、パラメータ %s ErrorLoginDateValidity=エラー、このログインは有効期間外だ ErrorValueLength=フィールドの長さ ' %s 'は ' %s'より大きくなければならない ErrorReservedKeyword=「%s」という単語は予約語 +ErrorFilenameReserved=ファイル名 %s は、予約および保護されたコマンドであるため使用不可。 ErrorNotAvailableWithThisDistribution=このディストリビューションでは利用できない ErrorPublicInterfaceNotEnabled=公開インターフェイスが有効になっていない ErrorLanguageRequiredIfPageIsTranslationOfAnother=別のページの翻訳として設定されている場合は、新しいページの言語を定義する必要がある @@ -308,7 +309,7 @@ ErrorExistingPermission = オブジェクト %s に対する権限 ErrorFieldExist= %s の値は既に存在する ErrorEqualModule= %s で無効なモジュール ErrorFieldValue= %s の値が正しくない -ErrorCoherenceMenu= %s は、 % が LEFT と等しい場合に必要です。 +ErrorCoherenceMenu= %s は、 %s が「左」の場合に必要。 # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHPパラメータ upload_max_filesize(%s)は、PHPパラメータ post_max_size(%s)よりも大きくなっている。これは一貫した設定ではない。 diff --git a/htdocs/langs/ja_JP/interventions.lang b/htdocs/langs/ja_JP/interventions.lang index 8ecd381fd0f..cca5ba8fe01 100644 --- a/htdocs/langs/ja_JP/interventions.lang +++ b/htdocs/langs/ja_JP/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=出張レコードの日付フィールドから InterventionStatistics=出張の統計 NbOfinterventions=出張カードの数 NumberOfInterventionsByMonth=月ごとの出張カードの数(検証日) -AmountOfInteventionNotIncludedByDefault=出張の量はデフォルトでは利益に含まれていない(ほとんどの場合、タイムシートは費やされた時間カウント のために使用される)。それらを含めるには、ホーム - 設定 - その他 にて、オプションPROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFITを1で追加。 +AmountOfInteventionNotIncludedByDefault=デフォルトでは、出張総額は利益に含まれない (ほとんどの場合、タイムシートは費やされた時間をカウントするために使用される)。 PROJECT_ELEMENTS_FOR_ADD_MARGIN および PROJECT_ELEMENTS_FOR_MINUS_MARGIN オプションを home-setup-other に使用し、利益に含まれる要素のリストとして完結させることができる。 InterId=出張ID InterRef=出張参照。 InterDateCreation=日付作成出張 diff --git a/htdocs/langs/ja_JP/mails.lang b/htdocs/langs/ja_JP/mails.lang index d3b4be716b5..adbda32c39b 100644 --- a/htdocs/langs/ja_JP/mails.lang +++ b/htdocs/langs/ja_JP/mails.lang @@ -7,10 +7,10 @@ MailCard=カードをメールで送信 MailRecipients=受取人 MailRecipient=受信者 MailTitle=説明 -MailFrom=送信者 +MailFrom=期初 MailErrorsTo=エラーへ MailReply=に返信 -MailTo=受信者(単数または複数) +MailTo=期末 MailToUsers=ユーザ(s)へ MailCC=にコピー MailToCCUsers=ユーザs(s)にコピーする @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=位置別の連絡先 MailingModuleDescEmailsFromFile=ファイルからのメール MailingModuleDescEmailsFromUser=ユーザが入力したメール MailingModuleDescDolibarrUsers=メールを持っているユーザ -MailingModuleDescThirdPartiesByCategories=取引先(カテゴリ別) +MailingModuleDescThirdPartiesByCategories=取引先 SendingFromWebInterfaceIsNotAllowed=Webインターフェイスからの送信は許可されていない。 EmailCollectorFilterDesc=メールを取得するには、全フィルタが適合している必要がある @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=電子メールコレクター%sによって電子 DefaultBlacklistMailingStatus=新しい連絡先を作成するときのフィールド「%s」のデフォルト値 DefaultStatusEmptyMandatory=空だが必須 WarningLimitSendByDay=警告:インスタンスのセットアップまたはコントラクトにより、1日あたりのメール数が%sに制限される。さらに送信しようとすると、インスタンスの速度が低下したり、停止したりする可能性があります。より高い割り当てが必要な場合は、サポートに連絡すること。 +NoMoreRecipientToSendTo=メールを送信する受信者がもういない diff --git a/htdocs/langs/ja_JP/main.lang b/htdocs/langs/ja_JP/main.lang index e1c475456b0..90dad9a5433 100644 --- a/htdocs/langs/ja_JP/main.lang +++ b/htdocs/langs/ja_JP/main.lang @@ -514,6 +514,7 @@ NotYetAvailable=まだ利用できず NotAvailable=利用できず Categories=タグs/カテゴリs Category=タグ/カテゴリ +SelectTheTagsToAssign=割り当てるタグ/カテゴリを選択する By=によって From=から FromDate=から @@ -1223,5 +1224,6 @@ AddToContacts=連絡先にアドレスを追加 LastAccess=最終アクセス UploadAnImageToSeeAPhotoHere=タブ %s から画像をアップロードし、ここに写真を表示する LastPasswordChangeDate=パスワードの最終変更日 -PublicVirtualCardUrl=仮想名刺ページ +PublicVirtualCardUrl=仮想名刺ページのURL +PublicVirtualCard=仮想名刺 TreeView=ツリー表示 diff --git a/htdocs/langs/ja_JP/margins.lang b/htdocs/langs/ja_JP/margins.lang index 2e7139ed039..244fc4f5ee4 100644 --- a/htdocs/langs/ja_JP/margins.lang +++ b/htdocs/langs/ja_JP/margins.lang @@ -6,6 +6,7 @@ TotalMargin=総利益 MarginOnProducts=利益/製品 MarginOnServices=利益/サービス MarginRate=利益率 +ModifyMarginRates=証拠金率の変更 MarkRate=マーク率 DisplayMarginRates=利益率を表示する DisplayMarkRates=マーク率を表示する diff --git a/htdocs/langs/ja_JP/members.lang b/htdocs/langs/ja_JP/members.lang index dbb2bb36501..433a5718482 100644 --- a/htdocs/langs/ja_JP/members.lang +++ b/htdocs/langs/ja_JP/members.lang @@ -4,6 +4,8 @@ MemberCard=構成員カード SubscriptionCard=サブスクリプション·カード Member=構成員 Members=構成員 +NoRecordedMembers=登録メンバーなし +NoRecordedMembersByType=登録メンバーなし ShowMember=構成員カードを表示 UserNotLinkedToMember=構成員にリンクされていないユーザ ThirdpartyNotLinkedToMember=構成員にリンクされていない取引先 @@ -233,3 +235,4 @@ CreateDolibarrThirdPartyDesc=取引先とは法人であり、拠出金ごとに MemberFirstname=メンバの名 MemberLastname=メンバの姓 MemberCodeDesc=すべてのメンバーに固有のメンバーコード +NoRecordedMembers=登録メンバーなし diff --git a/htdocs/langs/ja_JP/mrp.lang b/htdocs/langs/ja_JP/mrp.lang index c27c4161eb4..8af5c00fc26 100644 --- a/htdocs/langs/ja_JP/mrp.lang +++ b/htdocs/langs/ja_JP/mrp.lang @@ -119,3 +119,6 @@ BomCantAddChildBom=命名法 %s は、命名法 %s につながるツリーに BOMNetNeeds = BOM 正味必要量 BOMProductsList=BOMの製品 BOMServicesList=BOMのサービス +Manufacturing=製造業 +Disassemble=分解する +ProducedBy=によって生産 diff --git a/htdocs/langs/ja_JP/partnership.lang b/htdocs/langs/ja_JP/partnership.lang index adb099cec5e..a2f24c4b4c6 100644 --- a/htdocs/langs/ja_JP/partnership.lang +++ b/htdocs/langs/ja_JP/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=パートナーシップ: 参照元のバックリン # Menu # NewPartnership=新規パートナーシップ -NewPartnershipbyWeb= パートナーシップが正常に追加された。 +NewPartnershipbyWeb=パートナーシップ リクエストが正常に追加された。近日中にご連絡するやも... ListOfPartnerships=パートナーシップのリスト # diff --git a/htdocs/langs/ja_JP/ticket.lang b/htdocs/langs/ja_JP/ticket.lang index e7ae49dac9f..654b5ebe4ae 100644 --- a/htdocs/langs/ja_JP/ticket.lang +++ b/htdocs/langs/ja_JP/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=によって作成された NewTicket=新規チケット SubjectAnswerToTicket=チケットの回答 TicketTypeRequest=要求の種類 -TicketCategory=チケット分類 +TicketCategory=チケットグループ SeeTicket=チケットを見る TicketMarkedAsRead=チケットは既読としてマークされている TicketReadOn=読む diff --git a/htdocs/langs/kk_KZ/admin.lang b/htdocs/langs/kk_KZ/admin.lang index f26426e6e64..2bc0f272b34 100644 --- a/htdocs/langs/kk_KZ/admin.lang +++ b/htdocs/langs/kk_KZ/admin.lang @@ -145,6 +145,7 @@ Box=Виджет Boxes=Виджеттер MaxNbOfLinesForBoxes=Максимум виджеттерге арналған жолдар саны AllWidgetsWereEnabled=Барлық қол жетімді виджеттер қосылған +WidgetAvailable=Widget available PositionByDefault=Әдепкі тапсырыс Position=Позиция MenusDesc=Мәзір менеджерлері екі мәзір жолағының мазмұнын орнатады (көлденең және тік). @@ -374,7 +375,7 @@ DoTestSendHTML=HTML жіберуді тексеру ErrorCantUseRazIfNoYearInMask=Қате, {yy} немесе {yyyy} реттілігі маскада болмаса, есептегішті жыл сайын қалпына келтіру үшін @ опциясын қолдана алмайсыз. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Қате, егер {yy} {mm} немесе {yyyy} {mm} реттілігі маскада болмаса, @ опциясын қолдануға болмайды. UMask=Unix/Linux/BSD/Mac файлдық жүйесіндегі жаңа файлдар үшін UMask параметрі. -UMaskExplanation=Бұл параметр серверде Dolibarr жасаған файлдарға әдепкі бойынша орнатылған рұқсаттарды анықтауға мүмкіндік береді (мысалы, жүктеу кезінде).
    Ол сегіздік мән болуы керек (мысалы, 0666 барлығына оқу мен жазуды білдіреді).
    Бұл параметр Windows серверінде пайдасыз. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Қатысушылардың тізімі мен оларды ұйымдастыру үшін Wiki бетін қараңыз UseACacheDelay= Экспорттық жауапты секундтарда кэштеуді кешіктіру (0 немесе кэшсіз бос) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind түрлендіру мүмкіндіктері Module3200Name=Өзгермейтін мұрағаттар Module3200Desc=Іскерлік оқиғалардың өзгермейтін журналын қосыңыз. Оқиғалар нақты уақыт режимінде мұрағатталады. Журнал-экспорттауға болатын тізбектелген оқиғалардың тек оқуға арналған кестесі. Бұл модуль кейбір елдер үшін міндетті болуы мүмкін. Module3300Name=Module Builder -Module3200Desc=Іскерлік оқиғалардың өзгермейтін журналын қосыңыз. Оқиғалар нақты уақыт режимінде мұрағатталады. Журнал-экспорттауға болатын тізбектелген оқиғалардың тек оқуға арналған кестесі. Бұл модуль кейбір елдер үшін міндетті болуы мүмкін. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Әлеуметтік желілер Module3400Desc=Әлеуметтік желілер өрістерін үшінші тараптар мен мекенжайларға қосыңыз (скайп, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/kk_KZ/interventions.lang b/htdocs/langs/kk_KZ/interventions.lang index 15c32b13981..19e2063ae18 100644 --- a/htdocs/langs/kk_KZ/interventions.lang +++ b/htdocs/langs/kk_KZ/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Интервенциялық жазбалар үш InterventionStatistics=Интервенциялар статистикасы NbOfinterventions=Интервенциялық карталардың саны NumberOfInterventionsByMonth=Айлар бойынша араласу карталарының саны (жарамдылық күні) -AmountOfInteventionNotIncludedByDefault=Интервенция сомасы пайдаға әдепкі бойынша кірмейді (көп жағдайда уақыт кестесі жұмсалған уақытты есептеу үшін қолданылады). Оларды қосу үшін PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT опциясын 1-ге қосыңыз. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=Интервенция идентификаторы InterRef=Интервенция реф. InterDateCreation=Күнді құруға араласу @@ -66,3 +66,7 @@ RepeatableIntervention=Интервенция үлгісі ToCreateAPredefinedIntervention=Алдын ала анықталған немесе қайталанатын араласуды жасау үшін жалпы араласуды жасаңыз және оны араласу үлгісіне айналдырыңыз ConfirmReopenIntervention= %s араласуды қайтарғыңыз келетініне сенімдісіз бе? GenerateInter=Интервенцияны жасаңыз +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/kk_KZ/mails.lang b/htdocs/langs/kk_KZ/mails.lang index 4b995dfb0eb..2029a055ca9 100644 --- a/htdocs/langs/kk_KZ/mails.lang +++ b/htdocs/langs/kk_KZ/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Байланыстар лауазымы бо MailingModuleDescEmailsFromFile=Файлдан келген хаттар MailingModuleDescEmailsFromUser=Пайдаланушының электрондық поштаны енгізуі MailingModuleDescDolibarrUsers=Электрондық поштасы бар пайдаланушылар -MailingModuleDescThirdPartiesByCategories=Үшінші тұлғалар (категориялар бойынша) +MailingModuleDescThirdPartiesByCategories=Third parties SendingFromWebInterfaceIsNotAllowed=Веб -интерфейстен жіберуге рұқсат жоқ. EmailCollectorFilterDesc=Электрондық поштаның жиналуы үшін барлық сүзгілер сәйкес келуі керек @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=%s электрондық пошта жинауш DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Бос, бірақ міндетті WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/kk_KZ/ticket.lang b/htdocs/langs/kk_KZ/ticket.lang index 4a7f38b7f5d..ca9b0a10973 100644 --- a/htdocs/langs/kk_KZ/ticket.lang +++ b/htdocs/langs/kk_KZ/ticket.lang @@ -26,6 +26,7 @@ Permission56002=Билеттерді өзгерту Permission56003=Билеттерді жою Permission56004=Билеттерді басқару Permission56005=Барлық үшінші тараптардың билеттерін қараңыз (сыртқы пайдаланушылар үшін тиімді емес, әрқашан олар тәуелді үшінші жақпен шектеледі) +Permission56006=Export tickets Tickets=Tickets TicketDictType=Билет - түрлері @@ -61,6 +62,8 @@ TypeContact_ticket_external_CONTRIBUTOR=Сыртқы қатысушы OriginEmail=Репортердің электрондық поштасы Notify_TICKET_SENTBYMAIL=Билет хабарламасын электрондық пошта арқылы жіберіңіз +ExportDataset_ticket_1=Tickets + # Status Read=Оқыңыз Assigned=Тағайындалған @@ -183,7 +186,7 @@ CreatedBy=Жасалған NewTicket=Жаңа билет SubjectAnswerToTicket=Билет жауабы TicketTypeRequest=Сұраныс түрі -TicketCategory=Билеттердің жіктелуі +TicketCategory=Ticket group SeeTicket=Билетті қараңыз TicketMarkedAsRead=Билет оқылды деп белгіленді TicketReadOn=Оқыңыз diff --git a/htdocs/langs/km_KH/mails.lang b/htdocs/langs/km_KH/mails.lang index 52c4d4dbf69..f04ee17575c 100644 --- a/htdocs/langs/km_KH/mails.lang +++ b/htdocs/langs/km_KH/mails.lang @@ -7,10 +7,10 @@ MailCard=EMailing card MailRecipients=Recipients MailRecipient=Recipient MailTitle=Description -MailFrom=Sender +MailFrom=From MailErrorsTo=Errors to MailReply=Reply to -MailTo=Receiver(s) +MailTo=To MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=Third parties SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -178,3 +178,5 @@ IsAnAnswer=Is an answer of an initial email RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory +WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/kn_IN/mails.lang b/htdocs/langs/kn_IN/mails.lang index 52c4d4dbf69..d94546ba22f 100644 --- a/htdocs/langs/kn_IN/mails.lang +++ b/htdocs/langs/kn_IN/mails.lang @@ -7,10 +7,10 @@ MailCard=EMailing card MailRecipients=Recipients MailRecipient=Recipient MailTitle=Description -MailFrom=Sender +MailFrom=From MailErrorsTo=Errors to MailReply=Reply to -MailTo=Receiver(s) +MailTo=To MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=ಮೂರನೇ ಪಕ್ಷಗಳು SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -178,3 +178,5 @@ IsAnAnswer=Is an answer of an initial email RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory +WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/ko_KR/mails.lang b/htdocs/langs/ko_KR/mails.lang index 9ab5f2a9af4..59c60b9bd85 100644 --- a/htdocs/langs/ko_KR/mails.lang +++ b/htdocs/langs/ko_KR/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=협력업체 SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/lo_LA/admin.lang b/htdocs/langs/lo_LA/admin.lang index e63ddd1ff26..299d8a82caf 100644 --- a/htdocs/langs/lo_LA/admin.lang +++ b/htdocs/langs/lo_LA/admin.lang @@ -145,6 +145,7 @@ Box=ວິດເຈັດ Boxes=ວິດເຈັດ MaxNbOfLinesForBoxes=ສູງສຸດ ຈໍານວນແຖວສໍາລັບເຄື່ອງມື AllWidgetsWereEnabled=ວິດເຈັດທີ່ມີທັງົດຖືກເປີດ ນຳ ໃຊ້ +WidgetAvailable=Widget available PositionByDefault=ຄໍາສັ່ງເລີ່ມຕົ້ນ Position=ຕຳ ແໜ່ງ MenusDesc=ຜູ້ຈັດການເມນູກໍານົດເນື້ອໃນຂອງສອງແຖບເມນູ (ລວງນອນແລະລວງຕັ້ງ). @@ -374,7 +375,7 @@ DoTestSendHTML=ທົດສອບການສົ່ງ HTML ErrorCantUseRazIfNoYearInMask=ຜິດພາດ, ບໍ່ສາມາດໃຊ້ຕົວເລືອກ @ ເພື່ອຣີເຊັດຕົວນັບແຕ່ລະປີໄດ້ຖ້າລໍາດັບ {yy} ຫຼື {yyyy} ບໍ່ຢູ່ໃນ ໜ້າ ກາກ. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=ຜິດພາດ, ບໍ່ສາມາດໃຊ້ຕົວເລືອກ @ if sequence {yy} {mm} ຫຼື {yyyy} {mm} ບໍ່ຢູ່ໃນ ໜ້າ ກາກ. UMask=ພາຣາມິເຕີ UMask ສໍາລັບໄຟລ new ໃon່ຢູ່ໃນລະບົບໄຟລ Un Unix/Linux/BSD/Mac. -UMaskExplanation=ຕົວກໍານົດການນີ້ອະນຸຍາດໃຫ້ເຈົ້າກໍານົດການອະນຸຍາດທີ່ຕັ້ງໄວ້ໂດຍຄ່າເລີ່ມຕົ້ນໃນໄຟລ created ທີ່ສ້າງໂດຍ Dolibarr ຢູ່ໃນເຊີບເວີ (ຕົວຢ່າງໃນລະຫວ່າງການອັບໂຫຼດ).
    ມັນຈະຕ້ອງເປັນຄ່າເລກຖານແປດ (ຕົວຢ່າງ, 0666 meansາຍເຖິງການອ່ານແລະຂຽນ ສຳ ລັບທຸກຄົນ).
    ພາຣາມິເຕີນີ້ບໍ່ມີປະໂຫຍດຕໍ່ກັບເຊີບເວີ Windows. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=ເບິ່ງທີ່ ໜ້າ ວິກິພີເດຍສໍາລັບລາຍຊື່ຜູ້ປະກອບສ່ວນແລະການຈັດຕັ້ງຂອງເຂົາເຈົ້າ UseACacheDelay= ຊັກຊ້າ ສຳ ລັບການຕອບກັບການສົ່ງອອກແຄດເປັນວິນາທີ (0 ຫຼືຫວ່າງເປົ່າໂດຍບໍ່ມີແຄດ) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=ຄວາມສາມາດໃນການແປງ GeoIP Maxmind Module3200Name=ເອກະສານທີ່ບໍ່ສາມາດປ່ຽນແປງໄດ້ Module3200Desc=ເປີດໃຊ້ບັນທຶກເຫດການທາງທຸລະກິດທີ່ບໍ່ສາມາດປ່ຽນແປງໄດ້. ເຫດການຖືກເກັບໄວ້ໃນເວລາຈິງ. ໄມ້ທ່ອນເປັນຕາຕະລາງອ່ານຂອງເຫດການທີ່ມີລະບົບຕ່ອງໂສ້ເທົ່ານັ້ນທີ່ສາມາດສົ່ງອອກໄດ້. ໂມດູນນີ້ອາດຈະເປັນຂໍ້ບັງຄັບສໍາລັບບາງປະເທດ. Module3300Name=Module Builder -Module3200Desc=ເປີດໃຊ້ບັນທຶກເຫດການທາງທຸລະກິດທີ່ບໍ່ສາມາດປ່ຽນແປງໄດ້. ເຫດການຖືກເກັບໄວ້ໃນເວລາຈິງ. ໄມ້ທ່ອນເປັນຕາຕະລາງອ່ານຂອງເຫດການທີ່ມີລະບົບຕ່ອງໂສ້ເທົ່ານັ້ນທີ່ສາມາດສົ່ງອອກໄດ້. ໂມດູນນີ້ອາດຈະເປັນຂໍ້ບັງຄັບສໍາລັບບາງປະເທດ. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=ເຄືອຂ່າຍສັງຄົມ Module3400Desc=ເປີດໃຊ້ງານເຄືອຂ່າຍສັງຄົມເຂົ້າໄປໃນພາກສ່ວນທີສາມແລະທີ່ຢູ່ (skype, twitter, facebook, ... ). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/lo_LA/interventions.lang b/htdocs/langs/lo_LA/interventions.lang index 4c7b4c715dd..2fa236a76b2 100644 --- a/htdocs/langs/lo_LA/interventions.lang +++ b/htdocs/langs/lo_LA/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=ເຊື່ອງຊົ່ວໂມງແລະ InterventionStatistics=ສະຖິຕິການແຊກແຊງ NbOfinterventions=ຈຳ ນວນຂອງບັດການແຊກແຊງ NumberOfInterventionsByMonth=ຈຳ ນວນຂອງບັດແຊກແຊງຕາມເດືອນ (ວັນທີຂອງການກວດສອບ) -AmountOfInteventionNotIncludedByDefault=ຈໍານວນຂອງການແຊກແຊງແມ່ນບໍ່ລວມເຂົ້າໄປໃນກໍາໄລ (ໃນກໍລະນີຫຼາຍທີ່ສຸດ, timesheets ແມ່ນໃຊ້ເພື່ອນັບເວລາທີ່ໃຊ້ໄປ). ເພີ່ມຕົວເລືອກ PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT ໃສ່ 1 ເຂົ້າໄປໃນ home-setup-other ເພື່ອລວມເອົາພວກມັນເຂົ້າ. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=id ການແຊກແຊງ InterRef=ການແຊກແຊງເອກະສານ InterDateCreation=ການແຊກແຊງການສ້າງວັນທີ @@ -66,3 +66,7 @@ RepeatableIntervention=ແມ່ແບບຂອງການແຊກແຊງ ToCreateAPredefinedIntervention=ເພື່ອສ້າງການແຊກແຊງທີ່ ກຳ ນົດໄວ້ລ່ວງ ໜ້າ ຫຼືເກີດຂຶ້ນຊ້ ຳ,, ສ້າງການແຊກແຊງທົ່ວໄປແລະປ່ຽນມັນເປັນແມ່ແບບການແຊກແຊງ ConfirmReopenIntervention=ເຈົ້າແນ່ໃຈບໍ່ວ່າເຈົ້າຕ້ອງການເປີດການແຊກແຊງ %s ? GenerateInter=ສ້າງການແຊກແຊງ +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/lo_LA/mails.lang b/htdocs/langs/lo_LA/mails.lang index 3d040de3564..4bd90598db5 100644 --- a/htdocs/langs/lo_LA/mails.lang +++ b/htdocs/langs/lo_LA/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=ຕິດຕໍ່ພົວພັນໂດ MailingModuleDescEmailsFromFile=ອີເມວຈາກໄຟລ MailingModuleDescEmailsFromUser=ການປ້ອນຂໍ້ມູນອີເມວໂດຍຜູ້ໃຊ້ MailingModuleDescDolibarrUsers=ຜູ້ໃຊ້ທີ່ມີອີເມລ -MailingModuleDescThirdPartiesByCategories=ພາກສ່ວນທີສາມ (ຕາມcategoriesວດູ່) +MailingModuleDescThirdPartiesByCategories=Third parties SendingFromWebInterfaceIsNotAllowed=ການສົ່ງຈາກອິນເຕີເຟດເວັບແມ່ນບໍ່ອະນຸຍາດ. EmailCollectorFilterDesc=ຕົວກັ່ນຕອງທັງmustົດຕ້ອງກົງກັນເພື່ອຈະໄດ້ເກັບ ກຳ ອີເມວ @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=ບັນທຶກທີ່ສ້າງໂດຍ DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=ຫວ່າງແຕ່ບັງຄັບ WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/lo_LA/ticket.lang b/htdocs/langs/lo_LA/ticket.lang index cc096e494b5..ecb307245ca 100644 --- a/htdocs/langs/lo_LA/ticket.lang +++ b/htdocs/langs/lo_LA/ticket.lang @@ -26,6 +26,7 @@ Permission56002=ແກ້ໄຂປີ້ Permission56003=ລຶບປີ້ Permission56004=ຈັດການປີ້ Permission56005=ເບິ່ງປີ້ຂອງພາກສ່ວນທີສາມທັງ(ົດ (ບໍ່ມີປະສິດທິພາບສໍາລັບຜູ້ໃຊ້ພາຍນອກ, ຈໍາກັດສະເພາະກັບບຸກຄົນທີສາມທີ່ພວກເຂົາຂຶ້ນກັບ) +Permission56006=Export tickets Tickets=Tickets TicketDictType=ປີ້ - ປະເພດ @@ -61,6 +62,8 @@ TypeContact_ticket_external_CONTRIBUTOR=ຜູ້ປະກອບສ່ວນພ OriginEmail=ອີເມລ orter ຂອງນັກຂ່າວ Notify_TICKET_SENTBYMAIL=ສົ່ງຂໍ້ຄວາມປີ້ທາງອີເມລ +ExportDataset_ticket_1=Tickets + # Status Read=ອ່ານ Assigned=ມອບາຍ @@ -183,7 +186,7 @@ CreatedBy=ສ້າງ​ໂດຍ NewTicket=ປີ້ໃ່ SubjectAnswerToTicket=ຄຳ ຕອບປີ້ TicketTypeRequest=ປະເພດການຮ້ອງຂໍ -TicketCategory=ການຈັດປະເພດປີ້ +TicketCategory=Ticket group SeeTicket=ເບິ່ງປີ້ TicketMarkedAsRead=ປີ້ຖືກmarkedາຍວ່າອ່ານແລ້ວ TicketReadOn=ອ່ານສຸດ diff --git a/htdocs/langs/lt_LT/admin.lang b/htdocs/langs/lt_LT/admin.lang index dd4c00857a8..26cd7014950 100644 --- a/htdocs/langs/lt_LT/admin.lang +++ b/htdocs/langs/lt_LT/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Max. number of lines for widgets AllWidgetsWereEnabled=All available widgets are enabled +WidgetAvailable=Widget available PositionByDefault=Numatytoji paraiška Position=Pozicija MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). @@ -374,7 +375,7 @@ DoTestSendHTML=Testo siuntimas HTML ErrorCantUseRazIfNoYearInMask=Klaida, negalima naudoti opcijos @ vėl nustatyti (reset) skaitiklį kiekvienais metais, jei seka {yy} arba {yyyy} nėra uždangoje (mask). ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Klaida, negalima naudoti opcijos @ jei sekos {yy}{mm} arba {yyyy}{mm} nėra uždangoje (mask). UMask=UMask parametras naujiems failams Unix/Linux/BSD/Mac tipo sistemoms. -UMaskExplanation=Šis parametras leidžia nustatyti leidimų rinkinį pagal nutylėjimą failams Dolibarr sukurtiems serveryje (pvz.: atliekant duomenų rinkinio siuntimą (upload)).
    Jis turi būti aštuntainis (pvz., 0666 reiškia skaityti ir įrašyti visiems).
    Šis parametras yra nenaudojamas Windows serveryje. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization UseACacheDelay= Tarpinės atminties (cache) eksporto reakcijos vėlinimas sekundėmis (0 arba tuščia, kai nėra tarpinės atminties) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=GeoIP MaxMind konvertavimo galimybes Module3200Name=Unalterable Archives Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. Module3300Name=Module Builder -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Social Networks Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=Žmogiškųjų išteklių valdymas (HRM) @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/lt_LT/mails.lang b/htdocs/langs/lt_LT/mails.lang index b19b7e977e4..fa4ce048ddb 100644 --- a/htdocs/langs/lt_LT/mails.lang +++ b/htdocs/langs/lt_LT/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=Trečiosios šalys SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/lv_LV/accountancy.lang b/htdocs/langs/lv_LV/accountancy.lang index cdc2fef581a..5610942b86f 100644 --- a/htdocs/langs/lv_LV/accountancy.lang +++ b/htdocs/langs/lv_LV/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Iespējot kombinēto sarakstu meitas kontam (tas var b ACCOUNTING_DATE_START_BINDING=Definējiet datumu, lai sāktu iesiešanu un pārskaitīšanu grāmatvedībā. Zem šī datuma darījumi netiks pārnesti uz grāmatvedību. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Kāds ir grāmatvedības pārskaitījuma periods, kas atlasīts pēc noklusējuma -ACCOUNTING_SELL_JOURNAL=Pārdošanas žurnāls (pārdošana un atgriešana) -ACCOUNTING_PURCHASE_JOURNAL=Pirkumu žurnāls (pirkšana un atgriešana) -ACCOUNTING_BANK_JOURNAL=Kases žurnāls (kvītis un izmaksas) +ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns +ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns +ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements ACCOUNTING_EXPENSEREPORT_JOURNAL=Izdevumu atskaites žurnāls ACCOUNTING_MISCELLANEOUS_JOURNAL=Vispārējais žurnāls ACCOUNTING_HAS_NEW_JOURNAL=Vai jauns Vēstnesis? @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Tādējādi tiks dzēstas visas gada/mēneša un/vai konkrēta ConfirmDeleteMvtPartial=Tādējādi darījums tiks dzēsts no uzskaites (tiks dzēstas visas ar to pašu darījumu saistītās rindas) FinanceJournal=Finanšu žurnāls ExpenseReportsJournal=Izdevumu pārskatu žurnāls +InventoryJournal=Inventory journal DescFinanceJournal=Finance journal including all the types of payments by bank account DescJournalOnlyBindedVisible=Šis ir ieraksta skats, kas ir saistīts ar grāmatvedības kontu un kuru var ierakstīt žurnālos un virsgrāmatā. VATAccountNotDefined=PVN konts nav definēts diff --git a/htdocs/langs/lv_LV/admin.lang b/htdocs/langs/lv_LV/admin.lang index 83041a00ee4..104c16aa966 100644 --- a/htdocs/langs/lv_LV/admin.lang +++ b/htdocs/langs/lv_LV/admin.lang @@ -145,6 +145,7 @@ Box=Logrīks Boxes=Logrīki MaxNbOfLinesForBoxes=Maks. logrīku līniju skaits AllWidgetsWereEnabled=Ir iespējoti visi pieejamie logrīki +WidgetAvailable=Widget available PositionByDefault=Noklusējuma secība Position=Pozīcija MenusDesc=Izvēlnes pārvaldnieki nosaka divu izvēlņu joslu saturu (horizontāli un vertikāli). @@ -374,7 +375,7 @@ DoTestSendHTML=Tests nosūtot HTML ErrorCantUseRazIfNoYearInMask=Kļūda, nevar izmantot opciju @, lai atjaunotu skaitītāju katru gadu, ja secība {yy} vai {yyyy} nav maskā. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Kļūda, nevar izmantot iespēju @, ja secība {gg} {mm} vai {gggg} {mm} nav maska. UMask=Umask parametri jauniem failiem Unix/Linux/BSD/Mac failu sistēma. -UMaskExplanation=Šis parametrs ļauj noteikt atļaujas, kas pēc noklusējuma failus, ko rada Dolibarr uz servera (laikā augšupielādēt piemēram).
    Tam jābūt astotnieku vērtība (piemēram, 0666 nozīmē lasīt un rakstīt visiem).
    Šis parametrs ir bezjēdzīgi uz Windows servera. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Apskatiet Wiki lapu, lai iegūtu sarakstu ar dalībniekiem un to organizācijām UseACacheDelay= Kavēšanās caching eksporta atbildes sekundēs (0 vai tukšs bez cache) DisableLinkToHelpCenter=Paslēpt saiti " nepieciešama palīdzība vai atbalsts " pieteikšanās lapā @@ -663,7 +664,7 @@ Module2900Desc=GeoIP MaxMind pārveidošanu iespējas Module3200Name=Nemainīgi arhīvi Module3200Desc=Iespējojiet nemainīgu biznesa notikumu žurnālu. Notikumi tiek arhivēti reāllaikā. Žurnāls ir tikai lasāmu tabulu ķēdes notikumus, kurus var eksportēt. Šis modulis dažās valstīs var būt obligāts. Module3300Name=Moduļu veidotājs -Module3200Desc=Iespējojiet nemainīgu biznesa notikumu žurnālu. Notikumi tiek arhivēti reāllaikā. Žurnāls ir tikai lasāmu tabulu ķēdes notikumus, kurus var eksportēt. Šis modulis dažās valstīs var būt obligāts. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Sociālie tīkli Module3400Desc=Iespējojiet sociālo tīklu laukus trešajām pusēm un adresēm (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Izmantojiet mazas atmiņas režīmu ExportUseLowMemoryModeHelp=Izmantojiet mazas atmiņas režīmu, lai ģenerētu izdrukas failu (saspiešana tiek veikta caur cauruli, nevis PHP atmiņā). Šī metode neļauj pārbaudīt, vai fails ir pilnīgs, un kļūdas ziņojumu nevar ziņot, ja tas neizdodas. Izmantojiet to, ja jums nav pietiekami daudz atmiņas kļūdu. ModuleWebhookName = Web aizķere -ModuleWebhookDesc = Interfeiss, lai uztvertu dolibarr aktivizētājus un nosūtītu to uz URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Tīmekļa aizķeres iestatīšana Settings = Iestatījumi WebhookSetupPage = Web aizķeres iestatīšanas lapa @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/lv_LV/ecm.lang b/htdocs/langs/lv_LV/ecm.lang index 560089bc4aa..de86412f521 100644 --- a/htdocs/langs/lv_LV/ecm.lang +++ b/htdocs/langs/lv_LV/ecm.lang @@ -19,7 +19,7 @@ ECMArea=DMS / ECM apgabals ECMAreaDesc=Platība DMS / ECM (Dokumentu pārvaldības sistēma / Elektroniskā satura pārvaldība) ļauj ātri saglabāt, kopīgot un ātri meklēt dokumentus Dolibarr. ECMAreaDesc2a=* Manuālos direktorijus var izmantot, lai saglabātu dokumentus, kas nav saistīti ar konkrētu elementu. ECMAreaDesc2b=* Automātiskie direktoriji tiek aizpildīti automātiski, pievienojot dokumentus no elementa lapas. -ECMAreaDesc3=* Medias direktoriji ir faili, kas atrodas dokumentu direktorijas apakšdirektorijā /medias , un tos var lasīt visi bez nepieciešamības reģistrēties un fails nav skaidri jākopīgo. To izmanto, lai saglabātu attēlu failus no e-pasta vai vietnes moduļa. +ECMAreaDesc3=* Medias directories are files into the subdirectory /medias of documents directory, readable by everybody with no need to be logged and no need to have the file shared explicitely. It is used to store image files for the emailing or website module for example. ECMSectionWasRemoved=Katalogs %s ir dzēsts. ECMSectionWasCreated=Katalogs %s ir izveidots. ECMSearchByKeywords=Meklēt pēc atslēgvārdiem diff --git a/htdocs/langs/lv_LV/interventions.lang b/htdocs/langs/lv_LV/interventions.lang index ce6de8b0c78..79063ebb7d0 100644 --- a/htdocs/langs/lv_LV/interventions.lang +++ b/htdocs/langs/lv_LV/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Noslēpt stundas un minūtes no datuma lauka iejau InterventionStatistics=Intervences statistika NbOfinterventions=Intervences karšu skaits NumberOfInterventionsByMonth=Intervences karšu skaits pēc mēneša (validācijas datums) -AmountOfInteventionNotIncludedByDefault=Ienākuma summa pēc noklusējuma netiek iekļauta peļņā (vairumā gadījumu laika kontrolsaraksts tiek izmantots, lai uzskaitītu pavadīto laiku). Lai tos iekļautu, pievienojiet opciju PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT uz 1 sākuma iestatīšanas pogu. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=Intervences id InterRef=Intervences atsauce InterDateCreation=Date creation intervention diff --git a/htdocs/langs/lv_LV/mails.lang b/htdocs/langs/lv_LV/mails.lang index 4d01ceeecac..d7f7947ff9e 100644 --- a/htdocs/langs/lv_LV/mails.lang +++ b/htdocs/langs/lv_LV/mails.lang @@ -7,10 +7,10 @@ MailCard=Sūtīšana pa e-kartiņu MailRecipients=Saņēmēji MailRecipient=Saņēmējs MailTitle=Apraksts -MailFrom=Nosūtītājs +MailFrom=No MailErrorsTo=Kļūdas līdz MailReply=Atbildēt uz -MailTo=Saņēmējs (-i) +MailTo=Kam MailToUsers=Lietotājam (-iem) MailCC=Kopēt MailToCCUsers=Kopēt lietotājiem (-iem) @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Kontakti pēc amata MailingModuleDescEmailsFromFile=E-pasti no faila MailingModuleDescEmailsFromUser=Lietotāja ievadītie e-pasti MailingModuleDescDolibarrUsers=Lietotāji ar e-pastu -MailingModuleDescThirdPartiesByCategories=Trešās personas (pēc sadaļām) +MailingModuleDescThirdPartiesByCategories=Trešās puses SendingFromWebInterfaceIsNotAllowed=Sūtīšana no tīmekļa saskarnes nav atļauta. EmailCollectorFilterDesc=Lai e-pasts tiktu apkopots, visiem filtriem ir jāatbilst @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Ierakstu izveidojis e-pasta savācējs %s no e-pas DefaultBlacklistMailingStatus=Lauka %s noklusējuma vērtība, veidojot jaunu kontaktpersonu DefaultStatusEmptyMandatory=Tukšs, bet obligāts WarningLimitSendByDay=BRĪDINĀJUMS. Jūsu instances iestatīšana vai līgums ierobežo jūsu e-pasta ziņojumu skaitu dienā līdz %s . Mēģinot sūtīt vairāk, jūsu instance var tikt palēnināta vai apturēta. Lūdzu, sazinieties ar atbalsta dienestu, ja jums nepieciešama lielāka kvota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/lv_LV/partnership.lang b/htdocs/langs/lv_LV/partnership.lang index 977d036d741..b66900054af 100644 --- a/htdocs/langs/lv_LV/partnership.lang +++ b/htdocs/langs/lv_LV/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=Partnerība: pārbaudiet atsauces saiti # Menu # NewPartnership=Jauna partnerība -NewPartnershipbyWeb= Jūsu partnerība tika veiksmīgi pievienota. +NewPartnershipbyWeb=Your partnership request has been added successfully. We may contact you soon... ListOfPartnerships=Partnerības saraksts # diff --git a/htdocs/langs/lv_LV/ticket.lang b/htdocs/langs/lv_LV/ticket.lang index a6e66acef68..0d707ad1495 100644 --- a/htdocs/langs/lv_LV/ticket.lang +++ b/htdocs/langs/lv_LV/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Izveidojis NewTicket=Jauns notikums SubjectAnswerToTicket=Pieteikuma atbilde TicketTypeRequest=Pieprasījuma veids -TicketCategory=Biļešu kategorizēšana +TicketCategory=Ticket group SeeTicket=Apskatīt pieteikumu TicketMarkedAsRead=Pieteikums ir atzīmēts kā lasīts TicketReadOn=Izlasīts diff --git a/htdocs/langs/nb_NO/accountancy.lang b/htdocs/langs/nb_NO/accountancy.lang index 7afcf08cde8..c8f6af25915 100644 --- a/htdocs/langs/nb_NO/accountancy.lang +++ b/htdocs/langs/nb_NO/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Aktiver kombinasjonsliste for underordnet konto (kan v ACCOUNTING_DATE_START_BINDING=Definer en dato for å starte binding og overføring i regnskap. Etter denne datoen vil ikke transaksjonene bli overført til regnskap. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Ved regnskapsoverføring, hvilken periode er valgt som standard -ACCOUNTING_SELL_JOURNAL=Salgsjournal (salg og retur) -ACCOUNTING_PURCHASE_JOURNAL=Kjøpsjournal (kjøp og retur) -ACCOUNTING_BANK_JOURNAL=Kassejournal (kvitteringer og utbetalinger) +ACCOUNTING_SELL_JOURNAL=Salgsjournal - salg og returer +ACCOUNTING_PURCHASE_JOURNAL=Kjøpsjournal – kjøp og retur +ACCOUNTING_BANK_JOURNAL=Kassejournal - inn- og utbetalinger ACCOUNTING_EXPENSEREPORT_JOURNAL=Utgiftsjournal ACCOUNTING_MISCELLANEOUS_JOURNAL=Generell journal ACCOUNTING_HAS_NEW_JOURNAL=Har ny journal @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Dette vil slette alle linjer i regnskap for året/måneden og/e ConfirmDeleteMvtPartial=Dette vil slette transaksjonen fra regnskapet (alle linjer knyttet til samme transaksjon vil bli slettet) FinanceJournal=Finansjournal ExpenseReportsJournal=Journal for utgiftsrapporter +InventoryJournal=Lagertellingsjournal DescFinanceJournal=Finansjournal med alle typer betalinger etter bankkonto DescJournalOnlyBindedVisible=Dette er en oversikt over poster som er bundet til en regnskapskonto og kan registreres i journaler og hovedbok. VATAccountNotDefined=MVA-konto er ikke definert diff --git a/htdocs/langs/nb_NO/admin.lang b/htdocs/langs/nb_NO/admin.lang index 3072281ce19..26987719e71 100644 --- a/htdocs/langs/nb_NO/admin.lang +++ b/htdocs/langs/nb_NO/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widgeter MaxNbOfLinesForBoxes=Maks. antall linjer for widgeter AllWidgetsWereEnabled=Alle tilgjengelige widgeter er aktivert +WidgetAvailable=Widget tilgjengelig PositionByDefault=Gjeldende rekkefølge Position=Posisjon MenusDesc=Menyeditor for å velge innhold i den horisontale og vertikale menyen. @@ -374,7 +375,7 @@ DoTestSendHTML=Testsending HTML 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 {åå}{mm} eller {åååå}{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).
    Dette må være en oktal verdi (for eksempel 0666 betyr lese og skrive for alle).
    Denne innstillingen brukes ikke på Windowsbaserte servere. +UMaskExplanation=Denne parameteren lar deg definere tillatelser satt som standard på filer opprettet av Dolibarr på serveren (for eksempel under opplasting).
    Det må være den oktale verdien (for eksempel betyr 0666 lesing og skriving for alle.). Anbefalt verdi er 0600 eller 0660
    Denne parameteren er ubrukelig på en Windows-server. SeeWikiForAllTeam=Ta en titt på Wiki-siden for en liste over bidragsytere og deres organisasjon UseACacheDelay= Forsinkelse for cache eksport respons i sekunder (0 eller tom for ingen cache) DisableLinkToHelpCenter=Skjul lenken " Trenger hjelp eller støtte " på påloggingssiden @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind konverteringsegenskaper Module3200Name=Uforanderlige arkiver Module3200Desc=Aktiver en uforanderlig logg over forretningshendelser. Hendelser arkiveres i sanntid. Loggen er en skrivebeskyttet tabell med kjedede hendelser som kan eksporteres. Denne modulen kan være obligatorisk for enkelte land. Module3300Name=Modulbygger -Module3200Desc=Aktiver en uforanderlig logg over forretningshendelser. Hendelser arkiveres i sanntid. Loggen er en skrivebeskyttet tabell med kjedede hendelser som kan eksporteres. Denne modulen kan være obligatorisk for enkelte land. +Module3300Desc=Et RAD (Rapid Application Development - lav-kode og ingen kode)-verktøy for å hjelpe utviklere eller avanserte brukere med å bygge sin egen modul/applikasjon. Module3400Name=Sosiale nettverk Module3400Desc=Aktiver felt for sosiale nettverk i tredjeparter og adresser (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Bruk en modus for lite minne ExportUseLowMemoryModeHelp=Bruk lav minne-modus for å generere dump-filen (komprimering gjøres gjennom en pipe i stedet for inn i PHP-minnet). Denne metoden tillater ikke å kontrollere at filen er fullstendig og feilmelding kan ikke rapporteres hvis den mislykkes. Bruk den hvis du opplever ikke nok minnefeil. ModuleWebhookName = Webhook -ModuleWebhookDesc = Grensesnitt for å fange dolibarr-utløsere og sende det til en URL +ModuleWebhookDesc = Grensesnitt for å fange dolibarr-utløsere og sende data om hendelsen til en URL WebhookSetup = Webhook oppsett Settings = Innstillinger WebhookSetupPage = Webhook oppsettside @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Advarsel: modulen %s har satt e WarningModuleHasChangedSecurityCsrfParameter=Advarsel: modulen %s har deaktivert CSRF-sikkerheten til forekomsten din. Denne handlingen er mistenkelig, og installasjonen din er kanskje ikke lenger sikret. Ta kontakt med forfatteren av modulen for forklaring. EMailsInGoingDesc=Innkommende e-poster administreres av modulen %s. Du må aktivere og konfigurere den hvis du trenger å støtte inngående e-post. MAIN_IMAP_USE_PHPIMAP=Bruk PHP-IMAP-biblioteket for IMAP i stedet for opprinnelig PHP IMAP. Dette tillater også bruk av en OAuth2-tilkobling for IMAP (modul OAuth må også være aktivert). +MAIN_CHECKBOX_LEFT_COLUMN=Vis kolonnen for felt- og linjevalg til venstre (til høyre som standard) + +CSSPage=CSS-stil diff --git a/htdocs/langs/nb_NO/boxes.lang b/htdocs/langs/nb_NO/boxes.lang index bc746e7a8be..9f12038b258 100644 --- a/htdocs/langs/nb_NO/boxes.lang +++ b/htdocs/langs/nb_NO/boxes.lang @@ -118,6 +118,27 @@ BoxCustomersOutstandingBillReached=Kunder med utestående grense nådd UsersHome=Hjemmebrukere og grupper MembersHome=Hjem medlemskap ThirdpartiesHome=Hjem Tredjeparter +productindex=Hjem produkter og tjenester +mrpindex=Hjem MRP +commercialindex=Hjem kommersielt +projectsindex=Hjemmeprosjekter +invoiceindex=Hjemmefakturaer +hrmindex=Hjemmefakturaer TicketsHome=Hjem Billetter +stockindex=Hjemmelager +sendingindex=Hjem frakt +receptionindex=Hjem mottak +activityindex=Hjem aktivitet +proposalindex=Hjem tilbud +ordersindex=Hjem ordre +orderssuppliersindex=Hjem leverandørordre +contractindex=Hjem kontrakter +interventionindex=Hjem intervensjoner +suppliersproposalsindex=Hjem leverandørtilbud +donationindex=Hjem donasjoner +specialexpensesindex=Hjem spesielle utgifter +expensereportindex=Hjem utgiftsrapport +mailingindex=Hjem epost +opensurveyindex=Hjem opensurvey AccountancyHome=Hjem Regnskap ValidatedProjects=Validerte prosjekter diff --git a/htdocs/langs/nb_NO/ecm.lang b/htdocs/langs/nb_NO/ecm.lang index ead65631027..a6e848b82dd 100644 --- a/htdocs/langs/nb_NO/ecm.lang +++ b/htdocs/langs/nb_NO/ecm.lang @@ -19,7 +19,7 @@ ECMArea=DMS/ECM-område ECMAreaDesc=DMS / ECM (Document Management System / Electronic Content Management) -området lar deg lagre, dele og raskt søke alle slags dokumenter i Dolibarr. ECMAreaDesc2a=* Manuelle kataloger kan brukes til å lagre dokumenter som ikke er knyttet til et bestemt element. ECMAreaDesc2b=* Automatiske kataloger fylles automatisk når du legger til dokumenter fra siden til et element. -ECMAreaDesc3=* Mediakataloger er filer i underkatalogen /medias i dokumentkatalogen, lesbare av alle uten behov for å logges og uten behov for å dele filen eksplisitt. Den brukes til å lagre bildefiler fra e-post eller nettsidemodul. +ECMAreaDesc3=* Media-kataloger er filer i underkatalogen /medias i dokumentkatalogen, lesbare av alle uten behov for å logges og uten behov for å dele filen eksplisitt. Den brukes til å lagre bildefiler til for eksempel epost- eller nettsidemodulen. ECMSectionWasRemoved=Mappen %s er slettet. ECMSectionWasCreated=Mappen %s er opprettet. ECMSearchByKeywords=Søk på nøkkelord diff --git a/htdocs/langs/nb_NO/errors.lang b/htdocs/langs/nb_NO/errors.lang index ed5e53e5c6d..ebe033fbaf4 100644 --- a/htdocs/langs/nb_NO/errors.lang +++ b/htdocs/langs/nb_NO/errors.lang @@ -262,6 +262,7 @@ ErrorParameterMustBeEnabledToAllwoThisFeature=Feil, parameter %s må v ErrorLoginDateValidity=Feil, denne påloggingen er utenfor gyldig datoområde ErrorValueLength=Lengden på feltet ' %s ' må være høyere enn ' %s ' ErrorReservedKeyword=Ordet ' %s ' er et reservert nøkkelord +ErrorFilenameReserved=Filnavnet %s kan ikke brukes da det er en reservert og beskyttet kommando. ErrorNotAvailableWithThisDistribution=Ikke tilgjengelig i denne distribusjonen ErrorPublicInterfaceNotEnabled=Offentlig grensesnitt var ikke aktivert ErrorLanguageRequiredIfPageIsTranslationOfAnother=Språket til den nye siden må defineres hvis den er angitt som oversettelse av en annen side @@ -308,7 +309,7 @@ ErrorExistingPermission = Tillatelse %s for objekt %s finnes a ErrorFieldExist=Verdien for %s finnes allerede ErrorEqualModule=Modulen er ugyldig i %s ErrorFieldValue=Verdien for %s er feil -ErrorCoherenceMenu= %s er nødvendig når % er lik VENSTRE +ErrorCoherenceMenu=%s er påkrevd når %s er 'venstre' # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHP-parameteren upload_max_filesize (%s) er høyere enn PHP-parameteren post_max_size (%s). Dette er ikke et konsistent oppsett. diff --git a/htdocs/langs/nb_NO/interventions.lang b/htdocs/langs/nb_NO/interventions.lang index 0f53c6533d8..4273e7f2712 100644 --- a/htdocs/langs/nb_NO/interventions.lang +++ b/htdocs/langs/nb_NO/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Skjuler timer- og minutt-feltene for intervensjons InterventionStatistics=Statistikk over intervensjoner NbOfinterventions=Antall intervensjonskort NumberOfInterventionsByMonth=Antall intervensjonskort etter måned (dato for validering) -AmountOfInteventionNotIncludedByDefault=Beløp fra intervensjoner er ikke inkludert som standard i overskudd (i de fleste tilfeller er tidsplaner brukt til å regne tid brukt). Legg til alternativ PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT til 1 i hjem-oppsett-andre for å inkludere dem. +AmountOfInteventionNotIncludedByDefault=Intervensjonsbeløp er ikke inkludert som standard i overskuddet (i de fleste tilfeller brukes timelister for å telle brukt tid). Du kan bruke PROJECT_ELEMENTS_FOR_ADD_MARGIN og PROJECT_ELEMENTS_FOR_MINUS_MARGIN-alternativet i hjem-oppsett-annet for å fullføre listen over elementer som er inkludert i profitt. InterId=Intervensjons-ID InterRef=Intervensjonsref. InterDateCreation=Dato for opprettelse av intervensjon diff --git a/htdocs/langs/nb_NO/mails.lang b/htdocs/langs/nb_NO/mails.lang index 5688fc05010..0defb33949a 100644 --- a/htdocs/langs/nb_NO/mails.lang +++ b/htdocs/langs/nb_NO/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Kontakter etter stilling MailingModuleDescEmailsFromFile=E-poster fra fil MailingModuleDescEmailsFromUser=E-postmeldinger innlagt av bruker MailingModuleDescDolibarrUsers=Brukere med e-post -MailingModuleDescThirdPartiesByCategories=Tredjeparter (etter kategorier) +MailingModuleDescThirdPartiesByCategories=Tredjeparter SendingFromWebInterfaceIsNotAllowed=Det er ikke tillatt å sende fra webgrensesnitt. EmailCollectorFilterDesc=Alle filtre må samsvare for at en e-post skal hentes inn @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Post opprettet av Email Collector %s fra e-post %s DefaultBlacklistMailingStatus=Standardverdi for feltet '%s' når du oppretter en ny kontakt DefaultStatusEmptyMandatory=Tom, men obligatorisk WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=Ingen flere mottaker å sende e-posten til diff --git a/htdocs/langs/nb_NO/main.lang b/htdocs/langs/nb_NO/main.lang index 211d485db58..6fee2d31eb7 100644 --- a/htdocs/langs/nb_NO/main.lang +++ b/htdocs/langs/nb_NO/main.lang @@ -514,6 +514,7 @@ NotYetAvailable=Ikke tilgjengelig ennå NotAvailable=Ikke tilgjengelig Categories=Merker/kategorier Category=Merke/Kategori +SelectTheTagsToAssign=Velg taggene/kategoriene du vil tilordne By=Av From=Fra FromDate=Fra @@ -1223,5 +1224,6 @@ AddToContacts=Legg til adresse i kontaktene mine LastAccess=Siste tilgang UploadAnImageToSeeAPhotoHere=Last opp et bilde fra fanen %s for å se et bilde her LastPasswordChangeDate=Dato for siste endring av passord -PublicVirtualCardUrl=Virtuell visittkortside +PublicVirtualCardUrl=Virtuelt visittkortside URL +PublicVirtualCard=Virtuelt visittkort TreeView=Trevisning diff --git a/htdocs/langs/nb_NO/margins.lang b/htdocs/langs/nb_NO/margins.lang index 49566206e4a..626a04fd8ec 100644 --- a/htdocs/langs/nb_NO/margins.lang +++ b/htdocs/langs/nb_NO/margins.lang @@ -6,6 +6,7 @@ TotalMargin=Totalmargin MarginOnProducts=Margin - Varer MarginOnServices=Margin - Tjenester MarginRate=Margin/påslag +ModifyMarginRates=Endre marginsatser MarkRate=Dekningsbidrag DisplayMarginRates=Vis marginrater DisplayMarkRates=Vis dekningsbidrag diff --git a/htdocs/langs/nb_NO/members.lang b/htdocs/langs/nb_NO/members.lang index 2ba247470a5..6729de350c4 100644 --- a/htdocs/langs/nb_NO/members.lang +++ b/htdocs/langs/nb_NO/members.lang @@ -4,6 +4,8 @@ MemberCard=Medlemskort SubscriptionCard=Abonnementskort Member=Medlem Members=Medlemmer +NoRecordedMembers=Ingen registrerte medlemmer +NoRecordedMembersByType=Ingen registrerte medlemmer ShowMember=Bis medlemskort UserNotLinkedToMember=Brukeren er ikke knyttet til noe medlem ThirdpartyNotLinkedToMember=Tredjepart ikke knyttet til et medlem @@ -233,3 +235,4 @@ CreateDolibarrThirdPartyDesc=En tredjepart er den juridiske enheten som vil bli MemberFirstname=Medlemmets fornavn MemberLastname=Medlemmets etternavn MemberCodeDesc=Medlemskode, unik for alle medlemmer +NoRecordedMembers=Ingen registrerte medlemmer diff --git a/htdocs/langs/nb_NO/mrp.lang b/htdocs/langs/nb_NO/mrp.lang index 2bf5efc0b96..9059835ff45 100644 --- a/htdocs/langs/nb_NO/mrp.lang +++ b/htdocs/langs/nb_NO/mrp.lang @@ -119,3 +119,6 @@ BomCantAddChildBom=Nomenklaturen %s er allerede til stede i treet som fører til BOMNetNeeds = BOM Netto behov BOMProductsList=BOM's varer BOMServicesList=BOM's tjenester +Manufacturing=Produksjon +Disassemble=Demonter +ProducedBy=Produsert av diff --git a/htdocs/langs/nb_NO/partnership.lang b/htdocs/langs/nb_NO/partnership.lang index 1d392e7af37..c0bb483262f 100644 --- a/htdocs/langs/nb_NO/partnership.lang +++ b/htdocs/langs/nb_NO/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=Partnerskap: Sjekk refererende tilbakekobling # Menu # NewPartnership=Nytt partnerskap -NewPartnershipbyWeb= Partnerskapet ditt ble lagt til. +NewPartnershipbyWeb=Din partnerskapsforespørsel er lagt til. Vi kan kontakte deg snart... ListOfPartnerships=Liste over partnerskap # diff --git a/htdocs/langs/nb_NO/ticket.lang b/htdocs/langs/nb_NO/ticket.lang index 47d71678984..c478c0ac099 100644 --- a/htdocs/langs/nb_NO/ticket.lang +++ b/htdocs/langs/nb_NO/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Laget av NewTicket=Ny supportseddel SubjectAnswerToTicket=Supportseddel-svar TicketTypeRequest=Forespørselstype -TicketCategory=Billettkategorisering +TicketCategory=Billettgruppe SeeTicket=Se supportseddel TicketMarkedAsRead=Supportseddel merket som lest TicketReadOn=Les videre diff --git a/htdocs/langs/nl_NL/accountancy.lang b/htdocs/langs/nl_NL/accountancy.lang index cf230b6cafe..4ab974fc579 100644 --- a/htdocs/langs/nl_NL/accountancy.lang +++ b/htdocs/langs/nl_NL/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Schakel combolijst in voor dochteronderneming-account ACCOUNTING_DATE_START_BINDING=Definieer een startdatum voor het koppelen en doorboeken naar de boekhouding. Transacties voor deze datum worden niet doorgeboekt naar de boekhouding. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Wat is de standaard geselecteerde periode bij overdracht van boekhouding? -ACCOUNTING_SELL_JOURNAL=Verkoopjournaal (verkoop en retouren) -ACCOUNTING_PURCHASE_JOURNAL=Inkoopjournaal (aankoop en retour) -ACCOUNTING_BANK_JOURNAL=Kas journaal (ontvangsten en uitbetalingen) +ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns +ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns +ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal ACCOUNTING_MISCELLANEOUS_JOURNAL=Algemeen journaal ACCOUNTING_HAS_NEW_JOURNAL=Heeft nieuw Journaal @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Hiermee worden alle boekingen van de boekhouding voor het jaar ConfirmDeleteMvtPartial=Hiermee wordt de boeking uit de boekhouding verwijderd (alle regels die betrekking hebben op dezelfde boeking worden verwijderd) FinanceJournal=Kas/Bank journaal ExpenseReportsJournal=Overzicht resultaatrekening +InventoryJournal=Voorraad journaal DescFinanceJournal=Financieel journaal inclusief alle soorten betalingen per kas/bankrekening DescJournalOnlyBindedVisible=Deze boeking is gekoppeld aan een tegenrekening en kan worden opgenomen in de dagboeken en het grootboek. VATAccountNotDefined=BTW rekeningen niet gedefinieerd diff --git a/htdocs/langs/nl_NL/admin.lang b/htdocs/langs/nl_NL/admin.lang index c2f0769e319..8acc7f4464a 100644 --- a/htdocs/langs/nl_NL/admin.lang +++ b/htdocs/langs/nl_NL/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Max. aantal regels voor widgets AllWidgetsWereEnabled=Alle beschikbare widgets zijn geactiveerd +WidgetAvailable=Widget available PositionByDefault=Standaard volgorde Position=Positie MenusDesc=Menu-managers bepalen de inhoud van de twee menubalken in (horizontaal en verticaal). @@ -374,7 +375,7 @@ DoTestSendHTML=Test het verzenden van HTML ErrorCantUseRazIfNoYearInMask=Fout, kan optie @ niet gebruiken om teller te resetten als sequence {yy} or {yyyy} niet in het masker. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Fout, kan optie @ niet gebruiken wanneer de volgorde {jj}{mm} of {jjjj}{mm} niet is opgenomen in het masker. UMask=Umask parameter voor nieuwe bestanden op een Unix- / Linux- / BSD bestandssysteem. -UMaskExplanation=Deze parameter laat u de rechten bepalen welke standaard zijn ingesteld voor de bestanden aangemaakt door Dolibarr op de server (tijdens het uploaden, bijvoorbeeld).
    Het moet de octale waarde zijn (bijvoorbeeld, 0666 betekent lezen en schrijven voor iedereen).
    Deze parameter wordt NIET op een Windows server gebruikt +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Kijk op de Wiki pagina voor een lijst met bijdragers en hun organisatie UseACacheDelay= Ingestelde vertraging voor de cache export in secondes (0 of leeg voor geen cache) DisableLinkToHelpCenter=Verberg de link " Hulp of ondersteuning nodig " op de inlogpagina @@ -663,7 +664,7 @@ Module2900Desc=Capaciteitconversie GeoIP Maxmind Module3200Name=Niet aanpasbare archieven Module3200Desc=Schakel een niet aanpasbaar logboek van zakelijke evenementen in. Evenementen worden in realtime gearchiveerd. Het logboek is een alleen-lezen tabel met gekoppelde gebeurtenissen die kunnen worden geëxporteerd. Deze module kan voor sommige landen verplicht zijn. Module3300Name=Modulebouwer -Module3200Desc=Schakel een niet aanpasbaar logboek van zakelijke evenementen in. Evenementen worden in realtime gearchiveerd. Het logboek is een alleen-lezen tabel met gekoppelde gebeurtenissen die kunnen worden geëxporteerd. Deze module kan voor sommige landen verplicht zijn. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Sociale netwerken Module3400Desc=Schakel Social Network-velden in voor derden en adressen (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Gebruik een modus met weinig geheugen ExportUseLowMemoryModeHelp=Gebruik de lage geheugenmodus om het dumpbestand te genereren (compressie gebeurt via een pijp in plaats van in het PHP-geheugen). Met deze methode kan niet worden gecontroleerd of het bestand compleet is en kan er geen foutbericht worden gemeld als het mislukt. Gebruik het als u niet genoeg geheugenfouten ervaart. ModuleWebhookName = webhook -ModuleWebhookDesc = Interface om dolibarr-triggers te vangen en naar een URL te sturen +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook instellen Settings = Instellingen WebhookSetupPage = Webhook-instellingenpagina @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/nl_NL/interventions.lang b/htdocs/langs/nl_NL/interventions.lang index 529fcdd8eec..9fc833878f2 100644 --- a/htdocs/langs/nl_NL/interventions.lang +++ b/htdocs/langs/nl_NL/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Verbergt uren en minuten uit het datumveld voor in InterventionStatistics=Interventie statistieken NbOfinterventions=Aantal interventiekaarten NumberOfInterventionsByMonth=Aantal interventiekaarten per maand (datum van validatie) -AmountOfInteventionNotIncludedByDefault=Het bedrag voor interventie is niet standaard opgenomen in de winst (in de meeste gevallen worden de urenstaten gebruikt om de bestede tijd te tellen). Voeg optie PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT toe aan 1 in home-setup-diversen om ze op te nemen. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=Interventie ID InterRef=Interventie ref. InterDateCreation=Aanmaakdatum interventie diff --git a/htdocs/langs/nl_NL/mails.lang b/htdocs/langs/nl_NL/mails.lang index aba2a1a6e03..d33ba58876c 100644 --- a/htdocs/langs/nl_NL/mails.lang +++ b/htdocs/langs/nl_NL/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacten per positie MailingModuleDescEmailsFromFile=E-mails uit bestand MailingModuleDescEmailsFromUser=E-mails door gebruiker opgemaakt MailingModuleDescDolibarrUsers=Gebruikers met e-mails -MailingModuleDescThirdPartiesByCategories=Derden (op categorieën) +MailingModuleDescThirdPartiesByCategories=Derde partijen SendingFromWebInterfaceIsNotAllowed=Verzenden vanuit de web interface is niet toegestaan. EmailCollectorFilterDesc=Alle filters moeten overeenkomen om een e-mail te kunnen verzamelen @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record aangemaakt door de E-mail Collector %s van DefaultBlacklistMailingStatus=Standaardwaarde voor veld '%s' bij het aanmaken van een nieuw contact DefaultStatusEmptyMandatory=Leeg maar verplicht WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/nl_NL/ticket.lang b/htdocs/langs/nl_NL/ticket.lang index 8dbed0b7a00..dbdc0274480 100644 --- a/htdocs/langs/nl_NL/ticket.lang +++ b/htdocs/langs/nl_NL/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Aangemaakt door NewTicket=Nieuwe Ticket SubjectAnswerToTicket=Ticket antwoord TicketTypeRequest=Aanvraag type -TicketCategory=Ticket categorisatie +TicketCategory=Ticket group SeeTicket=Bekijk ticket TicketMarkedAsRead=Ticket is gemarkeerd als gelezen TicketReadOn=Lees verder diff --git a/htdocs/langs/pl_PL/admin.lang b/htdocs/langs/pl_PL/admin.lang index bf7e0f5dcb4..79e289ac087 100644 --- a/htdocs/langs/pl_PL/admin.lang +++ b/htdocs/langs/pl_PL/admin.lang @@ -145,6 +145,7 @@ Box=Widżet Boxes=Widżety MaxNbOfLinesForBoxes=Max. liczba linii dla widżetów AllWidgetsWereEnabled=Wszystkie dostępne widgety zostały wlączone +WidgetAvailable=Widget available PositionByDefault=Domyślny porządek Position=Pozycja MenusDesc=Menadżer menu ustawia zawartość dwóch pasków menu (poziomego i pionowego) @@ -374,7 +375,7 @@ DoTestSendHTML=Test przesyłania HTML ErrorCantUseRazIfNoYearInMask=Błąd, nie można korzystać z opcji @ na reset licznika każdego roku, jeśli ciąg {rr} lub {rrrr} nie jest w masce. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Błąd, nie można użyć opcji @ jeżeli sekwencja {rr}{mm} lub {yyyy}{mm} nie jest elementem maski. UMask=Parametr Umask dla nowych plików systemów Unix / Linux / BSD / Mac. -UMaskExplanation=Ten parametr pozwala określić uprawnienia ustawione domyślnie na pliki stworzone przez Dolibarr na serwerze (na przykład podczas przesyłania).
    To musi być wartość ósemkowa (na przykład, 0666 oznacza odczytu i zapisu dla wszystkich).
    Paramtre Ce ne sert pas sous un serveur Windows. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Spójrz na stronę Wiki, aby zapoznać się z listą współpracowników i ich organizacji UseACacheDelay= Opóźnienie dla buforowania odpowiedzi eksportu w sekundach (0 lub puste pole oznacza brak buforowania) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=Możliwości konwersji GeoIP Maxmind Module3200Name=Niezmienione archiwa Module3200Desc=Włącz niezmienny dziennik zdarzeń biznesowych. Wydarzenia są archiwizowane w czasie rzeczywistym. Dziennik jest tabelą tylko do odczytu połączonych zdarzeń, które można wyeksportować. Ten moduł może być obowiązkowy w niektórych krajach. Module3300Name=Module Builder -Module3200Desc=Włącz niezmienny dziennik zdarzeń biznesowych. Wydarzenia są archiwizowane w czasie rzeczywistym. Dziennik jest tabelą tylko do odczytu połączonych zdarzeń, które można wyeksportować. Ten moduł może być obowiązkowy w niektórych krajach. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Sieci społecznościowe Module3400Desc=Włącz pola sieci społecznościowych w kontrahentach i adresach (skype, twitter, facebook, ...). Module4000Name=HR @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Ustawienia WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/pl_PL/interventions.lang b/htdocs/langs/pl_PL/interventions.lang index 7ff04e7ab29..6082371f18b 100644 --- a/htdocs/langs/pl_PL/interventions.lang +++ b/htdocs/langs/pl_PL/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Ukrywa godziny i minuty z pola dat dla rekordów i InterventionStatistics=Statystyki interwencji NbOfinterventions=Ilość kart interwencji NumberOfInterventionsByMonth=Ilość kart interwencji w miesiącu (data potwierdzenia) -AmountOfInteventionNotIncludedByDefault=Ilość interwencji nie jest domyślnie uwzględniana w zysku (w większości przypadków do obliczania czasu wykorzystano karty czasu pracy). Ustaw opcję PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT na 1 w konfiguracji domowej - inne, aby je uwzględnić. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=ID interwencji InterRef=Numer referencyjny interwencji InterDateCreation=Data stworzenia interwencji @@ -66,3 +66,7 @@ RepeatableIntervention=Szablon interwencji ToCreateAPredefinedIntervention=Aby utworzyć predefiniowaną lub powtarzającą się interwencję, utwórz wspólną interwencję i przekształć ją w szablon interwencji ConfirmReopenIntervention=Czy na pewno chcesz ponownie otworzyć interwencję %s ? GenerateInter=Generate intervention +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/pl_PL/mails.lang b/htdocs/langs/pl_PL/mails.lang index f29814c7c96..376a78a8538 100644 --- a/htdocs/langs/pl_PL/mails.lang +++ b/htdocs/langs/pl_PL/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Kontakty według pozycji MailingModuleDescEmailsFromFile=E-maile z pliku MailingModuleDescEmailsFromUser=E-maile wprowadzone przez użytkownika MailingModuleDescDolibarrUsers=Użytkownicy z e-mailami -MailingModuleDescThirdPartiesByCategories=Strony trzecie (według kategorii) +MailingModuleDescThirdPartiesByCategories=Kontrahenci SendingFromWebInterfaceIsNotAllowed=Wysyłanie z interfejsu internetowego jest niedozwolone. EmailCollectorFilterDesc=Aby odebrać e-mail, wszystkie filtry muszą być zgodne @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Rekord utworzony przez moduł zbierający wiadomo DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Puste, ale obowiązkowe WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/pl_PL/ticket.lang b/htdocs/langs/pl_PL/ticket.lang index 8cdbeb6c627..df0f176b023 100644 --- a/htdocs/langs/pl_PL/ticket.lang +++ b/htdocs/langs/pl_PL/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Stworzone przez NewTicket=Nowy bilet SubjectAnswerToTicket=Odpowiedź na bilet TicketTypeRequest=Rodzaj żądania -TicketCategory=Kategoryzacja biletów +TicketCategory=Ticket group SeeTicket=Zobacz bilet TicketMarkedAsRead=Bilet został oznaczony jako przeczytany TicketReadOn=Czytaj diff --git a/htdocs/langs/pt_AO/companies.lang b/htdocs/langs/pt_AO/companies.lang deleted file mode 100644 index 68a71bb368e..00000000000 --- a/htdocs/langs/pt_AO/companies.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - companies -HasRelativeDiscountFromSupplier=You have a default discount of %s%% with this vendor -HasNoRelativeDiscountFromSupplier=No default relative discount with this vendor diff --git a/htdocs/langs/pt_BR/admin.lang b/htdocs/langs/pt_BR/admin.lang index 73a4bb7c0bf..8b16829f8fc 100644 --- a/htdocs/langs/pt_BR/admin.lang +++ b/htdocs/langs/pt_BR/admin.lang @@ -1,6 +1,5 @@ # Dolibarr language file - Source file is en_US - admin BoldRefAndPeriodOnPDF=Imprimir referência e período do item em PDF -BoldLabelOnPDF=Imprimir etiqueta do item em negrito, em PDF VersionProgram=Versão Programa VersionLastInstall=Versão de instalação inicial VersionLastUpgrade=Atualização versão mais recente diff --git a/htdocs/langs/pt_BR/companies.lang b/htdocs/langs/pt_BR/companies.lang index 41baf08b8ca..75703cf45c9 100644 --- a/htdocs/langs/pt_BR/companies.lang +++ b/htdocs/langs/pt_BR/companies.lang @@ -30,10 +30,6 @@ Individual=Pessoa física ToCreateContactWithSameName=Irá automaticamente criar um contato/endereço com a mesma informação do terceiro. Na maioria dos casos, mesmo que o terceiro seja uma pessoa física, a criação de um único terceiro é suficiente. ParentCompany=Matriz Subsidiaries=Filiais -ReportByMonth=Relatório por mês -ReportByCustomers=Relatório por cliente -ReportByThirdparties=Relatório por terceiro -ReportByQuarter=Relatório por taxa CivilityCode=Forma de tratamento RegisteredOffice=Escritório registrado Lastname=Sobrenome @@ -52,7 +48,6 @@ Region-State=Região - Estado CountryCode=Código do país CountryId=ID do País Call=Chamar -PhonePro=Telefone comercial PhonePerso=Tel. particular PhoneMobile=Celular No_Email=Recusar e-mails em massa @@ -178,7 +173,6 @@ SupplierCodeShort=Código Fornecedor SupplierCodeDesc=Código do Fornecedor, exclusivo para todos os fornecedores RequiredIfCustomer=Necessário se o terceiro for um cliente ou um possível cliente RequiredIfSupplier=Obrigatório se terceiros são fornecedores -ValidityControledByModule=Validade controlada pelo módulo ProspectToContact=Prospecto de cliente a contactar CompanyDeleted=A empresa "%s" foi excluída do banco de dados. ListOfContacts=Lista de contatos/endereços diff --git a/htdocs/langs/pt_BR/main.lang b/htdocs/langs/pt_BR/main.lang index d38b4871ea8..b0cb5093218 100644 --- a/htdocs/langs/pt_BR/main.lang +++ b/htdocs/langs/pt_BR/main.lang @@ -23,7 +23,6 @@ DatabaseConnection=Login à Base de Dados NoTemplateDefined=Nenhum modelo disponível para este tipo de email CurrentTimeZone=Timezone PHP (do servidor apache) EmptySearchString=Digite critérios na pesquisa -EnterADateCriteria=Insira um critério de data NoRecordFound=Nenhum registro encontrado NoRecordDeleted=Nenhum registro foi deletado NotEnoughDataYet=Sem dados suficientes @@ -50,7 +49,6 @@ ErrorNoVATRateDefinedForSellerCountry=Erro, nenhum tipo de ICMS definido para o ErrorNoSocialContributionForSellerCountry=Erro, nenhum tipo de imposto social / fiscal definidos para o país '%s'. ErrorFailedToSaveFile=Erro, o registo do arquivo falhou. ErrorCannotAddThisParentWarehouse=Voce está tentando adicionar um armazém pai, o qual ja é um filho do armazém existente -FieldCannotBeNegative=O campo "%s" não pode ser negativo MaxNbOfRecordPerPage=Número máx de registros por página NotAuthorized=Você não está autorizado a fazer isso. SelectDate=Selecionar uma data @@ -141,7 +139,6 @@ NoUserGroupDefined=Nenhum grupo definido pelo usuário NoteSomeFeaturesAreDisabled=Antenção, só poucos módulos/funcionalidade foram ativados nesta demo NameSlashCompany=Nome / Companhia PersonalValue=Valor Personalizado -OldValue=Valor antigo %s CurrentValue=Valor atual MultiLanguage=Multi Idioma RefOrLabel=Ref. da etiqueta @@ -151,7 +148,6 @@ Model=Modelo de Documento DefaultModel=Modelo de documento padrão Action=Ação About=Acerca de -NumberByMonth=Total de relatórios por mês Limit=Límite Logout=Sair NoLogoutProcessWithAuthMode=No recurso de desconexão aplicativo com modo de autenticação @@ -166,7 +162,6 @@ DateModificationShort=Data Modif. IPModification=Endereço IP da modificação DateLastModification=Última data de modificação DateValidation=Data Validação -DateSigning=Data de assinatura DateDue=Data Vencimento DateValue=Data Valor DateValueShort=Data Valor @@ -200,7 +195,6 @@ UnitPriceHTCurrency=Preço unitário (sem) (Moeda) UnitPriceTTC=Preço Unit. Total PriceU=Preço Unit. PriceUHT=Preço Unit. -PriceUHTCurrency=U.P (líquido) (moeda) PriceUTTC=U.P. (inc. Impostos) Amount=Valor AmountInvoice=Valor Fatura @@ -251,14 +245,12 @@ VATINs=Impostos IGST LT1Type=Tipo de imposto sobre vendas 2 LT2Type=Tipo de imposto sobre vendas 3 VATRate=Taxa ICMS -RateOfTaxN=Taxa de imposto %s VATCode=Codigo do ICMS VATNPR=Valor taxa NPR DefaultTaxRate=Taxa de imposto padrão RemainToPay=Permanecer para pagar Module=Modulo/Aplicacao Modules=Módulos / Aplicações -Filters=Filtros OtherStatistics=Outras estatisticas Favorite=Favorito RefSupplier=Ref. fornecedor @@ -336,7 +328,6 @@ Entities=Entidadees CustomerPreview=Historico Cliente SupplierPreview=Visualização do fornecedor ShowCustomerPreview=Ver Historico Cliente -InternalRef=Ref. interna SeeAll=Ver tudo SendByMail=Envio por e-mail MailSentBy=Mail enviado por @@ -443,7 +434,6 @@ XMoreLines=%s linha(s) escondidas ShowMoreLines=Mostrar mais / menos linhas PublicUrl=URL pública AddBox=Adicionar caixa -SelectElementAndClick=Selecione um elemento e clique em %s PrintFile=Imprimir arquivo %s ShowTransaction=Mostrar entrada na conta bancária ShowIntervention=Mostrar intervençao @@ -487,7 +477,6 @@ ViewAccountList=Ver razão ViewSubAccountList=Ver razão da subconta RemoveString=Remover string '%s' SomeTranslationAreUncomplete=Alguns dos idiomas oferecidos podem estar parcialmente traduzidos ou podem conter erros. Ajude a corrigir seu idioma registrando-se em https://transifex.com/projects/p/dolibarr/ para adicionar suas melhorias. -DirectDownloadLink=Link de download público PublicDownloadLinkDesc=Apenas o link é necessário para baixar o arquivo DirectDownloadInternalLink=Link privado para baixar PrivateDownloadLinkDesc=Você precisa estar logado e precisa de permissões para visualizar ou baixar o arquivo @@ -543,11 +532,9 @@ Monthly=Por mês Remote=Controlo remoto Deletedraft=Excluir rascunho ConfirmMassDraftDeletion=Confirmação de exclusão de massa de esboço -FileSharedViaALink=Arquivo compartilhado com um link público SelectAThirdPartyFirst=Selecione um terceiro primeiro ... YouAreCurrentlyInSandboxMode=No momento você está no %s modo "caixa de areia" AnalyticCode=Código analitico -ShowCompanyInfos=Mostrar informações da empresa ShowMoreInfos=Mostrar mais informações NoFilesUploadedYet=Por favor, carregue um doc. primeiro SeePrivateNote=Veja avisos privados @@ -555,7 +542,6 @@ PaymentInformation=Informações de Pagamento ValidFrom=Válido de NoRecordedUsers=Sem Usuários ToClose=Para Fechar -ToRefuse=Recusar ToProcess=A processar ToApprove=Para Aprovar GlobalOpenedElemView=Visão Global @@ -585,9 +571,6 @@ DateOfBirth=Data de nascimento SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=O token de segurança expirou, então a ação foi cancelada. Por favor, tente novamente. UpToDate=Atualizado OutOfDate=Desatualizado -UpdateForAllLines=Atualização para todas as linhas -OnHold=Em espera -Civility=Civilidade CreateExternalUser=Criar usuário externo CategTypeNotFound=Nenhum tipo de tag encontrado para o tipo de registro CopiedToClipboard=Copiado para a área de transferência diff --git a/htdocs/langs/pt_MZ/admin.lang b/htdocs/langs/pt_MZ/admin.lang index a7ccdbf4100..c3987f623d6 100644 --- a/htdocs/langs/pt_MZ/admin.lang +++ b/htdocs/langs/pt_MZ/admin.lang @@ -1,6 +1,5 @@ # Dolibarr language file - Source file is en_US - admin BoldRefAndPeriodOnPDF=Imprimir referência e período do item em PDF -BoldLabelOnPDF=Imprimir etiqueta do item em negrito, em PDF VersionProgram=Versão Programa VersionLastInstall=Versão de instalação inicial VersionLastUpgrade=Atualização versão mais recente diff --git a/htdocs/langs/pt_MZ/companies.lang b/htdocs/langs/pt_MZ/companies.lang index 4f29abde47f..f351d09772e 100644 --- a/htdocs/langs/pt_MZ/companies.lang +++ b/htdocs/langs/pt_MZ/companies.lang @@ -31,10 +31,6 @@ Individual=Pessoa física ToCreateContactWithSameName=Irá automaticamente criar um contato/endereço com a mesma informação do terceiro. Na maioria dos casos, mesmo que o terceiro seja uma pessoa física, a criação de um único terceiro é suficiente. ParentCompany=Matriz Subsidiaries=Filiais -ReportByMonth=Relatório por mês -ReportByCustomers=Relatório por cliente -ReportByThirdparties=Relatório por terceiro -ReportByQuarter=Relatório por taxa CivilityCode=Forma de tratamento RegisteredOffice=Escritório registrado Lastname=Sobrenome @@ -51,7 +47,6 @@ Region=Região Region-State=Região - Estado CountryCode=Código do país Call=Chamar -PhonePro=Telefone comercial PhonePerso=Tel. particular PhoneMobile=Celular No_Email=Recusar e-mails em massa diff --git a/htdocs/langs/pt_MZ/main.lang b/htdocs/langs/pt_MZ/main.lang index 13b20a305eb..8524f2a5911 100644 --- a/htdocs/langs/pt_MZ/main.lang +++ b/htdocs/langs/pt_MZ/main.lang @@ -49,7 +49,6 @@ ErrorNoVATRateDefinedForSellerCountry=Erro, nenhum tipo de IVM definido para o p ErrorNoSocialContributionForSellerCountry=Erro, nenhum tipo de imposto social / fiscal definidos para o país '%s'. ErrorFailedToSaveFile=Erro, o registo do arquivo falhou. ErrorCannotAddThisParentWarehouse=Voce está tentando adicionar um armazém pai, o qual ja é um filho do armazém existente -FieldCannotBeNegative=O campo "%s" não pode ser negativo MaxNbOfRecordPerPage=Número máx de registros por página NotAuthorized=Você não está autorizado a fazer isso. SelectDate=Selecionar uma data @@ -137,7 +136,6 @@ NoUserGroupDefined=Nenhum grupo definido pelo usuário NoteSomeFeaturesAreDisabled=Antenção, só poucos módulos/funcionalidade foram ativados nesta demo NameSlashCompany=Nome / Companhia PersonalValue=Valor Personalizado -OldValue=Valor antigo %s CurrentValue=Valor atual MultiLanguage=Multi Idioma RefOrLabel=Ref. da etiqueta @@ -162,7 +160,6 @@ DateModificationShort=Data Modif. IPModification=Endereço IP da modificação DateLastModification=Última data de modificação DateValidation=Data Validação -DateSigning=Data de assinatura DateDue=Data Vencimento DateValue=Data Valor DateValueShort=Data Valor @@ -247,7 +244,6 @@ DefaultTaxRate=Taxa de imposto padrão RemainToPay=Permanecer para pagar Module=Modulo/Aplicacao Modules=Módulos / Aplicações -Filters=Filtros OtherStatistics=Outras estatisticas Favorite=Favorito RefSupplier=Ref. fornecedor @@ -477,7 +473,6 @@ Calendar=Calendário GroupBy=Agrupar por ViewFlatList=Visão da lista resumida RemoveString=Remover string '%s' -DirectDownloadLink=Link de download público DirectDownloadInternalLink=Link privado para baixar Download=Baixar DownloadDocument=Descarregar documento @@ -535,7 +530,6 @@ ConfirmMassDraftDeletion=Confirmação de exclusão de massa de esboço SelectAThirdPartyFirst=Selecione um terceiro primeiro ... YouAreCurrentlyInSandboxMode=No momento você está no %s modo "caixa de areia" AnalyticCode=Código analitico -ShowCompanyInfos=Mostrar informações da empresa ShowMoreInfos=Mostrar mais informações NoFilesUploadedYet=Por favor, carregue um doc. primeiro SeePrivateNote=Veja avisos privados @@ -569,7 +563,6 @@ Used=Usado ASAP=O mais breve possível CREATEInDolibarr=Registro %s criado DateOfBirth=Data de nascimento -OnHold=Em espera ClientTZ=Fuso Horário do cliente (usuário) Terminate=Concluir InternalUser=Usuário Interno diff --git a/htdocs/langs/pt_PT/admin.lang b/htdocs/langs/pt_PT/admin.lang index 3e9068e3bb2..6f095f5a3ae 100644 --- a/htdocs/langs/pt_PT/admin.lang +++ b/htdocs/langs/pt_PT/admin.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - admin BoldRefAndPeriodOnPDF=Print reference and period of product item in PDF -BoldLabelOnPDF=Print label of product item in Bold in PDF +BoldLabelOnPDF=Imprimir etiqueta do item em negrito, em PDF Foundation=Fundação Version=Versão Publisher=Editor @@ -145,6 +145,7 @@ Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Máx. número de linhas para widgets AllWidgetsWereEnabled=Todos os widgets disponíveis estão habilitados +WidgetAvailable=Widget disponível PositionByDefault=Ordem predefinida Position=Posição MenusDesc=Os gestores de menu definem o conteúdo das duas barras de menu (horizontal e vertical) @@ -160,7 +161,7 @@ Purge=Limpar PurgeAreaDesc=Esta página permite excluir todos os arquivos gerados ou armazenados pelo Dolibarr (arquivos temporários ou todos os arquivos no diretório %s ). Usar esse recurso normalmente não é necessário. Ele é fornecido como uma solução alternativa para usuários cujo Dolibarr é hospedado por um provedor que não oferece permissões para excluir arquivos gerados pelo servidor da web. PurgeDeleteLogFile=Eliminar os ficheiros de registo, incluindo %s definido para o módulo Syslog (não existe risco de perda de dados) PurgeDeleteTemporaryFiles=Excluir todos os ficheiros de log e temporários (sem risco de perda de dados). O parâmetro pode ser 'tempfilesold', 'logfiles' ou ambos 'tempfilesold + logfiles'. Nota: A exclusão de ficheiros temporários é feita apenas se o diretório temporário foi criado há mais de 24 horas. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files (no risk of losing data) +PurgeDeleteTemporaryFilesShort=Eliminar registos e ficheiros temporários (sem risco de perda de dados) PurgeDeleteAllFilesInDocumentsDir=Exclua todos os arquivos do diretório: %s .
    Isso excluirá todos os documentos gerados relacionados aos elementos (terceiros, faturas etc ...), arquivos carregados no módulo ECM, despejos de backup de banco de dados e arquivos temporários. PurgeRunNow=Limpar agora PurgeNothingToDelete=Nenhuma diretoria ou ficheiros para eliminar. @@ -374,7 +375,7 @@ DoTestSendHTML=Teste de envio HTML ErrorCantUseRazIfNoYearInMask=Erro, não pode usar a opção @ para repor o contador a cada ano, se sequência {yy} ou {aaaa} não está na máscara. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Erro, não pode usar a opção @ se a sequência {yy}{mm} ou {yyyy}{mm} não se encontra na máscara definida. UMask=Parâmetro UMask de novos ficheiros em sistemas Unix/Linux/BSD/macOS. -UMaskExplanation=Este parâmetro permite definir permissões usadas por omissão em ficheiros criados pelo Dolibarr no servidor (durante o carregamento, por exemplo).
    Este deve ter o valor octal (por exemplo, 0666 significa permissão de leitura/escrita para todos).
    Este parâmetro não tem nenhum efeito sobre um servidor Windows. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Dê uma olhada na página Wiki para obter uma lista de contribuidores e suas organizações UseACacheDelay= Atraso, em segundos, para o caching de exportação (0 ou em branco para não criar cache) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=Capacidades de conversões GeoIP Maxmind Module3200Name=Arquivos inalteráveis Module3200Desc=Ativar um registro inalterável de eventos de negócios. Eventos são arquivados em tempo real. O log é uma tabela somente leitura de eventos encadeados que podem ser exportados. Este módulo pode ser obrigatório para alguns países. Module3300Name=Module Builder -Module3200Desc=Ativar um registro inalterável de eventos de negócios. Eventos são arquivados em tempo real. O log é uma tabela somente leitura de eventos encadeados que podem ser exportados. Este módulo pode ser obrigatório para alguns países. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Redes sociais Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=GRH @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Definições WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/pt_PT/companies.lang b/htdocs/langs/pt_PT/companies.lang index ccfb56424f9..2e887e0dc1a 100644 --- a/htdocs/langs/pt_PT/companies.lang +++ b/htdocs/langs/pt_PT/companies.lang @@ -44,15 +44,15 @@ Individual=Particular ToCreateContactWithSameName=Criará automaticamente um contato / endereço com as mesmas informações do terceiro sob o terceiro. Na maioria dos casos, mesmo que seu terceiro seja uma pessoa física, criar um terceiro sozinho é suficiente. ParentCompany=Empresa-mãe Subsidiaries=Subsidiárias -ReportByMonth=Report per month -ReportByCustomers=Report per customer -ReportByThirdparties=Report per thirdparty -ReportByQuarter=Report per rate +ReportByMonth=Relatório por mês +ReportByCustomers=Relatório por cliente +ReportByThirdparties=Relatório por terceiro +ReportByQuarter=Relatório por taxa CivilityCode=Código cortesía RegisteredOffice=Domicilio social Lastname=Apelidos Firstname=Primeiro Nome -RefEmployee=Employee reference +RefEmployee=Referência de funcionário NationalRegistrationNumber=National registration number PostOrFunction=Posição da tarefa UserTitle=Título @@ -60,20 +60,20 @@ NatureOfThirdParty=Natureza do terceiro NatureOfContact=Natureza do contacto Address=Direcção State=Concelho -StateId=State ID +StateId=Identificação Estatal StateCode=Código de região StateShort=Concelho Region=Distrito Region-State=Distrito - Concelho Country=País CountryCode=Código país -CountryId=Country ID +CountryId=Id. do País Phone=Telefone PhoneShort=Telefone Skype=Skype Call=Chamada Chat=Chat -PhonePro=Bus. phone +PhonePro=Telefone comercial PhonePerso=Telef. particular PhoneMobile=Telemovel No_Email=Recusar emails em massa @@ -82,7 +82,7 @@ Zip=Código postal Town=Localidade Web=Web Poste= Posição -DefaultLang=Default language +DefaultLang=Idioma predefinido VATIsUsed=Imposto sobre vendas usado VATIsUsedWhenSelling=This defines if this third party includes a sales tax or not when it makes an invoice to its own customers VATIsNotUsed=Não sujeito a IVA @@ -312,12 +312,12 @@ CustomerRelativeDiscountShort=Desconto Relativo CustomerAbsoluteDiscountShort=Desconto fixo CompanyHasRelativeDiscount=Este cliente tem um desconto por defeito de %s%% CompanyHasNoRelativeDiscount=Este cliente não tem descontos relativos por defeito -HasRelativeDiscountFromSupplier=You have a default discount of %s%% from this vendor -HasNoRelativeDiscountFromSupplier=Você não tem desconto relativo predefinido deste fornecedor +HasRelativeDiscountFromSupplier=You have a default discount of %s%% with this vendor +HasNoRelativeDiscountFromSupplier=No default relative discount with this vendor CompanyHasAbsoluteDiscount=Este cliente tem descontos disponíveis (notas de créditos ou adiantamentos) para %s %s CompanyHasDownPaymentOrCommercialDiscount=Este cliente tem descontos disponíveis (comerciais, adiantamentos) para %s %s CompanyHasCreditNote=Este cliente ainda tem notas de crédito para %s %s -HasNoAbsoluteDiscountFromSupplier=Você não tem desconto ou nota de crédito disponível neste fornecedor +HasNoAbsoluteDiscountFromSupplier=No discount/credit available from this vendor HasAbsoluteDiscountFromSupplier=You have discounts available (credits notes or down payments) for %s %s from this vendor HasDownPaymentOrCommercialDiscountFromSupplier=You have discounts available (commercial, down payments) for %s %s from this vendor HasCreditNoteFromSupplier=You have credit notes for %s %s from this vendor @@ -354,7 +354,7 @@ CustomerCodeDesc=Código do cliente, exclusivo para todos os clientes SupplierCodeDesc=Código de Fornecedor, exclusivo para todos os fornecedores RequiredIfCustomer=Requerida se o Terceiro for Cliente ou Cliente Potencial RequiredIfSupplier=Obrigatório se os terceiros forem fornecedores -ValidityControledByModule=Validity controlled by the module +ValidityControledByModule=Validade controlada pelo módulo ThisIsModuleRules=Regras para este módulo ProspectToContact=Cliente Potencial a Contactar CompanyDeleted=A Empresa "%s" foi Eliminada @@ -364,7 +364,7 @@ ListOfThirdParties=Lista de Terceiros ShowCompany=Terceiro ShowContact=Endereço de contacto ContactsAllShort=Todos (sem filtro) -ContactType=Contact role +ContactType=Função do contacto ContactForOrders=Contacto para Pedidos ContactForOrdersOrShipments=Contacto da encomenda ou da expedição ContactForProposals=Contacto do orçamento @@ -386,7 +386,7 @@ VATIntraCheck=Verificar VATIntraCheckDesc=O ID do IVA deve incluir o prefixo do país. O link %s usa o serviço de verificador de IVA europeu (VIES) que requer acesso à Internet do servidor Dolibarr. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do VATIntraCheckableOnEUSite=Verifique o ID do IVA intracomunitário no site da Comissão Europeia -VATIntraManualCheck=You can also check manually on the European Commission website %s +VATIntraManualCheck=Também pode verificar manualmente no ''site'' da Web da Comissão Europeia %s ErrorVATCheckMS_UNAVAILABLE=Verificação Impossivel. O serviço de verificação não é prestado pelo país membro (%s). NorProspectNorCustomer=Não é cliente potencial, nem cliente JuridicalStatus=Forma Jurídica @@ -444,7 +444,7 @@ AddAddress=Adicionar Direcção SupplierCategory=Categoria do fornecedor JuridicalStatus200=Independente DeleteFile=Eliminar ficheiro -ConfirmDeleteFile=Tem a certeza que quer eliminar este ficheiro? +ConfirmDeleteFile=Tem a certeza que pretende eliminar este ficheiro %s ? AllocateCommercial=Atribuído a representante de vendas Organization=Organismo FiscalYearInformation=Ano fiscal @@ -462,8 +462,8 @@ ListSuppliersShort=Lista de Fornecedores ListProspectsShort=Lista de Perspectivas ListCustomersShort=Lista de Clientes ThirdPartiesArea=Terceiros / Contatos -LastModifiedThirdParties=Latest %s Third Parties which were modified -UniqueThirdParties=Total number of Third Parties +LastModifiedThirdParties=Terceiros mais recentes (%s) que foram modificados +UniqueThirdParties=Número total de Terceiros InActivity=Aberto ActivityCeased=Fechado ThirdPartyIsClosed=O terceiro encontra-se fechado @@ -498,3 +498,9 @@ RestOfEurope=Rest of Europe (EEC) OutOfEurope=Out of Europe (EEC) CurrentOutstandingBillLate=Current outstanding bill late BecarefullChangeThirdpartyBeforeAddProductToInvoice=Be carefull, depending on your product price settings, you should change thirdparty before adding product to POS. +EmailAlreadyExistsPleaseRewriteYourCompanyName=email already exists please rewrite your company name +TwoRecordsOfCompanyName=more than one record exists for this company, please contact us to complete your partnership request +CompanySection=Company section +ShowSocialNetworks=Show social networks +HideSocialNetworks=Hide social networks + diff --git a/htdocs/langs/pt_PT/holiday.lang b/htdocs/langs/pt_PT/holiday.lang index 396b386cb41..e2e20bb2e5c 100644 --- a/htdocs/langs/pt_PT/holiday.lang +++ b/htdocs/langs/pt_PT/holiday.lang @@ -86,7 +86,7 @@ ErrorFieldRequiredUserOrGroup=The "group" field or the "user" field must be fill fusionGroupsUsers=The groups field and the user field will be merged MenuLogCP=Ver os registos de alteração LogCP=Log of all updates made to "Balance of Leave" -ActionByCP=Updated by +ActionByCP=Atualizado por UserUpdateCP=Updated for PrevSoldeCP=Balanço prévio NewSoldeCP=Novo Balanço @@ -143,16 +143,16 @@ TemplatePDFHolidays=Modelo para solicitações de licenças PDF FreeLegalTextOnHolidays=Texto livre em PDF WatermarkOnDraftHolidayCards=Marcas d'água em pedidos de licença de rascunho HolidaysToApprove=Holidays to approve -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays -HolidayBalanceMonthlyUpdate=Monthly update of holiday balance +NobodyHasPermissionToValidateHolidays=Nobody has permission to validate leave requests +HolidayBalanceMonthlyUpdate=Monthly update of leave balance XIsAUsualNonWorkingDay=%s is usualy a NON working day BlockHolidayIfNegative=Block if balance negative LeaveRequestCreationBlockedBecauseBalanceIsNegative=The creation of this leave request is blocked because your balance is negative ErrorLeaveRequestMustBeDraftCanceledOrRefusedToBeDeleted=Leave request %s must be draft, canceled or refused to be deleted -IncreaseHolidays=Increase holiday -HolidayRecordsIncreased= %s holiday records increased -HolidayRecordIncreased=Holiday record increased -ConfirmMassIncreaseHoliday=Bulk holiday increase +IncreaseHolidays=Increase leave balance +HolidayRecordsIncreased= %s leave balances increased +HolidayRecordIncreased=Leave balance increased +ConfirmMassIncreaseHoliday=Bulk leave balance increase NumberDayAddMass=Number of day to add to the selection ConfirmMassIncreaseHolidayQuestion=Are you sure you want to increase holiday of the %s selected record(s)? HolidayQtyNotModified=Balance of remaining days for %s has not been changed diff --git a/htdocs/langs/pt_PT/interventions.lang b/htdocs/langs/pt_PT/interventions.lang index 6e007f30c96..495ba0b6240 100644 --- a/htdocs/langs/pt_PT/interventions.lang +++ b/htdocs/langs/pt_PT/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Oculta as horas e minutos campo de data dos regist InterventionStatistics=Estatísticas das intervenções NbOfinterventions=No. of intervention cards NumberOfInterventionsByMonth=No. of intervention cards by month (date of validation) -AmountOfInteventionNotIncludedByDefault=O montante da intervenção não é incluído, por defeito, no lucro (na maioria dos casos, os quadros de horários são usados ​​para contar o tempo gasto). Adicione a opção PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT com o valor 1 em Inicio->Configurações->Outras configurações para incluí-los. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=ID da intervenção InterRef=Ref. da intervenção InterDateCreation=Data de criação da intervenção @@ -66,3 +66,7 @@ RepeatableIntervention=Template of intervention ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? GenerateInter=Generate intervention +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/pt_PT/mails.lang b/htdocs/langs/pt_PT/mails.lang index 659b2489e1f..56ca932dbbf 100644 --- a/htdocs/langs/pt_PT/mails.lang +++ b/htdocs/langs/pt_PT/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contatos por posição MailingModuleDescEmailsFromFile=E-mails do arquivo MailingModuleDescEmailsFromUser=Entrada de e-mails pelo usuário MailingModuleDescDolibarrUsers=Usuários com e-mails -MailingModuleDescThirdPartiesByCategories=Terceiros (por categorias) +MailingModuleDescThirdPartiesByCategories=Terceiros SendingFromWebInterfaceIsNotAllowed=Envio de interface web não é permitido. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/pt_PT/main.lang b/htdocs/langs/pt_PT/main.lang index 36f1e6a4894..5a3dcb3d9fd 100644 --- a/htdocs/langs/pt_PT/main.lang +++ b/htdocs/langs/pt_PT/main.lang @@ -34,10 +34,10 @@ NoTemplateDefined=Nenhum modelo disponível para este tipo de e-mail AvailableVariables=Variáveis de substituição disponíveis NoTranslation=Sem tradução Translation=Tradução -Translations=Translations +Translations=Traduções CurrentTimeZone=Zona Horária PHP (servidor) EmptySearchString=Introduza alguns critérios de pesquisa -EnterADateCriteria=Enter a date criteria +EnterADateCriteria=Insira um critério de data NoRecordFound=Nenhum foi encontrado nenhum registo NoRecordDeleted=Nenhum registo eliminado NotEnoughDataYet=Não existe dados suficientes @@ -74,7 +74,7 @@ ErrorNoVATRateDefinedForSellerCountry=Erro, nenhum tipo de IVA definido para o p ErrorNoSocialContributionForSellerCountry=Erro, nenhum tipo de contribuição social definida para o país %s. ErrorFailedToSaveFile=Erro, o registo do ficheiro falhou. ErrorCannotAddThisParentWarehouse=Você está a tentar adicionar um armazém "pai" que já é um armazém "filho" de um armazém já existente. -FieldCannotBeNegative=Field "%s" cannot be negative +FieldCannotBeNegative=O campo "%s" não pode ser negativo MaxNbOfRecordPerPage=Número máximo de registos por página NotAuthorized=Não tem permissão para efetuar essa operação SetDate=Definir data @@ -95,7 +95,7 @@ FileWasNotUploaded=Um ficheiro foi seleccionada para ser anexado, mas ainda não NbOfEntries=N.º de entradas GoToWikiHelpPage=Consultar ajuda online (necessita de acesso à Internet) GoToHelpPage=Ir para páginas de ajuda -DedicatedPageAvailable=Dedicated help page related to your current screen +DedicatedPageAvailable=Página dedicada a ajuda relacionada com a sua tela atual HomePage=Página Inicial RecordSaved=Registo Guardado RecordDeleted=Registo eliminado @@ -122,7 +122,7 @@ ReturnCodeLastAccessInError=Retornar o código para o último pedido incorreto d InformationLastAccessInError=Informação sobre o último pedido incorreto de acesso à base de dados DolibarrHasDetectedError=O Dolibarr detectou um erro técnico YouCanSetOptionDolibarrMainProdToZero=Você pode ler o ficheiro de log ou definir a opção $dolibarr_main_prod para '0' no seu ficheiro de configuração para obter mais informações. -InformationToHelpDiagnose=This information can be useful for diagnostic purposes (you can set option $dolibarr_main_prod to '1' to hide sensitive information) +InformationToHelpDiagnose=Esta informação pode ser útil para fins de diagnóstico (pode definir a opção $dolibarr_main_prod como '1' para ocultar informações confidenciais) MoreInformation=Mais Informação TechnicalInformation=Informação técnica TechnicalID=ID Técnico @@ -188,7 +188,7 @@ SaveAndNew=Salvar e criar novo TestConnection=Testar conexão ToClone=Clonar ConfirmCloneAsk=De certeza que quer clonar o objecto %s? -ConfirmClone=Choose the data you want to clone: +ConfirmClone=Escolha os dados que deseja clonar: NoCloneOptionsSpecified=Não existem dados definidos para clonar. Of=de Go=Avançar @@ -220,13 +220,13 @@ User=Utilizador Users=Utilizadores Group=Grupo Groups=Grupos -UserGroup=User group -UserGroups=User groups +UserGroup=Grupo de utilizadores +UserGroups=Grupos de utilizadores NoUserGroupDefined=Nenhum grupo de utilizador definido Password=Senha -PasswordRetype=Repeat your password +PasswordRetype=Reescreva a sua senha NoteSomeFeaturesAreDisabled=Note que estão desativados muitos módulos/funções nesta demonstração. -YourUserFile=Your user file +YourUserFile=Seu ficheiro de utilizador Name=Nome NameSlashCompany=Nome / Empresa Person=Pessoa @@ -236,7 +236,7 @@ Value=Valor PersonalValue=Valor pessoal NewObject=Novo %s NewValue=Novo valor -OldValue=Old value %s +OldValue=Valor antigo %s CurrentValue=Valor actual Code=Código Type=Tipo @@ -253,13 +253,13 @@ Designation=Designação DescriptionOfLine=Descrição da linha DateOfLine=Data da linha DurationOfLine=Duração da linha -ParentLine=Parent line ID +ParentLine=ID da linha fonte Model=Modelo de documento DefaultModel=Modelo de documento predefinido Action=Evento About=Sobre Number=Número -NumberByMonth=Total reports by month +NumberByMonth=Total de relatórios por mês AmountByMonth=Valor por mês Numero=Número Limit=Limite @@ -276,7 +276,7 @@ Cards=Fichas Card=Ficha Now=Agora HourStart=Hora de inicio -Deadline=Deadline +Deadline=Data limite Date=Data DateAndHour=Data e Hora DateToday=Data de hoje @@ -285,13 +285,13 @@ DateStart=Data de início DateEnd=Data de fim DateCreation=Data de Criação DateCreationShort=Data de criação -IPCreation=Creation IP +IPCreation=Criação de IP DateModification=Data de Modificação DateModificationShort=Data de Modif. -IPModification=Modification IP +IPModification=Modificação de IP DateLastModification=A última data de alteração DateValidation=Data de Validação -DateSigning=Signing date +DateSigning=Data de assinatura DateClosing=Data de Encerramento DateDue=Data de Vencimento DateValue=Data do valor @@ -355,7 +355,7 @@ MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes UserAuthor=Criado por -UserModif=Updated by +UserModif=Atualizado por b=b. Kb=Kb Mb=Mb @@ -375,7 +375,7 @@ UnitPriceHTCurrency=Preço por unidade (Excl. IVA) (moeda) UnitPriceTTC=Preço Unitário PriceU=P.U. PriceUHT=P.U. (líquido) -PriceUHTCurrency=U.P (net) (currency) +PriceUHTCurrency=U.P (líquido) (moeda) PriceUTTC=P.U. (inc. impostos) Amount=Montante AmountInvoice=Montante da Fatura @@ -403,8 +403,8 @@ AmountTotal=Montante Total AmountAverage=Montante médio PriceQtyMinHT=Preço para quandidade min. (excl. IVA) PriceQtyMinHTCurrency=Preço da quantidade min. (excl. IVA) (moeda) -PercentOfOriginalObject=Percent of original object -AmountOrPercent=Amount or percent +PercentOfOriginalObject=Percentagem do objeto original +AmountOrPercent=Quantidade ou percentagem Percentage=Percentagem Total=Total SubTotal=Subtotal @@ -443,7 +443,7 @@ LT1IN=ICBS LT2IN=IBSE LT1GC=Centavos adicionais VATRate=Taxa IVA -RateOfTaxN=Rate of tax %s +RateOfTaxN=Taxa de imposto %s VATCode=Código da taxa de imposto VATNPR=Taxa de imposto NPR DefaultTaxRate=Taxa de imposto predefinida @@ -455,7 +455,7 @@ RemainToPay=Montante por pagar Module=Módulo/Aplicação Modules=Módulos/Aplicações Option=Opção -Filters=Filters +Filters=Filtros List=Lista FullList=Lista Completa FullConversation=Conversa completa @@ -490,7 +490,7 @@ ActionsOnContact=Eventos para este contacto/endereço ActionsOnContract=Eventos para este contracto ActionsOnMember=Eventos sobre este membro ActionsOnProduct=Eventos sobre este produto -ActionsOnAsset=Events for this fixed asset +ActionsOnAsset=Eventos para este bem fixo NActionsLate=%s em atraso ToDo=A realizar Completed=Concluído @@ -514,6 +514,7 @@ NotYetAvailable=Ainda não disponivel NotAvailable=Não disponivel Categories=Etiquetas/Categorias Category=Etiqueta/Categoria +SelectTheTagsToAssign=Selecione as etiquetas/categorias a atribuir By=Por From=De FromDate=De @@ -631,7 +632,7 @@ MonthVeryShort11=N MonthVeryShort12=D AttachedFiles=Ficheiros e Documentos Anexos JoinMainDoc=Unir ao documento principal -JoinMainDocOrLastGenerated=Send the main document or the last generated one if not found +JoinMainDocOrLastGenerated=Envie o documento principal ou, caso não seja encontrado, o último gerado DateFormatYYYYMM=YYYY-MM DateFormatYYYYMMDD=YYYY-MM-DD DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS @@ -678,7 +679,7 @@ SupplierPreview=Pré-visualização do fornecedor ShowCustomerPreview=Ver Historial Cliente ShowSupplierPreview=Mostrar pré-visualização do fornecedor RefCustomer=Ref. Cliente -InternalRef=Internal ref. +InternalRef=Ref. interna Currency=Moeda InfoAdmin=Informação para os administradores Undo=Desfazer @@ -700,7 +701,7 @@ SendMail=Enviar e-mail Email=Email NoEMail=Sem e-mail AlreadyRead=Já lido -NotRead=Unread +NotRead=Não lida NoMobilePhone=Sem telefone móvel Owner=Proprietário FollowingConstantsWillBeSubstituted=As seguintes constantes serão substituidas pelo seu valor correspondente. @@ -722,7 +723,7 @@ FeatureDisabled=Função Desactivada MoveBox=Mover widget Offered=Oferta NotEnoughPermissions=Não tem permissões para efectuar esta acção -UserNotInHierachy=This action is reserved to the supervisors of this user +UserNotInHierachy=Esta ação é reservada aos Supervisores deste Utilizador SessionName=Nome Sessão Method=Método Receive=Receção @@ -747,8 +748,8 @@ MenuMembers=Membros MenuAgendaGoogle=Agenda Google MenuTaxesAndSpecialExpenses=Taxas | Despesas Especiais ThisLimitIsDefinedInSetup=Límite Dolibarr (Menu inicio->configuração->segurança): %s Kb, PHP limit: %s Kb -ThisLimitIsDefinedInSetupAt=Dolibarr limit (Menu %s): %s Kb, PHP limit (Param %s): %s Kb -NoFileFound=No documents uploaded +ThisLimitIsDefinedInSetupAt=Limite do Dolibarr (Menu %s): %s Kb, limite do PHP (Param %s): %s Kb +NoFileFound=Nenhum documento enviado CurrentUserLanguage=Idioma atual CurrentTheme=Tema Actual CurrentMenuManager=Gestor de menu atual @@ -812,7 +813,7 @@ URLPhoto=Url da foto / logotipo SetLinkToAnotherThirdParty=Link para um terceiro LinkTo=Associar a LinkToProposal=Associar ao orçamento -LinkToExpedition= Link to expedition +LinkToExpedition= Link para expedição LinkToOrder=Hiperligação para encomendar LinkToInvoice=Associar a fatura LinkToTemplateInvoice=Link para a factura modelo @@ -822,7 +823,7 @@ LinkToSupplierInvoice=Link para a factura do fornecedor LinkToContract=Associar a contrato LinkToIntervention=Associar a intervenção LinkToTicket=Link para o ticket -LinkToMo=Link to Mo +LinkToMo=Link para CreateDraft=Criar Rascunho SetToDraft=Voltar para o rascunho ClickToEdit=Clique para editar @@ -866,7 +867,7 @@ XMoreLines=%s linhas(s) ocultas ShowMoreLines=Mostrar mais/menos linhas PublicUrl=URL público AddBox=Adicionar Caixa -SelectElementAndClick=Select an element and click on %s +SelectElementAndClick=Selecione um elemento e clique em %s PrintFile=Imprimir Ficheiro %s ShowTransaction=Mostrar transação ShowIntervention=Mostrar intervenção @@ -877,8 +878,8 @@ Denied=Negada ListOf=Lista de %s ListOfTemplates=Lista de modelos Gender=Género -Genderman=Male -Genderwoman=Female +Genderman=Homem +Genderwoman=Mulher Genderother=Outro ViewList=Ver Lista ViewGantt=Vista de Gantt @@ -898,9 +899,9 @@ MassFilesArea=Área para os ficheiros criados através de ações em massa ShowTempMassFilesArea=Mostrar área para os ficheiros criados através de ações em massa ConfirmMassDeletion=Confirmação de Múltiplas Eliminações ConfirmMassDeletionQuestion=Tem a certeza de que quer apagar os %s registo(s) seleccionado(s)? -ConfirmMassClone=Bulk clone confirmation -ConfirmMassCloneQuestion=Select project to clone to -ConfirmMassCloneToOneProject=Clone to project %s +ConfirmMassClone=Confirmação de clonagem em massa +ConfirmMassCloneQuestion=Selecione o projeto para clonar +ConfirmMassCloneToOneProject=Clonar para projeto %s RelatedObjects=Objetos relacionados ClassifyBilled=Classificar como faturado ClassifyUnbilled=Classificar como não faturado @@ -916,25 +917,26 @@ ExportFilteredList=Exportar lista filtrada ExportList=Exportar lista ExportOptions=Opções de exportação IncludeDocsAlreadyExported=Os documentos incluídos já foram exportados -ExportOfPiecesAlreadyExportedIsEnable=Documents already exported are visible and will be exported -ExportOfPiecesAlreadyExportedIsDisable=Documents already exported are hidden and won't be exported +ExportOfPiecesAlreadyExportedIsEnable=Documentos já exportados estão visíveis e serão exportados +ExportOfPiecesAlreadyExportedIsDisable=Documentos já exportados estão ocultos e não serão exportados AllExportedMovementsWereRecordedAsExported=Todos os movimentos exportados foram marcados como exportados NotAllExportedMovementsCouldBeRecordedAsExported=Nem todos os movimentos exportados foram marcados como exportados Miscellaneous=Diversos Calendar=Calendario GroupBy=Agrupar por... +GroupByX=Agrupar por %s ViewFlatList=Vista de lista ViewAccountList=Ver livro-mestre ViewSubAccountList=Ver livro-mestre da subconta RemoveString=Remover texto '%s' -SomeTranslationAreUncomplete=Some of the languages offered may be only partially translated or may contain errors. Please help to correct your language by registering at https://transifex.com/projects/p/dolibarr/ to add your improvements. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file +SomeTranslationAreUncomplete=Alguns dos idiomas oferecidos podem estar apenas parcialmente traduzidos ou conter erros. Ajude a corrigir o seu idioma registando-se em https://transifex.com/projects/p/dolibarr/ para adicionar as suas melhorias. +DirectDownloadLink=Link de download público +PublicDownloadLinkDesc=Apenas o link é necessário para fazer download do arquivo +DirectDownloadInternalLink=Link de download privado +PrivateDownloadLinkDesc=Necessita de estar conectado e de permissões para visualizar ou fazer download do arquivo Download=Download DownloadDocument=Download do documento -DownloadSignedDocument=Download signed document +DownloadSignedDocument=Fazer download do documento assinado ActualizeCurrency=Atualizar taxa de conversão da moeda Fiscalyear=Ano Fiscal ModuleBuilder=Construtor de Módulos e Aplicações @@ -1045,7 +1047,7 @@ SearchIntoContacts=Contactos SearchIntoMembers=Membros SearchIntoUsers=Utilizadores SearchIntoProductsOrServices=Produtos ou serviços -SearchIntoBatch=Lots / Serials +SearchIntoBatch=Lotes / Séries SearchIntoProjects=Projetos SearchIntoMO=Ordens de Fabrico SearchIntoTasks=Tarefas @@ -1083,13 +1085,13 @@ KeyboardShortcut=Atalho de teclado AssignedTo=Atribuído a Deletedraft=Eliminar rascunho ConfirmMassDraftDeletion=Confirmação de eliminação múltipla de rascunhos -FileSharedViaALink=File shared with a public link +FileSharedViaALink=Arquivo compartilhado com um link público SelectAThirdPartyFirst=Seleccione um terceiro em primeiro... YouAreCurrentlyInSandboxMode=Você está atualmente no modo %s "sandbox" Inventory=Inventário AnalyticCode=Código analítico TMenuMRP=MRP -ShowCompanyInfos=Show company infos +ShowCompanyInfos=Mostrar informações da empresa ShowMoreInfos=Mostrar Mais Informações NoFilesUploadedYet=Por favor envie um documento em primeiro SeePrivateNote=Ver nota privada @@ -1098,7 +1100,7 @@ ValidFrom=Válido desde ValidUntil=Válido até NoRecordedUsers=Sem utilizadores ToClose=Para fechar -ToRefuse=To refuse +ToRefuse=Recusar ToProcess=Por processar ToApprove=Para aprovar GlobalOpenedElemView=Vista global @@ -1132,7 +1134,7 @@ DeleteFileText=Tem a certeza de que quer eliminar este ficheiro? ShowOtherLanguages=Mostrar outros idiomas SwitchInEditModeToAddTranslation=Mude para o modo de edição para adicionar traduções para este idioma NotUsedForThisCustomer=Não utilizado para este cliente -NotUsedForThisVendor=Not used for this vendor +NotUsedForThisVendor=Não usado para este Vendedor AmountMustBePositive=Total deve ser positivo ByStatus=Por estado InformationMessage=Informação @@ -1150,75 +1152,78 @@ SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=O token de segurança UpToDate=Actualizado OutOfDate=Desactualizado EventReminder=Lembrete de evento -UpdateForAllLines=Update for all lines -OnHold=On hold -Civility=Civility -AffectTag=Assign a Tag -AffectUser=Assign a User -SetSupervisor=Set the supervisor -CreateExternalUser=Create external user -ConfirmAffectTag=Bulk Tag Assignement -ConfirmAffectUser=Bulk User Assignement -ProjectRole=Role assigned on each project/opportunity -TasksRole=Role assigned on each task (if used) -ConfirmSetSupervisor=Bulk Supervisor Set -ConfirmUpdatePrice=Choose a increase/decrease price rate -ConfirmAffectTagQuestion=Are you sure you want to assign tags to the %s selected record(s)? -ConfirmAffectUserQuestion=Are you sure you want to assign users to the %s selected record(s)? -ConfirmSetSupervisorQuestion=Are you sure you want to set supervisor to the %s selected record(s)? -ConfirmUpdatePriceQuestion=Are you sure you want to update the price of the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records +UpdateForAllLines=Atualização para todas as linhas +OnHold=Em espera +Civility=Civilidade +AffectTag=Atribuir uma Etiqueta +AffectUser=Atribuir um Utilizador +SetSupervisor=Definir o supervisor +CreateExternalUser=Criar utilizador externo +ConfirmAffectTag=Atribuição de Etiqueta em massa +ConfirmAffectUser=Atribuição de Utilizador em massa +ProjectRole=Função atribuída em cada projeto/oportunidade +TasksRole=Função atribuída em cada tarefa (se usado) +ConfirmSetSupervisor=Designação de Supervisor em massa +ConfirmUpdatePrice=Escolha uma taxa aumento/diminuição do preço +ConfirmAffectTagQuestion=Tem a certeza de que deseja atribuir etiquetas aos %s registos selecionados? +ConfirmAffectUserQuestion=Tem a certeza de que deseja atribuir Utilizadores aos %s registos selecionados? +ConfirmSetSupervisorQuestion=Tem a certeza de que deseja designar o Supervisor para os %s registos selecionados? +ConfirmUpdatePriceQuestion=Tem a certeza de que deseja atualizar o preço dos %s registos selecionados? +CategTypeNotFound=Nenhuma etiqueta encontrada para o tipo de registo Rate=Tipo -SupervisorNotFound=Supervisor not found -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. -ConfirmCancel=Are you sure you want to cancel -EmailMsgID=Email MsgID -EmailDate=Email date -SetToStatus=Set to status %s -SetToEnabled=Set to enabled -SetToDisabled=Set to disabled -ConfirmMassEnabling=mass enabling confirmation -ConfirmMassEnablingQuestion=Are you sure you want to enable the %s selected record(s)? -ConfirmMassDisabling=mass disabling confirmation -ConfirmMassDisablingQuestion=Are you sure you want to disable the %s selected record(s)? -RecordsEnabled=%s record(s) enabled -RecordsDisabled=%s record(s) disabled -RecordEnabled=Record enabled -RecordDisabled=Record disabled -Forthcoming=Forthcoming -Currently=Currently -ConfirmMassLeaveApprovalQuestion=Are you sure you want to approve the %s selected record(s)? -ConfirmMassLeaveApproval=Mass leave approval confirmation -RecordAproved=Record approved -RecordsApproved=%s Record(s) approved -Properties=Properties -hasBeenValidated=%s has been validated +SupervisorNotFound=Supervisor não encontrado +CopiedToClipboard=Copiado +InformationOnLinkToContract=Este montante é apenas o total de todas as linhas do contrato. Nenhuma noção de tempo é tida em consideração. +ConfirmCancel=Tem certeza que deseja cancelar +EmailMsgID=E-mail MsgID +EmailDate=Data do e-mail +SetToStatus=Definir para o estado %s +SetToEnabled=Definir como ativado +SetToDisabled=Definir como desativado +ConfirmMassEnabling=confirmação de ativação em massa +ConfirmMassEnablingQuestion=Tem a certeza de que deseja ativar os %s registos selecionados? +ConfirmMassDisabling=confirmação de desativação em massa +ConfirmMassDisablingQuestion=Tem a certeza de que deseja desativar os %s registos selecionados? +RecordsEnabled=%s registo(s) ativado(s) +RecordsDisabled=%s registo(s) desativado(s) +RecordEnabled=Registo ativado +RecordDisabled=Registo desativado +Forthcoming=Em breve +Currently=Atualmente +ConfirmMassLeaveApprovalQuestion=Tem a certeza de que deseja aprovar os %s registos selecionados? +ConfirmMassLeaveApproval=Confirmação de aprovação de ausência em massa +RecordAproved=Registo aprovado +RecordsApproved=%s Registo(s) aprovado(s) +Properties=Propriedades +hasBeenValidated=%s foi validado ClientTZ=Fuso Horário do Cliente (utilizador) -NotClosedYet=Not yet closed -ClearSignature=Reset signature -CanceledHidden=Canceled hidden -CanceledShown=Canceled shown +NotClosedYet=Ainda não encerrado +ClearSignature=Redefinir assinatura +CanceledHidden=Cancelado oculto +CanceledShown=Cancelado apresentado Terminate=Cancelar Terminated=Inativo -AddLineOnPosition=Add line on position (at the end if empty) -ConfirmAllocateCommercial=Assign sales representative confirmation -ConfirmAllocateCommercialQuestion=Are you sure you want to assign the %s selected record(s)? -CommercialsAffected=Sales representatives assigned -CommercialAffected=Sales representative assigned -YourMessage=Your message -YourMessageHasBeenReceived=Your message has been received. We will answer or contact you as soon as possible. -UrlToCheck=Url to check -Automation=Automation -CreatedByEmailCollector=Created by Email collector -CreatedByPublicPortal=Created from Public portal -UserAgent=User Agent +AddLineOnPosition=Adicionar linha na posição (ou no final, se estiver vazio) +ConfirmAllocateCommercial=Confirmação de designação de representante de vendas +ConfirmAllocateCommercialQuestion=Tem a certeza de que deseja atribuir os %s registos selecionados? +CommercialsAffected=Representantes de vendas designados +CommercialAffected=Representante de vendas designado +YourMessage=Sua mensagem +YourMessageHasBeenReceived=A sua mensagem foi recebida. Responderemos ou entraremos em contacto o mais breve possível. +UrlToCheck=URL a verificar +Automation=Automação +CreatedByEmailCollector=Criado por coletor de e-mail +CreatedByPublicPortal=Criado a partir do portal público +UserAgent=Agente utilizador InternalUser=Utilizador interno ExternalUser=Utilizador externo -NoSpecificContactAddress=No specific contact or address -NoSpecificContactAddressBis=This tab is dedicated to force specific contacts or addresses for the current object. Use it only if you want to define one or several specific contacts or addresses for the object when the information on the thirdparty is not enough or not accurate. -HideOnVCard=Hide %s -AddToContacts=Add address to my contacts -LastAccess=Last access -UploadAnImageToSeeAPhotoHere=Upload an image from the tab %s to see a photo here -LastPasswordChangeDate=Last password change date +NoSpecificContactAddress=Sem contacto ou endereço específico +NoSpecificContactAddressBis=Esta aba é dedicada a forçar contactos ou endereços específicos para o objeto atual. Use-a somente se desejar definir um ou vários contactos ou endereços específicos para o objeto quando as informações do terceiro não forem suficientes ou precisas. +HideOnVCard=Ocultar %s +AddToContacts=Adicionar endereço aos meus contactos +LastAccess=Último acesso +UploadAnImageToSeeAPhotoHere=Carregue uma imagem da aba %s para ver uma foto aqui +LastPasswordChangeDate=Data da última alteração de senha +PublicVirtualCardUrl=URL da página do cartão de visita virtual +PublicVirtualCard=Cartão de visita virtual +TreeView=Vista em árvore diff --git a/htdocs/langs/pt_PT/sms.lang b/htdocs/langs/pt_PT/sms.lang index facdadb0279..f64c624e678 100644 --- a/htdocs/langs/pt_PT/sms.lang +++ b/htdocs/langs/pt_PT/sms.lang @@ -44,7 +44,7 @@ NbOfSms=Número de números de telefone ThisIsATestMessage=Esta é uma mensagem de teste SendSms=Enviar SMS SmsInfoCharRemain=No. de caracteres restantes -SmsInfoNumero= (formato internacional, ou seja: +33899701761) +SmsInfoNumero= (formato internacional, p.e.: +351 969 XXX XXX) DelayBeforeSending=Atraso antes de enviar (minutos) SmsNoPossibleSenderFound=Nenhum operador disponível. Verifique a configuração do seu serviço SMS. SmsNoPossibleRecipientFound=Nenhum alvo disponível. Verifique a configuração do seu provedor de SMS. diff --git a/htdocs/langs/ro_RO/accountancy.lang b/htdocs/langs/ro_RO/accountancy.lang index cb7df2b80e1..049b12582ba 100644 --- a/htdocs/langs/ro_RO/accountancy.lang +++ b/htdocs/langs/ro_RO/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Activare listă combinată pentru contul subsidiar (po ACCOUNTING_DATE_START_BINDING=Definiți o dată pentru a începe legarea și transferul în contabilitate. Înainte de această dată, tranzacțiile nu vor fi transferate în contabilitate. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Pentru transferul contabil, care este perioada selectată implicit  -ACCOUNTING_SELL_JOURNAL=Jurnal de vânzări (vânzări și retururi) -ACCOUNTING_PURCHASE_JOURNAL=Jurnal de achiziții (achiziții și retururi) -ACCOUNTING_BANK_JOURNAL=Jurnal de numerar (încasări și plăți) +ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns +ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns +ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements ACCOUNTING_EXPENSEREPORT_JOURNAL=Jurnalul rapoartelor de cheltuieli ACCOUNTING_MISCELLANEOUS_JOURNAL=Registrul jurnal ACCOUNTING_HAS_NEW_JOURNAL=Are un nou jurnal @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Aceasta va șterge toate rândurile din contabilitate pentru an ConfirmDeleteMvtPartial=Aceasta va șterge tranzacția din contabilitate (toate liniile legate de aceeași tranzacție vor fi șterse) FinanceJournal=Jurnal Bancă ExpenseReportsJournal=Jurnalul rapoartelor de cheltuieli +InventoryJournal=Jurnal de inventar DescFinanceJournal=Jurnal financiar bancar, include toate tipurile de plăți efectuate prin conturile bancare DescJournalOnlyBindedVisible=Aceasta este o vedere a înregistrării care este legată de un cont contabil și poate fi înregistrată în jurnale și Registrul jurnal. VATAccountNotDefined=Contul contabil de TVA nu a fost definit diff --git a/htdocs/langs/ro_RO/admin.lang b/htdocs/langs/ro_RO/admin.lang index fe6f24b2aa8..bae975f4fbe 100644 --- a/htdocs/langs/ro_RO/admin.lang +++ b/htdocs/langs/ro_RO/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widget-uri MaxNbOfLinesForBoxes=Numărul maxim de linii pentru widget-uri AllWidgetsWereEnabled=Toate widgeturile disponibile sunt activate +WidgetAvailable=Widget disponibil PositionByDefault=Ordinea implicită Position=Poziţie MenusDesc=Managerii de meniuri stabilesc conținutul celor două bare de meniu (orizontală și verticală). @@ -374,7 +375,7 @@ DoTestSendHTML=Test trimitere HTML ErrorCantUseRazIfNoYearInMask=Eroare, nu se poate folosi opțiunea @ pentru a reseta contorul la fiecare an, dacă secvența {yy} sau {yyyy} nu este în mască. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Eroare, nu se poate utiliza opţiunea @ dacă secvenţa {yy}{mm} sau {yyyy}{mm} nu este în mască. UMask=Parametrul UMask pentru fişiere noi în sistemul de fişiere Unix/Linux/BSD/Mac. -UMaskExplanation=Acest parametru îţi permite să defineşti permisiuni implicite pe fişierele create de sistem pe server (în timpul încărcării, de exemplu).
    Acesta trebuie să fie o valoare octală (de exemplu, 0666 înseamnă citire şi scriere pentru toată lumea).
    Acest parametru nu se poate utiliza pe un server Windows. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Uitați-vă la pagina Wiki pentru o listă de contribuitori și organizațiiile lor UseACacheDelay= Întârziere răspuns pentru caching de export în secunde (0 sau gol pentru nici un cache) DisableLinkToHelpCenter=Ascunde link-ul "Ai nevoie de ajutor sau asistență" de pe pagina de autentificare @@ -663,7 +664,7 @@ Module2900Desc=Capabilităţi de conversie GeoIP Maxmind Module3200Name=Jurnale Nealterabile Module3200Desc=Activează un jurnal inalterabil al evenimentelor de afaceri. Evenimentele sunt arhivate în timp real. Jurnalul este o tabelă cu functie doar de citire a evenimentelor în lanț care pot fi exportate. Acest modul poate fi obligatoriu pentru unele țări. Module3300Name=Dezvoltator de module -Module3200Desc=Activează un jurnal inalterabil al evenimentelor de afaceri. Evenimentele sunt arhivate în timp real. Jurnalul este o tabelă cu functie doar de citire a evenimentelor în lanț care pot fi exportate. Acest modul poate fi obligatoriu pentru unele țări. +Module3300Desc=Un instrument RAD (Rapid Application Development - low-code and no-code) pentru a ajuta dezvoltatorii sau utilizatorii avansați să-și construiască propriul modul/aplicație. Module3400Name=Reţele sociale Module3400Desc=Activați câmpurile Rețele sociale la terți și adrese (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Utilizare mod de memorie limitată ExportUseLowMemoryModeHelp=Utilizare mod de memorie scăzută pentru generarea fișierului dump (comprimarea se face printr-un pipe în loc de memoria PHP). Această metodă nu permite să verifici dacă fișierul este complet și mesajul de eroare nu poate fi raportat dacă nu reușește. Utilizează dacă nu ai erori de memorie. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interfață de capturare triggere sistem și trimitere la o adresă URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Configurare Webhook Settings = Configurări WebhookSetupPage = Pagină de configurare Webhook @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Atenție: modulul %s a setat un WarningModuleHasChangedSecurityCsrfParameter=Atenție: modulul %s a dezactivat securitatea CSRF a instanței tale. Această acțiune este suspectă și este posibil ca instalarea ta să nu mai fie securizată. Contacteză autorul modulului pentru explicații.  EMailsInGoingDesc=E-mailurile primite sunt gestionate de modulul %s. Trebuie să îl activezi și să îl configurezi dacă trebuie să accepți e-mailurile primite. MAIN_IMAP_USE_PHPIMAP=Utilizează biblioteca PHP-IMAP pentru IMAP în loc de PHP IMAP nativ. Acest lucru permite, de asemenea, utilizarea unei conexiuni OAuth2 pentru IMAP (modulul OAuth trebuie, de asemenea, activat).  +MAIN_CHECKBOX_LEFT_COLUMN=Afișare coloană pentru selecție câmp și linie în stânga (în mod implicit în dreapta) + +CSSPage=Stil CSS diff --git a/htdocs/langs/ro_RO/ecm.lang b/htdocs/langs/ro_RO/ecm.lang index 9d743434c7c..1021450ce04 100644 --- a/htdocs/langs/ro_RO/ecm.lang +++ b/htdocs/langs/ro_RO/ecm.lang @@ -19,7 +19,7 @@ ECMArea=DMS/ECM ECMAreaDesc=DMS/ECM (Document Management System / Electronic Content Management) vă permite să salvați, să partajați și să căutați rapid toate tipurile de documente în Dolibarr. ECMAreaDesc2a=* Directoarele manuale pot fi folosite pentru a salva documente care nu au legătură cu un anumit element. ECMAreaDesc2b=* Directoarele automate sunt completate automat la adăugarea documentelor din pagina unui element. -ECMAreaDesc3=* Directoarele Media sunt fișiere din subdirectorul /medias din directorul de documente, care pot fi citite de oricine, fără a fi nevoie să fie autentificat și fără a fi necesar să fie partajat explicit fișierul. Este folosit pentru a stoca fișiere imagine din modulul de email sau site web. +ECMAreaDesc3=* Medias directories are files into the subdirectory /medias of documents directory, readable by everybody with no need to be logged and no need to have the file shared explicitely. It is used to store image files for the emailing or website module for example. ECMSectionWasRemoved=Directorul %s a fost şters. ECMSectionWasCreated=Directorul %s a fost creat. ECMSearchByKeywords=Caută după cuvinte cheie diff --git a/htdocs/langs/ro_RO/errors.lang b/htdocs/langs/ro_RO/errors.lang index 86919a04ae3..fbb5e25b81c 100644 --- a/htdocs/langs/ro_RO/errors.lang +++ b/htdocs/langs/ro_RO/errors.lang @@ -262,6 +262,7 @@ ErrorParameterMustBeEnabledToAllwoThisFeature=Eroare, parametrul %s trebu ErrorLoginDateValidity=Eroare, această conectare se află în afara intervalului temporal valabil ErrorValueLength=Lungimea câmpului '%s' trebuie să fie mai mare de '%s' ErrorReservedKeyword=Cuvântul '%s' este un cuvânt cheie rezervat +ErrorFilenameReserved=The filename %s can't be used as it is a reserved and protected command. ErrorNotAvailableWithThisDistribution=Nu este disponibil cu această distribuție ErrorPublicInterfaceNotEnabled=Interfaţa publică nu a fost activată ErrorLanguageRequiredIfPageIsTranslationOfAnother=Limba noii pagini trebuie definită dacă este setată ca traducere a altei pagini @@ -308,7 +309,7 @@ ErrorExistingPermission = Permisiunea %s pentru obiectul %s exist ErrorFieldExist=Valoarea pentru %s există deja ErrorEqualModule=Modul invalid în %s ErrorFieldValue=Valoarea pentru %s este incorectă -ErrorCoherenceMenu=%s este obligatoriu când % egal STÂNGA +ErrorCoherenceMenu=%s is required when %s is 'left' # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Parametrul tău PHP upload_max_filesize (%s) este mai mare decât paramentrul PHP post_max_size (%s). Aceasta nu este o configuraţie consistentă. diff --git a/htdocs/langs/ro_RO/interventions.lang b/htdocs/langs/ro_RO/interventions.lang index 3456ba1d0b4..afe669b3d0e 100644 --- a/htdocs/langs/ro_RO/interventions.lang +++ b/htdocs/langs/ro_RO/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Ascunde orele și minutele din câmpul de dată pe InterventionStatistics=Statistici intervenţii NbOfinterventions=Număr intervenții NumberOfInterventionsByMonth=Nr. intervenții pe lună (după data de validare) -AmountOfInteventionNotIncludedByDefault=Suma de intervenție nu este inclusă implicit în profit (în majoritatea cazurilor, foile de pontaj sunt utilizate pentru a calcula timpul consumat). Adăugați opțiunea PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT la 1 în Acasă-Setări-Alte setări pentru a-l include. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=ID intervenţie InterRef=Ref. intervenţie InterDateCreation=Dată creare intervenție diff --git a/htdocs/langs/ro_RO/mails.lang b/htdocs/langs/ro_RO/mails.lang index 2a091dca2de..9e7885e6750 100644 --- a/htdocs/langs/ro_RO/mails.lang +++ b/htdocs/langs/ro_RO/mails.lang @@ -7,10 +7,10 @@ MailCard=Fişă newsletter MailRecipients=Destinatari MailRecipient=Destinatar MailTitle=Titlu descriere -MailFrom=Expeditor +MailFrom=De la MailErrorsTo=Erori la MailReply=Răspunde la -MailTo=Destinatar(i) +MailTo=La MailToUsers=Pentru utilizator(i) MailCC=Copie la MailToCCUsers=CC la utilizator(i) @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacte după funcţie MailingModuleDescEmailsFromFile=Adrese email din fișier MailingModuleDescEmailsFromUser=Adrese de email introduse de utilizator MailingModuleDescDolibarrUsers=Utilizatori cu adrese de email -MailingModuleDescThirdPartiesByCategories=Terți (pe categorii) +MailingModuleDescThirdPartiesByCategories=Terţi SendingFromWebInterfaceIsNotAllowed=Trimiterea de pe interfața web nu este permisă. EmailCollectorFilterDesc=Toate filtrele trebuie să se potrivească pentru ca un email să fie colectat @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Înregistrare creată de colectorul de email %s di DefaultBlacklistMailingStatus=Valoare implicită pentru câmpul '%s' când este creat un nou contact DefaultStatusEmptyMandatory= Necompletat, dar obligatoriu WarningLimitSendByDay=ATENȚIE: Configurarea sau contractul instanței tale limitează numărul de email-uri pe zi la %s. Încercarea de a trimite mai multe poate duce la încetinirea sau suspendarea instanței. Contactează serviciul de asistență dacă ai de o cotă mai mare. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/ro_RO/members.lang b/htdocs/langs/ro_RO/members.lang index 7f901d0d43d..69701e13b84 100644 --- a/htdocs/langs/ro_RO/members.lang +++ b/htdocs/langs/ro_RO/members.lang @@ -4,6 +4,8 @@ MemberCard=Fişă membru SubscriptionCard=Fişă cotizaţie Member=Membru Members=Membri +NoRecordedMembers=No recorded members +NoRecordedMembersByType=No recorded members ShowMember=Arată fişa membrului UserNotLinkedToMember=Utilizator neasociat la la un membru ThirdpartyNotLinkedToMember=Terț neasociat la un membru @@ -233,3 +235,4 @@ CreateDolibarrThirdPartyDesc=Un terț este persoana juridică care va fi utiliza MemberFirstname=Prenume membru MemberLastname=Nume membru MemberCodeDesc=Cod de membru, unic pentru toți membrii  +NoRecordedMembers=No recorded members diff --git a/htdocs/langs/ro_RO/mrp.lang b/htdocs/langs/ro_RO/mrp.lang index e268c9f7540..5fc7091ccd5 100644 --- a/htdocs/langs/ro_RO/mrp.lang +++ b/htdocs/langs/ro_RO/mrp.lang @@ -119,3 +119,6 @@ BomCantAddChildBom=Nomenclatorul %s este deja prezentă în arborele care duce l BOMNetNeeds = Necesar net BOM BOMProductsList=Produse BOM BOMServicesList=Servicii BOM +Manufacturing=Producție +Disassemble=Dezasamblare +ProducedBy=Produs de diff --git a/htdocs/langs/ro_RO/partnership.lang b/htdocs/langs/ro_RO/partnership.lang index 4c7b59c24f6..0276b20b759 100644 --- a/htdocs/langs/ro_RO/partnership.lang +++ b/htdocs/langs/ro_RO/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=Parteneriat: Verificare backlink de referinţă # Menu # NewPartnership=Parteneriat nou -NewPartnershipbyWeb= Parteneriatul tău a fost adăugat cu succes. +NewPartnershipbyWeb=Your partnership request has been added successfully. We may contact you soon... ListOfPartnerships=Listă parteneriate # diff --git a/htdocs/langs/ro_RO/ticket.lang b/htdocs/langs/ro_RO/ticket.lang index 0acad8b4e16..ef31806cec1 100644 --- a/htdocs/langs/ro_RO/ticket.lang +++ b/htdocs/langs/ro_RO/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Creat de NewTicket=Tichet nou SubjectAnswerToTicket=Răspuns la tichet TicketTypeRequest=Tip de solicitare -TicketCategory=Categorizare tichet +TicketCategory=Grup tichete SeeTicket=Vezi tichetul TicketMarkedAsRead=Tichetul a fost marcat ca citit TicketReadOn=Citește mai departe diff --git a/htdocs/langs/ru_RU/admin.lang b/htdocs/langs/ru_RU/admin.lang index fc2270f06a7..1760a6e4bb8 100644 --- a/htdocs/langs/ru_RU/admin.lang +++ b/htdocs/langs/ru_RU/admin.lang @@ -145,6 +145,7 @@ Box=Виджет Boxes=Виджеты MaxNbOfLinesForBoxes=Макс. количество строк для виджета AllWidgetsWereEnabled=Доступны все доступные виджеты +WidgetAvailable=Widget available PositionByDefault=Порядок по умолчанию Position=Позиция MenusDesc=Менеджеры меню устанавливают содержание двух полос меню (горизонтальной и вертикальной). @@ -374,7 +375,7 @@ DoTestSendHTML=Тестовая отправка HTML ErrorCantUseRazIfNoYearInMask=Ошибка, не может использовать параметр @ для сброса счетчика каждый год, если последовательность {yy} или {yyyy} не находится в маске. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Ошибка, не возможно использовать опцию @ если последовательность {yy}{mm} или {yyyy}{mm} не в маске. UMask=UMask параметр для новых файлов в файловых системах Unix/Linux/BSD/Mac. -UMaskExplanation=Этот параметр позволяет определить набор прав по умолчанию для файлов, созданных Dolibarr на сервере (при загрузке, например).
    Это должно быть восьмеричное значение (например, 0666 означает, читать и записывать сможет каждый).
    Этот параметр бесполезен на Windows-сервере. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Посмотрите на вики-странице список участников и их организации. UseACacheDelay= Задержка для кэширования при экспорте в секундах (0 или пусто для отключения кэширования) DisableLinkToHelpCenter=Скрыть ссылку «Нужна помощь или поддержка» на странице входа @@ -663,7 +664,7 @@ Module2900Desc=Подключение к службе GeoIP MaxMind для пр Module3200Name=Неограниченные архивы Module3200Desc=Включите неизменяемый журнал деловых событий. События архивируются в режиме реального времени. Журнал представляет собой доступную только для чтения таблицу связанных событий, которые можно экспортировать. Этот модуль может быть обязательным для некоторых стран. Module3300Name=Module Builder -Module3200Desc=Включите неизменяемый журнал деловых событий. События архивируются в режиме реального времени. Журнал представляет собой доступную только для чтения таблицу связанных событий, которые можно экспортировать. Этот модуль может быть обязательным для некоторых стран. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Социальные сети Module3400Desc=Включите поля социальных сетей в третьи стороны и адреса (скайп, твиттер, фейсбук, ...). Module4000Name=Управление персоналом @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Используйте режим с низким объ ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Вебхук -ModuleWebhookDesc = Интерфейс для перехвата триггеров dolibarr и отправки их по URL-адресу +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Настройка вебхука Settings = Настройки WebhookSetupPage = Страница настройки вебхука @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/ru_RU/interventions.lang b/htdocs/langs/ru_RU/interventions.lang index 668f1872d8a..27b0f9fb1ef 100644 --- a/htdocs/langs/ru_RU/interventions.lang +++ b/htdocs/langs/ru_RU/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Скрывает часы и минуты из п InterventionStatistics=Статистика посредничества NbOfinterventions=Кол-во карт посредничества NumberOfInterventionsByMonth=Количество карт посредничества по месяцам (дата проверки) -AmountOfInteventionNotIncludedByDefault=Сумма посредничества по умолчанию не включается в прибыль (в большинстве случаев для подсчета затраченного времени используются табели учета рабочего времени). Добавьте параметр PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT в 1 в home-setup-other, чтобы включить их. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=Идентификатор посредничества InterRef=Посредничество ссылка InterDateCreation=Дата создания посредничества @@ -68,3 +68,5 @@ ConfirmReopenIntervention=Вы уверены, что хотите снова о GenerateInter=Созадать посредничество FichinterNoContractLinked=Вмешательство %s создано без связанного контракта. ErrorFicheinterCompanyDoesNotExist=Компания не существует. Вмешательство не создано. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/ru_RU/mails.lang b/htdocs/langs/ru_RU/mails.lang index d31685f37d8..ab552cb34a6 100644 --- a/htdocs/langs/ru_RU/mails.lang +++ b/htdocs/langs/ru_RU/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Контакты по должности MailingModuleDescEmailsFromFile=Электронные письма из файла MailingModuleDescEmailsFromUser=Электронные письма, введенные пользователем MailingModuleDescDolibarrUsers=Пользователи с электронной почтой -MailingModuleDescThirdPartiesByCategories=Контрагенты (по категориям) +MailingModuleDescThirdPartiesByCategories=Контрагенты SendingFromWebInterfaceIsNotAllowed=Отправка из веб-интерфейса не разрешена. EmailCollectorFilterDesc=Все фильтры должны совпадать, чтобы электронная почта была собрана @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Запись, созданная сборщико DefaultBlacklistMailingStatus=Значение по умолчанию для поля '%s' при создании нового контакта DefaultStatusEmptyMandatory=Пусто, но обязательно WarningLimitSendByDay=ВНИМАНИЕ: В соответствии с настройками или контрактом вашего экземпляра количество писем в день ограничено до %s. Попытка отправить больше может привести к замедлению или приостановке работы вашего экземпляра. Обратитесь в службу поддержки, если вам нужна более высокая квота. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/ru_RU/ticket.lang b/htdocs/langs/ru_RU/ticket.lang index 6cc771a9a6f..d860b7ffdfa 100644 --- a/htdocs/langs/ru_RU/ticket.lang +++ b/htdocs/langs/ru_RU/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Создано NewTicket=Новый тикет SubjectAnswerToTicket=Ответ на тикет TicketTypeRequest=Тип запроса -TicketCategory=Категоризация тикетов +TicketCategory=Ticket group SeeTicket=Посмотреть тикет TicketMarkedAsRead=Тикет отмечен как прочитанный TicketReadOn=Читать дальше diff --git a/htdocs/langs/sk_SK/admin.lang b/htdocs/langs/sk_SK/admin.lang index 258dfb88f4e..e09a983283d 100644 --- a/htdocs/langs/sk_SK/admin.lang +++ b/htdocs/langs/sk_SK/admin.lang @@ -145,6 +145,7 @@ Box=Panel Boxes=Panely MaxNbOfLinesForBoxes=Max. number of lines for widgets AllWidgetsWereEnabled=All available widgets are enabled +WidgetAvailable=Widget available PositionByDefault=Predvolené poradie Position=Pozícia MenusDesc=Menu manažér nastaví obsah dvoch menu panelov ( horizontálne a vertikálne) @@ -374,7 +375,7 @@ DoTestSendHTML=Otestujte odosielanie HTML ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Chyba, nemožno použiť voľbu @ li postupnosť {yy} {mm} alebo {yyyy} {mm} nie je v maske. UMask=Umask parameter pre nové súbory na Unix / Linux / BSD / Mac systému súborov. -UMaskExplanation=Tento parameter umožňuje definovať oprávnenia v predvolenom nastavení na súbory vytvorené Dolibarr na serveri (počas nahrávania napríklad).
    To musí byť osmičková hodnota (napr. 0666 znamená čítať a písať pre všetkých).
    Tento parameter je k ničomu, na serveri Windows. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization UseACacheDelay= Oneskorenie pre ukladanie do medzipamäte export reakcie v sekundách (0 alebo prázdne bez vyrovnávacej pamäte) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=GeoIP MaxMind konverzie možnosti Module3200Name=Unalterable Archives Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. Module3300Name=Module Builder -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Social Networks Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/sk_SK/mails.lang b/htdocs/langs/sk_SK/mails.lang index 70effdd7b94..71fa257412d 100644 --- a/htdocs/langs/sk_SK/mails.lang +++ b/htdocs/langs/sk_SK/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=Tretie strany SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/sl_SI/accountancy.lang b/htdocs/langs/sl_SI/accountancy.lang index ad90ac9c932..90dd901e7d5 100644 --- a/htdocs/langs/sl_SI/accountancy.lang +++ b/htdocs/langs/sl_SI/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Omogoči kombinirani seznam za podrejeni račun (morda ACCOUNTING_DATE_START_BINDING=Določite datum začetka vezave in prenosa v računovodstvu. Pod tem datumom se transakcije ne prenesejo v računovodstvo. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Pri prenosu knjigovodstva, katero obdobje je privzeto izbrano -ACCOUNTING_SELL_JOURNAL=Dnevnik prodaje (prodaje in vračila) -ACCOUNTING_PURCHASE_JOURNAL=Dnevnik nakupov (nakup in vračila) -ACCOUNTING_BANK_JOURNAL=Blagajniški dnevnik (prejemki in izdatki) +ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns +ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns +ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements ACCOUNTING_EXPENSEREPORT_JOURNAL=Pregled stroškovnih poročil ACCOUNTING_MISCELLANEOUS_JOURNAL=Splošni dnevnik ACCOUNTING_HAS_NEW_JOURNAL=Ima nov dnevnik @@ -238,6 +238,7 @@ ConfirmDeleteMvt=S tem boste izbrisali vse vrstice v računovodstvu za leto/mese ConfirmDeleteMvtPartial=S tem boste transakcijo izbrisali iz računovodstva (izbrisane bodo vse vrstice, povezane z isto transakcijo) FinanceJournal=Finance journal ExpenseReportsJournal=Dnevnik poročil o stroških +InventoryJournal=Inventurni dnevnik DescFinanceJournal=Finance journal including all the types of payments by bank account DescJournalOnlyBindedVisible=To je pogled evidence, ki je vezan na računovodski račun in ga je mogoče zabeležiti v dnevnike in glavno knjigo. VATAccountNotDefined=Račun za DDV ni opredeljen diff --git a/htdocs/langs/sl_SI/admin.lang b/htdocs/langs/sl_SI/admin.lang index 7ab414d4340..6128136e73b 100644 --- a/htdocs/langs/sl_SI/admin.lang +++ b/htdocs/langs/sl_SI/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Pripomočki MaxNbOfLinesForBoxes=maks. število vrstic za pripomočke AllWidgetsWereEnabled=Omogočeni so vsi razpoložljivi pripomočki +WidgetAvailable=Widget available PositionByDefault=Privzet vrstni red Position=Položaj MenusDesc=Upravljavci menijev nastavijo vsebino dveh menijskih vrstic (vodoravno in navpično). @@ -374,7 +375,7 @@ DoTestSendHTML=Testno pošiljanje HTML ErrorCantUseRazIfNoYearInMask=Napaka, ni možno uporabiti opcije @, za vsakoletno resetiranje števca, če sekvence {yy} ali {yyyy} ni v maski. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Napaka, ni možno uporabiti opcije @, če sekvence {yy}{mm} ali {yyyy}{mm} ni v maski. UMask=UMask parameter za nove datoteke na Unix/Linux/BSD datotečnem sistemu. -UMaskExplanation=Ta parameter omogoča definicijo privzetih dovoljenj za datoteke na strežniku, ki jih je kreiral Dolibarr (na primer med nalaganjem).
    Vrednost je oktalna (na primer, 0666 pomeni branje in pisanje za vse).
    Tega parametra ni na Windows strežniku. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Oglejte si stran Wiki za seznam sodelavcev in njihove organizacije UseACacheDelay= Zakasnitev predpomnilnika za izvozni odziv v sekundah (0 ali prazno pomeni, da ni predpomnilnika) DisableLinkToHelpCenter=Skrij povezavo " Potrebujem pomoč ali podporo " na strani za prijavo @@ -663,7 +664,7 @@ Module2900Desc=Možnost konverzije GeoIP Maxmind Module3200Name=Nespremenljivi arhivi Module3200Desc=Omogočite nespremenljiv dnevnik poslovnih dogodkov. Dogodki se arhivirajo v realnem času. Dnevnik je tabela verižnih dogodkov samo za branje, ki jo je mogoče izvoziti. Ta modul je lahko obvezen za nekatere države. Module3300Name=Module Builder -Module3200Desc=Omogočite nespremenljiv dnevnik poslovnih dogodkov. Dogodki se arhivirajo v realnem času. Dnevnik je tabela verižnih dogodkov samo za branje, ki jo je mogoče izvoziti. Ta modul je lahko obvezen za nekatere države. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Socialna omrežja Module3400Desc=Omogočite polja Social Networks v tretjih osebah in naslovih (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Uporabite način nizke količine pomnilnika ExportUseLowMemoryModeHelp=Uporabite način nizkega pomnilnika za ustvarjanje datoteke izpisa (stiskanje poteka skozi cev namesto v pomnilnik PHP). Ta metoda ne omogoča preverjanja, ali je datoteka popolna, in sporočila o napaki ni mogoče sporočiti, če ne uspe. Uporabite ga, če naletite na napake premalo pomnilnika. ModuleWebhookName = Webhook -ModuleWebhookDesc = Vmesnik za lovljenje sprožilcev dolibarr in pošiljanje na URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Nastavitev Webhooka Settings = nastavitve WebhookSetupPage = Stran za nastavitev Webhooka @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/sl_SI/interventions.lang b/htdocs/langs/sl_SI/interventions.lang index c622599aa45..162921354cf 100644 --- a/htdocs/langs/sl_SI/interventions.lang +++ b/htdocs/langs/sl_SI/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Skrije ure in minute izven datumskega polja za zap InterventionStatistics=Statistika intervencij NbOfinterventions=Št. intervencijskih kart NumberOfInterventionsByMonth=Število intervencijskih kartic po mesecih (datum validacije) -AmountOfInteventionNotIncludedByDefault=Znesek intervencije privzeto ni vključen v dobiček (v večini primerov se za štetje porabljenega časa uporabljajo časovnice). Dodajte možnost PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT na 1 v home-setup-other, da jih vključite. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=ID intervencije InterRef=Ref. intervencije InterDateCreation=Intervencija ustvarjanja datuma diff --git a/htdocs/langs/sl_SI/mails.lang b/htdocs/langs/sl_SI/mails.lang index b238306ee6f..a58df6ead5c 100644 --- a/htdocs/langs/sl_SI/mails.lang +++ b/htdocs/langs/sl_SI/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Kontakti po položaju MailingModuleDescEmailsFromFile=E-poštna sporočila iz datoteke MailingModuleDescEmailsFromUser=E-poštna sporočila, ki jih vnese uporabnik MailingModuleDescDolibarrUsers=Uporabniki z e-pošto -MailingModuleDescThirdPartiesByCategories=Partnerji (po kategorijah) +MailingModuleDescThirdPartiesByCategories=Partnerji SendingFromWebInterfaceIsNotAllowed=Pošiljanje iz spletnega vmesnika ni dovoljeno. EmailCollectorFilterDesc=Za zbiranje e-pošte se morajo vsi filtri ujemati @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Zapis, ki ga je ustvaril zbiralnik e-pošte %s iz DefaultBlacklistMailingStatus=Privzeta vrednost za polje '%s' pri ustvarjanju novega stika DefaultStatusEmptyMandatory=Prazen, a obvezen WarningLimitSendByDay=OPOZORILO: Nastavitev ali pogodba vašega primerka omejuje vaše število e-poštnih sporočil na dan na %s . Poskus pošiljanja več lahko povzroči upočasnitev ali začasno zaustavitev vašega primerka. Če potrebujete višjo kvoto, se obrnite na podporo. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/sl_SI/partnership.lang b/htdocs/langs/sl_SI/partnership.lang index b00f6de7b20..6be6c76caac 100644 --- a/htdocs/langs/sl_SI/partnership.lang +++ b/htdocs/langs/sl_SI/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=Partnerstvo: Preverite napotitveno povratno povezavo # Menu # NewPartnership=Novo partnerstvo -NewPartnershipbyWeb= Vaše partnerstvo je bilo uspešno dodano. +NewPartnershipbyWeb=Your partnership request has been added successfully. We may contact you soon... ListOfPartnerships=Seznam partnerstev # diff --git a/htdocs/langs/sl_SI/ticket.lang b/htdocs/langs/sl_SI/ticket.lang index 90ecd5b1ec8..95a9b290804 100644 --- a/htdocs/langs/sl_SI/ticket.lang +++ b/htdocs/langs/sl_SI/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Ustvaril NewTicket=Nov zahtevek SubjectAnswerToTicket=Odgovor na zahtevek TicketTypeRequest=Vrsta zahteve -TicketCategory=Kategorizacija zahtevka +TicketCategory=Ticket group SeeTicket=Glej zahtevek TicketMarkedAsRead=Zahtevek je označen kot prebran TicketReadOn=Beri naprej diff --git a/htdocs/langs/sr_RS/admin.lang b/htdocs/langs/sr_RS/admin.lang index d05a96ba136..c029094b88c 100644 --- a/htdocs/langs/sr_RS/admin.lang +++ b/htdocs/langs/sr_RS/admin.lang @@ -145,6 +145,7 @@ Box=Vidžet Boxes=Vidžeti MaxNbOfLinesForBoxes=Maksimalni broj linija za vidžete AllWidgetsWereEnabled=All available widgets are enabled +WidgetAvailable=Widget available PositionByDefault=Podrazumevani redosled Position=Pozicija MenusDesc=Menadžer menija postavlja sadržaj dve trake menija (horizontalnu i vertikalnu). @@ -374,7 +375,7 @@ DoTestSendHTML=Test slanja HTML ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Greška, ne možete koristiti opciju @ ako sekvenca {yy}{mm} ili {yyyy}{mm} nije unutar maske. UMask=UMask parameter za nove fajlove na Unix/Linux/BSD/Mac fajl sistemima. -UMaskExplanation=Ovaj parametar omogućava da definišete dozvole koje se podrazumevano postavljaju na fajlovima koje pravi Dolibarr na serveru (tokom uploada na primer).
    Mora biti oktalna vrednost (na primer, 0666 znači čitaj i piši za sve).
    Ovaj parametar je beskoristan na Windows serveru. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Pogledajte na Wiki strani listu saradnika i njihove organizacije UseACacheDelay= Odlaganje za keširanje eksport odgovora u sekundama (0 ili prazno da nema keša) DisableLinkToHelpCenter=Sakriti link "Potrebna pomoć ili podrška" na login strani @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind mogućnosti konverzije Module3200Name=Unalterable Archives Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. Module3300Name=Module Builder -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Social Networks Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/sr_RS/mails.lang b/htdocs/langs/sr_RS/mails.lang index f651ac48d5a..46f1d76ed8b 100644 --- a/htdocs/langs/sr_RS/mails.lang +++ b/htdocs/langs/sr_RS/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=Subjekti SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/sv_SE/accountancy.lang b/htdocs/langs/sv_SE/accountancy.lang index cdc97249343..f8c7d961687 100644 --- a/htdocs/langs/sv_SE/accountancy.lang +++ b/htdocs/langs/sv_SE/accountancy.lang @@ -167,9 +167,9 @@ ACCOUNTANCY_COMBO_FOR_AUX=Aktivera kombinationslista för dotterbolagskonto (kan ACCOUNTING_DATE_START_BINDING=Definiera ett datum för att börja binda och överföra i bokföring. Under detta datum överförs inte transaktionerna till bokföring. ACCOUNTING_DEFAULT_PERIOD_ON_TRANSFER=Vid bokföringsöverföring, vilken period är vald som standard -ACCOUNTING_SELL_JOURNAL=Försäljningsjournal (försäljning och returer) -ACCOUNTING_PURCHASE_JOURNAL=Inköpsjournal (köp och returer) -ACCOUNTING_BANK_JOURNAL=Kassajournal (kvitton och utbetalningar) +ACCOUNTING_SELL_JOURNAL=Sales journal - sales and returns +ACCOUNTING_PURCHASE_JOURNAL=Purchase journal - purchase and returns +ACCOUNTING_BANK_JOURNAL=Cash journal - receipts and disbursements ACCOUNTING_EXPENSEREPORT_JOURNAL=Utgiftsloggbok ACCOUNTING_MISCELLANEOUS_JOURNAL=Allmän journal ACCOUNTING_HAS_NEW_JOURNAL=Har ny loggbok @@ -238,6 +238,7 @@ ConfirmDeleteMvt=Detta kommer att radera alla rader i bokföring för året/mån ConfirmDeleteMvtPartial=Detta kommer att radera transaktionen från bokföringen (alla rader relaterade till samma transaktion kommer att raderas) FinanceJournal=Finansloggbok ExpenseReportsJournal=Utläggsrapporter loggbok +InventoryJournal=Inventeringsjournal DescFinanceJournal=Finansbokföring inklusive alla typer av betalningar via bankkonto DescJournalOnlyBindedVisible=Detta är en vy över posten som är bunden till ett redovisningskonto och kan registreras i tidskrifterna och storboken. VATAccountNotDefined=Konto för moms inte definierad diff --git a/htdocs/langs/sv_SE/admin.lang b/htdocs/langs/sv_SE/admin.lang index 43a99a810b3..537dc5c4ce0 100644 --- a/htdocs/langs/sv_SE/admin.lang +++ b/htdocs/langs/sv_SE/admin.lang @@ -145,6 +145,7 @@ Box=Widget Boxes=Widgetar MaxNbOfLinesForBoxes=Max antal rader för widgetar AllWidgetsWereEnabled=Alla tillgängliga widgetar är aktiverade +WidgetAvailable=Widget available PositionByDefault=Standardsortering Position=Position MenusDesc=Menyhanterare ställer in innehållet i de två menyerna (horisontellt och vertikalt). @@ -374,7 +375,7 @@ DoTestSendHTML=Testa att skicka HTML ErrorCantUseRazIfNoYearInMask=Fel! Kan inte använda alternativet @ för att återställa räknaren varje år om sekvensen {yy} eller {yyyy} inte finns i masken. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Fel! Kan inte använda alternativet @ om sekvensen (yy)(mm) eller (yyyy)(mm) inte finns i masken. UMask=UMask-parameter för nya filer på Unix/Linux/BSD-filsystem. -UMaskExplanation=Denna parameter gör att du kan ange rättigheter som standard på filer skapade av Dolibarr på servern (under uppladdning till exempel).
    Det måste vara det oktala värdet (till exempel 0666 innebär läs- och skrivrättigheter för alla).
    Denna parameter är meningslös på en Windows-server. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Ta en titt på Wiki-sidan för en lista över bidragsgivare och deras organisation UseACacheDelay= Fördröjning för cache-exportsvar i sekunder (0 eller tomt för ingen cache) DisableLinkToHelpCenter=Dölj länken Behöver du hjälp eller support på inloggningssidan @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind konverteringskapacitet Module3200Name=Oföränderliga arkiv Module3200Desc=Aktivera en oföränderlig logg över affärshändelser. Händelser arkiveras i realtid. Loggen är en skrivskyddad tabell med händelser som kan exporteras. Denna modul kan vara obligatorisk i vissa länder. Module3300Name=Modulbyggare -Module3200Desc=Aktivera en oföränderlig logg över affärshändelser. Händelser arkiveras i realtid. Loggen är en skrivskyddad tabell med händelser som kan exporteras. Denna modul kan vara obligatorisk i vissa länder. +Module3300Desc=Ett RAD-verktyg (Rapid Application Development - low-code and no-code) för att hjälpa utvecklare eller avancerade användare att bygga sin egen modul/applikation. Module3400Name=Sociala nätverk Module3400Desc=Aktivera fält för sociala nätverks i tredjeparter och adresser (Skype, Twitter, Facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Använd ett läge med lågt minne ExportUseLowMemoryModeHelp=Använd lågminnesläget för att generera dumpfilen (komprimering görs genom en pipe istället för i PHP-minnet). Den här metoden tillåter inte att kontrollera om filen är komplett och felmeddelandet kan inte rapportera om det misslyckas. Använd den om du upplever att du inte har tillräckligt med minne. ModuleWebhookName = Webhook -ModuleWebhookDesc = Gränssnitt för att fånga dolibarr-utlösare och skicka den till en URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook-inställning Settings = Inställningar WebhookSetupPage = Inställningar för webhooks @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Varning: modulen %s har satt en WarningModuleHasChangedSecurityCsrfParameter=Varning: modulen %s har inaktiverat CSRF-säkerheten för din instans. Denna åtgärd är misstänkt och din installation kanske inte längre är säkrad. Kontakta författaren av modulen för förklaring. EMailsInGoingDesc=Inkommande e-postmeddelanden hanteras av modulen %s. Du måste aktivera och konfigurera det om du behöver stödja inkommande e-postmeddelanden. MAIN_IMAP_USE_PHPIMAP=Använd PHP-IMAP-biblioteket för IMAP istället för inbyggt PHP IMAP. Detta tillåter också användningen av en OAuth2-anslutning för IMAP (modulen OAuth måste också vara aktiverad). +MAIN_CHECKBOX_LEFT_COLUMN=Visa kolumnen för fält- och radval till vänster (till höger som standard) + +CSSPage=CSS Style diff --git a/htdocs/langs/sv_SE/ecm.lang b/htdocs/langs/sv_SE/ecm.lang index 85ff1196a46..f15b706395a 100644 --- a/htdocs/langs/sv_SE/ecm.lang +++ b/htdocs/langs/sv_SE/ecm.lang @@ -19,7 +19,7 @@ ECMArea=DMS/ECM område ECMAreaDesc=Med DMS/ECM-området (Document Management System/Electronic Content Management) kan du spara, dela och söka snabbt i alla typer av dokument. ECMAreaDesc2a=* Manuella kataloger kan användas för att spara dokument som inte är kopplade till ett visst element. ECMAreaDesc2b=* Automatiska kataloger fylls automatiskt när du lägger till dokument från sidan av ett element. -ECMAreaDesc3=* Mediakataloger är filer i underkatalogen /medias i dokumentkatalogen, läsbara av alla utan att behöva logga in och utan att filen måste delas. Den används för att lagra bildfiler från e-post eller modulen webbplatser. +ECMAreaDesc3=* Medias directories are files into the subdirectory /medias of documents directory, readable by everybody with no need to be logged and no need to have the file shared explicitely. It is used to store image files for the emailing or website module for example. ECMSectionWasRemoved=Katalogen %s har raderats. ECMSectionWasCreated=Katalogen %s har skapats. ECMSearchByKeywords=Sök nyckelord diff --git a/htdocs/langs/sv_SE/errors.lang b/htdocs/langs/sv_SE/errors.lang index ddbf7e223d1..59bdf290077 100644 --- a/htdocs/langs/sv_SE/errors.lang +++ b/htdocs/langs/sv_SE/errors.lang @@ -262,6 +262,7 @@ ErrorParameterMustBeEnabledToAllwoThisFeature=Fel, parameter %s måste ErrorLoginDateValidity=Fel, den här inloggningen ligger utanför giltighetsdatumintervallet ErrorValueLength=Fältets längd ' %s ' måste vara högre än ' %s ' ErrorReservedKeyword=Ordet ' %s ' är ett reserverat nyckelord +ErrorFilenameReserved=The filename %s can't be used as it is a reserved and protected command. ErrorNotAvailableWithThisDistribution=Ej tillgängligt med denna distribution ErrorPublicInterfaceNotEnabled=Det offentliga gränssnittet var inte aktiverat ErrorLanguageRequiredIfPageIsTranslationOfAnother=Språket på den nya sidan måste definieras om det är inställt som en översättning av en annan sida @@ -308,7 +309,7 @@ ErrorExistingPermission = Tillstånd %s för objekt %s finns r ErrorFieldExist=Värdet för %s finns redan ErrorEqualModule=Modul ogiltig i %s ErrorFieldValue=Värdet för %s är felaktigt -ErrorCoherenceMenu= %s krävs när % är lika med VÄNSTER +ErrorCoherenceMenu=%s is required when %s is 'left' # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Din PHP-parameter upload_max_filesize (%s) är högre än PHP-parameter post_max_size (%s). Detta är inte en konsekvent installation. diff --git a/htdocs/langs/sv_SE/interventions.lang b/htdocs/langs/sv_SE/interventions.lang index 5d6f479606a..8ed248906bc 100644 --- a/htdocs/langs/sv_SE/interventions.lang +++ b/htdocs/langs/sv_SE/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Döljer timmar och minuter från datumfältet för InterventionStatistics=Statistik över interventioner NbOfinterventions=Antal interventionskort NumberOfInterventionsByMonth=Antal interventionskort per månad (datum för bekräftande) -AmountOfInteventionNotIncludedByDefault=Antalet interventioner ingår inte som standard i beräkning av vinst (i de flesta fall används tidkort för att räkna den använda tiden). Lägg till alternativ PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT till 1 i Start-Inställningar-Annat för att inkludera dem. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=Intervention ID InterRef=Interventionsref. InterDateCreation=Intervention skapad datum diff --git a/htdocs/langs/sv_SE/mails.lang b/htdocs/langs/sv_SE/mails.lang index c00d6838921..c077986c0ad 100644 --- a/htdocs/langs/sv_SE/mails.lang +++ b/htdocs/langs/sv_SE/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Kontakter efter position MailingModuleDescEmailsFromFile=E-post från fil MailingModuleDescEmailsFromUser=E-postmeddelanden inskrivna av användaren MailingModuleDescDolibarrUsers=Användare med e-post -MailingModuleDescThirdPartiesByCategories=Tredje part (enligt kategorier) +MailingModuleDescThirdPartiesByCategories=Tredjepart SendingFromWebInterfaceIsNotAllowed=Skicka från webbgränssnitt är inte tillåtet. EmailCollectorFilterDesc=Alla filter måste matcha för att ett e-postmeddelande ska samlas in @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Post skapad av e-postsamlare %s från e-post %s DefaultBlacklistMailingStatus=Standardvärde för fältet '%s' när en ny kontakt skapas DefaultStatusEmptyMandatory=Tom men obligatorisk WarningLimitSendByDay=VARNING: Inställningen eller kontraktet för din instans begränsar ditt antal e-postmeddelanden per dag till %s . Om du försöker skicka mer kan det leda till att din instans saktar ner eller avbryts. Kontakta din support om du behöver en högre kvot. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/sv_SE/members.lang b/htdocs/langs/sv_SE/members.lang index 02e05cb70bb..6cf5c8947e7 100644 --- a/htdocs/langs/sv_SE/members.lang +++ b/htdocs/langs/sv_SE/members.lang @@ -4,6 +4,8 @@ MemberCard=Medlemskort SubscriptionCard=Abonnemangskort Member=Medlem Members=Medlemmar +NoRecordedMembers=No recorded members +NoRecordedMembersByType=No recorded members ShowMember=Visa medlemskort UserNotLinkedToMember=Användare länkade inte till en medlem ThirdpartyNotLinkedToMember=Tredje part inte kopplad till en medlem @@ -233,3 +235,4 @@ CreateDolibarrThirdPartyDesc=En tredje part är den juridiska person som kommer MemberFirstname=Medlemmens förnamn MemberLastname=Medlemmens efternamn MemberCodeDesc=Medlemskod, unik för alla medlemmar +NoRecordedMembers=No recorded members diff --git a/htdocs/langs/sv_SE/partnership.lang b/htdocs/langs/sv_SE/partnership.lang index 701d4a88e71..ddc4c3e1bfe 100644 --- a/htdocs/langs/sv_SE/partnership.lang +++ b/htdocs/langs/sv_SE/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=Partners: Kontrollera hänvisningslänk # Menu # NewPartnership=Nytt partner -NewPartnershipbyWeb= Din partner har lagts till. +NewPartnershipbyWeb=Your partnership request has been added successfully. We may contact you soon... ListOfPartnerships=Lista över partners # diff --git a/htdocs/langs/sv_SE/ticket.lang b/htdocs/langs/sv_SE/ticket.lang index d8b99e4c8df..7fffba2728f 100644 --- a/htdocs/langs/sv_SE/ticket.lang +++ b/htdocs/langs/sv_SE/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Skapad av NewTicket=Ny ärende SubjectAnswerToTicket=Ärendesvar TicketTypeRequest=Förfrågan typ -TicketCategory=Ärendekategorisering +TicketCategory=Ticket group SeeTicket=Se ärende TicketMarkedAsRead=Ärende har markerats som läst TicketReadOn=Läs vidare diff --git a/htdocs/langs/ta_IN/admin.lang b/htdocs/langs/ta_IN/admin.lang index 1d9e7a9316b..88e3d472098 100644 --- a/htdocs/langs/ta_IN/admin.lang +++ b/htdocs/langs/ta_IN/admin.lang @@ -145,6 +145,7 @@ Box=விட்ஜெட் Boxes=விட்ஜெட்டுகள் MaxNbOfLinesForBoxes=அதிகபட்சம். விட்ஜெட்டுகளுக்கான வரிகளின் எண்ணிக்கை AllWidgetsWereEnabled=கிடைக்கக்கூடிய அனைத்து விட்ஜெட்களும் இயக்கப்பட்டுள்ளன +WidgetAvailable=Widget available PositionByDefault=இயல்புநிலை ஆர்டர் Position=பதவி MenusDesc=மெனு மேலாளர்கள் இரண்டு மெனு பார்களின் (கிடைமட்ட மற்றும் செங்குத்து) உள்ளடக்கத்தை அமைக்கின்றனர். @@ -374,7 +375,7 @@ DoTestSendHTML=HTML அனுப்பும் சோதனை ErrorCantUseRazIfNoYearInMask=பிழை, வரிசை {yy} அல்லது {yyyy} முகமூடியில் இல்லையெனில், கவுண்டரை மீட்டமைக்க @ என்ற விருப்பத்தைப் பயன்படுத்த முடியாது. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=பிழை, {yy}{mm} அல்லது {yyyy}{mm} முகமூடியில் இல்லையெனில் @ விருப்பத்தைப் பயன்படுத்த முடியாது. UMask=Unix/Linux/BSD/Mac கோப்பு முறைமையில் புதிய கோப்புகளுக்கான UMask அளவுரு. -UMaskExplanation=இந்த அளவுரு சேவையகத்தில் Dolibarr ஆல் உருவாக்கப்பட்ட கோப்புகளில் இயல்புநிலையாக அமைக்கப்பட்ட அனுமதிகளை வரையறுக்க உங்களை அனுமதிக்கிறது (உதாரணமாக பதிவேற்றத்தின் போது).
    இது ஆக்டல் மதிப்பாக இருக்க வேண்டும் (உதாரணமாக, 0666 என்றால் அனைவருக்கும் படிக்கவும் எழுதவும்).
    இந்த அளவுரு விண்டோஸ் சர்வரில் பயனற்றது. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=பங்களிப்பாளர்கள் மற்றும் அவர்களின் நிறுவனங்களின் பட்டியலுக்கு விக்கி பக்கத்தைப் பார்க்கவும் UseACacheDelay= வினாடிகளில் ஏற்றுமதி பதிலை தேக்ககப்படுத்துவதில் தாமதம் (0 அல்லது கேச் இல்லாதது காலி) DisableLinkToHelpCenter=உள்நுழைவு பக்கத்தில் " உதவி அல்லது ஆதரவு " என்ற இணைப்பை மறை @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind மாற்றும் திறன்கள் Module3200Name=மாற்ற முடியாத காப்பகங்கள் Module3200Desc=வணிக நிகழ்வுகளின் மாற்ற முடியாத பதிவை இயக்கவும். நிகழ்வுகள் நிகழ்நேரத்தில் காப்பகப்படுத்தப்படும். பதிவு என்பது ஏற்றுமதி செய்யக்கூடிய சங்கிலி நிகழ்வுகளின் படிக்க மட்டுமேயான அட்டவணை. இந்த தொகுதி சில நாடுகளில் கட்டாயமாக இருக்கலாம். Module3300Name=Module Builder -Module3200Desc=வணிக நிகழ்வுகளின் மாற்ற முடியாத பதிவை இயக்கவும். நிகழ்வுகள் நிகழ்நேரத்தில் காப்பகப்படுத்தப்படும். பதிவு என்பது ஏற்றுமதி செய்யக்கூடிய சங்கிலி நிகழ்வுகளின் படிக்க மட்டுமேயான அட்டவணை. இந்த தொகுதி சில நாடுகளில் கட்டாயமாக இருக்கலாம். +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=சமுக வலைத்தளங்கள் Module3400Desc=மூன்றாம் தரப்பினர் மற்றும் முகவரிகளில் சமூக வலைப்பின்னல்கள் புலங்களை இயக்கவும் (ஸ்கைப், ட்விட்டர், பேஸ்புக், ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/ta_IN/interventions.lang b/htdocs/langs/ta_IN/interventions.lang index 6c773958e35..eb581abb5da 100644 --- a/htdocs/langs/ta_IN/interventions.lang +++ b/htdocs/langs/ta_IN/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=தலையீடு பதிவுகளுக InterventionStatistics=தலையீடுகளின் புள்ளிவிவரங்கள் NbOfinterventions=தலையீட்டு அட்டைகளின் எண்ணிக்கை NumberOfInterventionsByMonth=மாதத்தின்படி தலையீட்டு அட்டைகளின் எண்ணிக்கை (சரிபார்க்கப்பட்ட தேதி) -AmountOfInteventionNotIncludedByDefault=தலையீட்டின் அளவு லாபத்தில் இயல்புநிலையாக சேர்க்கப்படவில்லை (பெரும்பாலான சந்தர்ப்பங்களில், செலவழித்த நேரத்தை கணக்கிட நேரத்தாள்கள் பயன்படுத்தப்படுகின்றன). PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT என்ற விருப்பத்தை ஹோம்-அமைப்பில்-மற்றவற்றைச் சேர்க்க, 1 இல் சேர்க்கவும். +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=தலையீடு ஐடி InterRef=தலையீடு ref. InterDateCreation=தேதி உருவாக்கம் தலையீடு @@ -66,3 +66,7 @@ RepeatableIntervention=தலையீட்டின் வார்ப்ப ToCreateAPredefinedIntervention=முன் வரையறுக்கப்பட்ட அல்லது தொடர்ச்சியான தலையீட்டை உருவாக்க, ஒரு பொதுவான தலையீட்டை உருவாக்கி அதை தலையீட்டு டெம்ப்ளேட்டாக மாற்றவும் ConfirmReopenIntervention= %s தலையீட்டைத் திரும்பப் பெற விரும்புகிறீர்களா? GenerateInter=தலையீட்டை உருவாக்குங்கள் +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/ta_IN/mails.lang b/htdocs/langs/ta_IN/mails.lang index da4dbb2706e..c9072a91e43 100644 --- a/htdocs/langs/ta_IN/mails.lang +++ b/htdocs/langs/ta_IN/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=நிலை மூலம் தொடர் MailingModuleDescEmailsFromFile=கோப்பிலிருந்து மின்னஞ்சல்கள் MailingModuleDescEmailsFromUser=பயனரின் மின்னஞ்சல்கள் உள்ளீடு MailingModuleDescDolibarrUsers=மின்னஞ்சல்களைக் கொண்ட பயனர்கள் -MailingModuleDescThirdPartiesByCategories=மூன்றாம் தரப்பினர் (வகைகள் மூலம்) +MailingModuleDescThirdPartiesByCategories=Third parties SendingFromWebInterfaceIsNotAllowed=இணைய இடைமுகத்திலிருந்து அனுப்ப அனுமதி இல்லை. EmailCollectorFilterDesc=மின்னஞ்சலைச் சேகரிக்க அனைத்து வடிப்பான்களும் பொருந்த வேண்டும் @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=%s மின்னஞ்சலில் இரு DefaultBlacklistMailingStatus=புதிய தொடர்பை உருவாக்கும் போது '%s' புலத்திற்கான இயல்பு மதிப்பு DefaultStatusEmptyMandatory=காலி ஆனால் கட்டாயம் WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/ta_IN/ticket.lang b/htdocs/langs/ta_IN/ticket.lang index 7a969be34a6..6afdbb0f2f4 100644 --- a/htdocs/langs/ta_IN/ticket.lang +++ b/htdocs/langs/ta_IN/ticket.lang @@ -26,6 +26,7 @@ Permission56002=டிக்கெட்டுகளை மாற்றவும Permission56003=டிக்கெட்டுகளை நீக்கு Permission56004=டிக்கெட்டுகளை நிர்வகிக்கவும் Permission56005=அனைத்து மூன்றாம் தரப்பினரின் டிக்கெட்டுகளையும் பார்க்கவும் (வெளிப்புற பயனர்களுக்கு பயனுள்ளதாக இல்லை, எப்போதும் அவர்கள் சார்ந்திருக்கும் மூன்றாம் தரப்பினருக்கு மட்டுமே) +Permission56006=Export tickets Tickets=Tickets TicketDictType=டிக்கெட் - வகைகள் @@ -61,6 +62,8 @@ TypeContact_ticket_external_CONTRIBUTOR=வெளி பங்களிப்ப OriginEmail=நிருபர் மின்னஞ்சல் Notify_TICKET_SENTBYMAIL=மின்னஞ்சல் மூலம் டிக்கெட் செய்தியை அனுப்பவும் +ExportDataset_ticket_1=Tickets + # Status Read=படி Assigned=ஒதுக்கப்படும் @@ -183,7 +186,7 @@ CreatedBy=உருவாக்கியது NewTicket=புதிய டிக்கெட் SubjectAnswerToTicket=டிக்கெட் பதில் TicketTypeRequest=கோரிக்கை வகை -TicketCategory=டிக்கெட் வகைப்பாடு +TicketCategory=Ticket group SeeTicket=சீட்டைப் பார்க்கவும் TicketMarkedAsRead=டிக்கெட் படித்ததாகக் குறிக்கப்பட்டுள்ளது TicketReadOn=படிக்கவும் diff --git a/htdocs/langs/tg_TJ/admin.lang b/htdocs/langs/tg_TJ/admin.lang index a278a7cb366..48ef4170a1c 100644 --- a/htdocs/langs/tg_TJ/admin.lang +++ b/htdocs/langs/tg_TJ/admin.lang @@ -145,6 +145,7 @@ Box=Виҷет Boxes=Виджетҳо MaxNbOfLinesForBoxes=Макс. шумораи сатрҳо барои виджетҳо AllWidgetsWereEnabled=Ҳама виджетҳои дастрас фаъоланд +WidgetAvailable=Widget available PositionByDefault=Тартиби пешфарз Position=Мавқеъ MenusDesc=Менеҷерони меню мундариҷаи ду сатри менюро (уфуқӣ ва амудӣ) муқаррар мекунанд. @@ -374,7 +375,7 @@ DoTestSendHTML=Санҷиши фиристодани HTML ErrorCantUseRazIfNoYearInMask=Хато, ҳар сол наметавонад опсияи @ -ро барои аз нав танзимкунии ҳисобкунак истифода баред, агар пайдарпаии {yy} ё {yyyy} дар ниқоб набошад. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Хато, агар имкон надошта бошад, опсияи @ -ро истифода баред, агар пайдарпаии {yy} {mm} ё {yyyy} {mm} дар ниқоб набошад. UMask=Параметри UMask барои файлҳои нав дар системаи файлии Unix/Linux/BSD/Mac. -UMaskExplanation=Ин параметр ба шумо имкон медиҳад, ки иҷозатҳоро, ки бо нобаёнӣ ба файлҳои аз ҷониби Dolibarr дар сервер сохташуда муқаррар карда шудаанд, муайян кунед (масалан ҳангоми боргузорӣ).
    Он бояд арзиши ҳаштум бошад (масалан, 0666 маънои барои ҳама хондан ва навиштанро дорад).
    Ин параметр дар сервери Windows бефоида аст. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Ба рӯйхати саҳмгузорон ва ташкили онҳо ба саҳифаи Wiki нигаред UseACacheDelay= Таъхир барои кэш кардани посухи содиротӣ дар сонияҳо (0 ё холӣ барои бе кеш) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=Имкониятҳои табдили GeoIP Maxmind Module3200Name=Архивҳои тағирнопазир Module3200Desc=Журнали тағирнопазири рӯйдодҳои тиҷоратиро фаъол созед. Чорабиниҳо дар вақти воқеӣ бойгонӣ карда мешаванд. Журнал як ҷадвали рӯйдодҳои занҷирбанд аст, ки онҳоро содир кардан мумкин аст. Ин модул метавонад барои баъзе кишварҳо ҳатмӣ бошад. Module3300Name=Module Builder -Module3200Desc=Журнали тағирнопазири рӯйдодҳои тиҷоратиро фаъол созед. Чорабиниҳо дар вақти воқеӣ бойгонӣ карда мешаванд. Журнал як ҷадвали рӯйдодҳои занҷирбанд аст, ки онҳоро содир кардан мумкин аст. Ин модул метавонад барои баъзе кишварҳо ҳатмӣ бошад. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Шабакаҳои иҷтимоӣ Module3400Desc=Майдонҳои шабакаҳои иҷтимоиро ба шахсони сеюм ва суроғаҳо (скайп, twitter, facebook, ...) фаъол созед. Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/tg_TJ/interventions.lang b/htdocs/langs/tg_TJ/interventions.lang index 0a62b7ca0e4..49ce4132c68 100644 --- a/htdocs/langs/tg_TJ/interventions.lang +++ b/htdocs/langs/tg_TJ/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Соатҳо ва дақиқаҳоро дар ма InterventionStatistics=Омори мудохила NbOfinterventions=Шумораи кортҳои мудохила NumberOfInterventionsByMonth=Шумораи кортҳои мудохила аз рӯи моҳ (санаи тасдиқ) -AmountOfInteventionNotIncludedByDefault=Маблағи мудохила бо нобаёнӣ ба фоида дохил карда намешавад (дар аксари ҳолатҳо, ҷадвалҳои вақт барои ҳисоб кардани вақти сарфшуда истифода мешаванд). Илова кардани PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT ба 1 ба home-setup-other барои дохил кардани онҳо. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=ID мудохила InterRef=Дахолат дахолат InterDateCreation=Дахолати эҷоди сана @@ -66,3 +66,7 @@ RepeatableIntervention=Шаблон мудохила ToCreateAPredefinedIntervention=Барои эҷоди мудохилаи пешакӣ ё такроршаванда, як дахолати умумӣ эҷод кунед ва онро ба қолаби мудохила табдил диҳед ConfirmReopenIntervention=Шумо мутмаин ҳастед, ки дахолати %s боз кардан мехоҳед? GenerateInter=Тавлиди дахолат +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/tg_TJ/mails.lang b/htdocs/langs/tg_TJ/mails.lang index 06b537ffc63..337e3f252ca 100644 --- a/htdocs/langs/tg_TJ/mails.lang +++ b/htdocs/langs/tg_TJ/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Тамос бо мавқеъ MailingModuleDescEmailsFromFile=Почтаи электронӣ аз файл MailingModuleDescEmailsFromUser=Вуруди почтаи электронӣ аз ҷониби корбар MailingModuleDescDolibarrUsers=Истифодабарандагон бо почтаи электронӣ -MailingModuleDescThirdPartiesByCategories=Шахсони сеюм (аз рӯи категорияҳо) +MailingModuleDescThirdPartiesByCategories=Third parties SendingFromWebInterfaceIsNotAllowed=Фиристодан аз интерфейси веб манъ аст. EmailCollectorFilterDesc=Ҳама филтрҳо бояд мувофиқат кунанд, то почтаи электронӣ ҷамъоварӣ карда шавад @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Сабт аз ҷониби коллектори п DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Холӣ, аммо ҳатмӣ WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/tg_TJ/ticket.lang b/htdocs/langs/tg_TJ/ticket.lang index 370265f8852..d71894deb80 100644 --- a/htdocs/langs/tg_TJ/ticket.lang +++ b/htdocs/langs/tg_TJ/ticket.lang @@ -26,6 +26,7 @@ Permission56002=Тағир додани чиптаҳо Permission56003=Билетҳоро нест кунед Permission56004=Идоракунии чиптаҳо Permission56005=Чиптаҳои ҳамаи шахсони сеюмро бинед (барои корбарони беруна муассир нест, ҳамеша бо тарафи сеюме, ки ба онҳо вобаста аст, маҳдуд аст) +Permission56006=Export tickets Tickets=Tickets TicketDictType=Чипта - намудҳо @@ -61,6 +62,8 @@ TypeContact_ticket_external_CONTRIBUTOR=Иштирокчии беруна OriginEmail=Хабарнигори почтаи электронӣ Notify_TICKET_SENTBYMAIL=Паёми чиптаро тавассути почтаи электронӣ фиристед +ExportDataset_ticket_1=Tickets + # Status Read=Хондан Assigned=Таъин карда шудааст @@ -183,7 +186,7 @@ CreatedBy=Аз ҷониби муаллиф NewTicket=Билети нав SubjectAnswerToTicket=Ҷавоби билет TicketTypeRequest=Навъи дархост -TicketCategory=Гурӯҳбандии чиптаҳо +TicketCategory=Ticket group SeeTicket=Билетро бинед TicketMarkedAsRead=Билет ҳамчун хондашуда қайд карда шудааст TicketReadOn=Хонда шуд diff --git a/htdocs/langs/th_TH/admin.lang b/htdocs/langs/th_TH/admin.lang index ebb4ae622dc..372752df2bf 100644 --- a/htdocs/langs/th_TH/admin.lang +++ b/htdocs/langs/th_TH/admin.lang @@ -145,6 +145,7 @@ Box=วิดเจ็ต Boxes=วิดเจ็ต MaxNbOfLinesForBoxes=จำนวนบรรทัดสูงสุดสำหรับวิดเจ็ต AllWidgetsWereEnabled=วิดเจ็ตทั้งหมดที่มีเปิดใช้งานแล้ว +WidgetAvailable=Widget available PositionByDefault=Default order Position=ตำแหน่ง MenusDesc=ตัวจัดการเมนูกำหนดเนื้อหาของแถบเมนูสองแถบ (แนวนอนและแนวตั้ง) @@ -374,7 +375,7 @@ DoTestSendHTML=ทดสอบการส่ง HTM​​L ErrorCantUseRazIfNoYearInMask=เกิดข้อผิดพลาด ไม่สามารถใช้ตัวเลือก @ เพื่อรีเซ็ตตัวนับในแต่ละปีได้ หากลำดับ {yy} หรือ {yyyy} ไม่อยู่ในรูปแบบ ErrorCantUseRazInStartedYearIfNoYearMonthInMask=เกิดข้อผิดพลาด ไม่สามารถใช้ตัวเลือก @ หากลำดับ {yy}{mm} หรือ {yyyy}{mm} ไม่อยู่ในรูปแบบ UMask=umask พารามิเตอร์สำหรับไฟล์ใหม่ใน Unix / Linux / BSD / ระบบไฟล์ Mac -UMaskExplanation=พารามิเตอร์นี้จะช่วยให้คุณสามารถกำหนดสิทธิ์ในการตั้งค่าได้โดยเริ่มต้นในไฟล์ที่สร้างขึ้นโดย Dolibarr บนเซิร์ฟเวอร์ (ระหว่างการอัปโหลดตัวอย่าง)
    มันจะต้องเป็นค่าฐานแปด (ตัวอย่างเช่น 0666 หมายถึงการอ่านและเขียนสำหรับทุกคน)
    พารามิเตอร์นี้จะไม่ได้ผลในเซิร์ฟเวอร์ Windows +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization UseACacheDelay= สำหรับการตอบสนองที่ล่าช้าในการส่งออกในไม่กี่วินาทีแคช (0 หรือที่ว่างเปล่าสำหรับแคชไม่ได้) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind ความสามารถในการแป Module3200Name=Unalterable Archives Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. Module3300Name=Module Builder -Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=สังคมออนไลน์ Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=ระบบบริหารจัดการทรัพยากรบุคคล @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/th_TH/mails.lang b/htdocs/langs/th_TH/mails.lang index 4fdde098262..e19b97abf34 100644 --- a/htdocs/langs/th_TH/mails.lang +++ b/htdocs/langs/th_TH/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Contacts by position MailingModuleDescEmailsFromFile=Emails from file MailingModuleDescEmailsFromUser=Emails input by user MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) +MailingModuleDescThirdPartiesByCategories=บุคคลที่สาม SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/tr_TR/admin.lang b/htdocs/langs/tr_TR/admin.lang index 3ee1784bb01..e213f511dee 100644 --- a/htdocs/langs/tr_TR/admin.lang +++ b/htdocs/langs/tr_TR/admin.lang @@ -145,6 +145,7 @@ Box=Ekran etiketi Boxes=Ekran Etiketleri MaxNbOfLinesForBoxes=Ekran etiketleri için maksimum satır sayısı AllWidgetsWereEnabled=Mevcut olan tüm ekran etiketleri etkinleştirildi +WidgetAvailable=Widget available PositionByDefault=Varsayılan sıra Position=Konum MenusDesc=Menü yöneticisi iki menü çubuğunun içeriğini ayarlar (yatay ve dikey). @@ -374,7 +375,7 @@ DoTestSendHTML=HTML Test gönderimi ErrorCantUseRazIfNoYearInMask=Hata, {yy} ya da {yyyy} dizisi maske olarak tanımlanmamışsa @ seçeneği kullanılamaz. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Hata, eğer {yy}{mm} ya da {yyyy}{mm} dizisi maske olarak tanımlanmamışsa @ seçeneği kullanılamaz. UMask=Unix/Linux/BSD dosya sisteminde yeni dosyalar için Umask parametresi. -UMaskExplanation=Bu parametre Dolibarr tarafından sunucuda oluşturulan dosyaların izinlerini varsayılan olarak tanımlamanıza (örneğin yükleme sırasında) izin verir.
    Bu sekizli değer olmalıdır (örneğin, 0666 herkes için okuma ve yazma anlamına gelir).
    Bu parametre Windows sunucusunda kullanılmaz. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Katkıda bulunanlar ve kuruluşlarının bir listesi için Wiki sayfasına göz atın UseACacheDelay= Saniye olarak önbellek aktarması tepki gecikmesi (hiç önbellek yoksa 0 ya da boş) DisableLinkToHelpCenter=Oturum açma sayfasında "Yardım ya da destek gerekli" bağlantısını gizle @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind dönüştürme becerileri Module3200Name=Değiştirilemez Arşivler Module3200Desc=Değiştirilemeyen bir iş etkinlikleri günlüğü etkinleştirin. Etkinlikler gerçek zamanlı olarak arşivlenir. Günlük, dışa aktarılabilen zincirlenmiş etkinliklerin salt okunur bir tablosudur. Bu modül bazı ülkeler için zorunlu olabilir. Module3300Name=Module Builder -Module3200Desc=Değiştirilemeyen bir iş etkinlikleri günlüğü etkinleştirin. Etkinlikler gerçek zamanlı olarak arşivlenir. Günlük, dışa aktarılabilen zincirlenmiş etkinliklerin salt okunur bir tablosudur. Bu modül bazı ülkeler için zorunlu olabilir. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Sosyal Ağlar Module3400Desc=Sosyal Ağ alanlarını Carilere ve adreslere (skype, twitter, facebook, ...) etkinleştirin. Module4000Name=IK @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Ayarlar WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/tr_TR/mails.lang b/htdocs/langs/tr_TR/mails.lang index cd3ffbce9b8..80ccbdbf58c 100644 --- a/htdocs/langs/tr_TR/mails.lang +++ b/htdocs/langs/tr_TR/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Pozisyona göre kişiler MailingModuleDescEmailsFromFile=Dosyadan e-postalar MailingModuleDescEmailsFromUser=Kullanıcı tarafından girilen e-postalar MailingModuleDescDolibarrUsers=E-postaları olan kullanıcılar -MailingModuleDescThirdPartiesByCategories=Üçüncü taraflar (kategorilere göre) +MailingModuleDescThirdPartiesByCategories=Cariler SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/uk_UA/admin.lang b/htdocs/langs/uk_UA/admin.lang index a314769195a..6b054ec84f0 100644 --- a/htdocs/langs/uk_UA/admin.lang +++ b/htdocs/langs/uk_UA/admin.lang @@ -145,6 +145,7 @@ Box=Віджет Boxes=Віджети MaxNbOfLinesForBoxes=Макс. кількість рядків для віджетів AllWidgetsWereEnabled=Усі доступні віджети ввімкнено +WidgetAvailable=Widget available PositionByDefault=Порядок за замовчуванням Position=Позиція MenusDesc=Менеджери меню встановлюють вміст двох рядків меню (горизонтального та вертикального). @@ -374,7 +375,7 @@ DoTestSendHTML=Тест надсилання HTML ErrorCantUseRazIfNoYearInMask=Помилка, не можна використовувати параметр @ для скидання лічильника щороку, якщо послідовність {yy} або {yyyy} відсутня в масці. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Помилка, не можна використовувати варіант @, якщо послідовність {yy} {mm} або {yyyy} {mm} не в масці. UMask=Параметр UMask для нових файлів у файловій системі Unix/Linux/BSD/Mac. -UMaskExplanation=Цей параметр дозволяє визначити дозволи, встановлені за замовчуванням для файлів, створених Dolibarr на сервері (наприклад, під час завантаження).
    Це має бути вісімкове значення (наприклад, 0666 означає читання та запис для всіх).
    Цей параметр не потрібний на сервері Windows. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Погляньте на сторінку Wiki, щоб ознайомитись зі списком учасників та їх організацією UseACacheDelay= Затримка для кешування відповіді експорту в секундах (0 або порожньо щоб не кешувати) DisableLinkToHelpCenter=Приховати посилання " Потрібна допомога або підтримка " на сторінці входу @@ -663,7 +664,7 @@ Module2900Desc=Можливості перетворення GeoIP Maxmind Module3200Name=Незмінні архіви Module3200Desc=Увімкнути незмінний журнал ділових подій. Події архівуються в режимі реального часу. Журнал – це доступна лише для читання таблиця зв’язаних подій, які можна експортувати. Цей модуль може бути обов’язковим для деяких країн. Module3300Name=Module Builder -Module3200Desc=Увімкнути незмінний журнал ділових подій. Події архівуються в режимі реального часу. Журнал – це доступна лише для читання таблиця зв’язаних подій, які можна експортувати. Цей модуль може бути обов’язковим для деяких країн. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Соціальні мережі Module3400Desc=Увімкнути поля соціальних мереж для третіх сторін і адрес (skype, twitter, facebook, ...). Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Використовуйте режим малої пам ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Налаштування WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/uk_UA/interventions.lang b/htdocs/langs/uk_UA/interventions.lang index 575d5f9f108..87f811c5751 100644 --- a/htdocs/langs/uk_UA/interventions.lang +++ b/htdocs/langs/uk_UA/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Приховує години та хвилини InterventionStatistics=Статистика втручань NbOfinterventions=№ інтервенційних карток NumberOfInterventionsByMonth=Кількість карток інтервенцій за місяцями (дата підтвердження) -AmountOfInteventionNotIncludedByDefault=Сума інтервенції за замовчуванням не включається до прибутку (у більшості випадків для підрахунку витраченого часу використовуються табелі обліку робочого часу). Додайте опцію PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT до 1 у home-setup-other, щоб включити їх. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=Ідентифікатор втручання InterRef=Втручання ref. InterDateCreation=Втручання щодо створення дати @@ -68,3 +68,5 @@ ConfirmReopenIntervention=Ви впевнені, що хочете знову в GenerateInter=Створення втручання FichinterNoContractLinked=Втручання %s створено без пов’язаного контракту. ErrorFicheinterCompanyDoesNotExist=Компанія не існує. Втручання не створено. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/uk_UA/mails.lang b/htdocs/langs/uk_UA/mails.lang index d17a3dcb4a3..d61b9e833bb 100644 --- a/htdocs/langs/uk_UA/mails.lang +++ b/htdocs/langs/uk_UA/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Контакти за посадою MailingModuleDescEmailsFromFile=Електронні листи з файлу MailingModuleDescEmailsFromUser=Електронні листи, введені користувачем MailingModuleDescDolibarrUsers=Користувачі з електронною поштою -MailingModuleDescThirdPartiesByCategories=Треті сторони (за категоріями) +MailingModuleDescThirdPartiesByCategories=Third parties SendingFromWebInterfaceIsNotAllowed=Відправлення з веб-інтерфейсу заборонено. EmailCollectorFilterDesc=Усі фільтри мають збігатися, щоб отримати електронний лист @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Запис, створений збирачем е DefaultBlacklistMailingStatus=Значення за замовчуванням для поля '%s' під час створення нового контакту DefaultStatusEmptyMandatory=Порожній, але обов’язковий WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/uk_UA/ticket.lang b/htdocs/langs/uk_UA/ticket.lang index d0fcbb730a1..b982337fb6c 100644 --- a/htdocs/langs/uk_UA/ticket.lang +++ b/htdocs/langs/uk_UA/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=Створено NewTicket=Новий квиток SubjectAnswerToTicket=Відповідь на квиток TicketTypeRequest=Тип запиту -TicketCategory=Категоризація квитків +TicketCategory=Ticket group SeeTicket=Дивіться квиток TicketMarkedAsRead=Квиток позначено як прочитаний TicketReadOn=Читайте далі diff --git a/htdocs/langs/ur_PK/admin.lang b/htdocs/langs/ur_PK/admin.lang index 781f79ff416..424a7fc2563 100644 --- a/htdocs/langs/ur_PK/admin.lang +++ b/htdocs/langs/ur_PK/admin.lang @@ -145,6 +145,7 @@ Box=ویجیٹ Boxes=وجیٹس MaxNbOfLinesForBoxes=زیادہ سے زیادہ ویجٹ کے لیے لائنوں کی تعداد AllWidgetsWereEnabled=تمام دستیاب وجیٹس فعال ہیں۔ +WidgetAvailable=Widget available PositionByDefault=پہلے سے طے شدہ آرڈر Position=پوزیشن MenusDesc=مینو مینیجر دو مینو بارز (افقی اور عمودی) کا مواد سیٹ کرتے ہیں۔ @@ -374,7 +375,7 @@ DoTestSendHTML=HTML بھیجنے کی جانچ کریں۔ ErrorCantUseRazIfNoYearInMask=خرابی، اگر ترتیب {yy} یا {yyyy} ماسک میں نہیں ہے تو ہر سال کاؤنٹر کو دوبارہ ترتیب دینے کے لیے @ آپشن کا استعمال نہیں کر سکتے۔ ErrorCantUseRazInStartedYearIfNoYearMonthInMask=خرابی، اگر ترتیب {yy}{mm} یا {yyyy}{mm} ماسک میں نہیں ہے تو @ آپشن استعمال نہیں کر سکتے۔ UMask=Unix/Linux/BSD/Mac فائل سسٹم پر نئی فائلوں کے لیے UMask پیرامیٹر۔ -UMaskExplanation=یہ پیرامیٹر آپ کو سرور پر Dolibarr کی طرف سے بنائی گئی فائلوں پر بطور ڈیفالٹ سیٹ اجازتوں کی وضاحت کرنے کی اجازت دیتا ہے (مثال کے طور پر اپ لوڈ کے دوران)۔
    یہ آکٹل قدر ہونی چاہیے (مثال کے طور پر، 0666 کا مطلب ہے سب کے لیے پڑھنا اور لکھنا)۔
    یہ پیرامیٹر ونڈوز سرور پر بیکار ہے۔ +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=شراکت داروں اور ان کی تنظیم کی فہرست کے لیے وکی صفحہ پر ایک نظر ڈالیں۔ UseACacheDelay= ایکسپورٹ رسپانس کو سیکنڈ میں کیش کرنے میں تاخیر (0 یا بغیر کیشے کے خالی) DisableLinkToHelpCenter=لاگ ان پیج پر لنک کو چھپائیں " مدد کی ضرورت ہے یا " @@ -663,7 +664,7 @@ Module2900Desc=GeoIP میکس مائنڈ تبادلوں کی صلاحیتیں۔ Module3200Name=ناقابل تبدیلی آرکائیوز Module3200Desc=کاروباری واقعات کا ایک غیر تبدیل شدہ لاگ کو فعال کریں۔ واقعات کو حقیقی وقت میں محفوظ کیا جاتا ہے۔ لاگ ان زنجیروں سے جڑے واقعات کی صرف پڑھنے کے لیے جدول ہے جسے برآمد کیا جا سکتا ہے۔ یہ ماڈیول کچھ ممالک کے لیے لازمی ہو سکتا ہے۔ Module3300Name=Module Builder -Module3200Desc=کاروباری واقعات کا ایک غیر تبدیل شدہ لاگ کو فعال کریں۔ واقعات کو حقیقی وقت میں محفوظ کیا جاتا ہے۔ لاگ ان زنجیروں سے جڑے واقعات کی صرف پڑھنے کے لیے جدول ہے جسے برآمد کیا جا سکتا ہے۔ یہ ماڈیول کچھ ممالک کے لیے لازمی ہو سکتا ہے۔ +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=سوشل نیٹ ورک Module3400Desc=سوشل نیٹ ورکس فیلڈز کو تھرڈ پارٹیز اور ایڈریسز (سکائپ، ٹویٹر، فیس بک، ...) میں فعال کریں۔ Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/ur_PK/interventions.lang b/htdocs/langs/ur_PK/interventions.lang index f6302271d88..773e49f06d2 100644 --- a/htdocs/langs/ur_PK/interventions.lang +++ b/htdocs/langs/ur_PK/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=مداخلت کے ریکارڈ کے لیے تار InterventionStatistics=مداخلت کے اعدادوشمار NbOfinterventions=مداخلتی کارڈز کی تعداد NumberOfInterventionsByMonth=ماہ کے لحاظ سے مداخلتی کارڈز کی تعداد (توثیق کی تاریخ) -AmountOfInteventionNotIncludedByDefault=مداخلت کی رقم پہلے سے طے شدہ طور پر منافع میں شامل نہیں ہوتی ہے (زیادہ تر معاملات میں، ٹائم شیٹس کا استعمال وقت کی گنتی کے لیے کیا جاتا ہے)۔ ہوم سیٹ اپ میں 1 میں PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT اختیار شامل کریں-دوسرے کو شامل کرنے کے لیے۔ +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=مداخلت کی شناخت InterRef=مداخلت کا حوالہ InterDateCreation=تاریخ تخلیق مداخلت @@ -66,3 +66,7 @@ RepeatableIntervention=مداخلت کا سانچہ ToCreateAPredefinedIntervention=پہلے سے طے شدہ یا بار بار چلنے والی مداخلت بنانے کے لیے، ایک مشترکہ مداخلت بنائیں اور اسے مداخلت کے سانچے میں تبدیل کریں۔ ConfirmReopenIntervention=کیا آپ واقعی مداخلت %s کو کھولنا چاہتے ہیں؟ GenerateInter=مداخلت پیدا کریں۔ +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/ur_PK/mails.lang b/htdocs/langs/ur_PK/mails.lang index acdda587caa..4e41c06b20b 100644 --- a/htdocs/langs/ur_PK/mails.lang +++ b/htdocs/langs/ur_PK/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=پوزیشن کے لحاظ سے رابطے MailingModuleDescEmailsFromFile=فائل سے ای میلز MailingModuleDescEmailsFromUser=صارف کے ذریعے ای میلز کا ان پٹ MailingModuleDescDolibarrUsers=ای میلز والے صارفین -MailingModuleDescThirdPartiesByCategories=تیسرے فریق (زمرے کے لحاظ سے) +MailingModuleDescThirdPartiesByCategories=Third parties SendingFromWebInterfaceIsNotAllowed=ویب انٹرفیس سے بھیجنے کی اجازت نہیں ہے۔ EmailCollectorFilterDesc=ای میل جمع کرنے کے لیے تمام فلٹرز کا مماثل ہونا چاہیے۔ @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=ای میل کلکٹر %s ای میل %s سے ری DefaultBlacklistMailingStatus=نیا رابطہ بناتے وقت فیلڈ '%s' کے لیے ڈیفالٹ قدر DefaultStatusEmptyMandatory=خالی لیکن لازمی WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/ur_PK/ticket.lang b/htdocs/langs/ur_PK/ticket.lang index dda8881b5ff..3fdac90aa22 100644 --- a/htdocs/langs/ur_PK/ticket.lang +++ b/htdocs/langs/ur_PK/ticket.lang @@ -26,6 +26,7 @@ Permission56002=ٹکٹوں میں ترمیم کریں۔ Permission56003=ٹکٹیں حذف کریں۔ Permission56004=ٹکٹوں کا انتظام کریں۔ Permission56005=تمام فریق ثالث کے ٹکٹ دیکھیں (بیرونی صارفین کے لیے موثر نہیں، ہمیشہ ان تیسرے فریق تک محدود رہیں جس پر وہ انحصار کرتے ہیں) +Permission56006=Export tickets Tickets=Tickets TicketDictType=ٹکٹ - اقسام @@ -61,6 +62,8 @@ TypeContact_ticket_external_CONTRIBUTOR=بیرونی تعاون کرنے وال OriginEmail=رپورٹر ای میل Notify_TICKET_SENTBYMAIL=ٹکٹ کا پیغام بذریعہ ای میل بھیجیں۔ +ExportDataset_ticket_1=Tickets + # Status Read=پڑھیں Assigned=تفویض کردہ @@ -183,7 +186,7 @@ CreatedBy=بنائی گئی NewTicket=نیا ٹکٹ SubjectAnswerToTicket=ٹکٹ کا جواب TicketTypeRequest=درخواست کی قسم -TicketCategory=ٹکٹ کی درجہ بندی +TicketCategory=Ticket group SeeTicket=ٹکٹ دیکھیں TicketMarkedAsRead=ٹکٹ کو پڑھا ہوا نشان زد کر دیا گیا ہے۔ TicketReadOn=پڑھیں diff --git a/htdocs/langs/uz_UZ/admin.lang b/htdocs/langs/uz_UZ/admin.lang index 27f5d38652d..f5a1b7a55b0 100644 --- a/htdocs/langs/uz_UZ/admin.lang +++ b/htdocs/langs/uz_UZ/admin.lang @@ -145,6 +145,7 @@ Box=Vidjet Boxes=Vidjetlar MaxNbOfLinesForBoxes=Maks. vidjetlar uchun qatorlar soni AllWidgetsWereEnabled=Barcha mavjud vidjetlar yoqilgan +WidgetAvailable=Widget available PositionByDefault=Standart buyurtma Position=Lavozim MenusDesc=Menyu menejerlari ikkita menyu satrining tarkibini belgilaydilar (gorizontal va vertikal). @@ -374,7 +375,7 @@ DoTestSendHTML=HTML yuborish uchun sinov ErrorCantUseRazIfNoYearInMask=Xatolik, har yili {yy} yoki {yyyy} ketma-ketligi niqobda bo'lmasa, hisoblagichni tiklash uchun @ parametridan foydalanib bo'lmaydi. ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Xato, agar {yy} {mm} yoki {yyyy} {mm} ketma-ketligi niqobda bo'lmasa @ parametridan foydalanib bo'lmaydi. UMask=Unix / Linux / BSD / Mac fayl tizimidagi yangi fayllar uchun UMask parametri. -UMaskExplanation=Ushbu parametr serverda Dolibarr tomonidan yaratilgan fayllarda sukut bo'yicha o'rnatilgan ruxsatlarni aniqlashga imkon beradi (masalan, yuklash paytida).
    Bu sakkizli qiymat bo'lishi kerak (masalan, 0666 hamma uchun o'qish va yozishni anglatadi).
    Windows serverida ushbu parametr foydasiz. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Hissadorlar va ularning tashkilotlari ro'yxatini olish uchun Wiki sahifasini ko'rib chiqing UseACacheDelay= Bir necha soniya ichida eksportga javobni keshlash uchun kechikish (0 yoki bo'sh joy uchun bo'sh) DisableLinkToHelpCenter=Kirish sahifasida " Yordam kerak yoki " havolasini yashiring. @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind konversiyalari imkoniyatlari Module3200Name=O'zgarmas arxivlar Module3200Desc=O'zgarmas ishbilarmonlik voqealari jurnalini yoqing. Voqealar real vaqtda arxivlanadi. Jurnal eksport qilinishi mumkin bo'lgan zanjirli voqealar uchun faqat o'qish uchun mo'ljallangan jadvaldir. Ushbu modul ba'zi mamlakatlar uchun majburiy bo'lishi mumkin. Module3300Name=Module Builder -Module3200Desc=O'zgarmas ishbilarmonlik voqealari jurnalini yoqing. Voqealar real vaqtda arxivlanadi. Jurnal eksport qilinishi mumkin bo'lgan zanjirli voqealar uchun faqat o'qish uchun mo'ljallangan jadvaldir. Ushbu modul ba'zi mamlakatlar uchun majburiy bo'lishi mumkin. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Ijtimoiy tarmoqlar Module3400Desc=Ijtimoiy tarmoqlarni uchinchi shaxslarga va manzillarga (skype, twitter, facebook, ...) qo'shish. Module4000Name=HRM @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Kam xotira rejimidan foydalaning ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Settings WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/uz_UZ/interventions.lang b/htdocs/langs/uz_UZ/interventions.lang index de093348384..85fedccac39 100644 --- a/htdocs/langs/uz_UZ/interventions.lang +++ b/htdocs/langs/uz_UZ/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Interventsiya yozuvlari uchun sana maydonidan tash InterventionStatistics=Ta'sirlarning statistikasi NbOfinterventions=Interventsiya kartalari soni NumberOfInterventionsByMonth=Oy bo'yicha aralashuv kartalarining soni (tasdiqlangan sana) -AmountOfInteventionNotIncludedByDefault=Interventsiya miqdori sukut bo'yicha foydaga qo'shilmaydi (ko'p hollarda ish vaqt jadvallari sarflangan vaqtni hisoblash uchun ishlatiladi). 1-ga PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT variantini qo'shib qo'yish uchun ularni uyga o'rnatish-ga qo'shing. +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=Interferentsiya id InterRef=Aralashish ref. InterDateCreation=Sana yaratishga aralashish @@ -68,3 +68,5 @@ ConfirmReopenIntervention=Siz aralashuvni qayta ochishni xohlaysizmi %s GenerateInter=Interventsiya yarating FichinterNoContractLinked=Intervention %s bog'langan shartnomasiz yaratilgan. ErrorFicheinterCompanyDoesNotExist=Kompaniya mavjud emas. Intervensiya yaratilmagan. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/uz_UZ/mails.lang b/htdocs/langs/uz_UZ/mails.lang index d3e3d75787e..331b9b855ea 100644 --- a/htdocs/langs/uz_UZ/mails.lang +++ b/htdocs/langs/uz_UZ/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Kontaktlar joylashuvi bo'yicha MailingModuleDescEmailsFromFile=Fayldan elektron pochta xabarlari MailingModuleDescEmailsFromUser=Foydalanuvchi tomonidan kiritilgan elektron pochta xabarlari MailingModuleDescDolibarrUsers=Elektron pochta xabarlari bo'lgan foydalanuvchilar -MailingModuleDescThirdPartiesByCategories=Uchinchi shaxslar (toifalar bo'yicha) +MailingModuleDescThirdPartiesByCategories=Third parties SendingFromWebInterfaceIsNotAllowed=Veb-interfeysdan yuborishga yo'l qo'yilmaydi. EmailCollectorFilterDesc=Elektron pochta to'planishi uchun barcha filtrlar mos kelishi kerak @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=%s elektron pochtasidan elektron pochta yig'uvchis DefaultBlacklistMailingStatus=Yangi kontakt yaratishda "%s" maydonining standart qiymati DefaultStatusEmptyMandatory=Bo'sh, ammo majburiy WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/uz_UZ/ticket.lang b/htdocs/langs/uz_UZ/ticket.lang index f3539ed954a..29bd3b5a0b5 100644 --- a/htdocs/langs/uz_UZ/ticket.lang +++ b/htdocs/langs/uz_UZ/ticket.lang @@ -26,7 +26,9 @@ Permission56002=Chiptalarni o'zgartirish Permission56003=Chiptalarni o'chirish Permission56004=Chiptalarni boshqarish Permission56005=Uchinchi tomonlarning chiptalarini ko'ring (tashqi foydalanuvchilar uchun samarali emas, har doim ular bog'liq bo'lgan uchinchi tomon bilan cheklaning) +Permission56006=Export tickets +Tickets=Tickets TicketDictType=Chipta - turlari TicketDictCategory=Chipta - guruhlar TicketDictSeverity=Chipta - jiddiyliklar @@ -60,6 +62,8 @@ TypeContact_ticket_external_CONTRIBUTOR=Tashqi yordamchi OriginEmail=Muxbirning elektron pochtasi Notify_TICKET_SENTBYMAIL=Elektron pochta orqali chiptani yuboring +ExportDataset_ticket_1=Tickets + # Status Read=O'qing Assigned=Tayinlangan @@ -149,6 +153,8 @@ TicketsAutoNotifyCloseHelp=Chiptani yopish paytida sizga uchinchi tomon kontaktl TicketWrongContact=Taqdim etilgan kontakt joriy chipta kontaktlarining bir qismi emas. Email yuborilmadi. TicketChooseProductCategory=Chiptalarni qo'llab-quvvatlash uchun mahsulot toifasi TicketChooseProductCategoryHelp=Chiptalarni qo'llab-quvvatlash mahsulot toifasini tanlang. Bu shartnomani chiptaga avtomatik bog'lash uchun ishlatiladi. +TicketUseCaptchaCode=Use graphical code (CAPTCHA) when creating a ticket +TicketUseCaptchaCodeHelp=Adds CAPTCHA verification when creating a new ticket. # # Index & list page @@ -180,7 +186,7 @@ CreatedBy=Tomonidan yaratilgan NewTicket=Yangi chipta SubjectAnswerToTicket=Chipta javobi TicketTypeRequest=So'rov turi -TicketCategory=Chiptalarni turkumlash +TicketCategory=Ticket group SeeTicket=Chiptani ko'ring TicketMarkedAsRead=Chipta o'qilgan deb belgilandi TicketReadOn=O'qing @@ -192,8 +198,7 @@ TicketAssigned=Endi chipta tayinlandi TicketChangeType=Turini o'zgartirish TicketChangeCategory=Analitik kodni o'zgartiring TicketChangeSeverity=Zo'ravonlikni o'zgartiring -TicketAddMessage=Xabar qo'shing -AddMessage=Xabar qo'shing +TicketAddMessage=Add private message MessageSuccessfullyAdded=Chipta qo'shildi TicketMessageSuccessfullyAdded=Xabar muvaffaqiyatli qo'shildi TicketMessagesList=Xatlar ro'yxati @@ -204,8 +209,8 @@ TicketSeverity=Jiddiylik ShowTicket=Chiptani ko'ring RelatedTickets=Tegishli chiptalar TicketAddIntervention=Aralashuvni yarating -CloseTicket=Yoping | Chiptani hal qiling -AbandonTicket=Chiptadan voz kechish +CloseTicket=Close|Solve +AbandonTicket=Abandon CloseATicket=Yoping | Chiptani hal qiling ConfirmCloseAticket=Chipta yopilishini tasdiqlang ConfirmAbandonTicket=Chiptaning "tashlab ketilgan" maqomiga yopilishini tasdiqlaysizmi? @@ -219,18 +224,17 @@ SendMessageByEmail=Elektron pochta orqali xabar yuboring TicketNewMessage=Yangi xabar ErrorMailRecipientIsEmptyForSendTicketMessage=Qabul qiluvchi bo'sh. Elektron pochta xabarlari yo'q TicketGoIntoContactTab=Ularni tanlash uchun "Kontaktlar" yorlig'iga o'ting -TicketMessageMailIntro=Kirish +TicketMessageMailIntro=Message header TicketMessageMailIntroHelp=Ushbu matn faqat elektron pochta boshida qo'shiladi va saqlanmaydi. -TicketMessageMailIntroLabelAdmin=Barcha chipta javoblari uchun kirish matni TicketMessageMailIntroText=Salom,
    Siz kuzatayotgan chiptaga yangi javob qo'shildi. Bu xabar:
    TicketMessageMailIntroHelpAdmin=Bu matn Dolibarrdan chiptaga javob berishda javob oldidan kiritiladi -TicketMessageMailSignature=Imzo -TicketMessageMailSignatureHelp=Ushbu matn faqat elektron pochta oxirida qo'shiladi va saqlanmaydi. -TicketMessageMailSignatureText=Dolibarr orqali %s tomonidan yuborilgan xabar -TicketMessageMailSignatureLabelAdmin=Javob elektron pochtasining imzosi -TicketMessageMailSignatureHelpAdmin=Ushbu matn javob xabaridan keyin kiritiladi. +TicketMessageMailFooter=Message footer +TicketMessageMailFooterHelp=This text is added only at the end of the message sent by email and will not be saved. +TicketMessageMailFooterText=Message sent by %s via Dolibarr +TicketMessageMailFooterHelpAdmin=This text will be inserted after the response message. TicketMessageHelp=Faqat ushbu matn chipta kartasidagi xabarlar ro'yxatida saqlanadi. TicketMessageSubstitutionReplacedByGenericValues=O'zgartirish o'zgaruvchilari umumiy qiymatlar bilan almashtiriladi. +ForEmailMessageWillBeCompletedWith=For email messages sent to external users, the message will be completed with TimeElapsedSince=O'shandan beri vaqt o'tgan TicketTimeToRead=O'qishdan oldin o'tgan vaqt TicketTimeElapsedBeforeSince=Oldin / keyin o'tgan vaqt @@ -241,6 +245,7 @@ TicketMessageMailIntroAutoNewPublicMessage=%s mavzusida chiptada yangi xabar joy TicketAssignedToYou=Chipta tayinlandi TicketAssignedEmailBody=Sizga %s tomonidan # %s chiptasi tayinlangan MarkMessageAsPrivate=Xabarni shaxsiy sifatida belgilash +TicketMessageSendEmailHelp=An email will be sent to all assigned contact (internal contacts, but also external contacts except if the option "%s" is checked) TicketMessagePrivateHelp=Ushbu xabar tashqi foydalanuvchilarga ko'rsatilmaydi TicketEmailOriginIssuer=Chiptalarning kelib chiqishi bo'yicha emitent InitialMessage=Dastlabki xabar @@ -296,7 +301,7 @@ TicketNewEmailBodyInfosTrackUrlCustomer=Siz quyidagi havolani bosish orqali ma'l TicketCloseEmailBodyInfosTrackUrlCustomer=Quyidagi havolani bosish orqali ushbu chipta tarixi bilan tanishishingiz mumkin TicketEmailPleaseDoNotReplyToThisEmail=Iltimos, ushbu elektron pochtaga to'g'ridan-to'g'ri javob bermang! Interfeysga javob berish uchun havoladan foydalaning. TicketPublicInfoCreateTicket=Ushbu shakl sizning boshqaruv tizimimizda qo'llab-quvvatlash chiptasini yozib olishga imkon beradi. -TicketPublicPleaseBeAccuratelyDescribe=Iltimos, muammoni aniq tasvirlab bering. Sizning so'rovingizni to'g'ri aniqlab olishimiz uchun imkon qadar ko'proq ma'lumotlarni taqdim eting. +TicketPublicPleaseBeAccuratelyDescribe=Please accurately describe your question. Provide the most information possible to allow us to correctly identify your request. TicketPublicMsgViewLogIn=Iltimos, chiptani kuzatish guvohnomasini kiriting TicketTrackId=Ommaviy kuzatuv identifikatori OneOfTicketTrackId=Kuzatuv identifikatoringizdan biri diff --git a/htdocs/langs/vi_VN/admin.lang b/htdocs/langs/vi_VN/admin.lang index b3cf7176d1d..4c04406613e 100644 --- a/htdocs/langs/vi_VN/admin.lang +++ b/htdocs/langs/vi_VN/admin.lang @@ -64,7 +64,7 @@ IfModuleEnabled=Ghi chú: Yes chỉ có tác dụng nếu module %s đư RemoveLock=Xóa / đổi tên tệp %s nếu nó tồn tại, để cho phép sử dụng công cụ Cập nhật / Cài đặt. RestoreLock=Khôi phục tệp %s , chỉ với quyền đọc, để vô hiệu hóa bất kỳ việc sử dụng thêm công cụ Cập nhật / Cài đặt nào. SecuritySetup=Thiết lập an ninh -PHPSetup=PHP setup +PHPSetup=Thiết lập PHP OSSetup=OS setup SecurityFilesDesc=Xác định các tùy chọn ở đây liên quan đến bảo mật về việc tải lên các tệp. ErrorModuleRequirePHPVersion=Lỗi, module này yêu cầu phiên bản PHP %s hoặc mới hơn @@ -145,6 +145,7 @@ Box=widget Boxes=widgets MaxNbOfLinesForBoxes=Số dòng tối đa cho widgets AllWidgetsWereEnabled=Tất cả các widgets có sẵn được kích hoạt +WidgetAvailable=Widget available PositionByDefault=Trật tự mặc định Position=Chức vụ MenusDesc=Trình quản lý menu để thiết lập nội dung của hai thanh menu (ngang và dọc). @@ -374,7 +375,7 @@ DoTestSendHTML=Kiểm tra gửi 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).
    It must be the octal value (for example, 0666 means read and write for everyone).
    This parameter is useless on a Windows server. +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=Hãy xem trang Wiki để biết danh sách những người đóng góp và tổ chức của họ UseACacheDelay= Delay for caching export response in seconds (0 or empty for no cache) DisableLinkToHelpCenter=Hide the link "Need help or support" on the login page @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind conversions capabilities Module3200Name=Lưu trữ không thể thay đổi Module3200Desc=Cho phép một bản ghi không thể thay đổi của các sự kiện kinh doanh. Các sự kiện được lưu trữ trong thời gian thực. Nhật ký là một bảng chỉ đọc các sự kiện được xâu chuỗi có thể được xuất dữ liệu. Mô-đun này có thể là bắt buộc đối với một số quốc gia. Module3300Name=Module Builder -Module3200Desc=Cho phép một bản ghi không thể thay đổi của các sự kiện kinh doanh. Các sự kiện được lưu trữ trong thời gian thực. Nhật ký là một bảng chỉ đọc các sự kiện được xâu chuỗi có thể được xuất dữ liệu. Mô-đun này có thể là bắt buộc đối với một số quốc gia. +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=Mạng xã hội Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). Module4000Name=Nhân sự @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=Use a low memory mode ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = Interface to catch dolibarr triggers and send it to an URL +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook setup Settings = Cài đặt WebhookSetupPage = Webhook setup page @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/vi_VN/interventions.lang b/htdocs/langs/vi_VN/interventions.lang index 410b4171765..14bee02d420 100644 --- a/htdocs/langs/vi_VN/interventions.lang +++ b/htdocs/langs/vi_VN/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=Ẩn giờ và phút ra của trường ngày cho InterventionStatistics=Thống kê các can thiệp NbOfinterventions=Số lượng thẻ can thiệp NumberOfInterventionsByMonth=Số thẻ can thiệp theo tháng (ngày xác nhận) -AmountOfInteventionNotIncludedByDefault=Số tiền can thiệp không được tính theo mặc định vào lợi nhuận (trong hầu hết các trường hợp, bảng chấm công được sử dụng để tính thời gian tiêu thụ). Thêm tùy chọn gồm PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT thành 1 vào Nhà - Thiết lập - Khác +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=Id Can thiệp InterRef=Tham chiếu Can thiệp. InterDateCreation=Ngày tạo Can thiệp @@ -66,3 +66,7 @@ RepeatableIntervention=Mẫu can thiệp ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? GenerateInter=Generate intervention +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/vi_VN/mails.lang b/htdocs/langs/vi_VN/mails.lang index 0c3fc622abd..f694b07cfd0 100644 --- a/htdocs/langs/vi_VN/mails.lang +++ b/htdocs/langs/vi_VN/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=Liên lạc theo vị trí MailingModuleDescEmailsFromFile=Email từ tập tin MailingModuleDescEmailsFromUser=Email đầu vào của người dùng MailingModuleDescDolibarrUsers=Người dùng có email -MailingModuleDescThirdPartiesByCategories=Các bên thứ ba (theo danh mục) +MailingModuleDescThirdPartiesByCategories=Bên thứ ba SendingFromWebInterfaceIsNotAllowed=Gửi từ giao diện web không được phép. EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/zh_CN/admin.lang b/htdocs/langs/zh_CN/admin.lang index 4196012278c..f674c9f42f1 100644 --- a/htdocs/langs/zh_CN/admin.lang +++ b/htdocs/langs/zh_CN/admin.lang @@ -145,6 +145,7 @@ Box=插件 Boxes=插件 MaxNbOfLinesForBoxes=插件的最大行数 AllWidgetsWereEnabled=全部可用的小工具都已启用 +WidgetAvailable=Widget available PositionByDefault=默认顺序 Position=位置 MenusDesc=菜单管理器定义两个菜单中的内容(横向和纵向菜单栏)。 @@ -374,7 +375,7 @@ DoTestSendHTML=测试发送 HTML ErrorCantUseRazIfNoYearInMask=错误,如果序列{yy}或{yyyy}不在掩码中,则不能使用选项@来重置计数器。 ErrorCantUseRazInStartedYearIfNoYearMonthInMask=错误,如果序列 {yy}{mm} 或 {yyyy}{mm} 不在掩码中,则无法使用选项 @。 UMask=Unix/Linux/BSD 文件系统下新文件的 umask 参数。 -UMaskExplanation=此参数允许您定义 Dolibarr 在服务器上创建的文件的默认权限(例如上传的文件)。
    必须是八进制值(例如 0666 表示所有人都可以读写)。
    此参数在 Windows 服务器上无效。 +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=查看 Wiki 页面以获取贡献者及其组织的列表 UseACacheDelay= 以秒为单位缓存导出响应的延迟(0 或空无缓存) DisableLinkToHelpCenter=在登录页面隐藏链接“ 需要帮助或支持 ” @@ -663,7 +664,7 @@ Module2900Desc=Maxmind的GeoIP数据库的转换能力 Module3200Name=不可更改的档案 Module3200Desc=启用不可更改的商业活动日志。事件被实时存档。日志是只读的可以导出的链式事件表。对于某些国家/地区,此模块可能是强制性的。 Module3300Name=Module Builder -Module3200Desc=启用不可更改的商业活动日志。事件被实时存档。日志是只读的可以导出的链式事件表。对于某些国家/地区,此模块可能是强制性的。 +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=社交网络 Module3400Desc=启用第三方和地址的社交网络字段(skype、twitter、facebook、...)。 Module4000Name=人力资源管理 @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=使用低内存模式 ExportUseLowMemoryModeHelp=使用低内存模式来生成转储文件 (压缩是通过管道而不是进入 PHP 内存)。这种方法不允许检查文件是否完整,如果失败也不能报告错误信息。如果你遇到内存不足的错误,请使用它。 ModuleWebhookName = Webhook -ModuleWebhookDesc = 捕获 dolibarr 触发器并将其发送到某个 URL 的接口 +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = Webhook 设置 Settings = 设置 WebhookSetupPage = Webhook 设置页面 @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/zh_CN/interventions.lang b/htdocs/langs/zh_CN/interventions.lang index 04f905bb97f..046ea284a13 100644 --- a/htdocs/langs/zh_CN/interventions.lang +++ b/htdocs/langs/zh_CN/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=隐藏干预记录的日期字段的小时和分 InterventionStatistics=干预统计 NbOfinterventions=No. of intervention cards NumberOfInterventionsByMonth=No. of intervention cards by month (date of validation) -AmountOfInteventionNotIncludedByDefault=默认情况下,干预金额不包括在利润中(在大多数情况下,时间表用于计算花费的时间)。将选项PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT添加到1到home-setup-other以包含它们。 +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=干预身份 InterRef=干预编号 InterDateCreation=日期创建干预 @@ -66,3 +66,7 @@ RepeatableIntervention=Template of intervention ToCreateAPredefinedIntervention=To create a predefined or recurring intervention, create a common intervention and convert it into intervention template ConfirmReopenIntervention=Are you sure you want to open back the intervention %s? GenerateInter=Generate intervention +FichinterNoContractLinked=Intervention %s has been created without a linked contract. +ErrorFicheinterCompanyDoesNotExist=Company does not exist. Intervention has not been created. +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/zh_CN/mails.lang b/htdocs/langs/zh_CN/mails.lang index 16b348e6de9..e361c9fa7fe 100644 --- a/htdocs/langs/zh_CN/mails.lang +++ b/htdocs/langs/zh_CN/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=按职位联系 MailingModuleDescEmailsFromFile=来自档案的电子邮件 MailingModuleDescEmailsFromUser=用户输入的电子邮件 MailingModuleDescDolibarrUsers=用户使用电子邮件 -MailingModuleDescThirdPartiesByCategories=第三方(按类别) +MailingModuleDescThirdPartiesByCategories=合作方 SendingFromWebInterfaceIsNotAllowed=不允许从Web界面发送。 EmailCollectorFilterDesc=All filters must match to have an email being collected @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=Record created by the Email Collector %s from emai DefaultBlacklistMailingStatus=Default value for field '%s' when creating a new contact DefaultStatusEmptyMandatory=Empty but mandatory WarningLimitSendByDay=WARNING: The setup or contract of your instance limits your number of emails per day to %s. Trying to send more may result in having your instance slow down or suspended. Please contact your support if you need a higher quota. +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/zh_TW/admin.lang b/htdocs/langs/zh_TW/admin.lang index cd05411e793..26c66592ff3 100644 --- a/htdocs/langs/zh_TW/admin.lang +++ b/htdocs/langs/zh_TW/admin.lang @@ -145,6 +145,7 @@ Box=小工具 Boxes=小工具 MaxNbOfLinesForBoxes=小工具最大行數 AllWidgetsWereEnabled=所有可用小工具已啟用 +WidgetAvailable=Widget available PositionByDefault=預設排序 Position=位置 MenusDesc=選單管理器設定兩個選單欄的內容(水平和垂直)。 @@ -374,7 +375,7 @@ DoTestSendHTML=測試傳送HTML ErrorCantUseRazIfNoYearInMask=錯誤,若序列 {yy} 或 {yyyy} 在條件中,則不能使用 @ 以便每年重新計數。 ErrorCantUseRazInStartedYearIfNoYearMonthInMask=錯誤,若序列 {yy}{mm} 或 {yyyy}{mm} 不在遮罩內則不能使用選項 @。 UMask=在 Unix/Linux/BSD/Mac 的檔案系統中新檔案的 UMask 參數。 -UMaskExplanation=此參數允許您定義預設情況下對由Dolibarr在伺服器上建立檔案設定的權限(例如,在上傳過程中)。
    它必須是八進制值(例如,0666表示對所有人讀寫)。
    此參數在Windows伺服器上無用。 +UMaskExplanation=This parameter allow you to define permissions set by default on files created by Dolibarr on server (during upload for example).
    It must be the octal value (for example, 0666 means read and write for everyone.). Recommended value is 0600 or 0660
    This parameter is useless on a Windows server. SeeWikiForAllTeam=在Wiki頁面上查看貢獻者及其組織的清單 UseACacheDelay= 快取匯出響應以秒為單位的延遲(0或為空表示沒有快取) DisableLinkToHelpCenter=在登入頁面上隱藏“ 需要幫助或支援"連結 @@ -663,7 +664,7 @@ Module2900Desc=GeoIP Maxmind轉換功能 Module3200Name=不可改變的檔案 Module3200Desc=啟用不可更改的商業事件日誌。事件是即時存檔的。日誌是可以匯出的鍊式事件的唯讀表格。在某些國家/地區,此模組可能是必需的。 Module3300Name=模組產生器 -Module3200Desc=啟用不可更改的商業事件日誌。事件是即時存檔的。日誌是可以匯出的鍊式事件的唯讀表格。在某些國家/地區,此模組可能是必需的。 +Module3300Desc=A RAD (Rapid Application Development - low-code and no-code) tool to help developers or advanced users to build their own module/application. Module3400Name=社群網路 Module3400Desc=啟用合作方與地址的社群網路欄位 (skype, twitter, facebook, ...). Module4000Name=人資 @@ -2299,7 +2300,7 @@ ExportUseLowMemoryMode=使用低記憶體模式 ExportUseLowMemoryModeHelp=Use the low memory mode to generate the dump file (compression is done through a pipe instead of into the PHP memory). This method does not allow to check that the file is complete and error message can't be reported if it fails. Use it if you experience not enough memory errors. ModuleWebhookName = Webhook -ModuleWebhookDesc = 捕獲 dolibarr 觸發器並將其傳送到 URL 的界面 +ModuleWebhookDesc = Interface to catch dolibarr triggers and send data of the event to an URL WebhookSetup = 設定 Webhook Settings = 設定 WebhookSetupPage = Webhook 設定頁 @@ -2372,3 +2373,6 @@ WarningModuleHasChangedLastVersionCheckParameter=Warning: the module %s has set WarningModuleHasChangedSecurityCsrfParameter=Warning: the module %s has disabled the CSRF security of your instance. This action is suspect and your installation may no more be secured. Please contact the author of the module for explanation. EMailsInGoingDesc=Incoming emails are managed by the module %s. You must enable and configure it if you need to support ingoing emails. MAIN_IMAP_USE_PHPIMAP=Use the PHP-IMAP library for IMAP instead of native PHP IMAP. This also allows the use of an OAuth2 connection for IMAP (module OAuth must also be activated). +MAIN_CHECKBOX_LEFT_COLUMN=Show the column for field and line selection on the left (on the right by default) + +CSSPage=CSS Style diff --git a/htdocs/langs/zh_TW/interventions.lang b/htdocs/langs/zh_TW/interventions.lang index 491df5da738..af9a37b2b12 100644 --- a/htdocs/langs/zh_TW/interventions.lang +++ b/htdocs/langs/zh_TW/interventions.lang @@ -50,7 +50,7 @@ UseDateWithoutHourOnFichinter=為干預記錄隱藏日期中的小時和分鐘 InterventionStatistics=干預統計 NbOfinterventions=干預卡數量 NumberOfInterventionsByMonth=每月干預卡的數量(驗證日期) -AmountOfInteventionNotIncludedByDefault=預設情況下,干預金額不包括在利潤中(在大多數情況下,時間表用於計算花費的時間)。將選項PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT加到首頁- 設定- 其他中並設定為1以包括它們。 +AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). You can use PROJECT_ELEMENTS_FOR_ADD_MARGIN and PROJECT_ELEMENTS_FOR_MINUS_MARGIN option into home-setup-other to complete list of element included into profit. InterId=干預ID InterRef=干預參考 InterDateCreation=干預的建立日期 @@ -68,3 +68,5 @@ ConfirmReopenIntervention=您確定要打開干預 %s 嗎? GenerateInter=產生干預 FichinterNoContractLinked=干預 %s 已在沒有連結合約的情況下建立。 ErrorFicheinterCompanyDoesNotExist=公司不存在。干預尚未產生。 +NextDateToIntervention=Date for next intervention generation +NoIntervention=No intervention diff --git a/htdocs/langs/zh_TW/mails.lang b/htdocs/langs/zh_TW/mails.lang index a3e96505632..471ed027775 100644 --- a/htdocs/langs/zh_TW/mails.lang +++ b/htdocs/langs/zh_TW/mails.lang @@ -91,7 +91,7 @@ MailingModuleDescContactsByFunction=依職位聯絡 MailingModuleDescEmailsFromFile=來自檔案的電子郵件 MailingModuleDescEmailsFromUser=用戶輸入的電子郵件 MailingModuleDescDolibarrUsers=擁有電子郵件的用戶 -MailingModuleDescThirdPartiesByCategories=合作方(依類別) +MailingModuleDescThirdPartiesByCategories=合作方 SendingFromWebInterfaceIsNotAllowed=不允許從Web界面發送。 EmailCollectorFilterDesc=所有過濾條件必須符合才能收集電子郵件 @@ -179,3 +179,4 @@ RecordCreatedByEmailCollector=由電子郵件收集器%s從電子郵件%s建立 DefaultBlacklistMailingStatus=建立新聯絡人時欄位“%s”的預設值 DefaultStatusEmptyMandatory=必填 WarningLimitSendByDay=警告:實例的設定或合約將每天的電子郵件數量限制為 %s 。嘗試發送更多可能會導致您的實例變慢或暫停。如果您需要更高的配額,請聯絡您的服務人員。 +NoMoreRecipientToSendTo=No more recipient to send the email to diff --git a/htdocs/langs/zh_TW/partnership.lang b/htdocs/langs/zh_TW/partnership.lang index 8ae309f7f35..e73fa3287a9 100644 --- a/htdocs/langs/zh_TW/partnership.lang +++ b/htdocs/langs/zh_TW/partnership.lang @@ -29,7 +29,7 @@ PartnershipCheckBacklink=合作夥伴:檢查參考反向連結 # Menu # NewPartnership=新合作夥伴 -NewPartnershipbyWeb= 您的伙伴關係已成功地新增。 +NewPartnershipbyWeb=Your partnership request has been added successfully. We may contact you soon... ListOfPartnerships=合作夥伴清單 # diff --git a/htdocs/langs/zh_TW/ticket.lang b/htdocs/langs/zh_TW/ticket.lang index f348b5ae9aa..a5d8f119e2d 100644 --- a/htdocs/langs/zh_TW/ticket.lang +++ b/htdocs/langs/zh_TW/ticket.lang @@ -186,7 +186,7 @@ CreatedBy=建立者 NewTicket=新服務單 SubjectAnswerToTicket=服務單回應 TicketTypeRequest=需求類型 -TicketCategory=服務單分類 +TicketCategory=Ticket group SeeTicket=查閱服務單 TicketMarkedAsRead=服務單已標記為已讀 TicketReadOn=繼續讀取 diff --git a/htdocs/ticket/class/ticket.class.php b/htdocs/ticket/class/ticket.class.php index 207ba4d6a50..3f73f1ab8ac 100644 --- a/htdocs/ticket/class/ticket.class.php +++ b/htdocs/ticket/class/ticket.class.php @@ -2359,7 +2359,7 @@ class Ticket extends CommonObject $destfile = $destdir.'/'.$pathinfo['filename'].' - '.dol_print_date($now, 'dayhourlog').'.'.$pathinfo['extension']; } - $res = dol_move($filepath[$i], $destfile, 0, 1); + $res = dol_move($filepath[$i], $destfile, 0, 1, 0, 1); if (image_format_supported($destfile) == 1) { // Create small thumbs for image (Ratio is near 16/9) diff --git a/htdocs/website/samples/wrapper.php b/htdocs/website/samples/wrapper.php index 9a8a8d5ab48..621dee927cb 100644 --- a/htdocs/website/samples/wrapper.php +++ b/htdocs/website/samples/wrapper.php @@ -162,7 +162,7 @@ if ($rss) { $result = build_rssfile($format, $title, $desc, $eventarray, $outputfiletmp, '', $website->virtualhost.'/wrapper.php?rss=1'.($l ? '&l='.$l : ''), $l); if ($result >= 0) { - if (dol_move($outputfiletmp, $outputfile, 0, 1)) { + if (dol_move($outputfiletmp, $outputfile, 0, 1, 0, 0)) { $result = 1; } else { $error = 'Failed to rename '.$outputfiletmp.' into '.$outputfile;