diff --git a/CHANGELOG b/CHANGELOG index e7feb4069..c5e622caa 100644 --- a/CHANGELOG +++ b/CHANGELOG @@ -21,6 +21,7 @@ - list all open tasks of user in user info of user manager - owner of document may see review/approval/receipt/revision log - fix sending mails to reviewer/approvers after check in +- downloading of review/approval files works again -------------------------------------------------------------------------------- Changes in version 6.0.0 @@ -61,6 +62,7 @@ - documents, folders, files, events can be moved to a new user - do not show quota information in user manager if quotas are turn off - files in drop folder can be listed in main menu +- webdav can use orig. filename of last version instead of document name (experimental) -------------------------------------------------------------------------------- Changes in version 5.1.2 @@ -90,6 +92,7 @@ -------------------------------------------------------------------------------- Changes in version 5.0.13 -------------------------------------------------------------------------------- +- fix php warning if an error occurs in one of the out/*.php pages - merged changes from 4.3.36 -------------------------------------------------------------------------------- @@ -201,6 +204,12 @@ - reviewers/approvers can only be modified by users with unrestricted access and as long as no reviewer/approver has reviewed/approved the document - use only svg icons for mimetypes +- add check for processes (reviews/approvals) where the user/group is deleted +- redirect in op/op.Login.php to referuri will not add protocol and host, + because this doesn't work if a reverse proxy is used (Closes #336) +- major update of korean translations +- fix browse button of fine-uploader when 'Enable large file upload' is + turned on firefox is used (Closes #339 and #338) -------------------------------------------------------------------------------- Changes in version 4.3.35 diff --git a/SeedDMS_Core/Core/inc.ClassDMS.php b/SeedDMS_Core/Core/inc.ClassDMS.php index c705dad62..89d043398 100644 --- a/SeedDMS_Core/Core/inc.ClassDMS.php +++ b/SeedDMS_Core/Core/inc.ClassDMS.php @@ -705,6 +705,43 @@ class SeedDMS_Core_DMS { return $document; } /* }}} */ + /** + * Returns a document by the original file name of the last version + * + * This function searches a document by the name of the last document + * version and restricts the search + * to given folder if passed as the second parameter. + * + * @param string $name + * @param object $folder + * @return object/boolean found document or false + */ + function getDocumentByOriginalFilename($name, $folder=null) { /* {{{ */ + if (!$name) return false; + + $queryStr = "SELECT `tblDocuments`.*, `tblDocumentLocks`.`userID` as `lockUser` ". + "FROM `tblDocuments` ". + "LEFT JOIN `ttcontentid` ON `ttcontentid`.`document` = `tblDocuments`.`id` ". + "LEFT JOIN `tblDocumentContent` ON `tblDocumentContent`.`document` = `tblDocuments`.`id` AND `tblDocumentContent`.`version` = `ttcontentid`.`maxVersion` ". + "LEFT JOIN `tblDocumentLocks` ON `tblDocuments`.`id`=`tblDocumentLocks`.`document` ". + "WHERE `tblDocumentContent`.`orgFileName` = " . $this->db->qstr($name); + if($folder) + $queryStr .= " AND `tblDocuments`.`folder` = ". $folder->getID(); + $queryStr .= " LIMIT 1"; + + $resArr = $this->db->getResultArray($queryStr); + if (is_bool($resArr) && !$resArr) + return false; + + if(!$resArr) + return false; + + $row = $resArr[0]; + $document = new $this->classnames['document']($row["id"], $row["name"], $row["comment"], $row["date"], $row["expires"], $row["owner"], $row["folder"], $row["inheritAccess"], $row["defaultAccess"], $row["lockUser"], $row["keywords"], $row["sequence"]); + $document->setDMS($this); + return $document; + } /* }}} */ + /** * Return a document content by its id * @@ -3130,8 +3167,8 @@ class SeedDMS_Core_DMS { } /* }}} */ /** - * Returns a list of reviews, approvals which are not linked - * to a user, group anymore + * Returns a list of reviews, approvals, receipts, revisions which are not + * linked to a user, group anymore * * This method is for finding reviews or approvals whose user * or group was deleted and not just removed from the process. @@ -3163,6 +3200,50 @@ class SeedDMS_Core_DMS { return $this->db->getResultArray($queryStr); } /* }}} */ + /** + * Removes all reviews, approvals, receipts, revisions which are not linked + * to a user, group anymore + * + * This method is for removing all reviews or approvals whose user + * or group was deleted and not just removed from the process. + * If the optional parameter $id is set, only this user/group id is removed. + */ + function removeProcessWithoutUserGroup($process, $usergroup, $id=0) { /* {{{ */ + /* Entries of tblDocumentReviewLog or tblDocumentApproveLog are deleted + * because of CASCADE ON + */ + switch($process) { + case 'review': + $queryStr = "DELETE FROM tblDocumentReviewers"; + break; + case 'approval': + $queryStr = "DELETE FROM tblDocumentApprovers"; + break; + case 'receipt': + $queryStr = "DELETE FROM tblDocumentRecipients"; + break; + case 'revision': + $queryStr = "DELETE FROM tblDocumentRevisors"; + break; + } + $queryStr .= " WHERE"; + switch($usergroup) { + case 'user': + $queryStr .= " type=0 AND"; + if($id) + $queryStr .= " required=".((int) $id)." AND"; + $queryStr .= " required NOT IN (SELECT id FROM tblUsers)"; + break; + case 'group': + $queryStr .= " type=1 AND"; + if($id) + $queryStr .= " required=".((int) $id)." AND"; + $queryStr .= " required NOT IN (SELECT id FROM tblGroups)"; + break; + } + return $this->db->getResultArray($queryStr); + } /* }}} */ + /** * Returns statitical information * diff --git a/SeedDMS_Core/package.xml b/SeedDMS_Core/package.xml index aeef7b744..0098700e8 100644 --- a/SeedDMS_Core/package.xml +++ b/SeedDMS_Core/package.xml @@ -12,8 +12,8 @@ uwe@steinmann.cx yes - 2017-07-13 - + 2017-08-29 + 6.0.1 6.0.1 @@ -1404,8 +1404,8 @@ do not sort some temporary tables anymore, because it causes an error in mysql i - 2017-07-10 - + 2017-03-23 + 5.0.12 5.0.12 @@ -1433,6 +1433,7 @@ do not sort some temporary tables anymore, because it causes an error in mysql i GPL License +- all changes from 4.3.36 merged @@ -1508,6 +1509,7 @@ returns just users which are not disabled - add new methods removeFromProcesses(), getWorkflowsInvolved(), getKeywordCategories() to SeedDMS_Core_User - add methods isMandatoryReviewerOf() and isMandatoryApproverOf() - add methods transferDocumentsFolders() and transferEvents() +- add method SeedDMS_Core_DMS::getDocumentByOriginalFilename() diff --git a/controllers/class.Download.php b/controllers/class.Download.php index 82a189028..8cda3a36a 100644 --- a/controllers/class.Download.php +++ b/controllers/class.Download.php @@ -134,17 +134,15 @@ class SeedDMS_Controller_Download extends SeedDMS_Controller_Common { } if(null === $this->callHook('approval')) { - if(file_exists($dms->contentDir . $filename)) { - $finfo = finfo_open(FILEINFO_MIME_TYPE); - $mimetype = finfo_file($finfo, $filename); + $finfo = finfo_open(FILEINFO_MIME_TYPE); + $mimetype = finfo_file($finfo, $filename); - header("Content-Type: ".$mimetype."; name=\"approval-" . $document->getID()."-".(int) $_GET['approvelogid'] . get_extension($mimetype) . "\""); - header("Content-Transfer-Encoding: binary"); - header("Content-Length: " . filesize($filename )); - header("Content-Disposition: attachment; filename=\"approval-" . $document->getID()."-".(int) $_GET['approvelogid'] . get_extension($mimetype) . "\""); - header("Cache-Control: must-revalidate"); - readfile($filename); - } + header("Content-Type: ".$mimetype."; name=\"approval-" . $document->getID()."-".(int) $_GET['approvelogid'] . get_extension($mimetype) . "\""); + header("Content-Transfer-Encoding: binary"); + header("Content-Length: " . filesize($filename )); + header("Content-Disposition: attachment; filename=\"approval-" . $document->getID()."-".(int) $_GET['approvelogid'] . get_extension($mimetype) . "\""); + header("Cache-Control: must-revalidate"); + readfile($filename); } } /* }}} */ @@ -160,17 +158,15 @@ class SeedDMS_Controller_Download extends SeedDMS_Controller_Common { } if(null === $this->callHook('review')) { - if(file_exists($dms->contentDir . $filename)) { - $finfo = finfo_open(FILEINFO_MIME_TYPE); - $mimetype = finfo_file($finfo, $filename); + $finfo = finfo_open(FILEINFO_MIME_TYPE); + $mimetype = finfo_file($finfo, $filename); - header("Content-Type: ".$mimetype."; name=\"review-" . $document->getID()."-".(int) $_GET['reviewlogid'] . get_extension($mimetype) . "\""); - header("Content-Transfer-Encoding: binary"); - header("Content-Length: " . filesize($filename )); - header("Content-Disposition: attachment; filename=\"review-" . $document->getID()."-".(int) $_GET['reviewlogid'] . get_extension($mimetype) . "\""); - header("Cache-Control: must-revalidate"); - readfile($filename); - } + header("Content-Type: ".$mimetype."; name=\"review-" . $document->getID()."-".(int) $_GET['reviewlogid'] . get_extension($mimetype) . "\""); + header("Content-Transfer-Encoding: binary"); + header("Content-Length: " . filesize($filename )); + header("Content-Disposition: attachment; filename=\"review-" . $document->getID()."-".(int) $_GET['reviewlogid'] . get_extension($mimetype) . "\""); + header("Cache-Control: must-revalidate"); + readfile($filename); } return true; } /* }}} */ diff --git a/install/update-3.4.0/update.sql b/install/update-3.4.0/update.sql index dfc4b7a75..1858d49b2 100644 --- a/install/update-3.4.0/update.sql +++ b/install/update-3.4.0/update.sql @@ -99,7 +99,7 @@ CALL DROPFK('tblDocuments', 'tblDocuments_folder'); ALTER TABLE tblDocuments ADD CONSTRAINT `tblDocuments_folder` FOREIGN KEY (`folder`) REFERENCES `tblFolders` (`id`); -CALL DROPFK('tblDocumentContent', 'tblDocumentDocument_document'); +CALL DROPFK('tblDocumentContent', 'tblDocumentContent_document'); ALTER TABLE tblDocumentContent DROP PRIMARY KEY; diff --git a/languages/ar_EG/lang.inc b/languages/ar_EG/lang.inc index 0bc64aaa8..dfd192cea 100644 --- a/languages/ar_EG/lang.inc +++ b/languages/ar_EG/lang.inc @@ -19,7 +19,7 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: Admin (1275) +// Translators: Admin (1277) $text = array( '2_factor_auth' => '', @@ -1052,6 +1052,9 @@ URL: [url]', 'select_users' => 'اضغط لاختيار المستخدم', 'select_workflow' => 'اختر مسار العمل', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => 'سبتمبر', 'sequence' => 'تتابع', @@ -1211,7 +1214,7 @@ URL: [url]', 'settings_expandFolderTree_val0' => '', 'settings_expandFolderTree_val1' => '', 'settings_expandFolderTree_val2' => '', -'settings_Extensions' => '', +'settings_Extensions' => 'ﺎﻠﻤﻠﺤﻗﺎﺗ', 'settings_extraPath' => '', 'settings_extraPath_desc' => '', 'settings_firstDayOfWeek' => '', @@ -1265,7 +1268,7 @@ URL: [url]', 'settings_more_settings' => '', 'settings_notfound' => '', 'settings_Notification' => '', -'settings_notwritable' => '', +'settings_notwritable' => 'ﻻ ﻲﻤﻜﻧ ﺢﻔﻇ ﺎﻠﺘﻛﻮﻴﻧ ﻸﻧ ﻢﻠﻓ ﺎﻠﺘﻛﻮﻴﻧ ﻎﻳﺭ ﻕﺎﺒﻟ ﻞﻠﻜﺗﺎﺑﺓ', 'settings_no_content_dir' => '', 'settings_overrideMimeType' => '', 'settings_overrideMimeType_desc' => '', @@ -1426,6 +1429,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => '', 'splash_substituted_user' => '', 'splash_switched_back_user' => '', diff --git a/languages/bg_BG/lang.inc b/languages/bg_BG/lang.inc index e7ecd68c6..cdd82ff53 100644 --- a/languages/bg_BG/lang.inc +++ b/languages/bg_BG/lang.inc @@ -917,6 +917,9 @@ $text = array( 'select_users' => 'Кликни да избереш потребители', 'select_workflow' => 'Избери процес', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => 'септември', 'sequence' => 'Последователност', @@ -1291,6 +1294,7 @@ $text = array( 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => '', 'splash_substituted_user' => '', 'splash_switched_back_user' => '', diff --git a/languages/ca_ES/lang.inc b/languages/ca_ES/lang.inc index 3082dc6a0..aef6afc4b 100644 --- a/languages/ca_ES/lang.inc +++ b/languages/ca_ES/lang.inc @@ -922,6 +922,9 @@ URL: [url]', 'select_users' => 'Prem per seleccionar els usuaris', 'select_workflow' => '', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => 'Setembre', 'sequence' => 'Seqüència', @@ -1296,6 +1299,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => '', 'splash_substituted_user' => '', 'splash_switched_back_user' => '', diff --git a/languages/cs_CZ/lang.inc b/languages/cs_CZ/lang.inc index 34ee1ef78..12885970b 100644 --- a/languages/cs_CZ/lang.inc +++ b/languages/cs_CZ/lang.inc @@ -19,7 +19,7 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: Admin (725), kreml (455) +// Translators: Admin (726), kreml (455) $text = array( '2_factor_auth' => '', @@ -471,7 +471,7 @@ URL: [url]', 'expire_by_date' => '', 'expire_in_1d' => '', 'expire_in_1h' => '', -'expire_in_1m' => '', +'expire_in_1m' => 'Expiruje o mesiac', 'expire_in_1w' => '', 'expire_in_1y' => '', 'expire_in_2h' => '', @@ -1061,6 +1061,9 @@ URL: [url]', 'select_users' => 'Kliknutím vyberte uživatele', 'select_workflow' => 'Vyberte postup práce', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => 'Září', 'sequence' => 'Posloupnost', @@ -1435,6 +1438,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Nastavení uloženo', 'splash_substituted_user' => 'Zaměněný uživatel', 'splash_switched_back_user' => 'Přepnuto zpět na původního uživatele', diff --git a/languages/de_DE/lang.inc b/languages/de_DE/lang.inc index 9dbf98ea8..0052b399f 100644 --- a/languages/de_DE/lang.inc +++ b/languages/de_DE/lang.inc @@ -19,7 +19,7 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: Admin (2476), dgrutsch (22) +// Translators: Admin (2481), dgrutsch (22) $text = array( '2_factor_auth' => '2-Faktor Authentifizierung', @@ -1117,6 +1117,14 @@ URL: [url]', 'select_users' => 'Klicken zur Auswahl eines Benutzers', 'select_workflow' => 'Workflow auswählen', 'send_email' => 'E-Mail verschicken', +'send_login_data' => 'Sende Login-Daten', +'send_login_data_body' => 'Login-Daten + +Login: [login] +Name: [username] + +[comment]', +'send_login_data_subject' => '[sitename]: [login] - Ihre Login-Daten', 'send_test_mail' => 'Sende Test-Email', 'september' => 'September', 'sequence' => 'Reihenfolge', @@ -1491,6 +1499,7 @@ URL: [url]', 'splash_saved_file' => 'Version gespeichert', 'splash_save_user_data' => 'Benutzerdaten gespeichert', 'splash_send_download_link' => 'Download-Link per E-Mail verschickt.', +'splash_send_login_data' => 'Login-Daten verschickt', 'splash_settings_saved' => 'Einstellungen gesichert', 'splash_substituted_user' => 'Benutzer gewechselt', 'splash_switched_back_user' => 'Zum ursprünglichen Benutzer zurückgekehrt', diff --git a/languages/el_GR/lang.inc b/languages/el_GR/lang.inc index 6977be8ae..24b17965b 100644 --- a/languages/el_GR/lang.inc +++ b/languages/el_GR/lang.inc @@ -928,6 +928,9 @@ URL: [url]', 'select_users' => '', 'select_workflow' => '', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => 'Σεπτέμβριος', 'sequence' => 'Σειρά', @@ -1302,6 +1305,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => '', 'splash_substituted_user' => '', 'splash_switched_back_user' => '', diff --git a/languages/en_GB/lang.inc b/languages/en_GB/lang.inc index 474d10424..a17a10b05 100644 --- a/languages/en_GB/lang.inc +++ b/languages/en_GB/lang.inc @@ -19,7 +19,7 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: Admin (1603), dgrutsch (9), netixw (14) +// Translators: Admin (1608), dgrutsch (9), netixw (14) $text = array( '2_factor_auth' => '2-factor authentication', @@ -1112,6 +1112,14 @@ URL: [url]', 'select_users' => 'Click to select users', 'select_workflow' => 'Select workflow', 'send_email' => 'Send email', +'send_login_data' => 'Send login data', +'send_login_data_body' => 'Login data + +Login: [login] +Name: [username] + +[comment]', +'send_login_data_subject' => '[sitename]: [login] - Your login data', 'send_test_mail' => 'Send test mail', 'september' => 'September', 'sequence' => 'Sequence', @@ -1486,6 +1494,7 @@ URL: [url]', 'splash_saved_file' => 'Version saved', 'splash_save_user_data' => 'User data saved', 'splash_send_download_link' => 'Download link sent by email.', +'splash_send_login_data' => 'Login data sent', 'splash_settings_saved' => 'Settings saved', 'splash_substituted_user' => 'Substituted user', 'splash_switched_back_user' => 'Switched back to original user', diff --git a/languages/es_ES/lang.inc b/languages/es_ES/lang.inc index 638044011..77fbf5d27 100644 --- a/languages/es_ES/lang.inc +++ b/languages/es_ES/lang.inc @@ -19,7 +19,7 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: acabello (20), Admin (1022), angel (123), francisco (2), jaimem (14) +// Translators: acabello (20), Admin (1036), angel (123), francisco (2), jaimem (14) $text = array( '2_factor_auth' => '', @@ -468,14 +468,14 @@ URL: [url]', 'expired' => 'Caducado', 'expired_at_date' => '', 'expires' => 'Caduca', -'expire_by_date' => '', +'expire_by_date' => 'Fecha de expiración', 'expire_in_1d' => '', 'expire_in_1h' => '', -'expire_in_1m' => '', -'expire_in_1w' => '', -'expire_in_1y' => '', +'expire_in_1m' => 'Expira en 1 mes', +'expire_in_1w' => 'Expira en 1 semana', +'expire_in_1y' => 'Expira en 1 año', 'expire_in_2h' => '', -'expire_in_2y' => '', +'expire_in_2y' => 'Expira en 2 años', 'expire_today' => '', 'expire_tomorrow' => '', 'expiry_changed_email' => 'Fecha de caducidad modificada', @@ -852,7 +852,7 @@ Si continua teniendo problemas de acceso, por favor contacte con el administrado 'personal_default_keywords' => 'Listas de palabras clave personales', 'pl_PL' => 'Polaco', 'possible_substitutes' => '', -'preset_expires' => '', +'preset_expires' => 'Establece caducidad', 'preview' => '', 'preview_converters' => '', 'preview_images' => '', @@ -860,8 +860,8 @@ Si continua teniendo problemas de acceso, por favor contacte con el administrado 'preview_plain' => '', 'previous_state' => 'Estado anterior', 'previous_versions' => 'Versiones anteriores', -'process' => '', -'process_without_user_group' => '', +'process' => 'Proceso', +'process_without_user_group' => 'Procesos sin usuario/grupo', 'pt_BR' => 'Portuges (BR)', 'quota' => 'Cuota', 'quota_exceeded' => 'Su cuota de disco se ha excedido en [bytes].', @@ -1067,6 +1067,9 @@ URL: [url]', 'select_users' => 'Haga Click para seleccionar usuarios', 'select_workflow' => 'Selecionar Flujo de Trabajo', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => 'Enviar correo de prueba', 'september' => 'Septiembre', 'sequence' => 'Secuencia', @@ -1158,7 +1161,7 @@ URL: [url]', 'settings_enableClipboard_desc' => 'Habilitar/deshabilitar el portapapeles', 'settings_enableConverting' => 'Habilitar conversión', 'settings_enableConverting_desc' => 'Habilitar/Deshabilitar conversión de ficheros', -'settings_enableDropFolderList' => '', +'settings_enableDropFolderList' => 'Habilitar lista de archivos en la carpeta de subida en el menú', 'settings_enableDropFolderList_desc' => '', 'settings_enableDropUpload' => 'Habilitar Subida Rapida', 'settings_enableDropUpload_desc' => 'Habilite/Deshabilite el área de drop en la pagina \'\'Ver folder\' para subir archivos por Drag&Drop', @@ -1182,7 +1185,7 @@ URL: [url]', 'settings_enableLargeFileUpload_desc' => 'Si se habilita, la carga de ficheros también estará disponible a través de un applet java llamado jumploader, sin límite de tamaño de fichero fijado por el navegador. También permite la carga de múltiples ficheros de una sola vez.', 'settings_enableMenuTasks' => '', 'settings_enableMenuTasks_desc' => '', -'settings_enableMultiUpload' => '', +'settings_enableMultiUpload' => 'Permitir subir múltiples archivos', 'settings_enableMultiUpload_desc' => '', 'settings_enableNotificationAppRev' => 'Habilitar notificación a revisor/aprobador', 'settings_enableNotificationAppRev_desc' => 'Habilitar para enviar notificación a revisor/aprobador cuando se añade una nueva versión de documento', @@ -1274,7 +1277,7 @@ URL: [url]', 'settings_maxRecursiveCount' => 'Número máximo del contador de carpetas/documentos recursivos', 'settings_maxRecursiveCount_desc' => 'Este es el número máximo de documentos o carpetas que pueden ser revisados con derechos de acceso, contando objetos recursivos. Si este número es excedido , el número de carpetas y documentos en la vista de carpeta será estimado.', 'settings_maxSizeForFullText' => 'Tamaño máximo del fichero para el indexado inmediato', -'settings_maxSizeForFullText_desc' => '', +'settings_maxSizeForFullText_desc' => 'Todo documento nuevo menor que el tamaño configurado será indexado completamente después de su subida. En los demás casos se indexarán solo los metadatos.', 'settings_maxUploadSize' => '', 'settings_maxUploadSize_desc' => '', 'settings_more_settings' => 'Configure más parámetros. Acceso por defecto: admin/admin', @@ -1441,6 +1444,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Configuración guardada', 'splash_substituted_user' => 'Usuario sustituido', 'splash_switched_back_user' => 'Cambió de nuevo al usuario original', @@ -1581,12 +1585,12 @@ URL: [url]', 'uploading_zerosize' => 'Subiendo un fichero vacío. -Subida cancelada.', 'used_discspace' => 'Espacio de disco utilizado', 'user' => 'Usuario', -'userid_groupid' => '', +'userid_groupid' => 'ID Usuario/ID Grupo', 'users' => 'Usuarios', 'users_and_groups' => 'Usuarios/Grupos', 'users_done_work' => 'Trabajos realizados por los usuarios', 'user_exists' => 'El usuario ya existe.', -'user_group' => '', +'user_group' => 'Usuario/Grupo', 'user_group_management' => 'Gestión de Usuarios/Grupos', 'user_image' => 'Imagen', 'user_info' => 'Información de usuario', diff --git a/languages/fr_FR/lang.inc b/languages/fr_FR/lang.inc index 9e3cf67d0..a49bbca37 100644 --- a/languages/fr_FR/lang.inc +++ b/languages/fr_FR/lang.inc @@ -19,7 +19,7 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: Admin (1062), jeromerobert (50), lonnnew (9), Oudiceval (250) +// Translators: Admin (1063), jeromerobert (50), lonnnew (9), Oudiceval (275) $text = array( '2_factor_auth' => 'Authentification forte', @@ -249,7 +249,7 @@ URL: [url]', 'choose_attrdefgroup' => '', 'choose_category' => 'Sélectionnez une catégorie', 'choose_group' => 'Choisir un groupe', -'choose_role' => '', +'choose_role' => 'Choisir un rôle', 'choose_target_category' => 'Choisir une catégorie', 'choose_target_document' => 'Choisir un document', 'choose_target_file' => 'Choisir un fichier', @@ -287,7 +287,7 @@ URL: [url]', 'confirm_rm_user' => 'Voulez-vous vraiment supprimer l\'utilisateur "[username]"?
Attention: Cette action ne peut pas être annulée.', 'confirm_rm_user_from_processes' => '', 'confirm_rm_version' => 'Voulez-vous réellement supprimer la [version] du document "[documentname]"?
Attention: Cette action ne peut pas être annulée.', -'confirm_transfer_objects' => '', +'confirm_transfer_objects' => 'Voulez-vous vraiment transférer les documents, dossiers, etc. de l’utilisateur « [username] » ?
Attention : Cette action est irréversible.', 'confirm_update_transmittalitem' => '', 'content' => 'Contenu', 'continue' => 'Continuer', @@ -336,7 +336,7 @@ URL: [url]', 'documents_user_reception' => '', 'documents_user_rejected' => 'Documents rejetés', 'documents_user_requiring_attention' => 'Documents à surveiller', -'documents_with_notification' => '', +'documents_with_notification' => 'Documents avec notification', 'document_already_checkedout' => 'Ce document est déjà débloqué', 'document_already_locked' => 'Ce document est déjà verrouillé', 'document_comment_changed_email' => 'Commentaire modifié', @@ -415,7 +415,7 @@ Le lien est valide jusqu’au [valid]. 'do_object_setchecksum' => 'Définir checksum', 'do_object_setfilesize' => 'Définir la taille du fichier', 'do_object_unlink' => 'Supprimer la version du document', -'draft' => 'Brouillon', +'draft' => 'Ébauche', 'draft_pending_approval' => 'Ebauche - En cours d\'approbation', 'draft_pending_review' => 'Ebauche - En cours de correction', 'drag_icon_here' => 'Glisser/déposer le fichier ou document ici!', @@ -511,7 +511,7 @@ URL : [url]', 'folder' => 'Dossier', 'folders' => 'Dossiers', 'folders_and_documents_statistic' => 'Aperçu du contenu', -'folders_with_notification' => '', +'folders_with_notification' => 'Dossiers avec notification', 'folder_comment_changed_email' => 'Commentaire changé', 'folder_comment_changed_email_body' => 'Commentaire changé Dossier: [name] @@ -640,7 +640,7 @@ URL: [url]', 'js_no_approval_group' => 'Veuillez sélectionner un groupe d’approbation', 'js_no_approval_status' => 'Veuillez sélectionner le statut d’approbation', 'js_no_comment' => 'Il n\'y a pas de commentaires', -'js_no_currentpwd' => '', +'js_no_currentpwd' => 'Veuillez entrer votre mot de passe actuel', 'js_no_email' => 'Saisissez votre adresse e-mail', 'js_no_file' => 'Veuillez sélectionner un fichier', 'js_no_keywords' => 'Spécifiez quelques mots-clés', @@ -705,7 +705,7 @@ URL: [url]', 'march' => 'Mars', 'max_upload_size' => 'Taille maximum de fichier déposé', 'may' => 'Mai', -'menu_dropfolder' => '', +'menu_dropfolder' => 'Dossier de dépôt', 'mimetype' => 'Type MIME', 'minutes' => 'minutes', 'misc' => 'Divers', @@ -1062,6 +1062,14 @@ URL: [url]', 'select_users' => 'Cliquer pour choisir un utilisateur', 'select_workflow' => 'Choisir un workflow', 'send_email' => '', +'send_login_data' => 'Envoyer les informations de connexion', +'send_login_data_body' => 'Informations de connexion + +Identifiant : [login] +Nom : [username] + +[comment]', +'send_login_data_subject' => '[sitename] : [login] - Vos informations de connexion', 'send_test_mail' => 'Envoyer un e-mail test', 'september' => 'Septembre', 'sequence' => 'Position dans le répertoire', @@ -1153,8 +1161,8 @@ URL: [url]', 'settings_enableClipboard_desc' => 'Activer/désactiver le presse-papier', 'settings_enableConverting' => 'Activer conversion des fichiers', 'settings_enableConverting_desc' => 'Activer/Désactiver la conversion des fichiers', -'settings_enableDropFolderList' => '', -'settings_enableDropFolderList_desc' => '', +'settings_enableDropFolderList' => 'Activer la liste des fichiers du dossier de dépôt', +'settings_enableDropFolderList_desc' => 'Affiche un menu avec la liste des fichiers qui se trouvent dans le dossier de dépôt.', 'settings_enableDropUpload' => 'Activer la publication rapide de documents', 'settings_enableDropUpload_desc' => 'Activer/Désactiver la zone de glisser/ déposer sur la page d\'un dossier.', 'settings_enableDuplicateDocNames' => 'Autoriser plusieurs documents de même nom', @@ -1238,7 +1246,7 @@ URL: [url]', 'settings_httpRoot_desc' => 'Le chemin relatif dans l\'URL, après le nom de domaine. Ne pas inclure le préfixe http:// ou le nom d\'hôte Internet. Par exemple Si l\'URL complète est http://www.example.com/letodms/, mettez \'/letodms/\'. Si l\'URL est http://www.example.com/, mettez \'/\'', 'settings_initialDocumentStatus' => '', 'settings_initialDocumentStatus_desc' => '', -'settings_initialDocumentStatus_draft' => 'Brouillon', +'settings_initialDocumentStatus_draft' => 'ébauche', 'settings_initialDocumentStatus_released' => 'publié', 'settings_installADOdb' => 'Installer ADOdb', 'settings_install_disabled' => 'Le fichier ENABLE_INSTALL_TOOL a été supprimé. Vous pouvez maintenant vous connecter à SeedDMS et poursuivre la configuration.', @@ -1433,14 +1441,15 @@ URL: [url]', 'splash_rm_transmittal' => '', 'splash_rm_user' => 'Utilisateur supprimé', 'splash_rm_user_processes' => '', -'splash_saved_file' => '', -'splash_save_user_data' => '', +'splash_saved_file' => 'Version enregistrée', +'splash_save_user_data' => 'Données utilisateur enregistrées', 'splash_send_download_link' => 'Lien de téléchargement envoyé par e-mail', +'splash_send_login_data' => 'Informations de connexion envoyées', 'splash_settings_saved' => 'Configuration sauvegardée', 'splash_substituted_user' => 'Utilisateur de substitution', 'splash_switched_back_user' => 'Revenu à l\'utilisateur initial', 'splash_toogle_group_manager' => 'Responsable de groupe changé', -'splash_transfer_objects' => '', +'splash_transfer_objects' => 'Objets transférés', 'state_and_next_state' => 'État initial/suivant', 'statistic' => 'Statistiques', 'status' => 'Statut', @@ -1458,7 +1467,7 @@ URL: [url]', 'status_reviewer_rejected' => 'Correction rejetée', 'status_reviewer_removed' => 'Correcteur retiré du processus', 'status_revised' => '', -'status_revision_rejected' => '', +'status_revision_rejected' => 'Rejeté', 'status_revision_sleeping' => '', 'status_revisor_removed' => '', 'status_unknown' => 'Inconnu', @@ -1509,15 +1518,15 @@ URL: [url]', 'timeline_skip_status_change_1' => 'en attente d\'approbation', 'timeline_skip_status_change_2' => 'publié', 'timeline_skip_status_change_3' => 'encore dans un workflow', -'timeline_skip_status_change_4' => '', -'timeline_skip_status_change_5' => '', +'timeline_skip_status_change_4' => 'en révision', +'timeline_skip_status_change_5' => 'brouillon', 'timeline_status_change' => 'Version [version] : [status]', 'to' => 'Au', 'toggle_manager' => 'Basculer \'Responsable\'', 'toggle_qrcode' => 'Afficher/masquer le QR code', 'to_before_from' => '', -'transfer_objects' => '', -'transfer_objects_to_user' => '', +'transfer_objects' => 'Transférer des objets', +'transfer_objects_to_user' => 'Nouveau propriétaire', 'transition_triggered_email' => 'Transition de workflow activé', 'transition_triggered_email_body' => 'Transition de workflow déclenchée Document : [name] @@ -1576,12 +1585,12 @@ URL : [url]', 'uploading_zerosize' => 'Chargement d\'un fichier vide. Chargement annulé.', 'used_discspace' => 'Espace disque utilisé', 'user' => 'Utilisateur', -'userid_groupid' => '', +'userid_groupid' => 'ID utilisateur/ID groupe', 'users' => 'Utilisateurs', 'users_and_groups' => 'Utilisateurs/groupes', 'users_done_work' => 'Actions des utilisateurs', 'user_exists' => 'Cet utilisateur existe déjà', -'user_group' => '', +'user_group' => 'Utilisateur/Groupe', 'user_group_management' => 'Gestion d\'Utilisateurs/de Groupes', 'user_image' => 'Image', 'user_info' => 'Informations utilisateur', diff --git a/languages/hr_HR/lang.inc b/languages/hr_HR/lang.inc index 95613ede8..356278299 100644 --- a/languages/hr_HR/lang.inc +++ b/languages/hr_HR/lang.inc @@ -1088,6 +1088,9 @@ Internet poveznica: [url]', 'select_users' => 'Kliknite za odabir korisnika', 'select_workflow' => 'Odaberite tok rada', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => 'Rujan', 'sequence' => 'Redoslijed', @@ -1462,6 +1465,7 @@ Internet poveznica: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Postavke pohranjene', 'splash_substituted_user' => 'Zamjenski korisnik', 'splash_switched_back_user' => 'Prebačeno nazad na izvornog korisnika', diff --git a/languages/hu_HU/lang.inc b/languages/hu_HU/lang.inc index 0c363132a..84b144f00 100644 --- a/languages/hu_HU/lang.inc +++ b/languages/hu_HU/lang.inc @@ -1066,6 +1066,9 @@ URL: [url]', 'select_users' => 'Kattintson a felhasználó kiválasztásához', 'select_workflow' => 'Munkafolyamat választás', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => 'September', 'sequence' => 'Sorrend', @@ -1440,6 +1443,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Beállítások elmentve', 'splash_substituted_user' => 'Helyettesített felhasználó', 'splash_switched_back_user' => 'Visszaváltva az eredeti felhasználóra', diff --git a/languages/it_IT/lang.inc b/languages/it_IT/lang.inc index 400b5512a..2b30c49dc 100644 --- a/languages/it_IT/lang.inc +++ b/languages/it_IT/lang.inc @@ -1100,6 +1100,9 @@ URL: [url]', 'select_users' => 'Clicca per selezionare gli utenti', 'select_workflow' => 'Seleziona il flusso di lavoro', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => 'Invia messagio di prova', 'september' => 'Settembre', 'sequence' => 'Posizione', @@ -1474,6 +1477,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Impostazioni salvate', 'splash_substituted_user' => 'Utente sostituito', 'splash_switched_back_user' => 'Ritorno all\'utente originale', diff --git a/languages/ko_KR/lang.inc b/languages/ko_KR/lang.inc index 1039bed1c..03be2801b 100644 --- a/languages/ko_KR/lang.inc +++ b/languages/ko_KR/lang.inc @@ -19,16 +19,16 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: Admin (940), daivoc (421) +// Translators: Admin (940), daivoc (421), fofwisdom (166) $text = array( -'2_factor_auth' => '관리자 ({LOCALE}/lang.inc)', +'2_factor_auth' => '이중 인증', '2_factor_auth_info' => '', -'2_fact_auth_secret' => '', +'2_fact_auth_secret' => '시크릿', 'accept' => '동의', 'access_control' => '접근 제어', -'access_control_is_off' => '접근 제어 불가', -'access_denied' => '접근가 거부되었습니다.', +'access_control_is_off' => '고급 접근 제어 꺼짐', +'access_denied' => '접근 거부되었습니다.', 'access_inheritance' => '접근 상속', 'access_mode' => '접근 모드', 'access_mode_all' => '모든 권한', @@ -47,8 +47,8 @@ URL: [url]', 'actions' => '작업', 'action_approve' => '승인', 'action_complete' => '완료', -'action_is_complete' => '완료', -'action_is_not_complete' => '완료되지 않은', +'action_is_complete' => '완료됨', +'action_is_not_complete' => '완료되지 않음', 'action_reject' => '거부', 'action_review' => '검토', 'action_revise' => '수정', @@ -56,8 +56,8 @@ URL: [url]', 'add_approval' => '승인 추가', 'add_attrdefgroup' => '', 'add_document' => '문서 추가', -'add_document_link' => '링크 추가', -'add_document_notify' => '알림 추가', +'add_document_link' => '연결 더하기', +'add_document_notify' => '알림 할당', 'add_doc_reviewer_approver_warning' => '주의: 검토자나 승인자가 할당되지 않은 경우 관련문서는 자동으로 출시됨으로 표시됩니다.', 'add_doc_workflow_warning' => '주의: 워크플로어가 할당되지 않은 문서는 자동으로 출시됨으로 표시됩니다.', 'add_event' => '이벤트 추가', @@ -68,8 +68,8 @@ URL: [url]', 'add_receipt' => '접수', 'add_review' => '평가 추가', 'add_revision' => '승인 추가', -'add_role' => '', -'add_subfolder' => '서브 폴더 추가', +'add_role' => '새 역할 더하기', +'add_subfolder' => '하위 폴더 추가', 'add_to_clipboard' => '클립 보드에 추가', 'add_to_transmittal' => '전송', 'add_transmittal' => '전송', @@ -93,7 +93,7 @@ URL: [url]', 'approvals_and_reviews_not_touched' => '', 'approvals_and_reviews_rejected' => '', 'approvals_not_touched' => '', -'approvals_rejected' => '', +'approvals_rejected' => '[no_approvals] 이미 승인 거부됨', 'approvals_without_group' => '', 'approvals_without_user' => '', 'approval_deletion_email' => '승인 요청 삭제', @@ -136,14 +136,14 @@ URL: [url]', 'archive_creation_warning' => '본 작업은 전체 DMS 폴더 내의 파일 모두에 아카이브를 만듭니다. 생성한 아카이브는 서버의 데이터 폴더에 저장됩니다.
경고 : 이렇게 만들어진 자료는 서버의 백업과 같이 가독성이 저하 됩니다.', 'ar_EG' => '아랍어', 'assign_approvers' => '승인자 지정', -'assign_reviewers' => '검토자 지정', +'assign_reviewers' => '검토자 배정', 'assign_user_property_to' => '사용자 속성에 할당', -'assumed_released' => '가정한 출시', +'assumed_released' => 'Assumed released', 'attrdefgroup_management' => '', -'attrdefgrp_show_detail' => '', -'attrdefgrp_show_list' => '', -'attrdefgrp_show_search' => '', -'attrdefgrp_show_searchlist' => '', +'attrdefgrp_show_detail' => '자세히', +'attrdefgrp_show_list' => '목록', +'attrdefgrp_show_search' => '검색', +'attrdefgrp_show_searchlist' => '검색 결과', 'attrdef_exists' => '이미 존재하는 속성', 'attrdef_info' => '속성정보', 'attrdef_in_use' => '사용중인 속성 정의', @@ -161,7 +161,7 @@ URL: [url]', 'attrdef_type' => '유형', 'attrdef_type_boolean' => 'Boolean', 'attrdef_type_date' => '날짜', -'attrdef_type_email' => '이메일', +'attrdef_type_email' => '전자우편', 'attrdef_type_float' => 'Float', 'attrdef_type_int' => '정수', 'attrdef_type_string' => '문자열', @@ -225,9 +225,9 @@ URL: [url]', 'category_in_use' => '이 카테고리는 현재 문서에서 사용합니다.', 'category_noname' => '주어진 카테고리명이 없음.', 'ca_ES' => '카탈로니아어', -'change_assignments' => '변경 할당', -'change_password' => '비밀번호 변경', -'change_password_message' => '비밀번호가 변경되었습니다.', +'change_assignments' => '검토자/승인자 설정', +'change_password' => '암호 바꾸기', +'change_password_message' => '암호를 바꾸었습니다.', 'change_recipients' => '수신자 목록 변경', 'change_revisors' => '변경후 다시 제출', 'change_status' => '상태 변경', @@ -261,22 +261,23 @@ URL: [url]', 'choose_workflow_action' => '워크플로우 작업 선택', 'choose_workflow_state' => '워크플로우 상태 선택', 'class_name' => '', -'clear_cache' => '', +'clear_cache' => '캐시 비우기', 'clear_clipboard' => '클립 보드 제거', -'clear_password' => '', +'clear_password' => '암호 비우기', 'clipboard' => '클립보드', 'close' => '닫기', -'command' => '', -'comment' => '코멘트', -'comment_changed_email' => '변경된 이메일 코멘트', -'comment_for_current_version' => '코맨트', +'command' => '커맨드', +'comment' => '주석', +'comment_changed_email' => '', +'comment_for_current_version' => '버전 주석', 'confirm_clear_cache' => '', 'confirm_create_fulltext_index' => '예, 전체 텍스트 인덱스를 다시 만들고 싶습니다!', 'confirm_move_document' => '', 'confirm_move_folder' => '', -'confirm_pwd' => '비밀번호 확인', -'confirm_rm_backup' => '파일 "[arkname]"을 정말 삭제 하시겠습니까?
주의: 취소가 불가능 합니다.', -'confirm_rm_document' => '문서 "[documentname]"을 정말 삭제 하시겠습니까?
주의: 취소가 불가능 합니다.', +'confirm_pwd' => '암호 확인', +'confirm_rm_backup' => '정말로 "[arkname]" 파일을 지울까요? +
주의: 이 행동은 되돌릴 수 없습니다.', +'confirm_rm_document' => '정말로 "[documentname]" 문서를 지울까요?
주의: 이 행동은 되돌릴 수 없습니다.', 'confirm_rm_dump' => '파일 "[dumpname]"을 정말 삭제 하시겠습니까?
주의: 취소가 불가능 합니다.', 'confirm_rm_event' => '이밴트 "[name]"을 정말 삭제 하시겠습니까?
주의: 취소가 불가능 합니다.', 'confirm_rm_file' => '파일 "[name]"을 정말 삭제 하시겠습니까?
주의: 취소가 불가능 합니다.', @@ -296,12 +297,12 @@ URL: [url]', 'converter_new_cmd' => '명령', 'converter_new_mimetype' => '새 MIME 형태', 'copied_to_checkout_as' => '체크아웃으로 파일(\'[filename]\')이 파일 복사됨', -'create_download_link' => '', +'create_download_link' => '내려받기 연결 만들기', 'create_fulltext_index' => '전체 텍스트 인덱스 만들기', 'create_fulltext_index_warning' => '전체 자료의 텍스트 인덱스를 다시 만들 수 있습니다. 이것은 상당한 시간을 요구하며 진행되는 동안 시스템 성능을 감소시킬 수 있습니다. 인덱스를 재 생성하려면, 확인하시기 바랍니다.', -'creation_date' => '생성', +'creation_date' => '생성일', 'cs_CZ' => '체코어', -'current_password' => '현재 비밀번호', +'current_password' => '현재 암호', 'current_quota' => '시스템 전체 할당량 [quota]을 설정합니다.', 'current_state' => '현재 상태', 'current_version' => '현재 버전', @@ -309,7 +310,7 @@ URL: [url]', 'databasesearch' => '데이터베이스 검색', 'date' => '날짜', 'days' => '일', -'debug' => '', +'debug' => '디버그', 'december' => '12월', 'default_access' => '기본 접근 모드', 'default_keywords' => '사용 가능한 키워드', @@ -341,7 +342,7 @@ URL: [url]', 'documents_with_notification' => '', 'document_already_checkedout' => '이문서는 이미 체크아웃 되었습니다', 'document_already_locked' => '이미 잠겨진 문서', -'document_comment_changed_email' => '코멘트가 변경됨', +'document_comment_changed_email' => '주석 변경됨', 'document_comment_changed_email_body' => '변경된 코멘트 문서: [name] 이전 코멘트: [old_comment] @@ -349,7 +350,7 @@ URL: [url]', 상위폴더: [folder_path] 사용자: [username] URL: [url]', -'document_comment_changed_email_subject' => '[sitename] : [name] - 코멘트 변경', +'document_comment_changed_email_subject' => '[sitename]: [name] - 주석 변경됨', 'document_count' => '문서 수', 'document_deleted' => '삭제된 문서', 'document_deleted_email' => '삭제된 문서', @@ -366,11 +367,11 @@ URL: [url]', 'document_link_by' => '연결', 'document_link_public' => '공개', 'document_moved_email' => '이동된 문서', -'document_moved_email_body' => '이동된 문서 -문서: [name] -이전 폴더: [old_folder_path] -새코멘트: [new_folder_path] -사용자: [username] +'document_moved_email_body' => '문서 이동됨 +문서: [name] +이전 폴더: [old_folder_path] +새 폴더: [new_folder_path] +사용자: [username] URL: [url]', 'document_moved_email_subject' => '[sitename] : [name] - 이동된 문서', 'document_not_checkedout' => '문서가 체크아웃되지 않았습니다.', @@ -398,9 +399,9 @@ URL: [url]', 사용자: [username] URL: [url]', 'document_updated_email_subject' => '[name]:[sitename] - 업데이트 된 문서', -'does_not_expire' => '만료되지 않습니다', +'does_not_expire' => '만료 안됨', 'does_not_inherit_access_msg' => '액세스 상속', -'download' => '다운로드', +'download' => '내려받기', 'download_links' => '', 'download_link_email_body' => '', 'download_link_email_subject' => '', @@ -425,18 +426,18 @@ URL: [url]', 'duplicate_content' => '중복 내용', 'edit' => '편집', 'edit_attributes' => '속성 편집', -'edit_comment' => '코맨트 편집', +'edit_comment' => '주석 고치기', 'edit_default_keywords' => '키워드 수정', 'edit_document_access' => '액세스 편집', -'edit_document_notify' => '문서 알림 목록', +'edit_document_notify' => '문서 알림목록', 'edit_document_props' => '문서 편집', 'edit_event' => '편집 이벤트', 'edit_existing_access' => '편집 액세스 목록', 'edit_existing_attribute_groups' => '', -'edit_existing_notify' => '편집 알림 리스트', +'edit_existing_notify' => '알림목록 고치기', 'edit_folder_access' => '액세스 편집', 'edit_folder_attrdefgrp' => '', -'edit_folder_notify' => '폴더 알림 목록', +'edit_folder_notify' => '폴더 알림목록', 'edit_folder_props' => '폴더 편집', 'edit_group' => '편집 그룹', 'edit_online' => '', @@ -444,12 +445,12 @@ URL: [url]', 'edit_user' => '사용자 편집', 'edit_user_details' => '사용자 세부 사항 편집', 'edit_version' => '', -'el_GR' => '', -'email' => '이메일', -'email_error_title' => '이메일 입력', -'email_footer' => '내 계정\'을 사용하여 전자 메일 설정을 변경 할 수 있습니다', -'email_header' => 'DMS 서버에서 자동 생성된 메시지 입니다.', -'email_not_given' => '유효한 이메일 주소를 입력하십시오.', +'el_GR' => '그리스어', +'email' => '전자우편', +'email_error_title' => '기입된 전자우편 없음', +'email_footer' => '귀하는 언제든지 \'내 계정\' 기능을 사용하여 전자우편 주소를 바꿀 수 있습니다.', +'email_header' => 'DMS 서버에서의 자동화 메시지입니다.', +'email_not_given' => '유효한 전자우편을 기입해주세요.', 'empty_attribute_group_list' => '', 'empty_folder_list' => '문서 또는 폴더 입력', 'empty_notify_list' => '항목을 입력하세요', @@ -470,15 +471,15 @@ URL: [url]', 'es_ES' => '스페인어', 'event_details' => '이벤트의 자세한 사항', 'exclude_items' => '항목 제외', -'expired' => '만료', +'expired' => '만료됨', 'expired_at_date' => '', -'expires' => '만료', -'expire_by_date' => '', -'expire_in_1d' => '', -'expire_in_1h' => '', -'expire_in_1m' => '', -'expire_in_1w' => '', -'expire_in_1y' => '', +'expires' => '만료하기', +'expire_by_date' => '지정일에 만료', +'expire_in_1d' => '1일 후 만료', +'expire_in_1h' => '1시간 후 만료', +'expire_in_1m' => '1개월 후 만료', +'expire_in_1w' => '1주 후 만료', +'expire_in_1y' => '1년 후 만료', 'expire_in_2h' => '', 'expire_in_2y' => '', 'expire_today' => '', @@ -505,7 +506,7 @@ URL: [url]', 'folders' => '폴더', 'folders_and_documents_statistic' => '개요 내용', 'folders_with_notification' => '', -'folder_comment_changed_email' => '코멘트가 변경', +'folder_comment_changed_email' => '주석 변경됨', 'folder_comment_changed_email_body' => '코멘트 변경 폴더: [name] 이전 코멘트: [old_comment] @@ -513,7 +514,7 @@ URL: [url]', 상위 폴더: [folder_path] 사용자: [username] URL: [url]', -'folder_comment_changed_email_subject' => '[sitename] : [folder] - 코멘트가 변경', +'folder_comment_changed_email_subject' => '[sitename]: [name] - 주석 변경됨', 'folder_contents' => '폴더 내용', 'folder_deleted_email' => '폴더 삭제', 'folder_deleted_email_body' => '폴더 삭제 @@ -531,7 +532,7 @@ URL : [url]', 사용자: [username] URL : [url]', 'folder_moved_email_subject' => '[sitename] : [name] - 폴더 이동', -'folder_renamed_email' => '폴더 이름', +'folder_renamed_email' => '폴더 이름 바꿈', 'folder_renamed_email_body' => '폴더명 변경 폴더: [name] 상위 폴더: [folder_path] @@ -566,7 +567,7 @@ URL: [url]', 'group_review_summary' => '그룹 검토 요약', 'guest_login' => '게스트로 로그인', 'guest_login_disabled' => '고객 로그인을 사용할 수 없습니다.', -'hash' => '', +'hash' => '해시', 'help' => '도움말', 'home_folder' => '홈 폴더', 'hook_name' => '', @@ -577,20 +578,20 @@ URL: [url]', 'hu_HU' => '헝가리어', 'id' => 'ID', 'identical_version' => '새 버전은 최신 버전으로 동일하다.', -'import' => '', -'importfs' => '', -'import_fs' => '', +'import' => '가져오기', +'importfs' => '파일시스템으로부터 가져오기', +'import_fs' => '파일시스템으로부터 가져오기', 'import_fs_warning' => '', 'include_content' => '내용을 포함', 'include_documents' => '문서 포함', -'include_subdirectories' => '서브 디렉토리를 포함', +'include_subdirectories' => '하위 디렉터리 포함', 'indexing_tasks_in_queue' => '', 'index_converters' => '인덱스 문서 변환', -'index_done' => '', -'index_error' => '', +'index_done' => '마침', +'index_error' => '오류', 'index_folder' => '인덱스 폴더', 'index_pending' => '', -'index_waiting' => '', +'index_waiting' => '기다리는 중', 'individuals' => '개인', 'indivіduals_in_groups' => '개별 그룹', 'inherited' => '상속', @@ -634,17 +635,17 @@ URL: [url]', 'js_no_approval_status' => '승인 상태를 선택하세요', 'js_no_comment' => '코멘트가 없습니다', 'js_no_currentpwd' => '', -'js_no_email' => '당신의 이메일 주소를 입력', +'js_no_email' => '귀하의 전자우편 주소를 기입해주세요.', 'js_no_file' => '파일을 선택하세요', 'js_no_keywords' => '몇 가지 키워드를 지정', -'js_no_login' => '사용자 이름을 입력하세요', -'js_no_name' => '이름을 입력하세요', +'js_no_login' => '사용자명을 입력해주십시오.', +'js_no_name' => '이름을 입력해주십시오.', 'js_no_override_status' => '새 [override] 상태를 선택하세요', -'js_no_pwd' => '당신은 당신의 비밀번호를 입력해야합니다', +'js_no_pwd' => '귀하의 암호를 입력해야합니다.', 'js_no_query' => '쿼리 입력', 'js_no_review_group' => '리뷰 그룹을 선택하세요', 'js_no_review_status' => '검토 상태를 선택하세요', -'js_pwd_not_conf' => '비밀번호 및 비밀번호-확인이 동일하지', +'js_pwd_not_conf' => '암호와 암호 확인이 일치하지 않음', 'js_select_user' => '사용자 선택하세요', 'js_select_user_or_group' => '적어도 사용자 또는 그룹을 선택', 'js_unequal_passwords' => '', @@ -662,7 +663,7 @@ URL: [url]', 'legend' => '전설', 'librarydoc' => '라이브러리의 문서', 'linked_documents' => '관련 문서', -'linked_files' => '첨부 파일', +'linked_files' => '첨부', 'linked_to_current_version' => '', 'linked_to_document' => '', 'linked_to_this_version' => '', @@ -672,16 +673,16 @@ URL: [url]', 'list_contains_no_access_docs' => '', 'list_hooks' => '', 'local_file' => '로컬 파일', -'locked_by' => '잠금', -'lock_document' => '잠금', +'locked_by' => '잠근이', +'lock_document' => '잠그기', 'lock_message' => '이 문서는 [username].에 의해 잠겨 있습니다. 허가 된 사용자 만이 문서를 잠금을 해제 할 수 있습니다.', 'lock_status' => '상태', 'login' => '로그인', 'login_disabled_text' => '귀정 이상 로그인 실패로 당신의 계정을사용할 수 없습니다.', 'login_disabled_title' => '계정 비활성화', -'login_error_text' => '로그인 오류. 잘못된 사용자 ID 또는 비밀번호.', +'login_error_text' => '로그인 오류. 사용자의 계정 혹은 암호가 잘못되었습니다.', 'login_error_title' => '로그인 오류', -'login_not_given' => '사용자 이름이 없습니다', +'login_not_given' => '사용자명이 제공되지 않았습니다.', 'login_ok' => '성공적인 로그인', 'logout' => '로그 아웃', 'log_management' => '파일 관리 로그', @@ -699,7 +700,7 @@ URL: [url]', 'max_upload_size' => '최대 업로드 크기', 'may' => '월', 'menu_dropfolder' => '', -'mimetype' => '마임 유형', +'mimetype' => 'MIME 유형', 'minutes' => '분', 'misc' => '기타', 'missing_checksum' => '검사 누락', @@ -714,14 +715,14 @@ URL: [url]', 'month_view' => '월간 단위로 보기', 'move' => '이동', 'move_clipboard' => '이동 클립 보드', -'move_document' => '문서 이동', +'move_document' => '문서 옮기기', 'move_folder' => '폴더 이동', 'my_account' => '내 계정', 'my_documents' => '내 문서', 'my_transmittals' => '내 송부', 'name' => '이름', 'needs_workflow_action' => '이 문서는 당신의주의가 필요합니다. 워크플로우 탭을 확인하시기 바랍니다.', -'network_drive' => '', +'network_drive' => '네트워크 드라이브', 'never' => '불가', 'new' => '새', 'new_attrdef' => '속성 정의 추가', @@ -737,7 +738,7 @@ URL: [url]', 사용자: [username] URL: [url]', 'new_document_email_subject' => '[sitename] : [folder_name] - 새 문서', -'new_file_email' => '새 첨부 파일', +'new_file_email' => '새 첨부', 'new_file_email_body' => '새 첨부 파일 이름: [name] 문서: [document] @@ -746,7 +747,7 @@ URL: [url]', URL: [url]', 'new_file_email_subject' => '[sitename] : [document] - 새 첨부 파일', 'new_folder' => '새 폴더', -'new_password' => '새 비밀번호', +'new_password' => '새 암호', 'new_subfolder_email' => '새 폴더', 'new_subfolder_email_body' => '새 폴더 이름: [name] @@ -759,7 +760,7 @@ URL [url]', 'next_state' => '새 상태', 'nl_NL' => '네덜란드', 'no' => '아니오', -'notify_added_email' => '알림 목록에 추가 했습니다', +'notify_added_email' => '귀하는 알림목록에 추가되었습니다.', 'notify_added_email_body' => '알림 목록에 추가 이름: [name] 상위 폴더: [folder_path] @@ -772,7 +773,7 @@ URL: [url]', 상위 폴더: [folder_path] 사용자: [username] URL : [url]', -'notify_deleted_email_subject' => '[sitename] : [name] - 알림 목록에서 제거', +'notify_deleted_email_subject' => '[sitename]: [name] - 알림목록으로부터 제거됨', 'november' => '11월', 'now' => '지금', 'no_action' => '조치가 필요하지 않습니다', @@ -788,11 +789,11 @@ URL : [url]', 'no_docs_to_receipt' => '문서 접수가 필요하지 않습니다', 'no_docs_to_review' => '검토를 필요한 문서가 현재 없습니다.', 'no_docs_to_revise' => '개정이 필요한 문서가 아직 없습니다.', -'no_email_or_login' => '로그인명과 이메일은 필수 입니다.', +'no_email_or_login' => '사용자명과 전자우편은 반드시 기입되어야 합니다.', 'no_fulltextindex' => '전체 텍스트 색인이 필요한 문서가 현재 없습니다.', 'no_groups' => '그룹이 없음', 'no_group_members' => '그룹 회원 이 없습니다.', -'no_linked_files' => '링크되지 않은 파일', +'no_linked_files' => '연결되지 않은 파일', 'no_previous_versions' => '다른 버전을 찾을 수 없습니다', 'no_receipt_needed' => '접수가 필요하지 않습니다', 'no_review_needed' => '검토중인 자료가 없습니다.', @@ -804,8 +805,8 @@ URL : [url]', 'no_version_modification' => '버전의 변동사항이 없습니다.', 'no_workflow_available' => '사용 가능한 워크 플로우 없습니다.', 'objectcheck' => '폴더 / 문서 확인', -'object_check_critical' => '', -'object_check_warning' => '', +'object_check_critical' => '치명적 오류', +'object_check_warning' => 'Warnings', 'obsolete' => '폐기', 'october' => '10월', 'old' => '이전', @@ -823,38 +824,38 @@ URL : [url]', 사용자 : [username] URL : [url]', 'ownership_changed_email_subject' => '[sitename] : [name] - 소유자 변경', -'password' => '비밀번호', -'password_already_used' => '이미 사용중인 비밀번호', -'password_expiration' => '비밀번호 사용 만료', -'password_expiration_text' => '비밀번호가 만료되었습니다. 당신이 SeedDMS를 사용하여 진행하기 전에 새로운 비밀번호를 사용하세요.', +'password' => '암호', +'password_already_used' => '예전에 쓰인 암호', +'password_expiration' => '암호 만료', +'password_expiration_text' => '귀하의 암호가 만료되었습니다. SeedDMS 이용 전에 새 암호를 골라주세요.', 'password_expired' => '만료된 비밀번호', -'password_expires_in_days' => '비밀번호는 %s 일에 만료됩니다.', +'password_expires_in_days' => '암호가 %s일 후에 만료됩니다.', 'password_forgotten' => '비밀번호 분실', 'password_forgotten_email_body' => '친애하는 SeedDMS사용자에게, n n 우리는 비밀번호를 변경하도록 요청을 받았습니다. n n이는 다음 링크를 클릭하여 수행 할 수 있습니다 :nn[url_prefix]out/out.ChangePassword.php?hash=[hash]nn만약 여전히 로그인에 문제가 생기면 관리자에게 문의하십시오.', 'password_forgotten_email_subject' => '[sitename]: 비밀번호 분실', 'password_forgotten_send_hash' => '사용자의 이메일 주소로 전송 진행 방법에 대한 지침', 'password_forgotten_text' => '아래의 양식을 작성하시고 당신에게 보낼 이메일에 있는 지시 사항을 따르십시오.', 'password_forgotten_title' => '비밀번호 전송', -'password_repeat' => '비밀번호 반복 확인', +'password_repeat' => '암호 반복', 'password_send' => '비밀번호 전송', 'password_send_text' => '로그인 및 이메일이 기존 사용자와 일치하는 경우 새 암호가 지정된 이메일 주소로 전송됩니다. 당신이 잠시후 이메일을 수신하지 못했으면 반드시 로그인 및 이메일 모두가 올바른지 확인하고 프로세스를 다시 시작 하세요.', 'password_strength' => '강력한 비밀번호', 'password_strength_insuffient' => '부족한 비밀번호 강도', 'password_wrong' => '잘못된 비밀번호', -'pending_approvals' => '승인 보류', +'pending_approvals' => '보류된 승인', 'pending_receipt' => '', -'pending_reviews' => '미리보기 보류', +'pending_reviews' => '보류된 검토', 'pending_revision' => '', 'pending_workflows' => '대기중인 워크플로', 'personal_default_keywords' => '개인 키워드 목록', 'pl_PL' => '폴란드어', 'possible_substitutes' => '대체', -'preset_expires' => '', +'preset_expires' => '만료 조절', 'preview' => '미리보기', 'preview_converters' => '문서 변환 미리보기', 'preview_images' => '', -'preview_markdown' => '마크다운 미리보기', -'preview_plain' => '미리보기', +'preview_markdown' => '마크다운', +'preview_plain' => '텍스트', 'previous_state' => '이전 상태', 'previous_versions' => '이전 버전', 'process' => '', @@ -882,10 +883,10 @@ URL : [url]', 'reception_noaction' => '', 'reception_rejected' => '', 'recipients' => '받는 사람', -'redraw' => '', +'redraw' => '다시 그리기', 'refresh' => '새로 고침', 'rejected' => '거부', -'released' => '발표', +'released' => '배포됨', 'removed_approver' => '승인 목록에서 제거', 'removed_file_email' => '제거 된 첨부 파일', 'removed_file_email_body' => '삭제된 첨부 파일 @@ -894,7 +895,7 @@ URL : [url]', URL : [url]', 'removed_file_email_subject' => '[sitename] : [document] - 제거 된 첨부 파일', 'removed_recipient' => '수신자 목록에서 제거되었습니다.', -'removed_reviewer' => '검토 자 목록에서 제거 되었습니다', +'removed_reviewer' => '사용자기 검토자 목록에서 제거되었습니다.', 'removed_revisor' => '수정 목록에서 제거되었습니다.', 'removed_workflow_email_body' => '문서 버전에서 워크플로우 삭제 문서: [name] @@ -929,35 +930,35 @@ URL: [url]', 상위 폴더: [folder_path] 사용자: [username] URL: [url]', -'return_from_subworkflow_email_subject' => '[sitename] : [name] - 서브 워크플로우에서 반환', +'return_from_subworkflow_email_subject' => '[sitename]: [name] - 하위 워크플로우에서 반환', 'reverse_links' => '현재 문서에 대한 링크를 가지고있는 문서', -'reviewers' => '검토', -'reviewer_already_assigned' => '이미 검토 지정됩', +'reviewers' => '검토자', +'reviewer_already_assigned' => '해 사용자는 리뷰어로 배정되었습니다.', 'reviewer_already_removed' => '이미 검토 과정에서 제거되었거나 리뷰로 제출', 'reviews_accepted' => '', 'reviews_not_touched' => '', 'reviews_rejected' => '', 'reviews_without_group' => '', 'reviews_without_user' => '', -'review_deletion_email' => '검토 요청 삭제', -'review_deletion_email_body' => '검토 요청 삭제 -문서: [name] -버전: [version] -상위폴더: [folder_path] -사용자: [username] +'review_deletion_email' => '검토 요청 삭제됨', +'review_deletion_email_body' => '검토 요청 삭제됨 +문서: [name] +버전: [version] +상위 폴더: [folder_path] +사용자: [username] URL: [url]', -'review_deletion_email_subject' => '[sitename]: [name] - 삭제 된 리뷰 요청', +'review_deletion_email_subject' => '[sitename]: [name] - 검토 요청 삭제됨', 'review_file' => '파일', 'review_group' => '그룹 검토', 'review_log' => '리뷰 로그', 'review_request_email' => '요청 검토', -'review_request_email_body' => '검토 요청 -문서: [name] -버전: [version] -상위폴더: [folder_path] -사용자: [username] +'review_request_email_body' => '검토 요청 문서 +문서: [name] +버전: [version] +상위 폴더: [folder_path] +사용자: [username] URL: [url]', -'review_request_email_subject' => '[sitename]: [name] - 리뷰 요청', +'review_request_email_subject' => '[sitename]: [name] - 검토 요청', 'review_status' => '검토 상태', 'review_submit_email' => '제출 검토', 'review_submit_email_body' => '제출 검토 @@ -983,7 +984,7 @@ URL: [url]', 'revision_log' => '개정 로그', 'revision_request_email_body' => '수정 요청 메일 내용', 'revision_request_email_subject' => '수정 요청 이메일 제목', -'revision_status' => '', +'revision_status' => '상태', 'revision_submit_email_body' => '', 'revision_submit_email_subject' => '', 'revisors' => '감사', @@ -1002,19 +1003,19 @@ URL: [url]', 'rm_attrdef' => '속성 정의 제거', 'rm_attrdefgroup' => '', 'rm_default_keyword_category' => '범주 제거', -'rm_document' => '문서 제거', +'rm_document' => '문서 지우기', 'rm_document_category' => '카테고리 제거', 'rm_event' => '', 'rm_file' => '파일 삭제', 'rm_folder' => '폴더 제거', 'rm_from_clipboard' => '클립 보드에서 제거', 'rm_group' => '이 그룹 제거', -'rm_role' => '', +'rm_role' => '이 역할 지우기', 'rm_transmittal' => '송부 삭제', 'rm_transmittalitem' => '아이템 삭제', 'rm_user' => '이 사용자 제거', 'rm_user_from_processes' => '', -'rm_version' => '버전 제거', +'rm_version' => '이 버전 지우기', 'rm_workflow' => '워크플로우 제거', 'rm_workflow_action' => '워크플로우 작업 제거', 'rm_workflow_state' => '워크플로우 상태 제거', @@ -1023,12 +1024,12 @@ URL: [url]', 'role_admin' => '관리자', 'role_guest' => '고객', 'role_info' => '', -'role_management' => '', +'role_management' => '역할 관리', 'role_name' => '', 'role_type' => '', 'role_user' => '사용자', 'ro_RO' => '루마니아어', -'run_subworkflow' => '서브 워크플로우 실행', +'run_subworkflow' => '하위 워크플로우 실행', 'run_subworkflow_email_body' => '서브 워크플로우 시작 문서: [name] 버전: [version] @@ -1070,17 +1071,20 @@ URL : [url]', 'select_grp_ind_reviewers' => '그룹 검토자 선택', 'select_grp_notification' => '그룹 통지를 선택합니다', 'select_grp_recipients' => '받는 사람 그룹을 클릭하시오', -'select_grp_reviewers' => '그룹 검토를 선택합니다', +'select_grp_reviewers' => '클릭하여 그룹 검토자를 고릅니다.', 'select_grp_revisors' => '감사 그룹을 클릭하여 선택합니다', 'select_ind_approvers' => '개별 승인를 선택합니다', 'select_ind_notification' => '개별 통지를 클릭하여 선택합니다', 'select_ind_recipients' => '개인별 받는 사람을 선택합니다', -'select_ind_reviewers' => '개별 검토를 선택합니다', +'select_ind_reviewers' => '클릭하여 개별 검토자를 고릅니다.', 'select_ind_revisors' => '개별 감사를 선택합니다', 'select_one' => '선택', 'select_users' => '사용자를 선택합니다', 'select_workflow' => '선택 워크플로우', -'send_email' => '', +'send_email' => '전자우편 보내기', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '테스트 메일', 'september' => '9월', 'sequence' => '순서', @@ -1119,11 +1123,11 @@ URL : [url]', 'settings_contentDir_desc' => '업로드 된 파일의 저장 위치(웹 서버를 통해 액세스 할 수없는 디렉토리를 선택하는 것이 가장 좋습니다)', 'settings_contentOffsetDir' => '내용 오프셋 디렉토리', 'settings_contentOffsetDir_desc' => '기본 파일 시스템의 한계를 극복하기 위해, 새로운 디렉토리를 콘텐츠 디렉터리 내에 존재하도록 설계 되었습니다. (콘텐츠 디렉토리). 시작할시 기본 디렉토리가 필요하며 일반적으로 기본 설정을 1048576 이지만 이미 (콘텐츠 디렉토리) 내에 존재하지 않는 숫자 또는 문자열이 될 수도 있습니다 .', -'settings_convertToPdf' => '', -'settings_convertToPdf_desc' => '', +'settings_convertToPdf' => '미리보기를 위해 문서를 PDF로 변환', +'settings_convertToPdf_desc' => '만약 문서가 브라우저에서 표시되지 않으면, 볼 수 있도록 PDF 버전으로 변환하여 보여줍니다.', 'settings_cookieLifetime' => '쿠키 활성 시간', 'settings_cookieLifetime_desc' => '활성 시간을 0으로 설정하면 브라우저가 닫힐 때 마다 쿠키가 제거됩니다.', -'settings_coreDir' => '코어 SeedDMS 디렉토리', +'settings_coreDir' => 'SeedDMS 주 디렉토리', 'settings_coreDir_desc' => 'SeedDMS_Core 경로 (선택 사항). PHP에 의해 발견 될 수있는 장소에 SeedDMS_Core가 설치된 경우 빈상태 유지 e.g. Extra PHP Include-Path', 'settings_createCheckOutDir' => '체크아웃 디렉토리', 'settings_createCheckOutDir_desc' => '문서가 체크아웃된 경우 문서 버전은 이 디렉터리에 복사 됩니다.', @@ -1155,7 +1159,7 @@ URL : [url]', 'settings_Display' => '디스플레이 설정', 'settings_dropFolderDir' => '드롭 폴더 디렉토리', 'settings_dropFolderDir_desc' => '서버의 파일 시스템에서 파일을 Dropping 위해 디렉토리. 브라우저를 통해 업로드 할 수 있습니다. 각 사용자는 디렉토리를 소유 했거나 사용이 허가 권한이 있어야 합니다.', -'settings_Edition' => '판(Edition) 설정', +'settings_Edition' => '에디션 설정', 'settings_editOnlineFileTypes' => '', 'settings_editOnlineFileTypes_desc' => '', 'settings_enable2FactorAuthentication' => '', @@ -1179,7 +1183,7 @@ URL : [url]', 'settings_enableDuplicateDocNames' => '중복 된 문서명 허용', 'settings_enableDuplicateDocNames_desc' => '이 폴더에 중복 된 문서명을 가질 수 있습니다.', 'settings_enableEmail' => '전자 메일 사용', -'settings_enableEmail_desc' => '활성화 / 비활성화 자동 전자 메일 알림을 사용하도록 설정', +'settings_enableEmail_desc' => '자동화 전자우편 알림 활성화/비활성화', 'settings_enableFolderTree' => '폴더 트리 사용', 'settings_enableFolderTree_desc' => '\'View Folder\'에 폴더 트리 표시 활성 / 비활성', 'settings_enableFullSearch' => '전체 텍스트 검색 사용', @@ -1216,7 +1220,7 @@ URL : [url]', 'settings_enableRevisionWorkflow_desc' => '일정 기간후에 문서를 개정 하기위해 워크플로우를 수행 할 수 있도록 설정 합니다.', 'settings_enableSelfRevApp' => '로그인 한 사용자에 대한 검토 / 승인을 허용', 'settings_enableSelfRevApp_desc' => '검토 / 승인자로 워크 플로우 전환을 위해 나열되어있는 것이 현재 로그인 한 사용자가 필요한 경우이를 활성화합니다.', -'settings_enableSessionList' => '', +'settings_enableSessionList' => '메뉴에 온라인 사용자 목록 활성화', 'settings_enableSessionList_desc' => '', 'settings_enableThemeSelector' => '테마 선택', 'settings_enableThemeSelector_desc' => '로그인 페이지의 테마 선택기를 켜기/끄기로 전환합니다.', @@ -1258,7 +1262,7 @@ URL : [url]', 'settings_initialDocumentStatus' => '초기 문서 상태', 'settings_initialDocumentStatus_desc' => '문서가 추가 된 경우이 상태가 설정 됩니다.', 'settings_initialDocumentStatus_draft' => '초안', -'settings_initialDocumentStatus_released' => '출시', +'settings_initialDocumentStatus_released' => '배포됨', 'settings_installADOdb' => 'ADOdb 설치', 'settings_install_disabled' => 'ENABLE_INSTALL_TOOL은 삭제 된 파일 . 이제 SeedDMS에 로그인하여 추가 구성을 수행 할 수 있습니다.', 'settings_install_pear_package_log' => 'Pear package \'Log\' 설치', @@ -1300,7 +1304,7 @@ URL : [url]', 'settings_overrideMimeType_desc' => '파일이 업로드 되는 경우, 브라우저에 의해 제공되는 MIME 타입을 재정의 합니다. 새로운 MIME 타입은 SeedDMS에 의해 결정 됩니다.', 'settings_partitionSize' => '조각 파일 크기', 'settings_partitionSize_desc' => 'jumploader의 조각 업로드 파일의 크기(Byte). 서버에서 설정 한 최대 업로드 크기 보다 큰 값을 설정하지 마십시오.', -'settings_passwordExpiration' => '비밀번호 만료', +'settings_passwordExpiration' => '암호 만료', 'settings_passwordExpiration_desc' => '비밀번호 만료 및 재설정되어야 하는 날짜 수. 0 비밀번호 만료일을 해제 합니다.', 'settings_passwordHistory' => '비밀번호 이력', 'settings_passwordHistory_desc' => '비밀번호를 재사용 하기 전에 사용자가 한번 이상 사용 되었 어야 합니다. 비밀번호의 수입니다. 0은 비밀번호 이력의 기록을 해제합니다.', @@ -1395,10 +1399,10 @@ URL : [url]', 'settings_workflowMode' => '워크플로우 모드', 'settings_workflowMode_desc' => '문서 버전에 대한 자신의 릴리스 워크플로우 지정하실 수 있습니다 .', 'settings_workflowMode_valadvanced' => '고급', -'settings_workflowMode_valtraditional' => '기본적인', -'settings_workflowMode_valtraditional_only_approval' => '통상적인 (리뷰 없음)', +'settings_workflowMode_valtraditional' => '관습적', +'settings_workflowMode_valtraditional_only_approval' => '관습적 (리뷰 없음)', 'settings_zendframework' => '젠드 프레임 워크', -'set_expiry' => '설정 만료', +'set_expiry' => '만료 설정', 'set_owner' => '소유자 설정', 'set_owner_error' => '소유자 설정 오류', 'set_password' => '비밀번호 설정', @@ -1423,7 +1427,7 @@ URL : [url]', 'splash_document_checkedout' => '문서 체크아웃', 'splash_document_edited' => '문서 저장', 'splash_document_indexed' => '', -'splash_document_locked' => '문서 잠금', +'splash_document_locked' => '문서 잠김', 'splash_document_unlocked' => '문서 잠금 해제', 'splash_edit_attribute' => '속성 저장', 'splash_edit_event' => '', @@ -1438,8 +1442,8 @@ URL : [url]', 'splash_invalid_folder_id' => '잘못된 폴더 ID', 'splash_invalid_searchterm' => '잘못된 검색 범위', 'splash_moved_clipboard' => '클립 보드가 현재 폴더로 이동', -'splash_move_document' => '', -'splash_move_folder' => '', +'splash_move_document' => '문서 옮겨짐', +'splash_move_folder' => '폴더 옮겨짐', 'splash_receipt_update_success' => '', 'splash_removed_from_clipboard' => '클립 보드에서 제거', 'splash_rm_attribute' => '속성 제거', @@ -1448,13 +1452,14 @@ URL : [url]', 'splash_rm_folder' => '폴더 삭제', 'splash_rm_group' => '그룹 제거', 'splash_rm_group_member' => '회원 그룹 제거', -'splash_rm_role' => '', +'splash_rm_role' => '역할 지워짐', 'splash_rm_transmittal' => '', 'splash_rm_user' => '사용자 제거', 'splash_rm_user_processes' => '', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => '설정 저장', 'splash_substituted_user' => '전환된 사용자', 'splash_switched_back_user' => '원래 사용자로 전환', @@ -1489,7 +1494,7 @@ URL : [url]', 'submit_password_forgotten' => '진행를 시작합니다', 'submit_receipt' => '접수증 제출', 'submit_review' => '리뷰 제출', -'submit_revision' => '', +'submit_revision' => '리비전 더하기', 'submit_userinfo' => '정보 제출', 'subsribe_timelinefeed' => '', 'substitute_to_user' => '\'[username]\'로 전환', @@ -1515,28 +1520,28 @@ URL : [url]', 'thursday' => '목요일', 'thursday_abbr' => '목', 'timeline' => '타임라인', -'timeline_add_file' => '새로운 첨부', +'timeline_add_file' => '새 첨부', 'timeline_add_version' => '새버전', -'timeline_full_add_file' => '[document]
새로운 첨부', +'timeline_full_add_file' => '[document]
새 첨부', 'timeline_full_add_version' => '[document]
새버전 [version]', 'timeline_full_status_change' => '[document]
버전[version]: [status]', 'timeline_selected_item' => '선택된 타임라인 항목', 'timeline_skip_add_file' => '첨부 파일 이 추가 되었습니다', 'timeline_skip_status_change_-1' => '거부', 'timeline_skip_status_change_-3' => '만료', -'timeline_skip_status_change_0' => '심사 대기', -'timeline_skip_status_change_1' => '승인 대기', -'timeline_skip_status_change_2' => '발표', +'timeline_skip_status_change_0' => '보류된 검토', +'timeline_skip_status_change_1' => '보류된 승인', +'timeline_skip_status_change_2' => '배포됨', 'timeline_skip_status_change_3' => '워크 플로우', 'timeline_skip_status_change_4' => '', -'timeline_skip_status_change_5' => '', +'timeline_skip_status_change_5' => '드래프트', 'timeline_status_change' => '버전 [version]: [status]', 'to' => '마감일', 'toggle_manager' => '전환 매니저', -'toggle_qrcode' => '', +'toggle_qrcode' => 'QR code 보이기/숨기기', 'to_before_from' => '종료일은 시작일 전이 될수 없습니다', 'transfer_objects' => '', -'transfer_objects_to_user' => '', +'transfer_objects_to_user' => '새 소유자', 'transition_triggered_email' => '워크플로우 전환 트리거', 'transition_triggered_email_body' => '워크플로우 전환 트리거 문서: [name] @@ -1552,7 +1557,7 @@ URL : [url]', 'transmittal' => '전송', 'transmittalitem_removed' => '송부 항목 삭제', 'transmittalitem_updated' => '최신 버전으로 문서 업데이트', -'transmittal_comment' => '코맨트', +'transmittal_comment' => '코멘트', 'transmittal_name' => '아름', 'transmittal_size' => '크기', 'tree_loading' => '문서 구성을 가지고 오는 중 ...', @@ -1560,7 +1565,7 @@ URL : [url]', 'tr_TR' => '터키어', 'tuesday' => '화요일', 'tuesday_abbr' => '화', -'type_of_hook' => '', +'type_of_hook' => '유형', 'type_to_search' => '유형 검색', 'uk_UA' => '우크라이나어', 'under_folder' => '폴더', @@ -1571,17 +1576,17 @@ URL : [url]', 'unknown_id' => '알 수없는 ID', 'unknown_keyword_category' => '알 수없는 범주', 'unknown_owner' => '알 수없는 소유자 ID', -'unknown_user' => '알 수없는 사용자 ID', +'unknown_user' => '알 수 없는 사용자 ID', 'unlinked_content' => '연결되지 않은 내용', 'unlinked_documents' => '연결되지 않은 문서', 'unlinked_folders' => '연결 되지 않은 폴더', 'unlinking_objects' => '링크 해제된 콘텐츠', 'unlock_cause_access_mode_all' => '액세스 모드 "all"를 가지고 있기 때문에 당신은 여전히 업데이트 할 수 있습니다. 잠금이 자동으로 제거됩니다.', 'unlock_cause_locking_user' => '당신은 여전히 업데이트 할 수 있습니다. 잠금이 자동으로 제거됩니다.', -'unlock_document' => '잠금 해제', +'unlock_document' => '잠금풀기', 'update' => '업데이트', 'update_approvers' => '승인자의 업데이트 목록', -'update_document' => '업데이트 문서', +'update_document' => '문서 갱신하기', 'update_fulltext_index' => '업데이트 전체 텍스트 색인', 'update_info' => '업데이트 정보', 'update_locked_msg' => '이 문서는 잠겨 있습니다.', @@ -1593,22 +1598,22 @@ URL : [url]', 'uploading_failed' => '파일 업로드중 실패 최대. 업로드 파일 크기를 확인하시기 바랍니다.', 'uploading_maxsize' => '최대 업로드 파일 크기를 초과하였습니다.', 'uploading_zerosize' => '빈 파일을 업로드 합니다. 업로드가 취소 됩니다.', -'used_discspace' => '사용되는 디스크 공간', +'used_discspace' => '사용된 디스크 공간', 'user' => '사용자', -'userid_groupid' => '', +'userid_groupid' => 'User id/Group id', 'users' => '사용자', 'users_and_groups' => '사용자 / 그룹', 'users_done_work' => '사용자 수행 할 작업', 'user_exists' => '사용자가 이미 존재합니다.', -'user_group' => '', -'user_group_management' => '사용자 / 그룹 관리', +'user_group' => '사용자/그룹', +'user_group_management' => '사용자/그룹 관리', 'user_image' => '이미지', 'user_info' => '사용자 정보', 'user_list' => '사용자 목록', 'user_login' => '사용자 ID', 'user_management' => '사용자 관리', 'user_name' => '전체 이름', -'use_comment_of_document' => '문서 설명을 사용하십시오', +'use_comment_of_document' => '문서 코멘트로 사용하기', 'use_default_categories' => '미리 정의 된 범주를 사용하십시오', 'use_default_keywords' => '사전 정의 된 키워드를 사용하십시오', 'valid_till' => '', @@ -1627,7 +1632,7 @@ URL : [url]', 'version_deleted_email_subject' => '[sitename] : [name] - 버전 삭제', 'version_info' => '버전 정보', 'view' => '보기', -'view_online' => '온라인 보기', +'view_online' => '온라인으로 보기', 'warning' => '경고', 'wednesday' => '수요일', 'wednesday_abbr' => '수', diff --git a/languages/nl_NL/lang.inc b/languages/nl_NL/lang.inc index 18e7e53a8..d34c50ea9 100644 --- a/languages/nl_NL/lang.inc +++ b/languages/nl_NL/lang.inc @@ -19,7 +19,7 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: Admin (733), gijsbertush (329), pepijn (45), reinoutdijkstra@hotmail.com (270) +// Translators: Admin (734), gijsbertush (329), pepijn (45), reinoutdijkstra@hotmail.com (270) $text = array( '2_factor_auth' => '', @@ -657,7 +657,7 @@ URL: [url]', 'linked_documents' => 'Gerelateerde Documenten', 'linked_files' => 'Bijlagen', 'linked_to_current_version' => '', -'linked_to_document' => '', +'linked_to_document' => 'Gekoppeld aan document', 'linked_to_this_version' => '', 'link_alt_updatedocument' => 'Als u bestanden wilt uploaden groter dan het huidige maximum, gebruik aub de alternatieve upload pagina.', 'link_to_version' => '', @@ -1090,6 +1090,9 @@ URL: [url]', 'select_users' => 'Klik om gebruikers te selecteren', 'select_workflow' => 'Selecteer workflow', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => 'Testmail versturen', 'september' => 'september', 'sequence' => 'Volgorde', @@ -1468,6 +1471,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Instellingen opgeslagen', 'splash_substituted_user' => 'Invallers gebruiker', 'splash_switched_back_user' => 'Teruggeschakeld naar de oorspronkelijke gebruiker', diff --git a/languages/pl_PL/lang.inc b/languages/pl_PL/lang.inc index 3620d8954..af936a09c 100644 --- a/languages/pl_PL/lang.inc +++ b/languages/pl_PL/lang.inc @@ -19,7 +19,7 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: Admin (771), netixw (84), romi (93), uGn (112) +// Translators: Admin (776), netixw (84), romi (93), uGn (112) $text = array( '2_factor_auth' => '', @@ -461,14 +461,14 @@ URL: [url]', 'expired' => 'Wygasłe', 'expired_at_date' => '', 'expires' => 'Wygasa', -'expire_by_date' => '', +'expire_by_date' => 'Wygaśnięcie wg daty', 'expire_in_1d' => '', 'expire_in_1h' => '', -'expire_in_1m' => '', -'expire_in_1w' => '', -'expire_in_1y' => '', +'expire_in_1m' => 'Wygasa po 1 miesiącu', +'expire_in_1w' => 'Wygasa po 1 tygodniu', +'expire_in_1y' => 'Wygasa po 1 roku', 'expire_in_2h' => '', -'expire_in_2y' => '', +'expire_in_2y' => 'Wygasa po 2 latach', 'expire_today' => '', 'expire_tomorrow' => '', 'expiry_changed_email' => 'Zmieniona data wygaśnięcia', @@ -1046,6 +1046,9 @@ URL: [url]', 'select_users' => 'Kliknij by wybrać użytkowników', 'select_workflow' => 'Wybierz proces', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => 'Wrzesień', 'sequence' => 'Kolejność', @@ -1420,6 +1423,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Zmiany zapisano', 'splash_substituted_user' => 'Zmieniono użytkownika', 'splash_switched_back_user' => 'Przełączono z powrotem do oryginalnego użytkownika', diff --git a/languages/pt_BR/lang.inc b/languages/pt_BR/lang.inc index 99bbbc66b..7e4647691 100644 --- a/languages/pt_BR/lang.inc +++ b/languages/pt_BR/lang.inc @@ -19,7 +19,7 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: Admin (949), flaviove (627), lfcristofoli (352) +// Translators: Admin (954), flaviove (627), lfcristofoli (352) $text = array( '2_factor_auth' => '', @@ -467,11 +467,11 @@ URL: [url]', 'expired' => 'Expirado', 'expired_at_date' => '', 'expires' => 'Expira', -'expire_by_date' => '', +'expire_by_date' => 'Data de vencimento', 'expire_in_1d' => '', 'expire_in_1h' => '', 'expire_in_1m' => '', -'expire_in_1w' => '', +'expire_in_1w' => 'Expira em uma (01) semana', 'expire_in_1y' => '', 'expire_in_2h' => '', 'expire_in_2y' => '', @@ -850,7 +850,7 @@ Se você ainda tiver problemas para fazer o login, por favor, contate o administ 'personal_default_keywords' => 'palavras-chave pessoais', 'pl_PL' => 'Polonês', 'possible_substitutes' => '', -'preset_expires' => '', +'preset_expires' => 'Vencimento pré-definido', 'preview' => 'visualizar', 'preview_converters' => '', 'preview_images' => '', @@ -1064,6 +1064,9 @@ URL: [url]', 'select_users' => 'Clique para selecionar os usuários', 'select_workflow' => 'Selecione o fluxo de trabalho', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => 'September', 'sequence' => 'Sequência', @@ -1438,6 +1441,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Configurações salvas', 'splash_substituted_user' => 'Usuário substituido', 'splash_switched_back_user' => 'Comutada de volta ao usuário original', diff --git a/languages/ro_RO/lang.inc b/languages/ro_RO/lang.inc index c4a5292d5..cd530bf02 100644 --- a/languages/ro_RO/lang.inc +++ b/languages/ro_RO/lang.inc @@ -19,7 +19,7 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: Admin (1060), balan (87) +// Translators: Admin (1065), balan (87) $text = array( '2_factor_auth' => '', @@ -473,14 +473,14 @@ URL: [url]', 'expired' => 'Expirat', 'expired_at_date' => '', 'expires' => 'Expiră', -'expire_by_date' => '', +'expire_by_date' => 'Expirare dupa data', 'expire_in_1d' => '', 'expire_in_1h' => '', -'expire_in_1m' => '', -'expire_in_1w' => '', -'expire_in_1y' => '', +'expire_in_1m' => 'Expira in o luna', +'expire_in_1w' => 'Expira in o saptamana', +'expire_in_1y' => 'Expira in un an', 'expire_in_2h' => '', -'expire_in_2y' => '', +'expire_in_2y' => 'Expira in 2 ani', 'expire_today' => '', 'expire_tomorrow' => '', 'expiry_changed_email' => 'Data de expirare schimbată', @@ -1089,6 +1089,9 @@ URL: [url]', 'select_users' => 'Click pentru a selecta utilizatori', 'select_workflow' => 'Selectați workflow', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => 'Trimite e-mail de test', 'september' => 'Septembrie', 'sequence' => 'Poziție', @@ -1463,6 +1466,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Setări salvate', 'splash_substituted_user' => 'Utilizator substituit', 'splash_switched_back_user' => 'Comutat înapoi la utilizatorul original', diff --git a/languages/ru_RU/lang.inc b/languages/ru_RU/lang.inc index fe2a4efa2..bf616338d 100644 --- a/languages/ru_RU/lang.inc +++ b/languages/ru_RU/lang.inc @@ -19,7 +19,7 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: Admin (1647) +// Translators: Admin (1658) $text = array( '2_factor_auth' => 'Двухфакторная аутентификация', @@ -264,7 +264,7 @@ URL: [url]', 'clear_password' => 'Сбросить пароль', 'clipboard' => 'Буфер обмена', 'close' => 'Закрыть', -'command' => '', +'command' => 'команда', 'comment' => 'Комментарий', 'comment_changed_email' => 'Сообщение об изменении комментария', 'comment_for_current_version' => 'Комментарий версии', @@ -473,14 +473,14 @@ URL: [url]', 'expired' => 'Срок действия вышел', 'expired_at_date' => '', 'expires' => 'Срок действия', -'expire_by_date' => '', +'expire_by_date' => 'дата', 'expire_in_1d' => '', 'expire_in_1h' => '', -'expire_in_1m' => '', -'expire_in_1w' => '', -'expire_in_1y' => '', +'expire_in_1m' => '1 месяц', +'expire_in_1w' => '1 неделя', +'expire_in_1y' => '1 год', 'expire_in_2h' => '', -'expire_in_2y' => '', +'expire_in_2y' => '2 года', 'expire_today' => '', 'expire_tomorrow' => '', 'expiry_changed_email' => 'Срок действия изменен', @@ -854,7 +854,7 @@ URL: [url]', 'personal_default_keywords' => 'Личный список меток', 'pl_PL' => 'Polish', 'possible_substitutes' => 'Замена', -'preset_expires' => '', +'preset_expires' => 'Установить срок', 'preview' => 'Предварительный просмотр', 'preview_converters' => 'Предварительный просмотр конвертации документа', 'preview_images' => '', @@ -1096,6 +1096,9 @@ URL: [url]', 'select_users' => 'Выберите пользователей', 'select_workflow' => 'Выберите процесс', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => 'Отправить тестовое сообщение', 'september' => 'Сентябрь', 'sequence' => 'Позиция', @@ -1117,7 +1120,7 @@ URL: [url]', 'settings_autoLoginUser' => 'Автоматический вход', 'settings_autoLoginUser_desc' => 'Использовать этого пользователя для доступа, если пользователь не вошел в систему. Такой доступ не будет создавать сеанс.', 'settings_available_languages' => 'Доступные языки', -'settings_available_languages_desc' => '', +'settings_available_languages_desc' => 'Только выбранные языки будут загружены и доступны для выбора. Язык по умолчанию будет загружен всегда.', 'settings_backupDir' => 'Каталог резервного копирования', 'settings_backupDir_desc' => 'Каталог, в котором средство резервного копирования сохраняет резервные копии. Если этот каталог не установлен или в него отсутствует доступ, то резервные копии будут сохранены в каталоге содержимого.', 'settings_cacheDir' => 'Каталог кэша', @@ -1157,7 +1160,7 @@ URL: [url]', 'settings_dbUser' => 'Логин', 'settings_dbUser_desc' => 'Логин, введённый при установке. Не изменяйте без необходимости, например если БД была перемещена.', 'settings_dbVersion' => 'Схема БД устарела', -'settings_defaultAccessDocs' => '', +'settings_defaultAccessDocs' => 'Права доступа к новому документу по умолчанию', 'settings_defaultAccessDocs_desc' => '', 'settings_defaultSearchMethod' => 'Метод поиска по умолчанию', 'settings_defaultSearchMethod_desc' => 'Метод поиска по умолчанию, когда поиск начинается с поисковой формы главного меню.', @@ -1211,7 +1214,7 @@ URL: [url]', 'settings_enableLargeFileUpload_desc' => 'Если включено, загрузка файлов доступна так же через Java-апплет, называемый jumploader, без ограничения размера файла. Это также позволит загружать несколько файлов за раз.', 'settings_enableMenuTasks' => 'Включить список задач в меню', 'settings_enableMenuTasks_desc' => 'Включить/отключить пункт меню, который содержит все задачи пользователя. Там содержатся документы, которые нуждаются в рецензии, утверждении и т.д.', -'settings_enableMultiUpload' => '', +'settings_enableMultiUpload' => 'Разрешить загрузку нескольких файлов', 'settings_enableMultiUpload_desc' => '', 'settings_enableNotificationAppRev' => 'Извещать рецензента или утверждающего', 'settings_enableNotificationAppRev_desc' => 'Включите для отправки извещения рецензенту или утверждающему при добавлении новой версии документа.', @@ -1304,7 +1307,7 @@ URL: [url]', 'settings_maxRecursiveCount_desc' => 'Максимальное количество документов или каталогов, которые будут проверены на права доступа при рекурсивном подсчёте объектов. При превышении этого количества, будет оценено количество документов и каталогов в виде каталога.', 'settings_maxSizeForFullText' => 'Макс. размер документа для индексирования на лету', 'settings_maxSizeForFullText_desc' => 'Размер документа, который может быть индексирован срузу после добавления', -'settings_maxUploadSize' => '', +'settings_maxUploadSize' => 'Максимальный размер загружаемых файлов', 'settings_maxUploadSize_desc' => '', 'settings_more_settings' => 'Прочие настройки. Логин по умолчанию: admin/admin', 'settings_notfound' => 'Не найден', @@ -1470,6 +1473,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Настройки сохранены', 'splash_substituted_user' => 'Пользователь переключён', 'splash_switched_back_user' => 'Переключён на исходного пользователя', diff --git a/languages/sk_SK/lang.inc b/languages/sk_SK/lang.inc index e26f36b94..ad420ec02 100644 --- a/languages/sk_SK/lang.inc +++ b/languages/sk_SK/lang.inc @@ -921,6 +921,9 @@ URL: [url]', 'select_users' => '', 'select_workflow' => '', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => 'September', 'sequence' => 'Postupnosť', @@ -1295,6 +1298,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => '', 'splash_substituted_user' => '', 'splash_switched_back_user' => '', diff --git a/languages/sv_SE/lang.inc b/languages/sv_SE/lang.inc index a73cf3f90..ca64d810b 100644 --- a/languages/sv_SE/lang.inc +++ b/languages/sv_SE/lang.inc @@ -1052,6 +1052,9 @@ URL: [url]', 'select_users' => 'Välj användare', 'select_workflow' => 'Välj arbetsflöde', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => 'september', 'sequence' => 'Position', @@ -1426,6 +1429,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Inställningar sparat', 'splash_substituted_user' => 'Bytt användare', 'splash_switched_back_user' => 'Byt tillbaka till original användare', diff --git a/languages/tr_TR/lang.inc b/languages/tr_TR/lang.inc index ce08b4e63..e33e2af64 100644 --- a/languages/tr_TR/lang.inc +++ b/languages/tr_TR/lang.inc @@ -19,7 +19,7 @@ // along with this program; if not, write to the Free Software // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. // -// Translators: Admin (1051), aydin (83) +// Translators: Admin (1052), aydin (83) $text = array( '2_factor_auth' => '', @@ -853,7 +853,7 @@ Giriş yaparken halen sorun yaşıyorsanız lütfen sistem yöneticinizle görü 'personal_default_keywords' => 'Kişisel anahtar kelimeler', 'pl_PL' => 'Polonyaca', 'possible_substitutes' => '', -'preset_expires' => '', +'preset_expires' => 'Son Kullanım Tarihi Tanımla', 'preview' => 'Önizle', 'preview_converters' => '', 'preview_images' => '', @@ -1068,6 +1068,9 @@ URL: [url]', 'select_users' => 'Kullanıcı seçmek için tıklayın', 'select_workflow' => 'İş akışı seç', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => 'Eylül', 'sequence' => 'Sıralama', @@ -1442,6 +1445,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Ayarlar kaydedildi', 'splash_substituted_user' => 'Yerine geçilen kullanıcı', 'splash_switched_back_user' => 'Orijinal kullanıcıya geri dönüldü', diff --git a/languages/uk_UA/lang.inc b/languages/uk_UA/lang.inc index 9714249e8..35fe12472 100644 --- a/languages/uk_UA/lang.inc +++ b/languages/uk_UA/lang.inc @@ -1089,6 +1089,9 @@ URL: [url]', 'select_users' => 'Оберіть користувачів', 'select_workflow' => 'Оберіть процес', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => 'Надіслати тестове повідомлення', 'september' => 'Вересень', 'sequence' => 'Позиція', @@ -1463,6 +1466,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => 'Налаштування збережено', 'splash_substituted_user' => 'Користувача переключено', 'splash_switched_back_user' => 'Переключено на початкового користувача', diff --git a/languages/zh_CN/lang.inc b/languages/zh_CN/lang.inc index 6aebaa3f7..3687a6cb4 100644 --- a/languages/zh_CN/lang.inc +++ b/languages/zh_CN/lang.inc @@ -923,6 +923,9 @@ URL: [url]', 'select_users' => '点击选择用户', 'select_workflow' => '', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '发送测试邮件', 'september' => '九 月', 'sequence' => '次序', @@ -1297,6 +1300,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => '', 'splash_substituted_user' => '', 'splash_switched_back_user' => '', diff --git a/languages/zh_TW/lang.inc b/languages/zh_TW/lang.inc index b52818bd1..6195d4aaf 100644 --- a/languages/zh_TW/lang.inc +++ b/languages/zh_TW/lang.inc @@ -921,6 +921,9 @@ URL: [url]', 'select_users' => '點擊選擇用戶', 'select_workflow' => '', 'send_email' => '', +'send_login_data' => '', +'send_login_data_body' => '', +'send_login_data_subject' => '', 'send_test_mail' => '', 'september' => '九 月', 'sequence' => '次序', @@ -1295,6 +1298,7 @@ URL: [url]', 'splash_saved_file' => '', 'splash_save_user_data' => '', 'splash_send_download_link' => '', +'splash_send_login_data' => '', 'splash_settings_saved' => '', 'splash_substituted_user' => '', 'splash_switched_back_user' => '', diff --git a/op/op.Login.php b/op/op.Login.php index 6765d9207..c4002a295 100644 --- a/op/op.Login.php +++ b/op/op.Login.php @@ -238,7 +238,8 @@ $controller->run(); add_log_line(); if (isset($referuri) && strlen($referuri)>0) { - header("Location: http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'] . $referuri); +// header("Location: http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'] . $referuri); + header("Location: " . $referuri); } else { header("Location: ".$settings->_httpRoot.(isset($settings->_siteDefaultPage) && strlen($settings->_siteDefaultPage)>0 ? $settings->_siteDefaultPage : "out/out.ViewFolder.php?folderid=".($user->getHomeFolder() ? $user->getHomeFolder() : $settings->_rootFolderID))); diff --git a/op/op.UsrMgr.php b/op/op.UsrMgr.php index 8c23cc26b..31a22c261 100644 --- a/op/op.UsrMgr.php +++ b/op/op.UsrMgr.php @@ -276,6 +276,48 @@ else if ($action == "transferobjects") { // } } +// send login data to user +else if ($action == "sendlogindata" && $settings->_enableEmail) { + /* Check if the form data comes from a trusted request */ + if(!checkFormKey('sendlogindata')) { + UI::exitError(getMLText("admin_tools"),getMLText("invalid_request_token")); + } + + if (isset($_POST["userid"])) { + $userid = $_POST["userid"]; + } + + $comment = ''; + if (isset($_POST["comment"])) { + $comment = $_POST["comment"]; + } + + if (!isset($userid) || !is_numeric($userid) || intval($userid)<1) { + UI::exitError(getMLText("admin_tools"),getMLText("invalid_user_id")); + } + + $newuser = $dms->getUser($userid); + if (!is_object($newuser)) { + UI::exitError(getMLText("admin_tools"),getMLText("invalid_user_id")); + } + + if($notifier) { + $subject = "send_login_data_subject"; + $message = "send_login_data_body"; + $params = array(); + $params['username'] = $newuser->getFullName(); + $params['login'] = $newuser->getLogin(); + $params['comment'] = $comment; + $params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php"; + $params['sitename'] = $settings->_siteName; + $params['http_root'] = $settings->_httpRoot; + $notifier->toIndividual($user, $newuser, $subject, $message, $params); + } + add_log_line(".php&action=sendlogindata&userid=".$userid); + + $session->setSplashMsg(array('type'=>'success', 'msg'=>getMLText('splash_send_login_data'))); +} + // modify user ------------------------------------------------------------ else if ($action == "edituser") { diff --git a/out/out.AddDocument.php b/out/out.AddDocument.php index a103d5175..669082261 100644 --- a/out/out.AddDocument.php +++ b/out/out.AddDocument.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.AddEvent.php b/out/out.AddEvent.php index 3beb3a421..106556329 100644 --- a/out/out.AddEvent.php +++ b/out/out.AddEvent.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.AddFile.php b/out/out.AddFile.php index 7d1db9f2a..a4d2a6b35 100644 --- a/out/out.AddFile.php +++ b/out/out.AddFile.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.AddFile2.php b/out/out.AddFile2.php index 7ea690a41..bb3cf1fe0 100644 --- a/out/out.AddFile2.php +++ b/out/out.AddFile2.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.AddMultiDocument.php b/out/out.AddMultiDocument.php index 1e105e582..047b1b921 100644 --- a/out/out.AddMultiDocument.php +++ b/out/out.AddMultiDocument.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.AddSubFolder.php b/out/out.AddSubFolder.php index 9bded1b66..dd404b42c 100644 --- a/out/out.AddSubFolder.php +++ b/out/out.AddSubFolder.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.ApprovalSummary.php b/out/out.ApprovalSummary.php index ed250d1a8..965aedd8f 100644 --- a/out/out.ApprovalSummary.php +++ b/out/out.ApprovalSummary.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.ApproveDocument.php b/out/out.ApproveDocument.php index 1c747bed2..7ec28b6ce 100644 --- a/out/out.ApproveDocument.php +++ b/out/out.ApproveDocument.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.AttributeMgr.php b/out/out.AttributeMgr.php index a5eb16999..a67335565 100644 --- a/out/out.AttributeMgr.php +++ b/out/out.AttributeMgr.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.BackupTools.php b/out/out.BackupTools.php index 08c727843..a03b12333 100644 --- a/out/out.BackupTools.php +++ b/out/out.BackupTools.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.Calendar.php b/out/out.Calendar.php index 25e87da58..3226ce70e 100644 --- a/out/out.Calendar.php +++ b/out/out.Calendar.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.ClassCalendar.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.Categories.php b/out/out.Categories.php index b28727334..918bdde82 100644 --- a/out/out.Categories.php +++ b/out/out.Categories.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.CategoryChooser.php b/out/out.CategoryChooser.php index 9224a2174..44e7feb16 100644 --- a/out/out.CategoryChooser.php +++ b/out/out.CategoryChooser.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.ClassUI.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.ChangePassword.php b/out/out.ChangePassword.php index d42c87243..48d781335 100644 --- a/out/out.ChangePassword.php +++ b/out/out.ChangePassword.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.ClassUI.php"); diff --git a/out/out.Charts.php b/out/out.Charts.php index a488b44a5..19d39144c 100644 --- a/out/out.Charts.php +++ b/out/out.Charts.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.ClearCache.php b/out/out.ClearCache.php index 37dd6a7cd..cd4be0075 100644 --- a/out/out.ClearCache.php +++ b/out/out.ClearCache.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.CreateIndex.php b/out/out.CreateIndex.php index 7e6fb0759..b04228c77 100644 --- a/out/out.CreateIndex.php +++ b/out/out.CreateIndex.php @@ -22,6 +22,7 @@ include("../inc/inc.Version.php"); include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.DefaultKeywords.php b/out/out.DefaultKeywords.php index 6ee94a354..5ac03eceb 100644 --- a/out/out.DefaultKeywords.php +++ b/out/out.DefaultKeywords.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.DocumentAccess.php b/out/out.DocumentAccess.php index 11deac73b..6abe0ed75 100644 --- a/out/out.DocumentAccess.php +++ b/out/out.DocumentAccess.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.DocumentChooser.php b/out/out.DocumentChooser.php index 468c9315e..06ec9e726 100644 --- a/out/out.DocumentChooser.php +++ b/out/out.DocumentChooser.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.DocumentNotify.php b/out/out.DocumentNotify.php index 25a6835f0..752c7dd6d 100644 --- a/out/out.DocumentNotify.php +++ b/out/out.DocumentNotify.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.DocumentVersionDetail.php b/out/out.DocumentVersionDetail.php index 279cda0d0..5df8f09ec 100644 --- a/out/out.DocumentVersionDetail.php +++ b/out/out.DocumentVersionDetail.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.DropFolderChooser.php b/out/out.DropFolderChooser.php index 54f83be27..5eaa38892 100644 --- a/out/out.DropFolderChooser.php +++ b/out/out.DropFolderChooser.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.EditAttributes.php b/out/out.EditAttributes.php index f0aa2533b..769c5aa7b 100644 --- a/out/out.EditAttributes.php +++ b/out/out.EditAttributes.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.EditComment.php b/out/out.EditComment.php index de0fe3dce..68d4b3382 100644 --- a/out/out.EditComment.php +++ b/out/out.EditComment.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.EditDocument.php b/out/out.EditDocument.php index 793dc1cbb..0eb07eee8 100644 --- a/out/out.EditDocument.php +++ b/out/out.EditDocument.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.EditEvent.php b/out/out.EditEvent.php index ffe214a51..dead51476 100644 --- a/out/out.EditEvent.php +++ b/out/out.EditEvent.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.EditFolder.php b/out/out.EditFolder.php index 044dfd78e..588cc1f39 100644 --- a/out/out.EditFolder.php +++ b/out/out.EditFolder.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.EditUserData.php b/out/out.EditUserData.php index 26c183c14..6ad249cb0 100644 --- a/out/out.EditUserData.php +++ b/out/out.EditUserData.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.ExtensionMgr.php b/out/out.ExtensionMgr.php index f5eb48963..c0d8ca7b5 100644 --- a/out/out.ExtensionMgr.php +++ b/out/out.ExtensionMgr.php @@ -18,6 +18,7 @@ include("../inc/inc.Version.php"); include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.FolderAccess.php b/out/out.FolderAccess.php index 99b98272b..524f7dc24 100644 --- a/out/out.FolderAccess.php +++ b/out/out.FolderAccess.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.FolderChooser.php b/out/out.FolderChooser.php index 9c03eb1d9..57023e9cc 100644 --- a/out/out.FolderChooser.php +++ b/out/out.FolderChooser.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.FolderNotify.php b/out/out.FolderNotify.php index 926cdd06f..a7bdea895 100644 --- a/out/out.FolderNotify.php +++ b/out/out.FolderNotify.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.ForcePasswordChange.php b/out/out.ForcePasswordChange.php index b59af08a7..67303faa9 100644 --- a/out/out.ForcePasswordChange.php +++ b/out/out.ForcePasswordChange.php @@ -31,6 +31,7 @@ */ include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.GroupMgr.php b/out/out.GroupMgr.php index 0bbf8de49..8bfa9253b 100644 --- a/out/out.GroupMgr.php +++ b/out/out.GroupMgr.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.GroupView.php b/out/out.GroupView.php index 645532b6b..a5ed5a876 100644 --- a/out/out.GroupView.php +++ b/out/out.GroupView.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.Help.php b/out/out.Help.php index 4dfbd87cc..705feb80e 100644 --- a/out/out.Help.php +++ b/out/out.Help.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.Hooks.php b/out/out.Hooks.php index ac452281d..589f8c66d 100644 --- a/out/out.Hooks.php +++ b/out/out.Hooks.php @@ -17,6 +17,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.ImportFS.php b/out/out.ImportFS.php index 8c8bf4eb8..6f3b43346 100644 --- a/out/out.ImportFS.php +++ b/out/out.ImportFS.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.IndexInfo.php b/out/out.IndexInfo.php index 98a95c1bb..2742a51d3 100644 --- a/out/out.IndexInfo.php +++ b/out/out.IndexInfo.php @@ -21,6 +21,7 @@ include("../inc/inc.Version.php"); include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.Indexer.php b/out/out.Indexer.php index 39ca847e8..0b91f678c 100644 --- a/out/out.Indexer.php +++ b/out/out.Indexer.php @@ -21,6 +21,7 @@ include("../inc/inc.Version.php"); include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.Info.php b/out/out.Info.php index 3d336054c..fd3c85ba7 100644 --- a/out/out.Info.php +++ b/out/out.Info.php @@ -21,6 +21,7 @@ include("../inc/inc.Version.php"); include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.KeywordChooser.php b/out/out.KeywordChooser.php index 386c61462..2903a375f 100644 --- a/out/out.KeywordChooser.php +++ b/out/out.KeywordChooser.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.LogManagement.php b/out/out.LogManagement.php index 54454bcee..a23e9c700 100644 --- a/out/out.LogManagement.php +++ b/out/out.LogManagement.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.Login.php b/out/out.Login.php index 462c27d7a..f5da4ccc8 100644 --- a/out/out.Login.php +++ b/out/out.Login.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.ManageNotify.php b/out/out.ManageNotify.php index 725a2e9ba..33300a0bb 100644 --- a/out/out.ManageNotify.php +++ b/out/out.ManageNotify.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.MoveDocument.php b/out/out.MoveDocument.php index 45899e1f8..1e04d9ad0 100644 --- a/out/out.MoveDocument.php +++ b/out/out.MoveDocument.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.MoveFolder.php b/out/out.MoveFolder.php index 256ea41e5..10b793bcb 100644 --- a/out/out.MoveFolder.php +++ b/out/out.MoveFolder.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.MyAccount.php b/out/out.MyAccount.php index 33454b9e6..ae6535872 100644 --- a/out/out.MyAccount.php +++ b/out/out.MyAccount.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.MyDocuments.php b/out/out.MyDocuments.php index 88f9064e6..45c0ab9be 100644 --- a/out/out.MyDocuments.php +++ b/out/out.MyDocuments.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.ObjectCheck.php b/out/out.ObjectCheck.php index d2b64783e..50167cd55 100644 --- a/out/out.ObjectCheck.php +++ b/out/out.ObjectCheck.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Version.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Settings.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); @@ -90,6 +91,8 @@ $processwithoutusergroup = array(); foreach(array('review', 'approval', 'receipt', 'revision') as $process) { foreach(array('user', 'group') as $ug) { if(!isset($_GET['action']) || $_GET['action'] == 'list'.ucfirst($process).'Without'.ucfirst($ug)) { + if($_GET['repair']) + $dms->removeProcessWithoutUserGroup($process, $ug, isset($_GET['required']) ? $_GET['required'] : ''); $processwithoutusergroup[$process][$ug] = $dms->getProcessWithoutUserGroup($process, $ug); } } diff --git a/out/out.OverrideContentStatus.php b/out/out.OverrideContentStatus.php index d7db760d8..e19ec2878 100644 --- a/out/out.OverrideContentStatus.php +++ b/out/out.OverrideContentStatus.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.PasswordForgotten.php b/out/out.PasswordForgotten.php index 0380fa866..81af10241 100644 --- a/out/out.PasswordForgotten.php +++ b/out/out.PasswordForgotten.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.PasswordSend.php b/out/out.PasswordSend.php index 0380fa866..81af10241 100644 --- a/out/out.PasswordSend.php +++ b/out/out.PasswordSend.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.RemoveArchive.php b/out/out.RemoveArchive.php index 1a8576d0f..241d1d711 100644 --- a/out/out.RemoveArchive.php +++ b/out/out.RemoveArchive.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.RemoveDocument.php b/out/out.RemoveDocument.php index 4a11161ab..be20a720c 100644 --- a/out/out.RemoveDocument.php +++ b/out/out.RemoveDocument.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.RemoveDocumentFile.php b/out/out.RemoveDocumentFile.php index 7dce185f9..bc061aaab 100644 --- a/out/out.RemoveDocumentFile.php +++ b/out/out.RemoveDocumentFile.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.RemoveDump.php b/out/out.RemoveDump.php index 35eeb85fb..c256d8ddf 100644 --- a/out/out.RemoveDump.php +++ b/out/out.RemoveDump.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.RemoveEvent.php b/out/out.RemoveEvent.php index ab61b3aae..5b5c28ec6 100644 --- a/out/out.RemoveEvent.php +++ b/out/out.RemoveEvent.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.RemoveFolder.php b/out/out.RemoveFolder.php index b44bd86fd..1e94229da 100644 --- a/out/out.RemoveFolder.php +++ b/out/out.RemoveFolder.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.RemoveFolderFiles.php b/out/out.RemoveFolderFiles.php index e3726d491..07e437edc 100644 --- a/out/out.RemoveFolderFiles.php +++ b/out/out.RemoveFolderFiles.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.RemoveGroup.php b/out/out.RemoveGroup.php index faf0c44a3..50360e9e4 100644 --- a/out/out.RemoveGroup.php +++ b/out/out.RemoveGroup.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.RemoveLog.php b/out/out.RemoveLog.php index 5a0601db8..5bfadf14f 100644 --- a/out/out.RemoveLog.php +++ b/out/out.RemoveLog.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.RemoveUser.php b/out/out.RemoveUser.php index e08e88536..d011885bc 100644 --- a/out/out.RemoveUser.php +++ b/out/out.RemoveUser.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.RemoveVersion.php b/out/out.RemoveVersion.php index 9ba7249e0..a960515ae 100644 --- a/out/out.RemoveVersion.php +++ b/out/out.RemoveVersion.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.RemoveWorkflow.php b/out/out.RemoveWorkflow.php index 13d363b86..7d9767891 100644 --- a/out/out.RemoveWorkflow.php +++ b/out/out.RemoveWorkflow.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.RemoveWorkflowFromDocument.php b/out/out.RemoveWorkflowFromDocument.php index dd059f9b2..cfb92cc2e 100644 --- a/out/out.RemoveWorkflowFromDocument.php +++ b/out/out.RemoveWorkflowFromDocument.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.ReturnFromSubWorkflow.php b/out/out.ReturnFromSubWorkflow.php index 9781844e6..61dde19ec 100644 --- a/out/out.ReturnFromSubWorkflow.php +++ b/out/out.ReturnFromSubWorkflow.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Language.php"); diff --git a/out/out.ReviewDocument.php b/out/out.ReviewDocument.php index 431e70841..1cde05656 100644 --- a/out/out.ReviewDocument.php +++ b/out/out.ReviewDocument.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.ReviewSummary.php b/out/out.ReviewSummary.php index ed250d1a8..965aedd8f 100644 --- a/out/out.ReviewSummary.php +++ b/out/out.ReviewSummary.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.RewindWorkflow.php b/out/out.RewindWorkflow.php index dd059f9b2..cfb92cc2e 100644 --- a/out/out.RewindWorkflow.php +++ b/out/out.RewindWorkflow.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.RunSubWorkflow.php b/out/out.RunSubWorkflow.php index 9c5d7a34d..a7edbddcb 100644 --- a/out/out.RunSubWorkflow.php +++ b/out/out.RunSubWorkflow.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.Search.php b/out/out.Search.php index b6d57523c..21982e4aa 100644 --- a/out/out.Search.php +++ b/out/out.Search.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.SearchForm.php b/out/out.SearchForm.php index c82e0bafa..36de4b92b 100644 --- a/out/out.SearchForm.php +++ b/out/out.SearchForm.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.SendLoginData.php b/out/out.SendLoginData.php new file mode 100644 index 000000000..1ac00e443 --- /dev/null +++ b/out/out.SendLoginData.php @@ -0,0 +1,50 @@ +isAdmin()) { + UI::exitError(getMLText("admin_tools"),getMLText("access_denied")); +} + +if (!isset($_GET["userid"]) || !is_numeric($_GET["userid"]) || intval($_GET["userid"])<1) { + UI::exitError(getMLText("rm_user"),getMLText("invalid_user_id")); +} + +$newuser = $dms->getUser(intval($_GET["userid"])); +if (!is_object($newuser)) { + UI::exitError(getMLText("rm_user"),getMLText("invalid_user_id")); +} + +$tmp = explode('.', basename($_SERVER['SCRIPT_FILENAME'])); +$view = UI::factory($theme, $tmp[1], array('dms'=>$dms, 'user'=>$user)); +if($view) { + $view->setParam('newuser', $newuser); + $view($_GET); + exit; +} + +?> diff --git a/out/out.SetExpires.php b/out/out.SetExpires.php index 59cc9ef39..c46d7118e 100644 --- a/out/out.SetExpires.php +++ b/out/out.SetExpires.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.SetReviewersApprovers.php b/out/out.SetReviewersApprovers.php index 36c8668e5..765555828 100644 --- a/out/out.SetReviewersApprovers.php +++ b/out/out.SetReviewersApprovers.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.SetWorkflow.php b/out/out.SetWorkflow.php index 94ab41a6b..198640e84 100644 --- a/out/out.SetWorkflow.php +++ b/out/out.SetWorkflow.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.Settings.php b/out/out.Settings.php index 0aefca5b5..bf3f60daa 100644 --- a/out/out.Settings.php +++ b/out/out.Settings.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.Statistic.php b/out/out.Statistic.php index 6b0480e92..fbde47ba0 100644 --- a/out/out.Statistic.php +++ b/out/out.Statistic.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.SubstituteUser.php b/out/out.SubstituteUser.php index 41fd8918f..b922e7a3f 100644 --- a/out/out.SubstituteUser.php +++ b/out/out.SubstituteUser.php @@ -17,6 +17,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.Timeline.php b/out/out.Timeline.php index fe2f91210..7ad8a33dd 100644 --- a/out/out.Timeline.php +++ b/out/out.Timeline.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); @@ -30,7 +31,7 @@ $tmp = explode('.', basename($_SERVER['SCRIPT_FILENAME'])); $view = UI::factory($theme, $tmp[1], array('dms'=>$dms, 'user'=>$user)); $accessop = new SeedDMS_AccessOperation($dms, $user, $settings); if (!$accessop->check_view_access($view, $_GET)) { - UI::exitError(getMLText("admin_tools"),getMLText("access_denied")); + $view->exitError(getMLText("admin_tools"),getMLText("access_denied")); } $rootfolder = $dms->getFolder($settings->_rootFolderID); @@ -53,6 +54,8 @@ if(isset($_GET['version']) && $_GET['version'] && is_numeric($_GET['version'])) $content = null; if($view) { + $view->setParam('dms', $dms); + $view->setParam('user', $user); $view->setParam('fromdate', isset($_GET['fromdate']) ? $_GET['fromdate'] : ''); $view->setParam('todate', isset($_GET['todate']) ? $_GET['todate'] : ''); $view->setParam('skip', $skip); diff --git a/out/out.TriggerWorkflow.php b/out/out.TriggerWorkflow.php index e23099c11..81febf72d 100644 --- a/out/out.TriggerWorkflow.php +++ b/out/out.TriggerWorkflow.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.UpdateDocument.php b/out/out.UpdateDocument.php index 13a8837a9..0b9c6d5d9 100644 --- a/out/out.UpdateDocument.php +++ b/out/out.UpdateDocument.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.UpdateDocument2.php b/out/out.UpdateDocument2.php index 59aef48bc..88803a176 100644 --- a/out/out.UpdateDocument2.php +++ b/out/out.UpdateDocument2.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.UserDefaultKeywords.php b/out/out.UserDefaultKeywords.php index fb714c0a8..aacb2c7c1 100644 --- a/out/out.UserDefaultKeywords.php +++ b/out/out.UserDefaultKeywords.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.UserImage.php b/out/out.UserImage.php index efee28c95..ab0d14666 100644 --- a/out/out.UserImage.php +++ b/out/out.UserImage.php @@ -19,6 +19,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); include("../inc/inc.DBInit.php"); diff --git a/out/out.UserList.php b/out/out.UserList.php index a0ed3ec01..5dbeb2747 100644 --- a/out/out.UserList.php +++ b/out/out.UserList.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.UsrMgr.php b/out/out.UsrMgr.php index 6ba535a25..64b9dd060 100644 --- a/out/out.UsrMgr.php +++ b/out/out.UsrMgr.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); @@ -70,5 +71,6 @@ if($view) { $view->setParam('quota', $settings->_quota); $view->setParam('strictformcheck', $settings->_strictFormCheck); $view->setParam('accessobject', $accessop); + $view->setParam('enableemail', $settings->_enableEmail); $view($_GET); } diff --git a/out/out.UsrView.php b/out/out.UsrView.php index 10284b079..698850bd3 100644 --- a/out/out.UsrView.php +++ b/out/out.UsrView.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.ViewDocument.php b/out/out.ViewDocument.php index 1bb12fbec..0aad49d2d 100644 --- a/out/out.ViewDocument.php +++ b/out/out.ViewDocument.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.ViewEvent.php b/out/out.ViewEvent.php index ec8e98985..a25b8f323 100644 --- a/out/out.ViewEvent.php +++ b/out/out.ViewEvent.php @@ -18,6 +18,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.ViewFolder.php b/out/out.ViewFolder.php index b48e45f86..1b7e5d95e 100644 --- a/out/out.ViewFolder.php +++ b/out/out.ViewFolder.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Utils.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); diff --git a/out/out.WorkflowActionsMgr.php b/out/out.WorkflowActionsMgr.php index 936097249..10f36d28d 100644 --- a/out/out.WorkflowActionsMgr.php +++ b/out/out.WorkflowActionsMgr.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.WorkflowGraph.php b/out/out.WorkflowGraph.php index e03c0a9ac..d3b0cb727 100644 --- a/out/out.WorkflowGraph.php +++ b/out/out.WorkflowGraph.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.WorkflowMgr.php b/out/out.WorkflowMgr.php index 6f5496a90..474378db5 100644 --- a/out/out.WorkflowMgr.php +++ b/out/out.WorkflowMgr.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.WorkflowStatesMgr.php b/out/out.WorkflowStatesMgr.php index 43a8f5077..8b64d5244 100644 --- a/out/out.WorkflowStatesMgr.php +++ b/out/out.WorkflowStatesMgr.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/out/out.WorkflowSummary.php b/out/out.WorkflowSummary.php index 42468d298..28851c3c1 100644 --- a/out/out.WorkflowSummary.php +++ b/out/out.WorkflowSummary.php @@ -20,6 +20,7 @@ // Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. include("../inc/inc.Settings.php"); +include("../inc/inc.LogInit.php"); include("../inc/inc.Language.php"); include("../inc/inc.Init.php"); include("../inc/inc.Extension.php"); diff --git a/views/bootstrap/class.Bootstrap.php b/views/bootstrap/class.Bootstrap.php index f1464da02..8c234d047 100644 --- a/views/bootstrap/class.Bootstrap.php +++ b/views/bootstrap/class.Bootstrap.php @@ -2670,7 +2670,7 @@ mayscript>
- + '.getMLText('browse').'… diff --git a/views/bootstrap/class.ObjectCheck.php b/views/bootstrap/class.ObjectCheck.php index bd25e5bac..bfc81a044 100644 --- a/views/bootstrap/class.ObjectCheck.php +++ b/views/bootstrap/class.ObjectCheck.php @@ -361,6 +361,7 @@ class SeedDMS_View_ObjectCheck extends SeedDMS_Bootstrap_Style { $previewwidth = $this->params['previewWidthList']; $previewconverters = $this->params['previewconverters']; $timeout = $this->params['timeout']; + $repair = $this->params['repair']; $previewer = new SeedDMS_Preview_Previewer($cachedir, $previewwidth, $timeout); $previewer->setConverters($previewconverters); @@ -375,6 +376,7 @@ class SeedDMS_View_ObjectCheck extends SeedDMS_Bootstrap_Style { print "".getMLText("document")."\n"; print "".getMLText("version")."\n"; print "".getMLText("userid_groupid")."\n"; + print "\n"; print "\n\n\n"; foreach($processwithoutusergroup[$process][$ug] as $rec) { print ""; @@ -382,10 +384,13 @@ class SeedDMS_View_ObjectCheck extends SeedDMS_Bootstrap_Style { print "".$ug.""; print "".$rec['name']."".$rec['version'].""; print "".$rec['required'].""; + print "".getMLText('delete').""; print "\n"; } print "\n"; + return count($processwithoutusergroup[$process][$ug]); } + return false; } /* }}} */ function listReviewWithoutUser() { /* {{{ */ @@ -405,7 +410,9 @@ class SeedDMS_View_ObjectCheck extends SeedDMS_Bootstrap_Style { } /* }}} */ function listReceiptWithoutUser() { /* {{{ */ - $this->listProcessesWithoutUserGroup('receipt', 'user'); + if($this->listProcessesWithoutUserGroup('receipt', 'user')) { + echo '
'.getMLText('do_object_repair').''; + } } /* }}} */ function listReceiptWithoutGroup() { /* {{{ */ @@ -435,6 +442,16 @@ $(document).ready( function() { $('#kkkk.ajax').data('action', $(this).data('action')); $('#kkkk.ajax').trigger('update', {orderby: $(this).data('orderby')}); }); + $('body').on('click', 'div.repair a', function(ev){ + ev.preventDefault(); + $('#kkkk.ajax').data('action', $(this).data('action')); + $('#kkkk.ajax').trigger('update', {repair: 1}); + }); + $('body').on('click', 'a.repair', function(ev){ + ev.preventDefault(); + $('#kkkk.ajax').data('action', $(this).data('action')); + $('#kkkk.ajax').trigger('update', {repair: 1, required: $(this).data('required')}); + }); $('body').on('click', 'table th a', function(ev){ ev.preventDefault(); $('#kkkk.ajax').data('action', $(this).data('action')); diff --git a/views/bootstrap/class.SendLoginData.php b/views/bootstrap/class.SendLoginData.php new file mode 100644 index 000000000..cb7e50655 --- /dev/null +++ b/views/bootstrap/class.SendLoginData.php @@ -0,0 +1,72 @@ + + * @copyright Copyright (C) 2017 Uwe Steinmann + * @version Release: @package_version@ + */ + +/** + * Include parent class + */ +require_once("class.Bootstrap.php"); + +/** + * Class which outputs the html page for SendLoginData view + * + * @category DMS + * @package SeedDMS + * @author Uwe Steinmann + * @copyright Copyright (C) 2017 Uwe Steinmann + * 2006-2008 Malcolm Cowe, 2010 Matteo Lucarelli, + * 2010-2012 Uwe Steinmann + * @version Release: @package_version@ + */ +class SeedDMS_View_SendLoginData extends SeedDMS_Bootstrap_Style { + + function show() { /* {{{ */ + $dms = $this->params['dms']; + $user = $this->params['user']; + $newuser = $this->params['newuser']; + + $this->htmlStartPage(getMLText("admin_tools")); + $this->globalNavigation(); + $this->contentStart(); + $this->pageNavigation(getMLText("admin_tools"), "admin_tools"); + $this->contentHeading(getMLText("send_login_data")); + + $this->contentContainerStart(); +?> +
+ + + + +
+ +
+ +
+
+ +
+
+ +
+
+ +
+contentContainerEnd(); + $this->contentEnd(); + $this->htmlEndPage(); + } /* }}} */ +} +?> diff --git a/views/bootstrap/class.TransferObjects.php b/views/bootstrap/class.TransferObjects.php index 70f97ab91..1855f9a45 100644 --- a/views/bootstrap/class.TransferObjects.php +++ b/views/bootstrap/class.TransferObjects.php @@ -7,9 +7,7 @@ * @license GPL 2 * @version @version@ * @author Uwe Steinmann - * @copyright Copyright (C) 2002-2005 Markus Westphal, - * 2006-2008 Malcolm Cowe, 2010 Matteo Lucarelli, - * 2010-2012 Uwe Steinmann + * @copyright Copyright (C) 2017 Uwe Steinmann * @version Release: @package_version@ */ @@ -23,10 +21,8 @@ require_once("class.Bootstrap.php"); * * @category DMS * @package SeedDMS - * @author Markus Westphal, Malcolm Cowe, Uwe Steinmann - * @copyright Copyright (C) 2002-2005 Markus Westphal, - * 2006-2008 Malcolm Cowe, 2010 Matteo Lucarelli, - * 2010-2012 Uwe Steinmann + * @author Uwe Steinmann + * @copyright Copyright (C) 2017 Uwe Steinmann * @version Release: @package_version@ */ class SeedDMS_View_TransferObjects extends SeedDMS_Bootstrap_Style { diff --git a/views/bootstrap/class.UsrMgr.php b/views/bootstrap/class.UsrMgr.php index 7288ba361..c7ec6bf4d 100644 --- a/views/bootstrap/class.UsrMgr.php +++ b/views/bootstrap/class.UsrMgr.php @@ -192,6 +192,7 @@ $(document).ready( function() { $quota = $this->params['quota']; $workflowmode = $this->params['workflowmode']; $undeluserids = $this->params['undeluserids']; + $enableemail = $this->params['enableemail']; if($seluser) { ?> @@ -209,6 +210,8 @@ $(document).ready( function() { echo '
  • '.getMLText("transfer_objects").'
  • '; if($user->isAdmin() && $seluser->getID() != $user->getID()) echo "
  • getID()."&formtoken=".createFormKey('substituteuser')."\"> ".getMLText("substitute_user")."
  • \n"; + if($enableemail) + echo '
  • '.getMLText("send_login_data").'
  • '; ?>
    diff --git a/webdav/webdav.php b/webdav/webdav.php index e2ebd9790..716c6cfb7 100644 --- a/webdav/webdav.php +++ b/webdav/webdav.php @@ -43,6 +43,14 @@ class HTTP_WebDAV_Server_SeedDMS extends HTTP_WebDAV_Server */ var $user = ""; + /** + * Set to true if original file shall be used instead of document name + * + * @access private + * @var boolean + */ + var $useorgfilename = false; + /** * Serve a webdav request * @@ -184,7 +192,11 @@ class HTTP_WebDAV_Server_SeedDMS extends HTTP_WebDAV_Server $this->logger->log('reverseLookup: found folder '.$root->getName().' ('.$root->getID().')', PEAR_LOG_DEBUG); return $root; } else { - if($document = $this->dms->getDocumentByName($docname, $root)) { + if($this->useorgfilename) + $document = $this->dms->getDocumentByOriginalFilename($docname, $root); + else + $document = $this->dms->getDocumentByName($docname, $root); + if($document) { if($this->logger) $this->logger->log('reverseLookup: found document '.$document->getName().' ('.$document->getID().')', PEAR_LOG_DEBUG); return $document; @@ -201,7 +213,11 @@ class HTTP_WebDAV_Server_SeedDMS extends HTTP_WebDAV_Server } if($folder) { if($docname) { - if($document = $this->dms->getDocumentByName($docname, $folder)) { + if($this->useorgfilename) + $document = $this->dms->getDocumentByOriginalFilename($docname, $folder); + else + $document = $this->dms->getDocumentByName($docname, $folder); + if($document) { if($this->logger) $this->logger->log('reverseLookup: found document '.$document->getName().' ('.$document->getID().')', PEAR_LOG_DEBUG); return $document; @@ -341,8 +357,13 @@ class HTTP_WebDAV_Server_SeedDMS extends HTTP_WebDAV_Server // $path .= rawurlencode($pathseg->getName()).'/'; $path .= $pathseg->getName().'/'; // $info["path"] = htmlspecialchars($path.rawurlencode($obj->getName())); - $info["path"] = $path.$obj->getName(); - $info["props"][] = $this->mkprop("displayname", $obj->getName()); + if($this->useorgfilename) { + $info["path"] = $path.$content->getOriginalFileName(); + $info["props"][] = $this->mkprop("displayname", $content->getOriginalFileName()); + } else { + $info["path"] = $path.$obj->getName(); + $info["props"][] = $this->mkprop("displayname", $obj->getName()); + } $info["props"][] = $this->mkprop("resourcetype", ""); if (1 /*is_readable($fspath)*/) { @@ -495,6 +516,8 @@ class HTTP_WebDAV_Server_SeedDMS extends HTTP_WebDAV_Server $fspath = $this->dms->contentDir.'/'.$content->getPath(); $filesize = filesize($fspath); + if($this->useorgfilename) + $filename = $content->getOriginalFileName();; } // $name = htmlspecialchars($filename); $name = $filename; @@ -562,7 +585,11 @@ class HTTP_WebDAV_Server_SeedDMS extends HTTP_WebDAV_Server else $fileType = substr($name, $lastDotIndex); } /* First check whether there is already a file with the same name */ - if($document = $this->dms->getDocumentByName($name, $folder)) { + if($this->useorgfilename) + $document = $this->dms->getDocumentByOriginalFilename($name, $folder); + else + $document = $this->dms->getDocumentByName($name, $folder); + if($document) { if ($document->getAccessMode($this->user) < M_READWRITE) { unlink($tmpFile); return "403 Forbidden";