mirror of
https://git.code.sf.net/p/seeddms/code
synced 2025-06-17 18:49:32 +00:00
Merge branch 'develop'
This commit is contained in:
commit
8f8fc9bd75
12
CHANGELOG
12
CHANGELOG
|
@ -1,7 +1,17 @@
|
|||
--------------------------------------------------------------------------------
|
||||
Changes in version 4.0.1
|
||||
Changes in version 4.1.0
|
||||
--------------------------------------------------------------------------------
|
||||
- minor fixeѕ in german help file (Bug #27)
|
||||
- fixed various php warnings and errors due to strict error checking
|
||||
- database update from 3.4.x to 4.0.x doesn't issue an error anymore (Bug #26)
|
||||
- new configuration variables to enable owner and logged in user to
|
||||
review and approve documents
|
||||
- global menu will be turned in a drop down menu if screen width decreases
|
||||
- overall better support for mobile devices with small screens
|
||||
- reworked notification system: notification will be send in the language
|
||||
of the receiver.
|
||||
- fixed multiple file upload (Bug #40)
|
||||
- use bootstrap icons in folder tree
|
||||
|
||||
--------------------------------------------------------------------------------
|
||||
Changes in version 4.0.0
|
||||
|
|
2
Makefile
2
Makefile
|
@ -1,4 +1,4 @@
|
|||
VERSION=4.0.0
|
||||
VERSION=4.1.0
|
||||
SRC=CHANGELOG inc conf utils index.php languages views op out README.md README.Notification README.Ubuntu drop-tables-innodb.sql styles js TODO LICENSE Makefile webdav install
|
||||
#restapi webapp
|
||||
|
||||
|
|
|
@ -84,10 +84,30 @@ op/op.RemoveVersion.php
|
|||
* version of document was removed
|
||||
subscribers of the document
|
||||
|
||||
op/op.RemoveWorkflowFromDocument.php
|
||||
* Workflow has been removed from document version
|
||||
subscribers of the document
|
||||
|
||||
op/op.ReturnFromSubWorkflow.php
|
||||
* Subworkflow has been ended and parent workflow will be continued
|
||||
subscribers of the document
|
||||
|
||||
op/op.ReviewDocument.php
|
||||
* document was reviewed
|
||||
subscribers of the document
|
||||
|
||||
op/op.RewindWorkflow.php
|
||||
* Workflow was rewind to beginning
|
||||
subscribers of the document
|
||||
|
||||
op/op.RunSubWorkflow.php
|
||||
* Subworkflow was started
|
||||
subscribers of the document
|
||||
|
||||
op/op.TriggerWorkflow.php
|
||||
* Workflow transition was triggered
|
||||
subscribers of the document
|
||||
|
||||
op/op.UpdateDocument2.php
|
||||
op/op.UpdateDocument.php
|
||||
* document was updated
|
||||
|
|
|
@ -36,6 +36,9 @@ If there is no help in your language:
|
|||
If you apply any changes to the language files please send them to the
|
||||
SeedDMS developers <info@seeddms.org>.
|
||||
|
||||
http://www.iana.org/assignments/language-subtag-registry has a list of
|
||||
all language and country codes.
|
||||
|
||||
REQUIREMENTS
|
||||
============
|
||||
|
||||
|
@ -234,8 +237,8 @@ If you install SeedDMS for the first time continue with the database setup.
|
|||
|
||||
NOTE: UPDATING FROM A PREVIOUS VERSION OR SEEDDMS
|
||||
|
||||
As SeedDMS is a smooth continuation of SeedDMS there is no difference
|
||||
in updating from SeedDMS or SeedDMS
|
||||
As SeedDMS is a smooth continuation of LetoDMS there is no difference
|
||||
in updating from LetoDMS or SeedDMS
|
||||
|
||||
- make a backup archive of your installation folder
|
||||
- make a backup archive of your data folder
|
||||
|
|
|
@ -221,12 +221,11 @@ class SeedDMS_Core_DMS {
|
|||
$this->contentDir = $contentDir.'/';
|
||||
$this->rootFolderID = 1;
|
||||
$this->maxDirID = 0; //31998;
|
||||
$this->enableAdminRevApp = false;
|
||||
$this->enableConverting = false;
|
||||
$this->convertFileTypes = array();
|
||||
$this->version = '@package_version@';
|
||||
if($this->version[0] == '@')
|
||||
$this->version = '4.0.0';
|
||||
$this->version = '4.1.0';
|
||||
} /* }}} */
|
||||
|
||||
function getDB() { /* {{{ */
|
||||
|
@ -320,10 +319,6 @@ class SeedDMS_Core_DMS {
|
|||
return $this->getFolder($this->rootFolderID);
|
||||
} /* }}} */
|
||||
|
||||
function setEnableAdminRevApp($enable) { /* {{{ */
|
||||
$this->enableAdminRevApp = $enable;
|
||||
} /* }}} */
|
||||
|
||||
function setEnableConverting($enable) { /* {{{ */
|
||||
$this->enableConverting = $enable;
|
||||
} /* }}} */
|
||||
|
@ -536,6 +531,7 @@ class SeedDMS_Core_DMS {
|
|||
/*--------- Do it all over again for folders -------------*/
|
||||
if($mode & 0x2) {
|
||||
$searchKey = "";
|
||||
$searchFields = array();
|
||||
if (in_array(2, $searchin)) {
|
||||
$searchFields[] = "`tblFolders`.`name`";
|
||||
}
|
||||
|
|
|
@ -397,14 +397,18 @@ class SeedDMS_Core_Document extends SeedDMS_Core_Object { /* {{{ */
|
|||
|
||||
// If any of the notification subscribers no longer have read access,
|
||||
// remove their subscription.
|
||||
foreach ($this->_notifyList["users"] as $u) {
|
||||
if ($this->getAccessMode($u) < M_READ) {
|
||||
$this->removeNotify($u->getID(), true);
|
||||
if(isset($this->_notifyList["users"])) {
|
||||
foreach ($this->_notifyList["users"] as $u) {
|
||||
if ($this->getAccessMode($u) < M_READ) {
|
||||
$this->removeNotify($u->getID(), true);
|
||||
}
|
||||
}
|
||||
}
|
||||
foreach ($this->_notifyList["groups"] as $g) {
|
||||
if ($this->getGroupAccessMode($g) < M_READ) {
|
||||
$this->removeNotify($g->getID(), false);
|
||||
if(isset($this->_notifyList["groups"])) {
|
||||
foreach ($this->_notifyList["groups"] as $g) {
|
||||
if ($this->getGroupAccessMode($g) < M_READ) {
|
||||
$this->removeNotify($g->getID(), false);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -1659,10 +1663,18 @@ class SeedDMS_Core_Document extends SeedDMS_Core_Object { /* {{{ */
|
|||
* {@see SeedDMS_Core_Document::getReadAccessList()} instead.
|
||||
*/
|
||||
function getApproversList() { /* {{{ */
|
||||
return $this->getReadAccessList();
|
||||
return $this->getReadAccessList(0, 0);
|
||||
} /* }}} */
|
||||
|
||||
function getReadAccessList() { /* {{{ */
|
||||
/**
|
||||
* Returns a list of groups and users with read access on the document
|
||||
*
|
||||
* @param boolean $listadmin if set to true any admin will be listed too
|
||||
* @param boolean $listowner if set to true the owner will be listed too
|
||||
*
|
||||
* @return array list of users and groups
|
||||
*/
|
||||
function getReadAccessList($listadmin=0, $listowner=0) { /* {{{ */
|
||||
$db = $this->_dms->getDB();
|
||||
|
||||
if (!isset($this->_readAccessList)) {
|
||||
|
@ -1686,7 +1698,8 @@ class SeedDMS_Core_Document extends SeedDMS_Core_Object { /* {{{ */
|
|||
}
|
||||
foreach ($tmpList["users"] as $userAccess) {
|
||||
$user = $userAccess->getUser();
|
||||
if (!$this->_dms->enableAdminRevApp && $user->isAdmin()) continue;
|
||||
if (!$listadmin && $user->isAdmin()) continue;
|
||||
if (!$listowner && $user->getID() == $this->_ownerID) continue;
|
||||
if ($user->isGuest()) continue;
|
||||
$userIDs .= (strlen($userIDs)==0 ? "" : ", ") . $userAccess->getUserID();
|
||||
}
|
||||
|
@ -1739,7 +1752,8 @@ class SeedDMS_Core_Document extends SeedDMS_Core_Object { /* {{{ */
|
|||
if (!is_bool($resArr)) {
|
||||
foreach ($resArr as $row) {
|
||||
$user = $this->_dms->getUser($row['id']);
|
||||
if (!$this->_dms->enableAdminRevApp && $user->isAdmin()) continue;
|
||||
if (!$listadmin && $user->isAdmin()) continue;
|
||||
if (!$listowner && $user->getID() == $this->_ownerID) continue;
|
||||
$this->_readAccessList["users"][] = $user;
|
||||
}
|
||||
}
|
||||
|
@ -2319,7 +2333,7 @@ class SeedDMS_Core_DocumentContent extends SeedDMS_Core_Object { /* {{{ */
|
|||
if (!isset($this->_approvalStatus)) {
|
||||
/* First get a list of all approvals for this document content */
|
||||
$queryStr=
|
||||
"SELECT approveId FROM tblDocumentApprovers WHERE `version`='".$this->_version
|
||||
"SELECT approveID FROM tblDocumentApprovers WHERE `version`='".$this->_version
|
||||
."' AND `documentID` = '". $this->_document->getID() ."' ";
|
||||
$recs = $db->getResultArray($queryStr);
|
||||
if (is_bool($recs) && !$recs)
|
||||
|
@ -2335,7 +2349,7 @@ class SeedDMS_Core_DocumentContent extends SeedDMS_Core_Object { /* {{{ */
|
|||
"LEFT JOIN `tblDocumentApproveLog` USING (`approveID`) ".
|
||||
"LEFT JOIN `tblUsers` on `tblUsers`.`id` = `tblDocumentApprovers`.`required` ".
|
||||
"LEFT JOIN `tblGroups` on `tblGroups`.`id` = `tblDocumentApprovers`.`required`".
|
||||
"WHERE `tblDocumentApprovers`.`approveId` = '". $rec['approveId'] ."' ".
|
||||
"WHERE `tblDocumentApprovers`.`approveID` = '". $rec['approveID'] ."' ".
|
||||
"ORDER BY `tblDocumentApproveLog`.`approveLogId` DESC LIMIT ".(int) $limit;
|
||||
|
||||
$res = $db->getResultArray($queryStr);
|
||||
|
@ -2996,7 +3010,9 @@ class SeedDMS_Core_DocumentContent extends SeedDMS_Core_Object { /* {{{ */
|
|||
/**
|
||||
* Get workflow assigned to the document content
|
||||
*
|
||||
* The method returns the last sub workflow if one was assigned.
|
||||
* The method returns the last workflow if one was assigned.
|
||||
* If a the document version is in a sub workflow, it will have
|
||||
* a never date and therefore will be found first.
|
||||
*
|
||||
* @return object/boolean an object of class SeedDMS_Core_Workflow
|
||||
* or false in case of error, e.g. the version has not a workflow
|
||||
|
@ -3008,7 +3024,7 @@ class SeedDMS_Core_DocumentContent extends SeedDMS_Core_Object { /* {{{ */
|
|||
$queryStr=
|
||||
"SELECT b.* FROM tblWorkflowDocumentContent a LEFT JOIN tblWorkflows b ON a.workflow = b.id WHERE a.`version`='".$this->_version
|
||||
."' AND a.`document` = '". $this->_document->getID() ."' "
|
||||
." LIMIT 1";
|
||||
." ORDER BY date DESC LIMIT 1";
|
||||
$recs = $db->getResultArray($queryStr);
|
||||
if (is_bool($recs) && !$recs)
|
||||
return false;
|
||||
|
@ -3156,7 +3172,7 @@ class SeedDMS_Core_DocumentContent extends SeedDMS_Core_Object { /* {{{ */
|
|||
|
||||
if($subworkflow) {
|
||||
$initstate = $subworkflow->getInitState();
|
||||
$queryStr = "INSERT INTO tblWorkflowDocumentContent (parentworkflow, workflow, document, version, state) VALUES (". $this->_workflow->getID(). ", ". $subworkflow->getID(). ", ". $this->_document->getID() .", ". $this->_version .", ".$initstate->getID().")";
|
||||
$queryStr = "INSERT INTO tblWorkflowDocumentContent (parentworkflow, workflow, document, version, state, date) VALUES (". $this->_workflow->getID(). ", ". $subworkflow->getID(). ", ". $this->_document->getID() .", ". $this->_version .", ".$initstate->getID().", CURRENT_TIMESTAMP)";
|
||||
if (!$db->getResult($queryStr)) {
|
||||
return false;
|
||||
}
|
||||
|
@ -3521,14 +3537,15 @@ class SeedDMS_Core_DocumentContent extends SeedDMS_Core_Object { /* {{{ */
|
|||
function getWorkflowLog($transition = null) { /* {{{ */
|
||||
$db = $this->_document->_dms->getDB();
|
||||
|
||||
/*
|
||||
if(!$this->_workflow)
|
||||
$this->getWorkflow();
|
||||
|
||||
if(!$this->_workflow)
|
||||
return false;
|
||||
|
||||
*/
|
||||
$queryStr=
|
||||
"SELECT * FROM tblWorkflowLog WHERE `version`='".$this->_version ."' AND `document` = '". $this->_document->getID() ."' AND `workflow` = ". $this->_workflow->getID();
|
||||
"SELECT * FROM tblWorkflowLog WHERE `version`='".$this->_version ."' AND `document` = '". $this->_document->getID() ."'"; // AND `workflow` = ". $this->_workflow->getID();
|
||||
if($transition)
|
||||
$queryStr .= " AND `transition` = ".$transition->getID();
|
||||
$queryStr .= " ORDER BY `date`";
|
||||
|
@ -3538,7 +3555,8 @@ class SeedDMS_Core_DocumentContent extends SeedDMS_Core_Object { /* {{{ */
|
|||
|
||||
$workflowlogs = array();
|
||||
for ($i = 0; $i < count($resArr); $i++) {
|
||||
$workflowlog = new SeedDMS_Core_Workflow_Log($resArr[$i]["id"], $this->_document->_dms->getDocument($resArr[$i]["document"]), $resArr[$i]["version"], $this->_workflow, $this->_document->_dms->getUser($resArr[$i]["userid"]), $this->_workflow->getTransition($resArr[$i]["transition"]), $resArr[$i]["date"], $resArr[$i]["comment"]);
|
||||
$workflow = $this->_document->_dms->getWorkflow($resArr[$i]["workflow"]);
|
||||
$workflowlog = new SeedDMS_Core_Workflow_Log($resArr[$i]["id"], $this->_document->_dms->getDocument($resArr[$i]["document"]), $resArr[$i]["version"], $workflow, $this->_document->_dms->getUser($resArr[$i]["userid"]), $workflow->getTransition($resArr[$i]["transition"]), $resArr[$i]["date"], $resArr[$i]["comment"]);
|
||||
$workflowlog->setDMS($this);
|
||||
$workflowlogs[$i] = $workflowlog;
|
||||
}
|
||||
|
|
|
@ -1161,17 +1161,18 @@ class SeedDMS_Core_Folder extends SeedDMS_Core_Object {
|
|||
* {@see SeedDMS_Core_Folder::getReadAccessList()} instead.
|
||||
*/
|
||||
function getApproversList() { /* {{{ */
|
||||
return $this->getReadAccessList();
|
||||
return $this->getReadAccessList(0, 0);
|
||||
} /* }}} */
|
||||
|
||||
/**
|
||||
* Returns a list of groups and users with read access on the folder
|
||||
*
|
||||
*
|
||||
* @param boolean $listadmin if set to true any admin will be listed too
|
||||
* @param boolean $listowner if set to true the owner will be listed too
|
||||
*
|
||||
* @return array list of users and groups
|
||||
*/
|
||||
function getReadAccessList() { /* {{{ */
|
||||
function getReadAccessList($listadmin=0, $listowner=0) { /* {{{ */
|
||||
$db = $this->_dms->getDB();
|
||||
|
||||
if (!isset($this->_readAccessList)) {
|
||||
|
@ -1201,7 +1202,8 @@ class SeedDMS_Core_Folder extends SeedDMS_Core_Object {
|
|||
}
|
||||
foreach ($tmpList["users"] as $userAccess) {
|
||||
$user = $userAccess->getUser();
|
||||
if (!$this->_dms->enableAdminRevApp && $user->isAdmin()) continue;
|
||||
if (!$listadmin && $user->isAdmin()) continue;
|
||||
if (!$listowner && $user->getID() == $this->_ownerID) continue;
|
||||
if ($user->isGuest()) continue;
|
||||
$userIDs .= (strlen($userIDs)==0 ? "" : ", ") . $userAccess->getUserID();
|
||||
}
|
||||
|
@ -1254,7 +1256,8 @@ class SeedDMS_Core_Folder extends SeedDMS_Core_Object {
|
|||
if (!is_bool($resArr)) {
|
||||
foreach ($resArr as $row) {
|
||||
$user = $this->_dms->getUser($row['id']);
|
||||
if (!$this->_dms->enableAdminRevApp && $user->isAdmin()) continue;
|
||||
if (!$listadmin && $user->isAdmin()) continue;
|
||||
if (!$listowner && $user->getID() == $this->_ownerID) continue;
|
||||
$this->_readAccessList["users"][] = $user;
|
||||
}
|
||||
}
|
||||
|
|
|
@ -235,7 +235,7 @@ class SeedDMS_Core_Group {
|
|||
$reviewStatus = $this->getReviewStatus();
|
||||
foreach ($reviewStatus as $r) {
|
||||
$queryStr = "INSERT INTO `tblDocumentReviewLog` (`reviewID`, `status`, `comment`, `date`, `userID`) ".
|
||||
"VALUES ('". $r["reviewID"] ."', '-2', 'Review group removed from process', NOW(), '". $user->getID() ."')";
|
||||
"VALUES ('". $r["reviewID"] ."', '-2', 'Review group removed from process', CURRENT_TIMESTAMP, '". $user->getID() ."')";
|
||||
$res=$db->getResult($queryStr);
|
||||
if(!$res) {
|
||||
$db->rollbackTransaction();
|
||||
|
@ -246,7 +246,7 @@ class SeedDMS_Core_Group {
|
|||
$approvalStatus = $this->getApprovalStatus();
|
||||
foreach ($approvalStatus as $a) {
|
||||
$queryStr = "INSERT INTO `tblDocumentApproveLog` (`approveID`, `status`, `comment`, `date`, `userID`) ".
|
||||
"VALUES ('". $a["approveID"] ."', '-2', 'Approval group removed from process', NOW(), '". $user->getID() ."')";
|
||||
"VALUES ('". $a["approveID"] ."', '-2', 'Approval group removed from process', CURRENT_TIMESTAMP, '". $user->getID() ."')";
|
||||
$res=$db->getResult($queryStr);
|
||||
if(!$res) {
|
||||
$db->rollbackTransaction();
|
||||
|
|
|
@ -582,7 +582,7 @@ class SeedDMS_Core_User {
|
|||
$reviewStatus = $this->getReviewStatus();
|
||||
foreach ($reviewStatus["indstatus"] as $ri) {
|
||||
$queryStr = "INSERT INTO `tblDocumentReviewLog` (`reviewID`, `status`, `comment`, `date`, `userID`) ".
|
||||
"VALUES ('". $ri["reviewID"] ."', '-2', 'Reviewer removed from process', NOW(), '". $user->getID() ."')";
|
||||
"VALUES ('". $ri["reviewID"] ."', '-2', 'Reviewer removed from process', CURRENT_TIMESTAMP, '". $user->getID() ."')";
|
||||
$res=$db->getResult($queryStr);
|
||||
if(!$res) {
|
||||
$db->rollbackTransaction();
|
||||
|
@ -593,7 +593,7 @@ class SeedDMS_Core_User {
|
|||
$approvalStatus = $this->getApprovalStatus();
|
||||
foreach ($approvalStatus["indstatus"] as $ai) {
|
||||
$queryStr = "INSERT INTO `tblDocumentApproveLog` (`approveID`, `status`, `comment`, `date`, `userID`) ".
|
||||
"VALUES ('". $ai["approveID"] ."', '-2', 'Approver removed from process', NOW(), '". $user->getID() ."')";
|
||||
"VALUES ('". $ai["approveID"] ."', '-2', 'Approver removed from process', CURRENT_TIMESTAMP, '". $user->getID() ."')";
|
||||
$res=$db->getResult($queryStr);
|
||||
if(!$res) {
|
||||
$db->rollbackTransaction();
|
||||
|
|
|
@ -12,11 +12,11 @@
|
|||
<email>uwe@steinmann.cx</email>
|
||||
<active>yes</active>
|
||||
</lead>
|
||||
<date>2013-02-26</date>
|
||||
<date>2013-03-07</date>
|
||||
<time>15:04:08</time>
|
||||
<version>
|
||||
<release>4.0.0</release>
|
||||
<api>4.0.0</api>
|
||||
<release>4.1.0</release>
|
||||
<api>4.1.0</api>
|
||||
</version>
|
||||
<stability>
|
||||
<release>beta</release>
|
||||
|
@ -414,6 +414,22 @@ New release
|
|||
</stability>
|
||||
<license uri="http://opensource.org/licenses/gpl-license">GPL License</license>
|
||||
<notes>
|
||||
- minor bugfixes
|
||||
</notes>
|
||||
</release>
|
||||
<release>
|
||||
<date>2013-02-26</date>
|
||||
<time>15:04:08</time>
|
||||
<version>
|
||||
<release>4.0.0</release>
|
||||
<api>4.0.0</api>
|
||||
</version>
|
||||
<stability>
|
||||
<release>beta</release>
|
||||
<api>stable</api>
|
||||
</stability>
|
||||
<license uri="http://opensource.org/licenses/gpl-license">GPL License</license>
|
||||
<notes>
|
||||
- minor bugfixes
|
||||
</notes>
|
||||
</release>
|
||||
|
|
|
@ -11,7 +11,7 @@
|
|||
siteName = "SeedDMS"
|
||||
footNote = "SeedDMS free document management system - www.seeddms.org"
|
||||
printDisclaimer="true"
|
||||
language = "English"
|
||||
language = "en_GB"
|
||||
theme = "clean"
|
||||
>
|
||||
</display>
|
||||
|
|
|
@ -43,16 +43,25 @@ if (!is_object($user)) {
|
|||
}
|
||||
|
||||
$dms->setUser($user);
|
||||
$notifier = new SeedDMS_Email();
|
||||
$notifier->setSender($user);
|
||||
if($settings->_enableEmail) {
|
||||
$notifier = new SeedDMS_Email();
|
||||
$notifier->setSender($user);
|
||||
} else {
|
||||
$notifier = null;
|
||||
}
|
||||
|
||||
/* Include the language file as specified in the session. If that is not
|
||||
* available use the language from the settings
|
||||
*/
|
||||
if(file_exists($settings->_rootDir . "languages/" . $resArr["language"] . "/lang.inc"))
|
||||
/*
|
||||
if(file_exists($settings->_rootDir . "languages/" . $resArr["language"] . "/lang.inc")) {
|
||||
include $settings->_rootDir . "languages/" . $resArr["language"] . "/lang.inc";
|
||||
else
|
||||
$session->setLanguage($resArr["language"]);
|
||||
} else {
|
||||
include $settings->_rootDir . "languages/" . $settings->_language . "/lang.inc";
|
||||
$session->setLanguage($settings->_language);
|
||||
}
|
||||
*/
|
||||
|
||||
$theme = $resArr["theme"];
|
||||
if(file_exists($settings->_rootDir . "view/".$theme."/languages/" . $resArr["language"] . "/lang.inc")) {
|
||||
|
|
|
@ -31,11 +31,7 @@ require_once("inc.ClassNotify.php");
|
|||
*/
|
||||
class SeedDMS_Email extends SeedDMS_Notify {
|
||||
|
||||
function toIndividual($sender, $recipient, $subject, $message) { /* {{{ */
|
||||
|
||||
global $settings;
|
||||
if ($settings->_enableEmail==FALSE) return 0;
|
||||
|
||||
function toIndividual($sender, $recipient, $subject, $message, $params=array()) { /* {{{ */
|
||||
if ($recipient->getEmail()=="") return 0;
|
||||
|
||||
if ((!is_object($sender) && strcasecmp(get_class($sender), "SeedDMS_Core_User")) ||
|
||||
|
@ -49,81 +45,51 @@ class SeedDMS_Email extends SeedDMS_Notify {
|
|||
$headers[] = "From: ". $sender->getFullName() ." <". $sender->getEmail() .">";
|
||||
$headers[] = "Reply-To: ". $sender->getFullName() ." <". $sender->getEmail() .">";
|
||||
|
||||
$message = getMLText("email_header")."\r\n\r\n".$message;
|
||||
$message .= "\r\n\r\n".getMLText("email_footer");
|
||||
$lang = $recipient->getLanguage();
|
||||
$message = getMLText("email_header", array(), "", $lang)."\r\n\r\n".getMLText($message, $params, "", $lang);
|
||||
$message .= "\r\n\r\n".getMLText("email_footer", array(), "", $lang);
|
||||
|
||||
return (mail($recipient->getEmail(), $this->replaceMarker($subject), $this->replaceMarker($message), implode("\r\n", $headers)) ? 0 : -1);
|
||||
mail($recipient->getEmail(), getMLText($subject, $params, "", $lang), $message, implode("\r\n", $headers));
|
||||
|
||||
return true;
|
||||
} /* }}} */
|
||||
|
||||
function toGroup($sender, $groupRecipient, $subject, $message) { /* {{{ */
|
||||
|
||||
global $settings;
|
||||
if (!$settings->_enableEmail) return 0;
|
||||
|
||||
function toGroup($sender, $groupRecipient, $subject, $message, $params=array()) { /* {{{ */
|
||||
if ((!is_object($sender) && strcasecmp(get_class($sender), "SeedDMS_Core_User")) ||
|
||||
(!is_object($groupRecipient) && strcasecmp(get_class($groupRecipient), "SeedDMS_Core_Group"))) {
|
||||
return -1;
|
||||
}
|
||||
|
||||
$header = "From: ". $sender->getFullName() ." <". $sender->getEmail() .">\r\n" .
|
||||
"Reply-To: ". $sender->getFullName() ." <". $sender->getEmail() .">\r\n";
|
||||
|
||||
$toList = "";
|
||||
foreach ($groupRecipient->getUsers() as $recipient) {
|
||||
|
||||
if ($recipient->getEmail()!="")
|
||||
$toList .= (strlen($toList)==0 ? "" : ", ") . $recipient->getEmail();
|
||||
$this->toIndividual($sender, $recipient, $subject, $message, $params);
|
||||
}
|
||||
|
||||
if (strlen($toList)==0) {
|
||||
return -1;
|
||||
}
|
||||
|
||||
$message = getMLText("email_header")."\r\n\r\n".$message;
|
||||
$message .= "\r\n\r\n".getMLText("email_footer");
|
||||
|
||||
return (mail($toList, parent::replaceMarker($subject), parent::replaceMarker($message), $header) ? 0 : -1);
|
||||
return true;
|
||||
} /* }}} */
|
||||
|
||||
function toList($sender, $recipients, $subject, $message) { /* {{{ */
|
||||
|
||||
global $settings;
|
||||
if (!$settings->_enableEmail) return 0;
|
||||
|
||||
function toList($sender, $recipients, $subject, $message, $params) { /* {{{ */
|
||||
if ((!is_object($sender) && strcasecmp(get_class($sender), "SeedDMS_Core_User")) ||
|
||||
(!is_array($recipients) && count($recipients)==0)) {
|
||||
return -1;
|
||||
}
|
||||
|
||||
$header = "From: ". $sender->getFullName() ." <". $sender->getEmail() .">\r\n" .
|
||||
"Reply-To: ". $sender->getFullName() ." <". $sender->getEmail() .">\r\n";
|
||||
|
||||
$toList = "";
|
||||
foreach ($recipients as $recipient) {
|
||||
if (is_object($recipient) && !strcasecmp(get_class($recipient), "SeedDMS_Core_User")) {
|
||||
|
||||
if ($recipient->getEmail()!="")
|
||||
$toList .= (strlen($toList)==0 ? "" : ", ") . $recipient->getEmail();
|
||||
}
|
||||
$this->toIndividual($sender, $recipient, $subject, $message, $params);
|
||||
}
|
||||
|
||||
if (strlen($toList)==0) {
|
||||
return -1;
|
||||
}
|
||||
|
||||
$message = getMLText("email_header")."\r\n\r\n".$message;
|
||||
$message .= "\r\n\r\n".getMLText("email_footer");
|
||||
|
||||
return (mail($toList, $this->replaceMarker($subject), $this->replaceMarker($message), $header) ? 0 : -1);
|
||||
return true;
|
||||
} /* }}} */
|
||||
|
||||
function sendPassword($sender, $recipient, $subject, $message) {
|
||||
function sendPassword($sender, $recipient, $subject, $message) { /* {{{ */
|
||||
global $settings;
|
||||
|
||||
$header = "From: " . $settings->_smtpSendFrom . "\r\n" .
|
||||
"Reply-To: " . $settings->_smtpSendFrom . "\r\n";
|
||||
$headers = array();
|
||||
$headers[] = "MIME-Version: 1.0";
|
||||
$headers[] = "Content-type: text/plain; charset=utf-8";
|
||||
$headers[] = "From: ". $settings->_smtpSendFrom();
|
||||
$headers[] = "Reply-To: ". $settings->_smtpSendFrom();
|
||||
|
||||
return (mail($recipient->getEmail(), $this->replaceMarker($subject), $this->replaceMarker($message), $header) ? 0 : -1);
|
||||
}
|
||||
return (mail($recipient->getEmail(), $this->replaceMarker($subject), $this->replaceMarker($message), implode("\r\n", $header)) ? 0 : -1);
|
||||
} /* }}} */
|
||||
}
|
||||
?>
|
||||
|
|
|
@ -31,9 +31,9 @@ abstract class SeedDMS_Notify {
|
|||
*/
|
||||
protected $sender;
|
||||
|
||||
abstract function toIndividual($sender, $recipient, $subject, $message);
|
||||
abstract function toGroup($sender, $groupRecipient, $subject, $message);
|
||||
abstract function toList($sender, $recipients, $subject, $message);
|
||||
abstract function toIndividual($sender, $recipient, $subject, $message, $params);
|
||||
abstract function toGroup($sender, $groupRecipient, $subject, $message, $params);
|
||||
abstract function toList($sender, $recipients, $subject, $message, $params);
|
||||
|
||||
function replaceMarker($text) {
|
||||
global $settings;
|
||||
|
|
|
@ -73,7 +73,7 @@ class SeedDMS_Session {
|
|||
return false;
|
||||
if (count($resArr) == 0)
|
||||
return false;
|
||||
$queryStr = "UPDATE tblSessions SET lastAccess = " . mktime() . " WHERE id = " . $this->db->qstr($id);
|
||||
$queryStr = "UPDATE tblSessions SET lastAccess = " . time() . " WHERE id = " . $this->db->qstr($id);
|
||||
if (!$this->db->getResult($queryStr))
|
||||
return false;
|
||||
$this->id = $id;
|
||||
|
@ -93,9 +93,9 @@ class SeedDMS_Session {
|
|||
* @return string/boolean id of session of false in case of an error
|
||||
*/
|
||||
function create($data) { /* {{{ */
|
||||
$id = "" . rand() . mktime() . rand() . "";
|
||||
$id = "" . rand() . time() . rand() . "";
|
||||
$id = md5($id);
|
||||
$lastaccess = mktime();
|
||||
$lastaccess = time();
|
||||
$queryStr = "INSERT INTO tblSessions (id, userID, lastAccess, theme, language) ".
|
||||
"VALUES ('".$id."', ".$data['userid'].", ".$lastaccess.", '".$data['theme']."', '".$data['lang']."')";
|
||||
if (!$this->db->getResult($queryStr)) {
|
||||
|
@ -116,7 +116,7 @@ class SeedDMS_Session {
|
|||
* @return boolean true if successful otherwise false
|
||||
*/
|
||||
function deleteByTime($sec) { /* {{{ */
|
||||
$queryStr = "DELETE FROM tblSessions WHERE " . mktime() . " - lastAccess > ".$sec;
|
||||
$queryStr = "DELETE FROM tblSessions WHERE " . time() . " - lastAccess > ".$sec;
|
||||
if (!$this->db->getResult($queryStr)) {
|
||||
return false;
|
||||
}
|
||||
|
|
|
@ -107,6 +107,10 @@ class Settings { /* {{{ */
|
|||
var $_enableUsersView = true;
|
||||
// enable/disable listing administrator as reviewer/approver
|
||||
var $_enableAdminRevApp = false;
|
||||
// enable/disable listing owner as reviewer/approver
|
||||
var $_enableOwnerRevApp = false;
|
||||
// enable/disable listing logged in user as reviewer/approver
|
||||
var $_enableSelfRevApp = false;
|
||||
// enable/disable default notification for owner
|
||||
var $_enableOwnerNotification = false;
|
||||
// enable/disable deleting of versions for regular users
|
||||
|
@ -426,6 +430,8 @@ class Settings { /* {{{ */
|
|||
$node = $xml->xpath('/configuration/advanced/edition');
|
||||
$tab = $node[0]->attributes();
|
||||
$this->_enableAdminRevApp = Settings::boolval($tab["enableAdminRevApp"]);
|
||||
$this->_enableOwnerRevApp = Settings::boolval($tab["enableOwnerRevApp"]);
|
||||
$this->_enableSelfRevApp = Settings::boolval($tab["enableSelfRevApp"]);
|
||||
$this->_versioningFileName = strval($tab["versioningFileName"]);
|
||||
$this->_workflowMode = strval($tab["workflowMode"]);
|
||||
$this->_enableVersionDeletion = Settings::boolval($tab["enableVersionDeletion"]);
|
||||
|
@ -664,6 +670,8 @@ class Settings { /* {{{ */
|
|||
// XML Path: /configuration/advanced/edition
|
||||
$node = $this->getXMLNode($xml, '/configuration/advanced', 'edition');
|
||||
$this->setXMLAttributValue($node, "enableAdminRevApp", $this->_enableAdminRevApp);
|
||||
$this->setXMLAttributValue($node, "enableOwnerRevApp", $this->_enableOwnerRevApp);
|
||||
$this->setXMLAttributValue($node, "enableSelfRevApp", $this->_enableSelfRevApp);
|
||||
$this->setXMLAttributValue($node, "versioningFileName", $this->_versioningFileName);
|
||||
$this->setXMLAttributValue($node, "workflowMode", $this->_workflowMode);
|
||||
$this->setXMLAttributValue($node, "enableVersionDeletion", $this->_enableVersionDeletion);
|
||||
|
|
|
@ -44,7 +44,7 @@ class UI extends UI_Default {
|
|||
* @param array $params parameter passed to constructor of view class
|
||||
* @return object an object of a class implementing the view
|
||||
*/
|
||||
function factory($theme, $class, $params=array()) { /* {{{ */
|
||||
static function factory($theme, $class, $params=array()) { /* {{{ */
|
||||
global $settings, $session;
|
||||
if(file_exists("../views/".$theme."/class.".$class.".php")) {
|
||||
require("../views/".$theme."/class.".$class.".php");
|
||||
|
@ -73,7 +73,7 @@ class UI extends UI_Default {
|
|||
return null;
|
||||
} /* }}} */
|
||||
|
||||
function getStyles() { /* {{{ */
|
||||
static function getStyles() { /* {{{ */
|
||||
global $settings;
|
||||
|
||||
$themes = array();
|
||||
|
@ -90,7 +90,7 @@ class UI extends UI_Default {
|
|||
return $themes;
|
||||
} /* }}} */
|
||||
|
||||
function exitError($pagetitle, $error) {
|
||||
static function exitError($pagetitle, $error) {
|
||||
global $theme;
|
||||
$tmp = 'ErrorDlg';
|
||||
$view = UI::factory($theme, $tmp);
|
||||
|
|
|
@ -27,7 +27,7 @@ class UI_Default {
|
|||
$this->theme = $theme;
|
||||
}
|
||||
|
||||
function getStyles() { /* {{{ */
|
||||
static function getStyles() { /* {{{ */
|
||||
global $settings;
|
||||
|
||||
$themes = array();
|
||||
|
@ -637,7 +637,7 @@ class UI_Default {
|
|||
print UI::getImgPath($img);
|
||||
} /* }}} */
|
||||
|
||||
function exitError($pagetitle,$error) { /* {{{ */
|
||||
static function exitError($pagetitle,$error) { /* {{{ */
|
||||
|
||||
UI::htmlStartPage($pagetitle);
|
||||
UI::globalNavigation();
|
||||
|
|
|
@ -35,7 +35,6 @@ if(!$dms->checkVersion()) {
|
|||
|
||||
$dms->setRootFolderID($settings->_rootFolderID);
|
||||
$dms->setMaxDirID($settings->_maxDirID);
|
||||
$dms->setEnableAdminRevApp($settings->_enableAdminRevApp);
|
||||
$dms->setEnableConverting($settings->_enableConverting);
|
||||
$dms->setViewOnlineFileTypes($settings->_viewOnlineFileTypes);
|
||||
?>
|
||||
|
|
|
@ -1,7 +1,8 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010-2013 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
|
@ -17,6 +18,14 @@
|
|||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
foreach(getLanguages() as $_lang) {
|
||||
if(file_exists($settings->_rootDir . "languages/" . $_lang . "/lang.inc")) {
|
||||
include $settings->_rootDir . "languages/" . $_lang . "/lang.inc";
|
||||
$LANG[$_lang] = $text;
|
||||
}
|
||||
}
|
||||
unset($text);
|
||||
|
||||
function getLanguages()
|
||||
{
|
||||
GLOBAL $settings;
|
||||
|
@ -39,10 +48,40 @@ function getLanguages()
|
|||
return $languages;
|
||||
}
|
||||
|
||||
function getMLText($key, $replace = array(), $defaulttext = "")
|
||||
{
|
||||
GLOBAL $settings, $text;
|
||||
|
||||
/**
|
||||
* Get translation
|
||||
*
|
||||
* Returns the translation for a given key. It will replace markers
|
||||
* in the form [xxx] with those elements from the array $replace.
|
||||
* A default text can be gіven for the case, that there is no translation
|
||||
* available. The fourth parameter can override the currently set language
|
||||
* in the session or the default language from the configuration.
|
||||
*
|
||||
* @param string $key key of translation text
|
||||
* @param array $replace list of values that replace markers in the text
|
||||
* @param string $defaulttext text used if no translation can be found
|
||||
* @param string $lang use this language instead of the currently set lang
|
||||
*/
|
||||
function getMLText($key, $replace = array(), $defaulttext = "", $lang="") { /* {{{ */
|
||||
GLOBAL $settings, $LANG, $session;
|
||||
|
||||
if(!$lang) {
|
||||
if($session)
|
||||
$lang = $session->getLanguage();
|
||||
else
|
||||
$lang = $settings->_language;
|
||||
}
|
||||
|
||||
if(!isset($LANG[$lang][$key])) {
|
||||
if (!$defaulttext) {
|
||||
$tmpText = $LANG[$settings->_language][$key];
|
||||
// return "Error getting Text: " . $key . " (" . $lang . ")";
|
||||
} else
|
||||
$tmpText = $defaulttext;
|
||||
} else
|
||||
$tmpText = $LANG[$lang][$key];
|
||||
|
||||
/*
|
||||
if (!isset($text[$key])) {
|
||||
if (!$defaulttext)
|
||||
return "Error getting Text: " . $key . " (" . $settings->_language . ")";
|
||||
|
@ -50,7 +89,7 @@ function getMLText($key, $replace = array(), $defaulttext = "")
|
|||
$tmpText = $defaulttext;
|
||||
} else
|
||||
$tmpText = $text[$key];
|
||||
|
||||
*/
|
||||
if (count($replace) == 0)
|
||||
return $tmpText;
|
||||
|
||||
|
@ -59,14 +98,15 @@ function getMLText($key, $replace = array(), $defaulttext = "")
|
|||
$tmpText = str_replace("[".$key."]", $replace[$key], $tmpText);
|
||||
|
||||
return $tmpText;
|
||||
}
|
||||
} /* }}} */
|
||||
|
||||
function printMLText($key, $replace = array(), $defaulttext = "")
|
||||
function printMLText($key, $replace = array(), $defaulttext = "", $lang="") /* {{{ */
|
||||
{
|
||||
print getMLText($key, $replace, $defaulttext);
|
||||
print getMLText($key, $replace, $defaulttext, $lang);
|
||||
}
|
||||
/* }}} */
|
||||
|
||||
function printReviewStatusText($status, $date=0) {
|
||||
function printReviewStatusText($status, $date=0) { /* {{{ */
|
||||
if (is_null($status)) {
|
||||
print getMLText("status_unknown");
|
||||
}
|
||||
|
@ -89,9 +129,9 @@ function printReviewStatusText($status, $date=0) {
|
|||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
} /* }}} */
|
||||
|
||||
function getReviewStatusText($status, $date=0) {
|
||||
function getReviewStatusText($status, $date=0) { /* {{{ */
|
||||
if (is_null($status)) {
|
||||
return getMLText("status_unknown");
|
||||
}
|
||||
|
@ -114,9 +154,9 @@ function getReviewStatusText($status, $date=0) {
|
|||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
} /* }}} */
|
||||
|
||||
function printApprovalStatusText($status, $date=0) {
|
||||
function printApprovalStatusText($status, $date=0) { /* {{{ */
|
||||
if (is_null($status)) {
|
||||
print getMLText("status_unknown");
|
||||
}
|
||||
|
@ -139,9 +179,9 @@ function printApprovalStatusText($status, $date=0) {
|
|||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
} /* }}} */
|
||||
|
||||
function getApprovalStatusText($status, $date=0) {
|
||||
function getApprovalStatusText($status, $date=0) { /* {{{ */
|
||||
if (is_null($status)) {
|
||||
return getMLText("status_unknown");
|
||||
}
|
||||
|
@ -164,13 +204,13 @@ function getApprovalStatusText($status, $date=0) {
|
|||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
} /* }}} */
|
||||
|
||||
function printOverallStatusText($status) {
|
||||
function printOverallStatusText($status) { /* {{{ */
|
||||
print getOverallStatusText($status);
|
||||
}
|
||||
} /* }}} */
|
||||
|
||||
function getOverallStatusText($status) {
|
||||
function getOverallStatusText($status) { /* {{{ */
|
||||
if (is_null($status)) {
|
||||
return getMLText("assumed_released");
|
||||
}
|
||||
|
@ -202,5 +242,6 @@ function getOverallStatusText($status) {
|
|||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
} /* }}} */
|
||||
|
||||
?>
|
||||
|
|
|
@ -7,8 +7,9 @@ $settings->_rootDir = $rootDir.'/';
|
|||
|
||||
$theme = "blue";
|
||||
include("../inc/inc.Language.php");
|
||||
include "../languages/English/lang.inc";
|
||||
include "../languages/en_GB/lang.inc";
|
||||
include("../inc/inc.ClassUI.php");
|
||||
$LANG['en_GB'] = $text;
|
||||
|
||||
UI::htmlStartPage("INSTALL");
|
||||
UI::contentHeading("SeedDMS Installation...");
|
||||
|
|
|
@ -116,7 +116,7 @@ function fileExistsInIncludePath($file) { /* {{{ */
|
|||
* Load default settings + set
|
||||
*/
|
||||
define("SEEDDMS_INSTALL", "on");
|
||||
define("SEEDDMS_VERSION", "4.0.0");
|
||||
define("SEEDDMS_VERSION", "4.1.0");
|
||||
|
||||
require_once('../inc/inc.ClassSettings.php');
|
||||
|
||||
|
|
|
@ -11,7 +11,7 @@
|
|||
siteName = "SeedDMS"
|
||||
footNote = "SeedDMS free document management system - www.seeddms.org"
|
||||
printDisclaimer="true"
|
||||
language = "English"
|
||||
language = "en_GB"
|
||||
theme = "clean"
|
||||
>
|
||||
</display>
|
||||
|
|
|
@ -1,575 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Acceptar";
|
||||
$text["access_denied"] = "Accés denegat";
|
||||
$text["access_inheritance"] = "Accés heretat";
|
||||
$text["access_mode"] = "Mode d'accés";
|
||||
$text["access_mode_all"] = "Tots els permisos";
|
||||
$text["access_mode_none"] = "No hi ha accés";
|
||||
$text["access_mode_read"] = "Llegir";
|
||||
$text["access_mode_readwrite"] = "Lectura-escriptura";
|
||||
$text["access_permission_changed_email"] = "Permisos canviats";
|
||||
$text["actions"] = "Accions";
|
||||
$text["add"] = "Afegir";
|
||||
$text["add_doc_reviewer_approver_warning"] = "Els documents N.B. es marquen automàticament com a publicats si no hi ha revisors o aprovadors assignats";
|
||||
$text["add_document"] = "Afegir document";
|
||||
$text["add_document_link"] = "Afegir vincle";
|
||||
$text["add_event"] = "Afegir esdeveniment";
|
||||
$text["add_group"] = "Afegir nou grup";
|
||||
$text["add_member"] = "Afegir membre";
|
||||
$text["add_multiple_documents"] = "Add multiple documents";
|
||||
$text["add_multiple_files"] = "Afegir múltiples fitxers (s'utilitzarà el nom de fitxer com a nom del document)";
|
||||
$text["add_subfolder"] = "Afegir subdirectori";
|
||||
$text["add_user"] = "Afegir nou usuari";
|
||||
$text["admin"] = "Administrador";
|
||||
$text["admin_tools"] = "Eines d'administració";
|
||||
$text["all_categories"] = "All categories";
|
||||
$text["all_documents"] = "Tots els documents";
|
||||
$text["all_pages"] = "Tot";
|
||||
$text["all_users"] = "Tots els usuaris";
|
||||
$text["already_subscribed"] = "Ja està subscrit";
|
||||
$text["and"] = "i";
|
||||
$text["apply"] = "Apply";
|
||||
$text["approval_deletion_email"] = "Demanda d'aprovació esborrada";
|
||||
$text["approval_group"] = "Grup aprovador";
|
||||
$text["approval_request_email"] = "Petició d'aprovació";
|
||||
$text["approval_status"] = "Estat d'aprovació";
|
||||
$text["approval_submit_email"] = "Aprovació enviada";
|
||||
$text["approval_summary"] = "Resum d'aprovació";
|
||||
$text["approval_update_failed"] = "Error actualitzant l'estat d'aprovació. Actualització fallada.";
|
||||
$text["approvers"] = "Aprovadors";
|
||||
$text["april"] = "Abril";
|
||||
$text["archive_creation"] = "Creació d'arxiu";
|
||||
$text["archive_creation_warning"] = "Amb aquesta operació pot crear un arxiu que contingui els fitxers de les carpetes del DMS complet. Després de crear-lo, l'arxiu es guardarà a la carpeta de dades del servidor. <br>ATENCIÓ: un fitxer creat com llegible per humans no es podrà usar com a còpia de seguretat del servidor.";
|
||||
$text["assign_approvers"] = "Assignar aprovadors";
|
||||
$text["assign_reviewers"] = "Assignar revisors";
|
||||
$text["assign_user_property_to"] = "Assignar propietats d'usuari a";
|
||||
$text["assumed_released"] = "Se suposa com a publicat";
|
||||
$text["august"] = "Agost";
|
||||
$text["automatic_status_update"] = "Canvi automátic d'estat";
|
||||
$text["back"] = "Endarrere";
|
||||
$text["backup_list"] = "Llista de còpies de seguretat existents";
|
||||
$text["backup_remove"] = "Eliminar fitxer de còpia de seguretat";
|
||||
$text["backup_tools"] = "Eines de còpia de seguretat";
|
||||
$text["between"] = "entre";
|
||||
$text["calendar"] = "Calendari";
|
||||
$text["cancel"] = "Cancel.lar";
|
||||
$text["cannot_assign_invalid_state"] = "No es poden assignar nous revisors a un document que no està pendent de revisió o d'aprovació.";
|
||||
$text["cannot_change_final_states"] = "Atenció: No es pot canviar l'estat de documents que han estat rebutjats, marcats com a obsolets o expirats.";
|
||||
$text["cannot_delete_yourself"] = "No és possible eliminar-se un mateix";
|
||||
$text["cannot_move_root"] = "Error: No és possible moure la carpeta root.";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "No és possible recuperar la instantànea de l'estat d'aprovació per a aquesta versió de document.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "No és possible recuperar la instantània de revisió per a aquesta versió de document.";
|
||||
$text["cannot_rm_root"] = "Error: No és possible eliminar la carpeta root.";
|
||||
$text["category"] = "Category";
|
||||
$text["category_filter"] = "Only categories";
|
||||
$text["category_in_use"] = "This category is currently used by documents.";
|
||||
$text["categories"] = "Categories";
|
||||
$text["change_assignments"] = "Canviar assignacions";
|
||||
$text["change_status"] = "Canviar estat";
|
||||
$text["choose_category"] = "--Elegir categoria--";
|
||||
$text["choose_group"] = "--Seleccionar grup--";
|
||||
$text["choose_target_category"] = "Choose category";
|
||||
$text["choose_target_document"] = "Escollir document";
|
||||
$text["choose_target_folder"] = "Escollir directori de destinació";
|
||||
$text["choose_user"] = "--Seleccionar usuari--";
|
||||
$text["comment_changed_email"] = "Comentari modificat";
|
||||
$text["comment"] = "Comentaris";
|
||||
$text["comment_for_current_version"] = "Comentari de la versió actual";
|
||||
$text["confirm_create_fulltext_index"] = "Yes, I would like to recreate the fulltext index!";
|
||||
$text["confirm_pwd"] = "Confirmar contrasenya";
|
||||
$text["confirm_rm_backup"] = "¿Vol realment eliminar el fitxer \"[arkname]\"?<br />Atenció: aquesta acció no es pot desfer.";
|
||||
$text["confirm_rm_document"] = "¿Vol realment eliminar el document \"[documentname]\"?<br/>Atenció: aquesta acció no es pot desfer.";
|
||||
$text["confirm_rm_dump"] = "¿Vol realment eliminar el fitxer \"[dumpname]\"?<br />Atenció: aquesta acció no es pot desfer.";
|
||||
$text["confirm_rm_event"] = "¿Vol realment eliminar l'event \"[name]\"?<br />Atenció: aquesta acció no es pot desfer.";
|
||||
$text["confirm_rm_file"] = "¿Vol realment eliminar el fitxer \"[name]\" del document \"[documentname]\"?<br />Atenció: aquesta acció no es pot desfer.";
|
||||
$text["confirm_rm_folder"] = "¿Vol realment eliminar el directori \"[foldername]\" i tot el seu contingut?<br />Atenció: aquesta acció no es pot desfer.";
|
||||
$text["confirm_rm_folder_files"] = "¿Vol realment eliminar tots els fitxers de la carpeta \"[foldername]\" i de les seves subcarpetes?<br />Atenció: aquesta acció no es pot desfer.";
|
||||
$text["confirm_rm_group"] = "¿Vol realment eliminar el grup \"[groupname]\"?<br />atenció: aquesta acció no es pot desfer.";
|
||||
$text["confirm_rm_log"] = "¿Vol realment eliminar el fitxer de registre \"[logname]\"?<br />Atenció: aquesta acció no es pot desfer.";
|
||||
$text["confirm_rm_user"] = "¿Vol realment eliminar l'usuari \"[username]\"?<br />Atenció: aquesta acció no es pot desfer.";
|
||||
$text["confirm_rm_version"] = "¿Vol realment eliminar la versió [version] del document \"[documentname]\"?<br />Atenció: aquesta acció no es pot desfer.";
|
||||
$text["content"] = "Contingut";
|
||||
$text["continue"] = "Continuar";
|
||||
$text["create_fulltext_index"] = "Create fulltext index";
|
||||
$text["create_fulltext_index_warning"] = "You are to recreate the fulltext index. This can take a considerable amount of time and reduce your overall system performance. If you really want to recreate the index, please confirm your operation.";
|
||||
$text["creation_date"] = "Creació";
|
||||
$text["current_version"] = "Versió actual";
|
||||
$text["daily"] = "Daily";
|
||||
$text["databasesearch"] = "Database search";
|
||||
$text["december"] = "Desembre";
|
||||
$text["default_access"] = "Mode d'accés predeterminat";
|
||||
$text["default_keyword_category"] = "Categories predeterminades";
|
||||
$text["delete"] = "Eliminar";
|
||||
$text["details"] = "Detalls";
|
||||
$text["details_version"] = "Detalls de la versió: [version]";
|
||||
$text["disclaimer"] = "Aquesta és una àrea restringida. Només es permet l'accés a usuaris autoritzats. Qualsevol intrusió es perseguirà d'acord amb les lleis internacionals.";
|
||||
$text["document_already_locked"] = "Aquest document ja està bloquejat";
|
||||
$text["document_deleted"] = "Document eliminat";
|
||||
$text["document_deleted_email"] = "Document eliminat";
|
||||
$text["document"] = "Document";
|
||||
$text["document_infos"] = "Informacions";
|
||||
$text["document_is_not_locked"] = "Aquest document no està bloquejat";
|
||||
$text["document_link_by"] = "Vinculat per";
|
||||
$text["document_link_public"] = "Públic";
|
||||
$text["document_moved_email"] = "Document reubicat";
|
||||
$text["document_renamed_email"] = "Document reanomenat";
|
||||
$text["documents"] = "Documents";
|
||||
$text["documents_in_process"] = "Documents en procés";
|
||||
$text["documents_locked_by_you"] = "Documents bloquejats per vostè";
|
||||
$text["document_status_changed_email"] = "Estat del document modificat";
|
||||
$text["documents_to_approve"] = "Documents en espera d'aprovació d'usuaris";
|
||||
$text["documents_to_review"] = "Documents en espera de revisió d'usuaris";
|
||||
$text["documents_user_requiring_attention"] = "Documents de la seva propietat que requereixen atenció";
|
||||
$text["document_title"] = "Document '[documentname]'";
|
||||
$text["document_updated_email"] = "Document actualizat";
|
||||
$text["does_not_expire"] = "No caduca";
|
||||
$text["does_not_inherit_access_msg"] = "heretar l'accés";
|
||||
$text["download"] = "Descarregar";
|
||||
$text["draft_pending_approval"] = "Esborrany - pendent d'aprovació";
|
||||
$text["draft_pending_review"] = "Esborrany - pendent de revisió";
|
||||
$text["dump_creation"] = "Creació de bolcat de BDD";
|
||||
$text["dump_creation_warning"] = "Amb aquesta operació es crearà un bolcat a fitxer del contingut de la base de dades. Després de la creació del bolcat, el fitxer es guardarà a la carpeta de dades del seu servidor.";
|
||||
$text["dump_list"] = "Fitxers de bolcat existents";
|
||||
$text["dump_remove"] = "Eliminar fitxer de bolcat";
|
||||
$text["edit_comment"] = "Editar comentari";
|
||||
$text["edit_default_keywords"] = "Editar mots clau";
|
||||
$text["edit_document_access"] = "Editar accés";
|
||||
$text["edit_document_notify"] = "Llista de notificació";
|
||||
$text["edit_document_props"] = "Editar document";
|
||||
$text["edit"] = "editar";
|
||||
$text["edit_event"] = "Editar event";
|
||||
$text["edit_existing_access"] = "Editar llista d'accés";
|
||||
$text["edit_existing_notify"] = "Editar llista de notificació";
|
||||
$text["edit_folder_access"] = "Editar accés";
|
||||
$text["edit_folder_notify"] = "Llista de notificació";
|
||||
$text["edit_folder_props"] = "Editar directori";
|
||||
$text["edit_group"] = "Editar grup...";
|
||||
$text["edit_user_details"] = "Editar detalls d'usuari";
|
||||
$text["edit_user"] = "Editar usuari...";
|
||||
$text["email"] = "Email";
|
||||
$text["email_footer"] = "Sempre es pot canviar la configuració de correu electrònic utilitzant les funcions de «El meu compte»";
|
||||
$text["email_header"] = "Aquest es un missatge automàtic del servidor de DMS.";
|
||||
$text["empty_notify_list"] = "No hi ha entrades";
|
||||
$text["error_no_document_selected"] = "No document selected";
|
||||
$text["error_no_folder_selected"] = "No folder selected";
|
||||
$text["error_occured"] = "Ha succeït un error";
|
||||
$text["event_details"] = "Detalls de l'event";
|
||||
$text["expired"] = "Caducat";
|
||||
$text["expires"] = "Caduca";
|
||||
$text["expiry_changed_email"] = "Data de caducitat modificada";
|
||||
$text["february"] = "Febrer";
|
||||
$text["file"] = "Fitxer";
|
||||
$text["files_deletion"] = "Eliminació de fitxers";
|
||||
$text["files_deletion_warning"] = "Amb aquesta opció es poden eliminar tots els fitxers del DMS complet. La informació de versionat romandrà visible.";
|
||||
$text["files"] = "Fitxers";
|
||||
$text["file_size"] = "Mida";
|
||||
$text["folder_contents"] = "Carpetes";
|
||||
$text["folder_deleted_email"] = "Carpeta eliminada";
|
||||
$text["folder"] = "Carpeta";
|
||||
$text["folder_infos"] = "Informacions";
|
||||
$text["folder_moved_email"] = "Carpeta reubicada";
|
||||
$text["folder_renamed_email"] = "Carpeta reanomenada";
|
||||
$text["folders_and_documents_statistic"] = "Vista general de continguts";
|
||||
$text["folders"] = "Carpetes";
|
||||
$text["folder_title"] = "Carpeta '[foldername]'";
|
||||
$text["friday"] = "Divendres";
|
||||
$text["from"] = "Des de";
|
||||
$text["fullsearch"] = "Full text search";
|
||||
$text["fullsearch_hint"] = "Use fulltext index";
|
||||
$text["fulltext_info"] = "Fulltext index info";
|
||||
$text["global_default_keywords"] = "Mots clau globals";
|
||||
$text["global_document_categories"] = "Categories";
|
||||
$text["group_approval_summary"] = "Resum del grup aprovador";
|
||||
$text["group_exists"] = "El grup ja existeix";
|
||||
$text["group"] = "Grup";
|
||||
$text["group_management"] = "Grups";
|
||||
$text["group_members"] = "Membres del grup";
|
||||
$text["group_review_summary"] = "Resum del grup revisor";
|
||||
$text["groups"] = "Grups";
|
||||
$text["guest_login_disabled"] = "El compte d'invitat està deshabilitat.";
|
||||
$text["guest_login"] = "Accés com a invitat";
|
||||
$text["help"] = "Ajuda";
|
||||
$text["hourly"] = "Hourly";
|
||||
$text["human_readable"] = "Arxiu llegible per humans";
|
||||
$text["include_documents"] = "Incloure documents";
|
||||
$text["include_subdirectories"] = "Incloure subdirectoris";
|
||||
$text["individuals"] = "Individuals";
|
||||
$text["inherits_access_msg"] = "Accés heretat";
|
||||
$text["inherits_access_copy_msg"] = "Copiar llista d'accés heretat";
|
||||
$text["inherits_access_empty_msg"] = "Començar amb una llista d'accés buida";
|
||||
$text["internal_error_exit"] = "Error intern. No és possible acabar la sol.licitud. Acabat.";
|
||||
$text["internal_error"] = "Error intern";
|
||||
$text["invalid_access_mode"] = "No és valid el mode d'accés";
|
||||
$text["invalid_action"] = "L'acció no és vàlida";
|
||||
$text["invalid_approval_status"] = "L'estat d'aprovació no és válid";
|
||||
$text["invalid_create_date_end"] = "La data de final no és vàlida per a la creació de rangs de dates.";
|
||||
$text["invalid_create_date_start"] = "La data d'inici no és vàlida per a la creació de rangs de dates.";
|
||||
$text["invalid_doc_id"] = "ID de document no vàlid";
|
||||
$text["invalid_file_id"] = "ID de fitxer no vàlid";
|
||||
$text["invalid_folder_id"] = "ID de carpeta no vàlid";
|
||||
$text["invalid_group_id"] = "ID de grup no vàlid";
|
||||
$text["invalid_link_id"] = "L'identificador d'enllaç no és válid";
|
||||
$text["invalid_review_status"] = "L'estat de revisió no és válid";
|
||||
$text["invalid_sequence"] = "El valor de seqüència no és válid";
|
||||
$text["invalid_status"] = "L'estat del document no és vàlid";
|
||||
$text["invalid_target_doc_id"] = "ID de document destinació no válid";
|
||||
$text["invalid_target_folder"] = "ID de carpeta destinació no válid";
|
||||
$text["invalid_user_id"] = "ID d'usuari no vàlid";
|
||||
$text["invalid_version"] = "La versión de documento no és vàlida";
|
||||
$text["is_hidden"] = "Amagar de la llista d'usuaris";
|
||||
$text["january"] = "Gener";
|
||||
$text["js_no_approval_group"] = "Si us plau, seleccioneu grup d'aprovació";
|
||||
$text["js_no_approval_status"] = "Si us plau, seleccioneu l'estat d'aprovació";
|
||||
$text["js_no_comment"] = "No hi ha comentaris";
|
||||
$text["js_no_email"] = "Si us plau, escriviu la vostra adreça de correu electrònic";
|
||||
$text["js_no_file"] = "Si us plau, seleccioneu un arxiu";
|
||||
$text["js_no_keywords"] = "Si us plau, especifiqueu mots clau";
|
||||
$text["js_no_login"] = "Si us plau, escriviu un nom d'usuari";
|
||||
$text["js_no_name"] = "Si us plau, escriviu un nom";
|
||||
$text["js_no_override_status"] = "Si us plau, seleccioneu el nou [override] estat";
|
||||
$text["js_no_pwd"] = "Si us plau, escriviu la vostra contrasenya";
|
||||
$text["js_no_query"] = "Si us plau, escriviu una cerca";
|
||||
$text["js_no_review_group"] = "Si us plau, seleccioneu un grup de revisió";
|
||||
$text["js_no_review_status"] = "Si us plau, seleccioneu l'estat de revisió";
|
||||
$text["js_pwd_not_conf"] = "La contrasenya i la confirmació de la contrasenya no coincideixen";
|
||||
$text["js_select_user_or_group"] = "Seleccioneu, si més no, un usuari o un grup";
|
||||
$text["js_select_user"] = "Si us plau, seleccioneu un usuari";
|
||||
$text["july"] = "Juliol";
|
||||
$text["june"] = "Juny";
|
||||
$text["keyword_exists"] = "El mot clau ja existeix";
|
||||
$text["keywords"] = "Mots clau";
|
||||
$text["language"] = "Llenguatge";
|
||||
$text["last_update"] = "Última modificació";
|
||||
$text["link_alt_updatedocument"] = "If you would like to upload files bigger than the current maximum upload size, please use the alternative <a href=\"%s\">upload page</a>.";
|
||||
$text["linked_documents"] = "Documents relacionats";
|
||||
$text["linked_files"] = "Adjunts";
|
||||
$text["local_file"] = "Arxiu local";
|
||||
$text["locked_by"] = "Locked by";
|
||||
$text["lock_document"] = "Bloquejar";
|
||||
$text["lock_message"] = "Aquest document ha estat bloquejat per <a href=\"mailto:[email]\">[username]</a>.<br />Només els usuaris autoritzats poden desbloquejar aquest document (vegeu al final de la pàgina).";
|
||||
$text["lock_status"] = "Estat";
|
||||
$text["login_error_text"] = "Error d'accés. ID d'usuari o contrasenya incorrectes.";
|
||||
$text["login_error_title"] = "Error d'accés";
|
||||
$text["login_not_given"] = "Nom d'usuari no facilitat.";
|
||||
$text["login_ok"] = "Accés amb èxit";
|
||||
$text["log_management"] = "Gestió de fitxers de registre";
|
||||
$text["logout"] = "Desconnectar";
|
||||
$text["manager"] = "Manager";
|
||||
$text["march"] = "Març";
|
||||
$text["max_upload_size"] = "Mida màxima de pujada de cada fitxer";
|
||||
$text["may"] = "Maig";
|
||||
$text["monday"] = "Dilluns";
|
||||
$text["month_view"] = "Vista de mes";
|
||||
$text["monthly"] = "Monthly";
|
||||
$text["move_document"] = "Moure document";
|
||||
$text["move_folder"] = "Moure directori";
|
||||
$text["move"] = "Moure";
|
||||
$text["my_account"] = "El meu compte";
|
||||
$text["my_documents"] = "Els meus documents";
|
||||
$text["name"] = "Nom";
|
||||
$text["new_default_keyword_category"] = "Nova categoria";
|
||||
$text["new_default_keywords"] = "Afegir mots clau";
|
||||
$text["new_document_category"] = "Add category";
|
||||
$text["new_document_email"] = "Nou document";
|
||||
$text["new_file_email"] = "Nou adjunt";
|
||||
$text["new_folder"] = "Nova carpeta";
|
||||
$text["new"] = "Nou";
|
||||
$text["new_subfolder_email"] = "Nova subcarpeta";
|
||||
$text["new_user_image"] = "Nova imatge";
|
||||
$text["no_action"] = "No és necessària cap acció";
|
||||
$text["no_approval_needed"] = "No hi ha aprovacions pendents.";
|
||||
$text["no_attached_files"] = "No hi ha fitxers adjunts";
|
||||
$text["no_default_keywords"] = "No hi ha mots clau disponibles";
|
||||
$text["no_docs_locked"] = "No hi ha documents bloquejats.";
|
||||
$text["no_docs_to_approve"] = "Actualmente no hi ha documents que necessitin aprovació.";
|
||||
$text["no_docs_to_look_at"] = "No hi ha documents que necessitin atenció.";
|
||||
$text["no_docs_to_review"] = "Actualmente no hi ha documents que necessitin revisió.";
|
||||
$text["no_group_members"] = "Aquest grup no té membres";
|
||||
$text["no_groups"] = "No hi ha grups";
|
||||
$text["no"] = "No";
|
||||
$text["no_linked_files"] = "No hi ha fitxers enllaçats";
|
||||
$text["no_previous_versions"] = "No s'han trobat altres versions";
|
||||
$text["no_review_needed"] = "No hi ha revisions pendents.";
|
||||
$text["notify_added_email"] = "Se us ha afegit a la llista de notificació";
|
||||
$text["notify_deleted_email"] = "Se us ha eliminat de la llista de notificació";
|
||||
$text["no_update_cause_locked"] = "Aquest document no es pot actualitzar. Si us plau, contacteu amb l'usuari que l'ha bloquejat.";
|
||||
$text["no_user_image"] = "No es troba la imatge";
|
||||
$text["november"] = "Novembre";
|
||||
$text["obsolete"] = "Obsolet";
|
||||
$text["october"] = "Octubre";
|
||||
$text["old"] = "Vell";
|
||||
$text["only_jpg_user_images"] = "Només pot utilitzar imatges .jpg com imatges d'usuari";
|
||||
$text["owner"] = "Propietari/a";
|
||||
$text["ownership_changed_email"] = "Propietari/a canviat";
|
||||
$text["password"] = "Contrasenya";
|
||||
$text["personal_default_keywords"] = "Mots clau personals";
|
||||
$text["previous_versions"] = "Versions anteriors";
|
||||
$text["refresh"] = "Refresh";
|
||||
$text["rejected"] = "Rebutjat";
|
||||
$text["released"] = "Publicat";
|
||||
$text["removed_approver"] = "Ha estat eliminat de la llista d'aprovadors.";
|
||||
$text["removed_file_email"] = "Adjunts eliminats";
|
||||
$text["removed_reviewer"] = "Ha estat eliminat de la llista de revisors";
|
||||
$text["results_page"] = "Pàgina de resultats";
|
||||
$text["review_deletion_email"] = "Petició de revisió eliminada";
|
||||
$text["reviewer_already_assigned"] = "Ja està asignat com revisor";
|
||||
$text["reviewer_already_removed"] = "Ja ha estat eliminat del procés de revisió o ja ha enviat una revisió";
|
||||
$text["reviewers"] = "Revisors";
|
||||
$text["review_group"] = "Grup de revisió";
|
||||
$text["review_request_email"] = "Petició de revisió";
|
||||
$text["review_status"] = "Estat de revisió";
|
||||
$text["review_submit_email"] = "Revisió enviada";
|
||||
$text["review_summary"] = "Resum de revisió";
|
||||
$text["review_update_failed"] = "Error actualitzant l'estat de la revisió. L'actualizació ha fallat.";
|
||||
$text["rm_default_keyword_category"] = "Eliminar categoria";
|
||||
$text["rm_document"] = "Eliminar document";
|
||||
$text["rm_document_category"] = "Delete category";
|
||||
$text["rm_file"] = "Eliminar fitxer";
|
||||
$text["rm_folder"] = "Eliminar carpeta";
|
||||
$text["rm_group"] = "Eliminar aquest grup";
|
||||
$text["rm_user"] = "Eliminar aquest usuari";
|
||||
$text["rm_version"] = "Eliminar versió";
|
||||
$text["role_admin"] = "Administrador";
|
||||
$text["role_guest"] = "Invitat";
|
||||
$text["role_user"] = "User";
|
||||
$text["role"] = "Rol";
|
||||
$text["saturday"] = "Dissabte";
|
||||
$text["save"] = "Guardar";
|
||||
$text["search_fulltext"] = "Search in fulltext";
|
||||
$text["search_in"] = "Buscar a";
|
||||
$text["search_mode_and"] = "tots els mots";
|
||||
$text["search_mode_or"] = "si més no, un mot";
|
||||
$text["search_no_results"] = "No hi ha documents que coincideixn amb la seva cerca";
|
||||
$text["search_query"] = "Cercar";
|
||||
$text["search_report"] = "Trobats [count] documents";
|
||||
$text["search_results_access_filtered"] = "Els resultats de la cerca podrien incloure continguts amb l'accés denegat.";
|
||||
$text["search_results"] = "Resultats de la cerca";
|
||||
$text["search"] = "Cercar";
|
||||
$text["search_time"] = "Temps transcorregut: [time] seg.";
|
||||
$text["selection"] = "Selecció";
|
||||
$text["select_one"] = "Seleccionar un";
|
||||
$text["september"] = "Setembre";
|
||||
$text["seq_after"] = "Després \"[prevname]\"";
|
||||
$text["seq_end"] = "Al final";
|
||||
$text["seq_keep"] = "Mantenir posició";
|
||||
$text["seq_start"] = "Primera posició";
|
||||
$text["sequence"] = "Seqüència";
|
||||
$text["set_expiry"] = "Establir caducitad";
|
||||
$text["set_owner_error"] = "Error a l'establir el propietari/a";
|
||||
$text["set_owner"] = "Establir propietari/a";
|
||||
$text["settings_activate_module"] = "Activate module";
|
||||
$text["settings_activate_php_extension"] = "Activate PHP extension";
|
||||
$text["settings_adminIP"] = "Admin IP";
|
||||
$text["settings_adminIP_desc"] = "If enabled admin can login only by specified IP addres, leave empty to avoid the control. NOTE: works only with local autentication (no LDAP)";
|
||||
$text["settings_ADOdbPath"] = "ADOdb Path";
|
||||
$text["settings_ADOdbPath_desc"] = "Path to adodb. This is the directory containing the adodb directory";
|
||||
$text["settings_Advanced"] = "Advanced";
|
||||
$text["settings_apache_mod_rewrite"] = "Apache - Module Rewrite";
|
||||
$text["settings_Authentication"] = "Authentication settings";
|
||||
$text["settings_Calendar"] = "Calendar settings";
|
||||
$text["settings_calendarDefaultView"] = "Calendar Default View";
|
||||
$text["settings_calendarDefaultView_desc"] = "Calendar default view";
|
||||
$text["settings_contentDir"] = "Content directory";
|
||||
$text["settings_contentDir_desc"] = "Where the uploaded files are stored (best to choose a directory that is not accessible through your web-server)";
|
||||
$text["settings_contentOffsetDir"] = "Content Offset Directory";
|
||||
$text["settings_contentOffsetDir_desc"] = "To work around limitations in the underlying file system, a new directory structure has been devised that exists within the content directory (Content Directory). This requires a base directory from which to begin. Usually leave this to the default setting, 1048576, but can be any number or string that does not already exist within (Content Directory)";
|
||||
$text["settings_coreDir"] = "Core letoDMS directory";
|
||||
$text["settings_coreDir_desc"] = "Path to LetoDMS_Core (optional)";
|
||||
$text["settings_luceneClassDir"] = "Lucene LetoDMS directory";
|
||||
$text["settings_luceneClassDir_desc"] = "Path to LetoDMS_Lucene (optional)";
|
||||
$text["settings_luceneDir"] = "Lucene letoDMS directory";
|
||||
$text["settings_luceneDir_desc"] = "Path to LetoDMS_Lucene (optional)";
|
||||
$text["settings_createdatabase"] = "Create database";
|
||||
$text["settings_createdirectory"] = "Create directory";
|
||||
$text["settings_currentvalue"] = "Current value";
|
||||
$text["settings_Database"] = "Database settings";
|
||||
$text["settings_dbDatabase"] = "Database";
|
||||
$text["settings_dbDatabase_desc"] = "The name for your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.";
|
||||
$text["settings_dbDriver"] = "Database Type";
|
||||
$text["settings_dbDriver_desc"] = "The type of database in use entered during the installation process. Do not edit this field unless you are having to migrate to a different type of database perhaps due to changing hosts. Type of DB-Driver used by adodb (see adodb-readme)";
|
||||
$text["settings_dbHostname_desc"] = "The hostname for your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.";
|
||||
$text["settings_dbHostname"] = "Server name";
|
||||
$text["settings_dbPass_desc"] = "The password for access to your database entered during the installation process.";
|
||||
$text["settings_dbPass"] = "Password";
|
||||
$text["settings_dbUser_desc"] = "The username for access to your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.";
|
||||
$text["settings_dbUser"] = "Username";
|
||||
$text["settings_delete_install_folder"] = "To use LetoDMS, you must delete the install directory";
|
||||
$text["settings_disableSelfEdit_desc"] = "If checked user cannot edit his own profile";
|
||||
$text["settings_disableSelfEdit"] = "Disable Self Edit";
|
||||
$text["settings_Display"] = "Display settings";
|
||||
$text["settings_Edition"] = "Edition settings";
|
||||
$text["settings_enableAdminRevApp_desc"] = "Uncheck to don't list administrator as reviewer/approver";
|
||||
$text["settings_enableAdminRevApp"] = "Enable Admin Rev App";
|
||||
$text["settings_enableCalendar_desc"] = "Enable/disable calendar";
|
||||
$text["settings_enableCalendar"] = "Enable Calendar";
|
||||
$text["settings_enableConverting_desc"] = "Enable/disable converting of files";
|
||||
$text["settings_enableConverting"] = "Enable Converting";
|
||||
$text["settings_enableEmail_desc"] = "Enable/disable automatic email notification";
|
||||
$text["settings_enableEmail"] = "Enable E-mail";
|
||||
$text["settings_enableFolderTree_desc"] = "False to don't show the folder tree";
|
||||
$text["settings_enableFolderTree"] = "Enable Folder Tree";
|
||||
$text["settings_enableFullSearch"] = "Enable Full text search";
|
||||
$text["settings_enableGuestLogin_desc"] = "If you want anybody to login as guest, check this option. Note: guest login should be used only in a trusted environment";
|
||||
$text["settings_enableGuestLogin"] = "Enable Guest Login";
|
||||
$text["settings_enableUserImage_desc"] = "Enable users images";
|
||||
$text["settings_enableUserImage"] = "Enable User Image";
|
||||
$text["settings_enableUsersView_desc"] = "Enable/disable group and user view for all users";
|
||||
$text["settings_enableUsersView"] = "Enable Users View";
|
||||
$text["settings_error"] = "Error";
|
||||
$text["settings_expandFolderTree_desc"] = "Expand Folder Tree";
|
||||
$text["settings_expandFolderTree"] = "Expand Folder Tree";
|
||||
$text["settings_expandFolderTree_val0"] = "start with tree hidden";
|
||||
$text["settings_expandFolderTree_val1"] = "start with tree shown and first level expanded";
|
||||
$text["settings_expandFolderTree_val2"] = "start with tree shown fully expanded";
|
||||
$text["settings_firstDayOfWeek_desc"] = "First day of the week";
|
||||
$text["settings_firstDayOfWeek"] = "First day of the week";
|
||||
$text["settings_footNote_desc"] = "Message to display at the bottom of every page";
|
||||
$text["settings_footNote"] = "Foot Note";
|
||||
$text["settings_guestID_desc"] = "ID of guest-user used when logged in as guest (mostly no need to change)";
|
||||
$text["settings_guestID"] = "Guest ID";
|
||||
$text["settings_httpRoot_desc"] = "The relative path in the URL, after the domain part. Do not include the http:// prefix or the web host name. e.g. If the full URL is http://www.example.com/letodms/, set '/letodms/'. If the URL is http://www.example.com/, set '/'";
|
||||
$text["settings_httpRoot"] = "Http Root";
|
||||
$text["settings_installADOdb"] = "Install ADOdb";
|
||||
$text["settings_install_success"] = "The installation is completed successfully";
|
||||
$text["settings_language"] = "Default language";
|
||||
$text["settings_language_desc"] = "Default language (name of a subfolder in folder \"languages\")";
|
||||
$text["settings_logFileEnable_desc"] = "Enable/disable log file";
|
||||
$text["settings_logFileEnable"] = "Log File Enable";
|
||||
$text["settings_logFileRotation_desc"] = "The log file rotation";
|
||||
$text["settings_logFileRotation"] = "Log File Rotation";
|
||||
$text["settings_luceneDir"] = "Directory for full text index";
|
||||
$text["settings_maxDirID_desc"] = "Maximum number of sub-directories per parent directory. Default: 32700.";
|
||||
$text["settings_maxDirID"] = "Max Directory ID";
|
||||
$text["settings_maxExecutionTime_desc"] = "This sets the maximum time in seconds a script is allowed to run before it is terminated by the parse";
|
||||
$text["settings_maxExecutionTime"] = "Max Execution Time (s)";
|
||||
$text["settings_more_settings"] = "Configure more settings. Default login: admin/admin";
|
||||
$text["settings_notfound"] = "Not found";
|
||||
$text["settings_partitionSize"] = "Size of partial files uploaded by jumploader";
|
||||
$text["settings_php_dbDriver"] = "PHP extension : php_'see current value'";
|
||||
$text["settings_php_gd2"] = "PHP extension : php_gd2";
|
||||
$text["settings_php_mbstring"] = "PHP extension : php_mbstring";
|
||||
$text["settings_printDisclaimer_desc"] = "If true the disclaimer message the lang.inc files will be print on the bottom of the page";
|
||||
$text["settings_printDisclaimer"] = "Print Disclaimer";
|
||||
$text["settings_restricted_desc"] = "Only allow users to log in if they have an entry in the local database (irrespective of successful authentication with LDAP)";
|
||||
$text["settings_restricted"] = "Restricted access";
|
||||
$text["settings_rootDir_desc"] = "Path to where letoDMS is located";
|
||||
$text["settings_rootDir"] = "Root directory";
|
||||
$text["settings_rootFolderID_desc"] = "ID of root-folder (mostly no need to change)";
|
||||
$text["settings_rootFolderID"] = "Root Folder ID";
|
||||
$text["settings_SaveError"] = "Configuration file save error";
|
||||
$text["settings_Server"] = "Server settings";
|
||||
$text["settings"] = "Settings";
|
||||
$text["settings_siteDefaultPage_desc"] = "Default page on login. If empty defaults to out/out.ViewFolder.php";
|
||||
$text["settings_siteDefaultPage"] = "Site Default Page";
|
||||
$text["settings_siteName_desc"] = "Name of site used in the page titles. Default: letoDMS";
|
||||
$text["settings_siteName"] = "Site Name";
|
||||
$text["settings_Site"] = "Site";
|
||||
$text["settings_smtpPort_desc"] = "SMTP Server port, default 25";
|
||||
$text["settings_smtpPort"] = "SMTP Server port";
|
||||
$text["settings_smtpSendFrom_desc"] = "Send from";
|
||||
$text["settings_smtpSendFrom"] = "Send from";
|
||||
$text["settings_smtpServer_desc"] = "SMTP Server hostname";
|
||||
$text["settings_smtpServer"] = "SMTP Server hostname";
|
||||
$text["settings_SMTP"] = "SMTP Server settings";
|
||||
$text["settings_stagingDir"] = "Directory for partial uploads";
|
||||
$text["settings_strictFormCheck_desc"] = "Strict form checking. If set to true, then all fields in the form will be checked for a value. If set to false, then (most) comments and keyword fields become optional. Comments are always required when submitting a review or overriding document status";
|
||||
$text["settings_strictFormCheck"] = "Strict Form Check";
|
||||
$text["settings_suggestionvalue"] = "Suggestion value";
|
||||
$text["settings_System"] = "System";
|
||||
$text["settings_theme"] = "Default theme";
|
||||
$text["settings_theme_desc"] = "Default style (name of a subfolder in folder \"styles\")";
|
||||
$text["settings_titleDisplayHack_desc"] = "Workaround for page titles that go over more than 2 lines.";
|
||||
$text["settings_titleDisplayHack"] = "Title Display Hack";
|
||||
$text["settings_updateNotifyTime_desc"] = "Users are notified about document-changes that took place within the last 'Update Notify Time' seconds";
|
||||
$text["settings_updateNotifyTime"] = "Update Notify Time";
|
||||
$text["settings_versioningFileName_desc"] = "The name of the versioning info file created by the backup tool";
|
||||
$text["settings_versioningFileName"] = "Versioning FileName";
|
||||
$text["settings_viewOnlineFileTypes_desc"] = "Files with one of the following endings can be viewed online (USE ONLY LOWER CASE CHARACTERS)";
|
||||
$text["settings_viewOnlineFileTypes"] = "View Online File Types";
|
||||
$text["signed_in_as"] = "Connectat com";
|
||||
$text["sign_in"] = "sign in";
|
||||
$text["sign_out"] = "desconnectar";
|
||||
$text["space_used_on_data_folder"] = "Espai utilitzat a la carpeta de dades";
|
||||
$text["status_approval_rejected"] = "Esborrany rebutjat";
|
||||
$text["status_approved"] = "Aprovat";
|
||||
$text["status_approver_removed"] = "Aprovador eliminat del procés";
|
||||
$text["status_not_approved"] = "Sense aprovar";
|
||||
$text["status_not_reviewed"] = "Sense revisar";
|
||||
$text["status_reviewed"] = "Revisat";
|
||||
$text["status_reviewer_rejected"] = "Esborrany rebutjat";
|
||||
$text["status_reviewer_removed"] = "Revisor eliminat del procés";
|
||||
$text["status"] = "Estat";
|
||||
$text["status_unknown"] = "Desconegut";
|
||||
$text["storage_size"] = "Storage size";
|
||||
$text["submit_approval"] = "Enviar aprovació";
|
||||
$text["submit_login"] = "Connectat";
|
||||
$text["submit_review"] = "Enviar revisiót";
|
||||
$text["sunday"] = "Diumenge";
|
||||
$text["theme"] = "Tema gràfic";
|
||||
$text["thursday"] = "Dijous";
|
||||
$text["toggle_manager"] = "Intercanviar manager";
|
||||
$text["to"] = "Fins";
|
||||
$text["tuesday"] = "Dimarts";
|
||||
$text["under_folder"] = "A carpeta";
|
||||
$text["unknown_command"] = "Ordre no reconeguda.";
|
||||
$text["unknown_document_category"] = "Unknown category";
|
||||
$text["unknown_group"] = "Id de grup desconegut";
|
||||
$text["unknown_id"] = "Id desconegut";
|
||||
$text["unknown_keyword_category"] = "Categoria desconeguda";
|
||||
$text["unknown_owner"] = "Id de propietari/a desconegut";
|
||||
$text["unknown_user"] = "ID d'usuari desconegut";
|
||||
$text["unlock_cause_access_mode_all"] = "Pot actualitzar-lo perquè té mode d'accés \"all\". El bloqueig s¡eliminarà automàticament.";
|
||||
$text["unlock_cause_locking_user"] = "Pot actualitzar-lo perquè és qui el va bloquejar. El bloqueig s'eliminarà automàticament.";
|
||||
$text["unlock_document"] = "Desbloquejar";
|
||||
$text["update_approvers"] = "Actualitzar llista d'aprovadors";
|
||||
$text["update_document"] = "Actualitzar";
|
||||
$text["update_fulltext_index"] = "Update fulltext index";
|
||||
$text["update_info"] = "Actualitzar informació";
|
||||
$text["update_locked_msg"] = "Aquest document està bloquejat.";
|
||||
$text["update_reviewers"] = "Actualitzar llista de revisors";
|
||||
$text["update"] = "Actualitzar";
|
||||
$text["uploaded_by"] = "Enviat per";
|
||||
$text["uploading_failed"] = "Enviament (Upload) fallat. Si us plau, contacteu amb l'administrador.";
|
||||
$text["use_default_categories"] = "Use predefined categories";
|
||||
$text["use_default_keywords"] = "Utilitzar els mots clau per omisió";
|
||||
$text["user_exists"] = "L'usuari ja existeix.";
|
||||
$text["user_image"] = "Imatge";
|
||||
$text["user_info"] = "Informació d'usuari";
|
||||
$text["user_list"] = "Llista d'usuaris";
|
||||
$text["user_login"] = "Nom d'usuari";
|
||||
$text["user_management"] = "Usuaris";
|
||||
$text["user_name"] = "Nom complet";
|
||||
$text["users"] = "Usuaris";
|
||||
$text["user"] = "Usuari";
|
||||
$text["version_deleted_email"] = "Versió eliminada";
|
||||
$text["version_info"] = "Informació de versió";
|
||||
$text["versioning_file_creation"] = "Creació de fitxer de versions";
|
||||
$text["versioning_file_creation_warning"] = "Amb aquesta operació podeu crear un fitxer que contingui la informació de versions d'una carpeta del DMS completa. Després de la creació, tots els fitxers es guardaran a la carpeta de documents.";
|
||||
$text["versioning_info"] = "Informació de versions";
|
||||
$text["version"] = "Versió";
|
||||
$text["view_online"] = "Veure online";
|
||||
$text["warning"] = "Advertència";
|
||||
$text["wednesday"] = "Dimecres";
|
||||
$text["week_view"] = "Vista de setmana";
|
||||
$text["year_view"] = "Vista d'any";
|
||||
$text["yes"] = "Sí";
|
||||
?>
|
|
@ -1,419 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "接受";// "Accept";
|
||||
$text["access_denied"] = "拒绝访问";// "Access denied.";
|
||||
$text["access_inheritance"] = "继承访问权限";// "Access Inheritance";
|
||||
$text["access_mode"] = "访问模式";// "Access mode";
|
||||
$text["access_mode_all"] = "所有权限";// "All permissions";
|
||||
$text["access_mode_none"] = "不能访问";// "No access";
|
||||
$text["access_mode_read"] = "只读权限";// "Read permissions";
|
||||
$text["access_mode_readwrite"] = "读写权限";// "Read-Write permissions";
|
||||
$text["access_permission_changed_email"] = "权限已改变";// "Permission changed";
|
||||
$text["actions"] = "动作";// "Actions";
|
||||
$text["add"] = "添加";// "Add";
|
||||
$text["add_doc_reviewer_approver_warning"] = "备注:如果没有指派校对人或审核人那么文档将被自动标注为发布";// "N.B. Documents are automatically marked as released if no reviewer or approver is assigned.";
|
||||
$text["add_document"] = "添加文档";// "Add document";
|
||||
$text["add_document_link"] = "添加链接";// "Add link";
|
||||
$text["add_event"] = "添加事件";// "Add event";
|
||||
$text["add_group"] = "增加新组";// "Add new group";
|
||||
$text["add_member"] = "添加成员";// "Add a member";
|
||||
$text["add_multiple_files"] = "批量添加文档(文档名无法手动修改)";// "Add multiple files (will use filename as document name)";
|
||||
$text["add_subfolder"] = "添加子文件夹";// "Add subfolder";
|
||||
$text["add_user"] = "添加新用户";// "Add new user";
|
||||
$text["admin"] = "管理员";// "Administrator";
|
||||
$text["admin_tools"] = "管理员工具";// "Admin-Tools";
|
||||
$text["all_documents"] = "所有文档";// "All Documents";
|
||||
$text["all_pages"] = "所有页面";// "All";
|
||||
$text["all_users"] = "所有用户";// "All users";
|
||||
$text["already_subscribed"] = "已经订阅";// "Already subscribed";
|
||||
$text["and"] = "and";
|
||||
$text["approval_deletion_email"] = "审核请求已被删除";// "Approval request deleted";
|
||||
$text["approval_group"] = "审核组";// "Approval Group";
|
||||
$text["approval_request_email"] = "审核请求";// "Approval request";
|
||||
$text["approval_status"] = "审核状态";// "Approval Status";
|
||||
$text["approval_submit_email"] = "提交审核";// "Submitted approval";
|
||||
$text["approval_summary"] = "审核汇总";// "Approval Summary";
|
||||
$text["approval_update_failed"] = "错误:更新审核状态.更新失败.";// "Error updating approval status. Update failed.";
|
||||
$text["approvers"] = "审核人";// "Approvers";
|
||||
$text["april"] = "四 月";// "April";
|
||||
$text["archive_creation"] = "创建存档";// "Archive creation";
|
||||
$text["archive_creation_warning"] = "通过此操作您可以创建一个包含这个DMS(文档管理系统)的数据文件夹。之后,所有文档都将保存到您服务器的数据文件夹中.<br>警告:如果所创建文档名为非数字的,那么将在服务器备份中不可用";// "With this operation you can create achive containing the files of entire DMS folders. After the creation the archive will be saved in the data folder of your server.<br>WARNING: an archive created as human readable will be unusable as server backup.";@@@@@@@@@@
|
||||
$text["assign_approvers"] = "指派审核人";// "Assign Approvers";
|
||||
$text["assign_reviewers"] = "指派校对人";// "Assign Reviewers";
|
||||
$text["assign_user_property_to"] = "分配用户属性给";// "Assign user's properties to";
|
||||
$text["assumed_released"] = "假定发布";// "Assumed released";
|
||||
$text["august"] = "八 月";// "August";
|
||||
$text["automatic_status_update"] = "自动状态变化";// "Automatic status change";*
|
||||
$text["back"] = "返回";// "Go back";
|
||||
$text["backup_list"] = "备份列表";// "Existings backup list";
|
||||
$text["backup_remove"] = "删除备份";// "Remove backup file";
|
||||
$text["backup_tools"] = "备份工具";// "Backup tools";
|
||||
$text["between"] = "between";
|
||||
$text["calendar"] = "日历";// "Calendar";
|
||||
$text["cancel"] = "取消";// "Cancel";
|
||||
$text["cannot_assign_invalid_state"] = "不能修改文档的最终状态";// "Cannot modify a document yet in final state";
|
||||
$text["cannot_change_final_states"] = "警告:您不能更改文档的拒绝、过期、待校对、或是待审核等状态";// "Warning: You cannot alter status for document rejected, expired or with pending review or approval";
|
||||
$text["cannot_delete_yourself"] = "不能删除自己";// "Cannot delete yourself";
|
||||
$text["cannot_move_root"] = "错误:不能移动根目录";// "Error: Cannot move root folder.";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "无法检索到该文件版本的审核快照.";// "Unable to retrieve approval status snapshot for this document version.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "无法检索到该文件版本的校对快照.";// "Unable to retrieve review status snapshot for this document version.";
|
||||
$text["cannot_rm_root"] = "错误:不能删除根目录.";// "Error: Cannot delete root folder.";
|
||||
$text["change_assignments"] = "分配变更";// "Change Assignments";
|
||||
$text["change_status"] = "变更状态";// "Change Status";
|
||||
$text["choose_category"] = "请选择";// "Please choose";
|
||||
$text["choose_group"] = "选择组别";// "Choose group";
|
||||
$text["choose_target_document"] = "选择文档";// "Choose document";
|
||||
$text["choose_target_folder"] = "选择文件夹";// "Choose folder";
|
||||
$text["choose_user"] = "选择用户";// "Choose user";
|
||||
$text["comment_changed_email"] = "评论已更改";// "Comment changed";
|
||||
$text["comment"] = "说明";// "Comment";
|
||||
$text["comment_for_current_version"] = "版本说明";// "Version comment";
|
||||
$text["confirm_pwd"] = "确认密码";// "Confirm Password";
|
||||
$text["confirm_rm_backup"] = "您确定要删除\"[arkname]\"备份文档?<br>请注意:此动作执行后不能撤销.";// "Do you really want to remove the file \"[arkname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_document"] = "您确定要删除\"[documentname]\"文档?<br>请注意:此动作执行后不能撤销.";// "Do you really want to remove the document \"[documentname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_dump"] = "您确定要删除\"[dumpname]\"转储文件?<br>请注意:此动作执行后不能撤销.";// "Do you really want to remove the file \"[dumpname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_event"] = "您确定要删除\"[name]\"事件?<br>请注意:此动作执行后不能撤销.";// "Do you really want to remove event \"[name]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_file"] = "您确定要删除\"[documentname]\"文档中的\"[name]\"文件 ?<br>请注意:此动作执行后不能撤销.";// "Do you really want to remove file \"[name]\" of document \"[documentname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_folder"] = "您确定要删除\"[foldername]\"文件夹 及其内文件?<br>请注意:此动作执行后不能撤销.";// "Do you really want to remove the folder \"[foldername]\" and its content?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_folder_files"] = "您确定要删除\"[foldername]\" 中所有文件及其子文件夹?<br>请注意:此动作执行后不能撤销.";// "Do you really want to remove all the files of the folder \"[foldername]\" and of its subfolders?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_group"] = "您确定要删除\"[groupname]\"组?<br>请注意:此动作执行后不能撤销.";// "Do you really want to remove the group \"[groupname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_log"] = "您确定要删除\"[logname]\"日志文件?<br>请注意:此动作执行后不能撤销.";// "Do you really want to remove log file \"[logname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_user"] = "您确定要删除\"[username]\"用户?<br>请注意:此动作执行后不能撤销.";// "Do you really want to remove the user \"[username]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_version"] = "您确定要删除\"[documentname]\文档的[version]版本文件?<br>请注意:此动作执行后不能撤销.";// "Do you really want to remove version [version] of document \"[documentname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["content"] = "内容";// "Content";
|
||||
$text["continue"] = "继续";// "Continue";
|
||||
$text["creation_date"] = "创建日期";// "Created";
|
||||
$text["current_version"] = "当前版本";// "Current version";
|
||||
$text["december"] = "十二月";// "December";
|
||||
$text["default_access"] = "缺省访问模式";// "Default Access Mode";
|
||||
$text["default_keywords"] = "可用关键字";// "Available keywords";
|
||||
$text["delete"] = "删除";// "Delete";
|
||||
$text["details"] = "详细情况";// "Details";
|
||||
$text["details_version"] = "版本详情:[version]";// "Details for version: [version]";
|
||||
$text["disclaimer"] ="警告:这是机密区.只有授权用户才被允许访问.任何违反行为将受到法律制裁";// "This is a classified area. Access is permitted only to authorized personnel. Any violation will be prosecuted according to the national and international laws.";
|
||||
$text["document_already_locked"] = "该文档已被锁定";// "This document is aleady locked";
|
||||
$text["document_deleted"] = "删除文档";// "Document deleted";
|
||||
$text["document_deleted_email"] = "文档已被删除";// "Document deleted";
|
||||
$text["document"] = "文档";// "Document";
|
||||
$text["document_infos"] = "文档信息";// "Document Information";
|
||||
$text["document_is_not_locked"] = "该文档没有被锁定";// "This document is not locked";
|
||||
$text["document_link_by"] = "链接";// "Linked by";
|
||||
$text["document_link_public"] = "公开";// "Public";
|
||||
$text["document_moved_email"] = "文档已被移动";// "Document moved";
|
||||
$text["document_renamed_email"] = "文档已被重命名";// "Document renamed";
|
||||
$text["documents"] = "文档";// "Documents";
|
||||
$text["documents_in_process"] = "待处理文档";// "Documents In Process";
|
||||
$text["documents_locked_by_you"] = "被您锁定的文档";// "Documents locked by you";
|
||||
$text["document_status_changed_email"] = "文档状态已被更改";// "Document status changed";
|
||||
$text["documents_to_approve"] = "待您审核的文档";// "Documents awaiting your approval";
|
||||
$text["documents_to_review"] = "待您校对的文档";// "Documents awaiting your Review";
|
||||
$text["documents_user_requiring_attention"] = "需您关注的文档";// "Documents owned by you that require attention";
|
||||
$text["document_title"] = "文档名称 '[documentname]'";// "Document '[documentname]'";
|
||||
$text["document_updated_email"] = "文档已被更新";// "Document updated";
|
||||
$text["does_not_expire"] = "永不过期";// "Does not expire";
|
||||
$text["does_not_inherit_access_msg"] = "继承访问权限";// "<a class= "";//\"inheritAccess\" href= "";//\"[inheriturl]\">Inherit access</a>";
|
||||
$text["download"] = "下载";// "Download";
|
||||
$text["draft_pending_approval"] = "待审核";// "Draft - pending approval";
|
||||
$text["draft_pending_review"] = "待校对";// "Draft - pending review";
|
||||
$text["dump_creation"] = "转储数据";// "DB dump creation";
|
||||
$text["dump_creation_warning"] = "通过此操作,您可以创建一个您数据库的转储文件,之后可以将转储数据保存到您服务器所在的数据文件夹中";// "With this operation you can create a dump file of your database content. After the creation the dump file will be saved in the data folder of your server.";
|
||||
$text["dump_list"] = "存在转储文件";// "Existings dump files";
|
||||
$text["dump_remove"] = "删除转储文件";// "Remove dump file";转储文件:内存镜像
|
||||
$text["edit_comment"] = "编辑说明";// "Edit comment";
|
||||
$text["edit_default_keywords"] = "编辑关键字";// "Edit keywords";
|
||||
$text["edit_document_access"] = "编辑访问权限";// "Edit Access";
|
||||
$text["edit_document_notify"] = "文档通知列表";// "Document Notification List";
|
||||
$text["edit_document_props"] = "编辑文档";// "Edit document";
|
||||
$text["edit"] = "编辑";// "Edit";
|
||||
$text["edit_event"] = "编辑事件";// "Edit event";
|
||||
$text["edit_existing_access"] = "编辑访问列表";// "Edit Access List";
|
||||
$text["edit_existing_notify"] = "编辑通知列表";// "Edit notification list";
|
||||
$text["edit_folder_access"] = "编辑访问权限";// "Edit access";
|
||||
$text["edit_folder_notify"] = "文件夹通知列表";// "Folder Notification List";
|
||||
$text["edit_folder_props"] = "编辑文件夹";// "Edit folder";
|
||||
$text["edit_group"] = "编辑组别";// "Edit group";
|
||||
$text["edit_user_details"] = "编辑用户详情";// "Edit User Details";
|
||||
$text["edit_user"] = "编辑用户";// "Edit user";
|
||||
$text["email"] = "Email";
|
||||
$text["email_footer"] = "您可以用‘我的账户’选项来改变您的e-mail设置";// "You can always change your e-mail settings using 'My Account' functions";
|
||||
$text["email_header"] = "这是来自于DMS(文档管理系统)的自动发送消息";// "This is an automatic message from the DMS server.";
|
||||
$text["empty_notify_list"] = "没有条目";// "No entries";
|
||||
$text["error_no_document_selected"] = "请选择文档";// "No document selected";
|
||||
$text["error_no_folder_selected"] = "请选择文件夹";// "No folder selected";
|
||||
$text["error_occured"] = "出错";// "An error has occured";
|
||||
$text["event_details"] = "错误详情";// "Event details";
|
||||
$text["expired"] = "过期";// "Expired";
|
||||
$text["expires"] = "有效限期";// "Expires";@@@@@@
|
||||
$text["expiry_changed_email"] = "到期日子已改变";// "Expiry date changed";
|
||||
$text["february"] = "二 月";// "February";
|
||||
$text["file"] = "文件";// "File";
|
||||
$text["files_deletion"] = "删除文件";// "Files deletion";
|
||||
$text["files_deletion_warning"] = "通过此操作,您可以删除整个DMS(文档管理系统)文件夹里的所有文件.但版本信息将被保留";// "With this option you can delete all files of entire DMS folders. The versioning information will remain visible.";
|
||||
$text["files"] = "文件";// "Files";
|
||||
$text["file_size"] = "文件大小";// "Filesize";
|
||||
$text["folder_contents"] = "文件夹内容";// "Folder Contents";
|
||||
$text["folder_deleted_email"] = "文件夹已被删除";// "Folder deleted";
|
||||
$text["folder"] = "文件夹";// "Folder";
|
||||
$text["folder_infos"] = "文件夹信息";// "Folder Information";
|
||||
$text["folder_moved_email"] = "文件夹已被移动";// "Folder moved";
|
||||
$text["folder_renamed_email"] = "文件夹已被重命名";// "Folder renamed";
|
||||
$text["folders_and_documents_statistic"] = "内容概要";// "Contents overview";
|
||||
$text["folders"] = "文件夹";// "Folders";
|
||||
$text["folder_title"] = "文件夹 '[foldername]'";// "Folder '[foldername]'";
|
||||
$text["friday"] = "Friday";
|
||||
$text["from"] = "从";//"From";
|
||||
$text["global_default_keywords"] = "全局关键字";// "Global keywords";
|
||||
$text["group_approval_summary"] = "审核组汇总";// "Group approval summary";
|
||||
$text["group_exists"] = "组已存在";// "Group already exists.";
|
||||
$text["group"] = "组别";// "Group";
|
||||
$text["group_management"] = "组管理";// "Groups management";
|
||||
$text["group_members"] = "组成员";// "Group members";
|
||||
$text["group_review_summary"] = "校对组汇总";// "Group review summary";
|
||||
$text["groups"] = "组别";// "Groups";
|
||||
$text["guest_login_disabled"] = "来宾登录被禁止";// "Guest login is disabled.";
|
||||
$text["guest_login"] = "来宾登录";// "Login as guest";
|
||||
$text["help"] = "帮助";// "Help";
|
||||
$text["human_readable"] = "可读存档";// "Human readable archive";
|
||||
$text["include_documents"] = "包含文档";// "Include documents";
|
||||
$text["include_subdirectories"] = "包含子目录";// "Include subdirectories";
|
||||
$text["individuals"] = "个人";// "Individuals";
|
||||
$text["inherits_access_msg"] = "继承访问权限";//"Access is being inherited.<p><a class=\"inheritAccess\" href=\"[copyurl]\">Copy inherited access list</a><br><a class=\"inheritAccess\" href=\"[emptyurl]\">Start with empty access list</a>";
|
||||
$text["inherits_access_copy_msg"] = "复制继承访问权限列表";
|
||||
$text["inherits_access_empty_msg"] = "从访问权限空列表开始";
|
||||
$text["internal_error_exit"] = "内部错误.无法完成请求.离开系统";// "Internal error. Unable to complete request. Exiting.";
|
||||
$text["internal_error"] = "内部错误";// "Internal error";
|
||||
$text["invalid_access_mode"] = "无效访问模式";// "Invalid Access Mode";
|
||||
$text["invalid_action"] = "无效动作";// "Invalid Action";
|
||||
$text["invalid_approval_status"] = "无效审核状态";// "Invalid Approval Status";
|
||||
$text["invalid_create_date_end"] = "无效截止日期,不在创建日期范围内";// "Invalid end date for creation date range.";
|
||||
$text["invalid_create_date_start"] = "无效开始日期,不在创建日期范围内";// "Invalid start date for creation date range.";
|
||||
$text["invalid_doc_id"] = "无效文档ID号";// "Invalid Document ID";
|
||||
$text["invalid_file_id"] = "无效文件ID号";// "Invalid file ID";
|
||||
$text["invalid_folder_id"] = "无效文件夹ID号";// "Invalid Folder ID";
|
||||
$text["invalid_group_id"] = "无效组别ID号";// "Invalid Group ID";
|
||||
$text["invalid_link_id"] = "无效链接标示";// "Invalid link identifier";
|
||||
$text["invalid_request_token"] = "Invalid Request Token";
|
||||
$text["invalid_review_status"] = "无效校对状态";// "Invalid Review Status";
|
||||
$text["invalid_sequence"] = "无效序列值";// "Invalid sequence value";
|
||||
$text["invalid_status"] = "无效文档状态";// "Invalid Document Status";
|
||||
$text["invalid_target_doc_id"] = "无效目标文档ID号";// "Invalid Target Document ID";
|
||||
$text["invalid_target_folder"] = "无效目标文件夹ID号";// "Invalid Target Folder ID";
|
||||
$text["invalid_user_id"] = "无效用户ID号";// "Invalid User ID";
|
||||
$text["invalid_version"] = "无效文档版本";// "Invalid Document Version";
|
||||
$text["is_hidden"] = "从用户列表中隐藏";// "Hide from users list";
|
||||
$text["january"] = "一 月";// "January";
|
||||
$text["js_no_approval_group"] = "请选择审核组";// "Please select a approval group";
|
||||
$text["js_no_approval_status"] = "请选择审核状态";// "Please select the approval status";
|
||||
$text["js_no_comment"] = "没有添加说明";// "There is no comment";
|
||||
$text["js_no_email"] = "输入您的e-mail";// "Type in your Email-address";
|
||||
$text["js_no_file"] = "请选择一个文件";// "Please select a file";
|
||||
$text["js_no_keywords"] = "指定关键字";// "Specify some keywords";
|
||||
$text["js_no_login"] = "输入用户名";// "Please type in a username";
|
||||
$text["js_no_name"] = "请输入名称";// "Please type in a name";
|
||||
$text["js_no_override_status"] = "请选择一个新的[override]状态";// "Please select the new [override] status";
|
||||
$text["js_no_pwd"] = "您需要输入您的密码";// "You need to type in your password";
|
||||
$text["js_no_query"] = "输入查询";// "Type in a query";
|
||||
$text["js_no_review_group"] = "请选择一个校对组";// "Please select a review group";
|
||||
$text["js_no_review_status"] = "请选择校对状态";// "Please select the review status";
|
||||
$text["js_pwd_not_conf"] = "密码与确认密码不一致";// "Password and passwords-confirmation are not equal";
|
||||
$text["js_select_user_or_group"] = "选择至少一个用户或一个组";// "Select at least a user or a group";
|
||||
$text["js_select_user"] = "请选择一个用户";// "Please select an user";
|
||||
$text["july"] = "七 月";// "July";
|
||||
$text["june"] = "六 月";// "June";
|
||||
$text["keyword_exists"] = "关键字已存在";// "Keyword already exists";
|
||||
$text["keywords"] = "关键字";// "Keywords";
|
||||
$text["language"] = "语言";// "Language";
|
||||
$text["last_update"] = "上次更新";// "Last Update";
|
||||
$text["linked_documents"] = "相关文档";// "Related Documents";
|
||||
$text["linked_files"] = "附件";// "Attachments";
|
||||
$text["local_file"] = "本地文件";// "Local file";
|
||||
$text["lock_document"] = "锁定";// "Lock";
|
||||
$text["lock_message"] = "此文档已被 <a href=\"mailto:[email]\">[username]</a>锁定. 只有授权用户才能解锁."; //"This document is locked by <a href=\"mailto:[email]\">[username]</a>. Only authorized users can unlock this document.";
|
||||
$text["lock_status"] = "锁定状态";// "Status";
|
||||
$text["login_error_text"] = "登录错误.用户名或密码不正确";// "Error signing in. User ID or password incorrect.";
|
||||
$text["login_error_title"] = "登录错误";// "Sign in error";
|
||||
$text["login_not_given"] = "缺少用户名";// "No username has been supplied";@@
|
||||
$text["login_ok"] = "登录成功";// "Sign in successful";
|
||||
$text["log_management"] = "日志管理";// "Log files management";
|
||||
$text["logout"] = "登出";// "Logout";
|
||||
$text["manager"] = "管理员";// "Manager";@@
|
||||
$text["march"] = "三 月";// "March";
|
||||
$text["max_upload_size"] = "最大上传文件大小";// "Maximum upload size";
|
||||
$text["may"] = "五 月";// "May";
|
||||
$text["monday"] = "Monday";
|
||||
$text["month_view"] = "月视图";// "Month view";
|
||||
$text["move_document"] = "移动文档";// "Move document";
|
||||
$text["move_folder"] = "移动文件夹";// "Move Folder";
|
||||
$text["move"] = "移动";// "Move";
|
||||
$text["my_account"] = "我的账户";// "My Account";
|
||||
$text["my_documents"] = "我的文档";// "My Documents";
|
||||
$text["name"] = "名称";// "Name";@@
|
||||
$text["new_default_keyword_category"] = "添加类别";// "Add category";
|
||||
$text["new_default_keywords"] = "添加关键字";// "Add keywords";
|
||||
$text["new_document_email"] = "添加新文档";// "New document";
|
||||
$text["new_file_email"] = "添加新附件";// "New attachment";
|
||||
$text["new_folder"] = "新建文件夹";// "New folder";
|
||||
$text["new"] = "New"; @@@@
|
||||
$text["new_subfolder_email"] = "创建新文件夹";// "New folder";
|
||||
$text["new_user_image"] = "新建图片";// "New image";
|
||||
$text["no_action"] = "无动作请求";// "No action required";
|
||||
$text["no_approval_needed"] = "无待审核的文件";// "No approval pending.";
|
||||
$text["no_attached_files"] = "无附件";// "No attached files";
|
||||
$text["no_default_keywords"] = "无关键字";// "No keywords available";
|
||||
$text["no_docs_locked"] = "无锁定的文档";// "No documents locked.";
|
||||
$text["no_docs_to_approve"] = "当前没有需要审核的文档";// "There are currently no documents that require approval.";
|
||||
$text["no_docs_to_look_at"] = "没有需要关注的文档";// "No documents that need attention.";
|
||||
$text["no_docs_to_review"] = "当前没有需要校对的文档";// "There are currently no documents that require review.";
|
||||
$text["no_group_members"] = "该组没有成员";// "This group has no members";
|
||||
$text["no_groups"] = "无组别";// "No groups";
|
||||
$text["no_linked_files"] = "无链接文件";// "No linked files";
|
||||
$text["no"] = "否";//"No";
|
||||
$text["no_previous_versions"] = "无其它版本";// "No other versions found";
|
||||
$text["no_review_needed"] = "无待校对的文件";// "No review pending.";
|
||||
$text["notify_added_email"] = "您已被添加到了通知名单中";// "You've been added to notify list";
|
||||
$text["notify_deleted_email"] = "您已经从通知名单中删除";// "You've been removed from notify list";
|
||||
$text["no_update_cause_locked"] = "您不能更新此文档,请联系该文档锁定人";// "You can therefore not update this document. Please contanct the locking user.";
|
||||
$text["no_user_image"] = "无图片";// "No image found";
|
||||
$text["november"] = "十一月";// "November";
|
||||
$text["obsolete"] = "Obsolete";@@
|
||||
$text["october"] = "十 月";// "October";
|
||||
$text["old"] = "Old";//@@
|
||||
$text["only_jpg_user_images"] = "只用jpg格式的图片才可以作为用户身份图片";// "Only .jpg-images may be used as user-images";
|
||||
$text["owner"] = "所有者";// "Owner";
|
||||
$text["ownership_changed_email"] = "所有者已变更";// "Owner changed";
|
||||
$text["password"] = "密码";// "Password";
|
||||
$text["personal_default_keywords"] = "用户关键字";// "Personal keywords";@@
|
||||
$text["previous_versions"] = "先前版本";// "Previous Versions";
|
||||
$text["rejected"] = "拒绝";// "Rejected";
|
||||
$text["released"] = "发布";// "Released";
|
||||
$text["removed_approver"] = "已经从审核人名单中删除";// "has been removed from the list of approvers.";
|
||||
$text["removed_file_email"] = "删除附件";// "Removed attachment";
|
||||
$text["removed_reviewer"] = "已经从校对人名单中删除";// "has been removed from the list of reviewers.";
|
||||
$text["results_page"] = "结果页面";// "Results Page";
|
||||
$text["review_deletion_email"] = "校对请求被删除";// "Review request deleted";
|
||||
$text["reviewer_already_assigned"] = "已经被指派为校对人";// "is already assigned as a reviewer";
|
||||
$text["reviewer_already_removed"] = "已经从校对队列中删除或者已经提交校对";// "has already been removed from review process or has already submitted a review";
|
||||
$text["reviewers"] = "校对人";// "Reviewers";
|
||||
$text["review_group"] = "校对组";// "Review Group";
|
||||
$text["review_request_email"] = "校对请求";// "Review request";
|
||||
$text["review_status"] = "校对状态";// "Review Status";
|
||||
$text["review_submit_email"] = "提交校对";// "Submitted review";
|
||||
$text["review_summary"] = "校对汇总";// "Review Summary";
|
||||
$text["review_update_failed"] = "错误 更新校对状态.更新失败";// "Error updating review status. Update failed.";
|
||||
$text["rm_default_keyword_category"] = "删除类别";// "Delete category";
|
||||
$text["rm_document"] = "删除文档";// "Remove document";
|
||||
$text["rm_file"] = "删除文件";// "Remove file";
|
||||
$text["rm_folder"] = "删除文件夹";// "Remove folder";
|
||||
$text["rm_group"] = "删除该组";// "Remove this group";
|
||||
$text["rm_user"] = "删除该用户";// "Remove this user";
|
||||
$text["rm_version"] = "删除该版本";// "Remove version";
|
||||
$text["role_admin"] = "管理员";// "Administrator";
|
||||
$text["role_guest"] = "来宾";// "Guest";
|
||||
$text["role_user"] = "用户";// "User";
|
||||
$text["role"] = "角色";// "Role";
|
||||
$text["saturday"] = "Saturday";
|
||||
$text["save"] = "保存";// "Save";
|
||||
$text["search_in"] = "搜索于";// "Search in";
|
||||
$text["search_mode_and"] = "与模式";// "all words";
|
||||
$text["search_mode_or"] = "或模式";// "at least one word";
|
||||
$text["search_no_results"] = "没有找到与您搜索添加相匹配的文件";// "There are no documents that match your search";
|
||||
$text["search_query"] = "搜索";// "Search for";
|
||||
$text["search_report"] = "找到 [count] 个文档";// "Found [count] documents";
|
||||
$text["search_results_access_filtered"] = "搜索到得结果中可能包含受限访问的文档";// "Search results may contain content to which access has been denied.";
|
||||
$text["search_results"] = "搜索结果";// "Search results";
|
||||
$text["search"] = "搜索";// "Search";
|
||||
$text["search_time"] = "耗时:[time]秒";// "Elapsed time: [time] sec.";
|
||||
$text["selection"] = "选择";// "Selection";
|
||||
$text["select_one"] = "选择一个";// "Select one";
|
||||
$text["september"] = "九 月";// "September";
|
||||
$text["seq_after"] = "在\"[prevname]\"之后";// "After \"[prevname]\"";
|
||||
$text["seq_end"] = "末尾";// "At the end";
|
||||
$text["seq_keep"] = "当前";// "Keep Position";@@@@
|
||||
$text["seq_start"] = "首位";// "First position";
|
||||
$text["sequence"] = "次序";// "Sequence";
|
||||
$text["set_expiry"] = "设置截止日期";// "Set Expiry";
|
||||
$text["set_owner_error"] = "错误 设置所有者";// "Error setting owner";
|
||||
$text["set_owner"] = "设置所有者";// "Set Owner";
|
||||
$text["signed_in_as"] = "登录为";// "Signed in as";
|
||||
$text["sign_out"] = "登出";// "sign out";
|
||||
$text["space_used_on_data_folder"] = "数据文件夹使用空间";// "Space used on data folder";@@
|
||||
$text["status_approval_rejected"] = "拟拒绝";// "Draft rejected";
|
||||
$text["status_approved"] = "批准";// "Approved";
|
||||
$text["status_approver_removed"] = "从审核队列中删除";// "Approver removed from process";
|
||||
$text["status_not_approved"] = "未批准";// "Not approved";
|
||||
$text["status_not_reviewed"] = "未校对";// "Not reviewed";
|
||||
$text["status_reviewed"] = "通过";// "Reviewed";
|
||||
$text["status_reviewer_rejected"] = "拟拒绝";// "Draft rejected";
|
||||
$text["status_reviewer_removed"] = "从校对队列中删除";// "Reviewer removed from process";
|
||||
$text["status"] = "状态";// "Status";
|
||||
$text["status_unknown"] = "未知";// "Unknown";
|
||||
$text["storage_size"] = "存储大小";// "Storage size";
|
||||
$text["submit_approval"] = "提交审核";// "Submit approval";
|
||||
$text["submit_login"] = "登录";// "Sign in";
|
||||
$text["submit_review"] = "提交校对";// "Submit review";
|
||||
$text["sunday"] = "Sunday";
|
||||
$text["theme"] = "主题";// "Theme";
|
||||
$text["thursday"] = "Thursday";
|
||||
$text["toggle_manager"] = "角色切换";// "Toggle manager";@@
|
||||
$text["to"] = "到";//"To";
|
||||
$text["tuesday"] = "Tuesday";
|
||||
$text["under_folder"] = "文件夹内";// "In folder";
|
||||
$text["unknown_command"] = "未知命令";// "Command not recognized.";
|
||||
$text["unknown_group"] = "未知组ID号";// "Unknown group id";
|
||||
$text["unknown_id"] = "未知ID号";// "unknown id";
|
||||
$text["unknown_keyword_category"] = "未知类别";// "Unknown category";
|
||||
$text["unknown_owner"] = "未知所有者ID号";// "Unknown owner id";
|
||||
$text["unknown_user"] = "未知用户ID号";// "Unknown user id";
|
||||
$text["unlock_cause_access_mode_all"] = "您仍然可以更新,因为您有拥有所有权限\"all\". 锁定状态被自动解除.";// "You can still update it because you have access-mode \"all\". Locking will automatically be removed.";
|
||||
$text["unlock_cause_locking_user"] = "您仍然可以更新,因为是您锁定了该文件. 锁定状态被自动解除.";// "You can still update it because you are also the one that locked it. Locking will automatically be removed.";@@
|
||||
$text["unlock_document"] = "解锁";// "Unlock";
|
||||
$text["update_approvers"] = "更新审核人名单";// "Update List of Approvers";
|
||||
$text["update_document"] = "更新";// "Update";
|
||||
$text["update_info"] = "更新信息";// "Update Information";
|
||||
$text["update_locked_msg"] = "该文档被锁定";// "This document is locked.";
|
||||
$text["update_reviewers"] = "更新校对人名单";// "Update List of Reviewers";
|
||||
$text["update"] = "更新";// "Update";
|
||||
$text["uploaded_by"] = "上传者";// "Uploaded by";@@
|
||||
$text["uploading_failed"] = "上传失败.请联系管理员";// "Upload failed. Please contact the administrator.";
|
||||
$text["use_default_keywords"] = "使用预定义关键字";// "Use predefined keywords";
|
||||
$text["user_exists"] = "用户已存在";// "User already exists.";
|
||||
$text["user_image"] = "用户图片";// "Image";@@
|
||||
$text["user_info"] = "用户信息";// "User Information";
|
||||
$text["user_list"] = "用户列表";// "List of Users";
|
||||
$text["user_login"] = "用户ID";// "User ID";
|
||||
$text["user_management"] = "用户管理";// "Users management";
|
||||
$text["user_name"] = "全名";// "Full name";
|
||||
$text["users"] = "用户";// "Users";
|
||||
$text["user"] = "用户";// "User";
|
||||
$text["version_deleted_email"] = "版本已被删除";// "Version deleted";
|
||||
$text["version_info"] = "版本信息";// "Version Information";
|
||||
$text["versioning_file_creation"] = "创建版本文件";// "Versioning file creation";@@
|
||||
$text["versioning_file_creation_warning"] = "通过此操作,您可以一个包含整个DMS文件夹的版本信息文件. 版本文件一经创建,每个文件都将保存到文件夹中.";// "With this operation you can create a file containing the versioning information of an entire DMS folder. After the creation every file will be saved inside the document folder.";@@
|
||||
$text["versioning_info"] = "版本信息";// "Versioning info";
|
||||
$text["version"] = "版本";// "Version";
|
||||
$text["view_online"] = "在线浏览";// "View online";
|
||||
$text["warning"] = "警告";// "Warning";
|
||||
$text["wednesday"] = "Wednesday";
|
||||
$text["week_view"] = "周视图";// "Week view";
|
||||
$text["year_view"] = "年视图";// "Year View";
|
||||
$text["yes"] = "是";// "Yes";
|
||||
?>
|
|
@ -1,587 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "…Éî†äÅ";
|
||||
$text["access_denied"] = "Access denied.";
|
||||
$text["access_inheritance"] = "Access Inheritance";
|
||||
$text["access_mode"] = "…¡ÿ…Åû†¿í…Å";
|
||||
$text["access_mode_all"] = "…«î…à¿";
|
||||
$text["access_mode_none"] = "†™Æ†£ë…¡ÿ…Åû†¼è‰ÖÉ";
|
||||
$text["access_mode_read"] = "…ö¯ˆ«Ç";
|
||||
$text["access_mode_readwrite"] = "ˆ«Ç…¯½";
|
||||
$text["account_summary"] = "Account Summary";
|
||||
$text["action_summary"] = "Action Summary";
|
||||
$text["actions"] = "Actions";
|
||||
$text["add"] = "Add";
|
||||
$text["add_access"] = "…ó¤…èá…¡ÿ…Åû";
|
||||
$text["add_doc_reviewer_approver_warning"] = "N.B. Documents are automatically marked as released if no reviewer or approver is assigned.";
|
||||
$text["add_document"] = "…ó¤…èᆬö†íê";
|
||||
$text["add_document_link"] = "…ó¤…èá‰Çú‡´É";
|
||||
$text["add_group"] = "†û—…󤇾ñ‡´ä";
|
||||
$text["add_link"] = "Create Link";
|
||||
$text["add_member"] = "…ó¤…èá†êÉ…ôí";
|
||||
$text["add_new_notify"] = "†û—…ó¤‡ò—…ïò‰Ç܇–Ñ";
|
||||
$text["add_subfolder"] = "…ó¤…èᅡɈþç†ûÖ…ñ¾";
|
||||
$text["add_user"] = "†û—…󤄻À‡ö¿ˆÇà";
|
||||
$text["adding_default_keywords"] = "†û—…ó¤‰ù£‰ì´…¡ù...";
|
||||
$text["adding_document"] = "†¡ú…£¿†û—…󤆬ö†íê\"[documentname]\"…ê—ˆþç†ûÖ…ñ¾\"[foldername]\"...";
|
||||
$text["adding_document_link"] = "…ó¤…èáˆê燢¹‰ù£†¬ö†íê‡Üä‰Çú‡´É...";
|
||||
$text["adding_document_notify"] = "†û—…ó¤…ê—‡ò—…ïò‰Ç܇–Ñ...";
|
||||
$text["adding_folder_notify"] = "†¡ú…£¿‡ò—…ïò‰Ç܇–Ñ„¹¡†û—…ó¤…à⇳á...";
|
||||
$text["adding_group"] = "…—燾ñ‡´ä…èá…àÑ…ê—‡þ©‡´˜„¹¡...";
|
||||
$text["adding_member"] = "…ó¤…èá†êÉ…ôí…ê—‡¾ñ‡´ä„¹¡...";
|
||||
$text["adding_sub_folder"] = "…ó¤…èᅡɈþç†ûÖ…ñ¾\"[subfoldername]\"…ê—ˆþç†ûÖ…ñ¾\"[foldername]\"...";
|
||||
$text["adding_user"] = "…ó¤…èá„»À‡ö¿ˆÇà…ê—‡þ©‡´˜„¹¡...";
|
||||
$text["admin"] = "Administrator";
|
||||
$text["admin_set_owner"] = "Only an Administrator may set a new owner";
|
||||
$text["admin_tools"] = "‡«í‡É典хà¸";
|
||||
$text["all_documents"] = "All Documents";
|
||||
$text["all_users"] = "†ëdž£ë„»À‡ö¿ˆÇà";
|
||||
$text["and"] = "…ê—";
|
||||
$text["approval_group"] = "Approval Group";
|
||||
$text["approval_status"] = "Approval Status";
|
||||
$text["approval_summary"] = "Approval Summary";
|
||||
$text["approval_update_failed"] = "Error updating approval status. Update failed.";
|
||||
$text["approve_document"] = "Approve Document";
|
||||
$text["approve_document_complete"] = "Approve Document: Complete";
|
||||
$text["approve_document_complete_records_updated"] = "Document approval completed and records updated";
|
||||
$text["approver_added"] = "added as an approver";
|
||||
$text["approver_already_assigned"] = "is already assigned as an approver";
|
||||
$text["approver_already_removed"] = "has already been removed from approval process or has already submitted an approval";
|
||||
$text["approver_no_privilege"] = "is not sufficiently privileged to approve this document";
|
||||
$text["approver_removed"] = "removed from approval process";
|
||||
$text["approvers"] = "Approvers";
|
||||
$text["as_approver"] = "as an approver";
|
||||
$text["as_reviewer"] = "as a reviewer";
|
||||
$text["assign_privilege_insufficient"] = "Access denied. Privileges insufficient to assign reviewers or approvers to this document.";
|
||||
$text["assumed_released"] = "Assumed released";
|
||||
$text["back"] = "ˆÀö…¢¤";
|
||||
$text["between"] = "…¾¤";
|
||||
$text["cancel"] = "†ö¾†úä";
|
||||
$text["cannot_approve_pending_review"] = "Document is currently pending review. Cannot submit an approval at this time.";
|
||||
$text["cannot_assign_invalid_state"] = "Cannot assign new reviewers to a document that is not pending review or pending approval.";
|
||||
$text["cannot_change_final_states"] = "Warning: Unable to alter document status for documents that have been rejected, marked obsolete or expired.";
|
||||
$text["cannot_delete_admin"] = "Unable to delete the primary administrative user.";
|
||||
$text["cannot_move_root"] = "Error: Cannot move root folder.";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "Unable to retrieve approval status snapshot for this document version.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "Unable to retrieve review status snapshot for this document version.";
|
||||
$text["cannot_rm_root"] = "Error: Cannot delete root folder.";
|
||||
$text["choose_category"] = "--ˆ½ï‰ü¹†ôç--";
|
||||
$text["choose_group"] = "--‰ü¹†ô燾ñ‡´ä--";
|
||||
$text["choose_target_document"] = "‰ü¹†ô熬ö†íê";
|
||||
$text["choose_target_folder"] = "‰ü¹†ô燢«‡Üäˆþç†ûÖ…ñ¾";
|
||||
$text["choose_user"] = "--‰ü¹†ôç„»À‡ö¿ˆÇà--";
|
||||
$text["comment"] = "…éÖˆ¿©";
|
||||
$text["comment_for_current_version"] = "‡¢«…ëì‡ëꆣ¼ˆ¬¬†ÿÄ";
|
||||
$text["confirm_pwd"] = "‡ó¦ˆ¬ì…¯å‡ó";
|
||||
$text["confirm_rm_document"] = "‡ó¦ˆ¬ì…ꬉÖñ†¬ö†íê…ùÄ\"[documentname]\"?<br>†þ¿†äÅ<C3A4>Ü †¡ñ†ôì„»£„¹ìˆâ»†ü󅾨ƒÇé";
|
||||
$text["confirm_rm_folder"] = "‡ó¦ˆ¬ì…ꬉÖñˆþç†ûÖ…ñ¾\"[foldername]\" …Æî…ൄ¹¡‡Üä…຅« …ùÄ?<br>†þ¿†äÅ<C3A4>Ü †¡ñ†ôì„»£„¹ìˆâ»†ü󅾨ƒÇé";
|
||||
$text["confirm_rm_version"] = "†é¿‡ó¦…«Üˆªü‡º©‰Öñ†¬ö†íê \"[documentname]\" ‡Üä‡ëꆣ¼ [version] <20>–<br>†þ¿†äÅ<C3A4>Ü †¡ñ†ôì„»£„¹ìˆâ»†ü󅾨ƒÇé";
|
||||
$text["content"] = "…຅« ";
|
||||
$text["continue"] = "Continue";
|
||||
$text["creating_new_default_keyword_category"] = "†û—…ó¤‰í¤…êÑ...";
|
||||
$text["creation_date"] = "…©¦‡½ï†ùц£–";
|
||||
$text["current_version"] = "‡¢«…ëì‡ëꆣ¼";
|
||||
$text["default_access"] = "‰áɈ¿¡‡Üä…¡ÿ…Åû†¿í…Å";
|
||||
$text["default_keyword_category"] = "‰í¤…êÑ<EFBFBD>Ü";
|
||||
$text["default_keyword_category_name"] = "…É쇿˜";
|
||||
$text["default_keywords"] = "…ů„©Ñ„»À‡ö¿‡Üä‰ù£‰ì´…¡ù";
|
||||
$text["delete"] = "…ꬉÖñ";
|
||||
$text["delete_last_version"] = "Document has only one revision. Deleting entire document record...";
|
||||
$text["deleting_document_notify"] = "…¾¤‡ò—…ïò‰Ç܇–Ñ„¹¡…ꬉÖñ...";
|
||||
$text["deleting_folder_notify"] = "…¾¤‡ò—…ïò‰Ç܇–Ñ„¹¡…ꬉÖñ…à⇳á...";
|
||||
$text["details"] = "Details";
|
||||
$text["details_version"] = "Details for version: [version]";
|
||||
$text["document"] = "Document";
|
||||
$text["document_access_again"] = "‡¸¿ˆ¯†¬ö†íê‡Üä…¡ÿ…Åû†¼è‰ÖÉ";
|
||||
$text["document_add_access"] = "†¡ú…£¿†û—…ó¤…à⇳á…ê—†¼è‰ÖɆĺ…êµˆí¿„¹¡...";
|
||||
$text["document_already_locked"] = "†¡ñ†¬ö†íê…¸™ˆó½‰Äû…«Ü";
|
||||
$text["document_del_access"] = "†¡ú…£¿…¾¤†¼è‰ÖɆĺ…êµˆí¿„¹¡…ꬉÖñ…à⇳á...";
|
||||
$text["document_edit_access"] = "†¡ú…£¿†ö ˆ«è…¡ÿ…Åû†¿í…Å...";
|
||||
$text["document_infos"] = "†¬ö†íêˆþ爿è";
|
||||
$text["document_is_not_locked"] = "†¡ñ†¬ö†íꆙƆ£ëˆó½‰Äû…«Ü";
|
||||
$text["document_link_by"] = "‰Çú‡´É„¦¦";
|
||||
$text["document_link_public"] = "…༉ûï";
|
||||
$text["document_list"] = "†¬ö†íê";
|
||||
$text["document_notify_again"] = "…å솼í„À«†ö ‡ò—…ïò‰Ç܇–Ñ";
|
||||
$text["document_overview"] = "†¬ö†íê-†ªé†þü";
|
||||
$text["document_set_default_access"] = "†¡ú…£¿ˆ¿¡…«Ü†¬ö†íê‰áɈ¿¡‡Üä…¡ÿ…Åû†¼è‰ÖÉ...";
|
||||
$text["document_set_inherit"] = "†¡ú…£¿†¹à‰Öñ†¼è‰ÖɆĺ…굈í¿<EFBFBD>ö†íê…—ç‡ †ëÀ…¡ÿ…Åû†¼è‰ÖÉ...";
|
||||
$text["document_set_not_inherit_copy"] = "†¡ú…£¿ˆñçˆú»…¡ÿ…Åû†¼è‰ÖÉ...";
|
||||
$text["document_set_not_inherit_empty"] = "†¡ú…£¿†¹à‰Öñ‡ †ëÀ‡Üä…¡ÿ…Åû†¼è‰ÖɃÇé…ò–‡ö¿‡¨¦‡Ü䆼è‰ÖɆĺ…굈í¿...";
|
||||
$text["document_status"] = "Document Status";
|
||||
$text["document_title"] = "†¬ö†íꇫí‡Éå - †¬ö†íê [documentname]";
|
||||
$text["document_versions"] = "†ëdž£ë‡ëꆣ¼";
|
||||
$text["documents_in_process"] = "Documents In Process";
|
||||
$text["documents_owned_by_user"] = "Documents Owned by User";
|
||||
$text["documents_to_approve"] = "Documents Awaiting User's Approval";
|
||||
$text["documents_to_review"] = "Documents Awaiting User's Review";
|
||||
$text["documents_user_requiring_attention"] = "Documents Owned by User That Require Attention";
|
||||
$text["does_not_expire"] = "‰é䆙ƉüĆ£–";
|
||||
$text["does_not_inherit_access_msg"] = "„¹ì†ÿ¯‡ †ëÀ‡Üä…¡ÿ…Åû†¼è‰ÖÉ";
|
||||
$text["download"] = "†¬ö†íꄹïˆë";
|
||||
$text["draft_pending_approval"] = "Draft - pending approval";
|
||||
$text["draft_pending_review"] = "Draft - pending review";
|
||||
$text["edit"] = "edit";
|
||||
$text["edit_default_keyword_category"] = "‡¸¿ˆ¯‰í¤…êÑ";
|
||||
$text["edit_default_keywords"] = "‡¸¿ˆ¯‰ù£‰ì´…¡ù";
|
||||
$text["edit_document"] = "‡¸¿ˆ¯†¬ö†íê";
|
||||
$text["edit_document_access"] = "„À«†ö ˆ¿¬…òņ¼è‰ÖÉ";
|
||||
$text["edit_document_notify"] = "‡ò—…ïò‰Ç܇–Ñ";
|
||||
$text["edit_document_props"] = "‡¸¿ˆ¯†¬ö†íê…˜¼†Çº";
|
||||
$text["edit_document_props_again"] = "…å솼퇸¿ˆ¯†¬ö†íê";
|
||||
$text["edit_existing_access"] = "‡¸¿ˆ¯†¼è‰ÖÉ";
|
||||
$text["edit_existing_notify"] = "‡¸¿ˆ¯‡ò—…ïò‰Ç܇–Ñ";
|
||||
$text["edit_folder"] = "‡¸¿ˆ¯ˆþç†ûÖ…ñ¾";
|
||||
$text["edit_folder_access"] = "‡¸¿ˆ¯…¡ÿ…Åû†¼è‰ÖÉ";
|
||||
$text["edit_folder_notify"] = "‡ò—…ïò‰Ç܇–Ñ";
|
||||
$text["edit_folder_props"] = "‡¸¿ˆ¯ˆþç†ûÖ…ñ¾…˜¼†Çº";
|
||||
$text["edit_folder_props_again"] = "‡¸¿ˆ¯ˆþç†ûÖ…ñ¾…˜¼†Çº";
|
||||
$text["edit_group"] = "‡¸¿ˆ¯‡¾ñ‡´ä\"[groupname]\"";
|
||||
$text["edit_inherit_access"] = "‡ †ëÀ†Çº…¡ÿ…Åû";
|
||||
$text["edit_personal_default_keywords"] = "‡¸¿ˆ¯…Ç¦‰ù£‰ì´…¡ù";
|
||||
$text["edit_user"] = "‡¸¿ˆ¯„»À‡ö¿ˆÇà\"[username]\"";
|
||||
$text["edit_user_details"] = "Edit User Details";
|
||||
$text["editing_default_keyword_category"] = "„À«†ö ‰í¤…êÑ...";
|
||||
$text["editing_default_keywords"] = "„À«†ö ‰ù£‰ì´…¡ù„¹¡...";
|
||||
$text["editing_document_props"] = "†¬ö†íꇸ¿ˆ¯...";
|
||||
$text["editing_folder_props"] = "†¡ú…£¿‡¸¿ˆ¯ˆþç†ûÖ…ñ¾...";
|
||||
$text["editing_group"] = "‡¸¿ˆ¯„»À‡ö¿ˆÇà‡¾ñ‡´ä...";
|
||||
$text["editing_user"] = "‡¸¿ˆ¯„»À‡ö¿ˆÇà...";
|
||||
$text["editing_user_data"] = "‡¸¿ˆ¯„»À‡ö¿ˆÇàˆ¿¡…«Ü...";
|
||||
$text["email"] = "‰¢©…¡É‰â´„©µ";
|
||||
$text["email_err_group"] = "Error sending email to one or more members of this group.";
|
||||
$text["email_err_user"] = "Error sending email to user.";
|
||||
$text["email_sent"] = "Email sent";
|
||||
$text["empty_access_list"] = "†¼è‰ÖɆÿ¯‡¨¦‡Üä";
|
||||
$text["empty_notify_list"] = "†™Æ†£ë…຅« ";
|
||||
$text["error_adding_session"] = "Error occured while creating session.";
|
||||
$text["error_occured"] = "‰î¯ˆ¬ñ<EFBFBD>ü";
|
||||
$text["error_removing_old_sessions"] = "Error occured while removing old sessions";
|
||||
$text["error_updating_revision"] = "Error updating status of document revision.";
|
||||
$text["exp_date"] = "‰üĆ£–†ùц£–";
|
||||
$text["expired"] = "Expired";
|
||||
$text["expires"] = "‰üĆ£–ˆ¿¡…«Ü";
|
||||
$text["file"] = "File";
|
||||
$text["file_info"] = "File Information";
|
||||
$text["file_size"] = "†¬ö†íê…ñº…—Å";
|
||||
$text["folder_access_again"] = "‡¸¿ˆ¯ˆþç†ûÖ…ñ¾‡Üä…¡ÿ…Åû†¼è‰ÖÉ";
|
||||
$text["folder_add_access"] = "…Éæ†¼è‰ÖÉ„¹¡†û—…ó¤…à⇳á...";
|
||||
$text["folder_contents"] = "Folders";
|
||||
$text["folder_del_access"] = "†¡ú…£¿…¾¤†¼è‰ÖÉ„¹¡…ꬉÖñ…à⇳á...";
|
||||
$text["folder_edit_access"] = "‡¸¿ˆ¯…¡ÿ…Åû†¼è‰ÖÉ...";
|
||||
$text["folder_infos"] = "ˆþç†ûÖ…ñ¾ˆþ爿è";
|
||||
$text["folder_notify_again"] = "‡¸¿ˆ¯‡ò—…ïò‰Ç܇–Ñ";
|
||||
$text["folder_overview"] = "ˆþç†ûÖ…ñ¾-†ªé†þü";
|
||||
$text["folder_path"] = "ˆ¸¯…¾æ";
|
||||
$text["folder_set_default_access"] = "‡é¦ˆþç†ûÖ…ñ¾ˆ¿¡…«Ü‰áɈ¿¡‡Üä…¡ÿ…Åû†¿í…Å...";
|
||||
$text["folder_set_inherit"] = "†¡ú…£¿†¹à‰Öñ†¼è‰ÖɆĺ…êµˆí¿ƒÇé…ò–‡ö¿‡ †ëÀ†¼è‰ÖÉ";
|
||||
$text["folder_set_not_inherit_copy"] = "ˆñçˆú»…¡ÿ…Åû†¼è‰ÖÉ…êùˆí¿...";
|
||||
$text["folder_set_not_inherit_empty"] = "†¡ú…£¿†¹à‰Öñ‡ †ëÀ‡Ü䆼è‰ÖɃÇé…ò–‡ö¿‡¨¦‡Ü䆼è‰ÖɆĺ…굈í¿...";
|
||||
$text["folder_title"] = "†¬ö†íꇫí‡Éå - ˆþç†ûÖ…ñ¾ [foldername]";
|
||||
$text["folders_and_documents_statistic"] = "†–ч£ï†¬ö†íêˆêçˆþç†ûÖ…ñ¾ˆþ爿è";
|
||||
$text["foldertree"] = "ˆþç†ûÖ…ñ¾†¿ ";
|
||||
$text["from_approval_process"] = "from approval process";
|
||||
$text["from_review_process"] = "from review process";
|
||||
$text["global_default_keywords"] = "…à¿…––‰ù£‰ì´…¡ù";
|
||||
$text["goto"] = "…ëì…¾Ç";
|
||||
$text["group"] = "‡¾ñ‡´ä";
|
||||
$text["group_already_approved"] = "An approval has already been submitted on behalf of group";
|
||||
$text["group_already_reviewed"] = "A review has already been submitted on behalf of group";
|
||||
$text["group_approvers"] = "Group Approvers";
|
||||
$text["group_email_sent"] = "Email sent to group members";
|
||||
$text["group_exists"] = "Group already exists.";
|
||||
$text["group_management"] = "„»À‡ö¿ˆÇà‡¾ñ‡´ä";
|
||||
$text["group_members"] = "‡¾ñ‡´ä†êÉ…ôí";
|
||||
$text["group_reviewers"] = "Group Reviewers";
|
||||
$text["group_unable_to_add"] = "Unable to add group";
|
||||
$text["group_unable_to_remove"] = "Unable to remove group";
|
||||
$text["groups"] = "„»À‡ö¿ˆÇà‡¾ñ‡´ä";
|
||||
$text["guest_login"] = "„©Ñˆ¿¬…«óˆ¦½„©»‡Ö©…àÑ";
|
||||
$text["guest_login_disabled"] = "Guest login is disabled.";
|
||||
$text["individual_approvers"] = "Individual Approvers";
|
||||
$text["individual_reviewers"] = "Individual Reviewers";
|
||||
$text["individuals"] = "Individuals";
|
||||
$text["inherits_access_msg"] = "ˆ«Ç…¯½†¼è‰ÖÉˆó½‡ †ëÀƒÇé";
|
||||
$text["inherits_access_copy_msg"] = "ˆñçˆú»†¼è‰ÖÉ…êùˆí¿";
|
||||
$text["inherits_access_empty_msg"] = "„»À‡ö¿‡¨¦‡Ü䆼è‰ÖÉ…êùˆí¿";
|
||||
$text["internal_error"] = "Internal error";
|
||||
$text["internal_error_exit"] = "Internal error. Unable to complete request. Exiting.";
|
||||
$text["invalid_access_mode"] = "Invalid Access Mode";
|
||||
$text["invalid_action"] = "Invalid Action";
|
||||
$text["invalid_approval_status"] = "Invalid Approval Status";
|
||||
$text["invalid_create_date_end"] = "Invalid end date for creation date range.";
|
||||
$text["invalid_create_date_start"] = "Invalid start date for creation date range.";
|
||||
$text["invalid_doc_id"] = "Invalid Document ID";
|
||||
$text["invalid_folder_id"] = "Invalid Folder ID";
|
||||
$text["invalid_group_id"] = "Invalid Group ID";
|
||||
$text["invalid_link_id"] = "Invalid link identifier";
|
||||
$text["invalid_request_token"] = "Invalid Request Token";
|
||||
$text["invalid_review_status"] = "Invalid Review Status";
|
||||
$text["invalid_sequence"] = "Invalid sequence value";
|
||||
$text["invalid_status"] = "Invalid Document Status";
|
||||
$text["invalid_target_doc_id"] = "Invalid Target Document ID";
|
||||
$text["invalid_target_folder"] = "Invalid Target Folder ID";
|
||||
$text["invalid_user_id"] = "Invalid User ID";
|
||||
$text["invalid_version"] = "Invalid Document Version";
|
||||
$text["is_admin"] = "Administrator Privilege";
|
||||
$text["js_no_approval_group"] = "Please select a approval group";
|
||||
$text["js_no_approval_status"] = "Please select the approval status";
|
||||
$text["js_no_comment"] = "†™Æ†£ëˆ¬¬†ÿÄ";
|
||||
$text["js_no_email"] = "ˆ¹…àÑ„»á‡Ü䉢©…¡É‰â´„©µ…£—…¥Ç";
|
||||
$text["js_no_file"] = "ˆ½ï‰ü¹†ô焹DžÇö†íê";
|
||||
$text["js_no_keywords"] = "†–ш¨ó‰ù£‰ì´ˆ¨¤";
|
||||
$text["js_no_login"] = "ˆ½ïˆ¹…àÑ…¹þˆÖ–‡¿˜";
|
||||
$text["js_no_name"] = "ˆ½ïˆ¹…àÑ…É쇿˜";
|
||||
$text["js_no_override_status"] = "Please select the new [override] status";
|
||||
$text["js_no_pwd"] = "†é¿‰£Çˆªüˆ¹…àц鿇Üä…¯å‡ó";
|
||||
$text["js_no_query"] = "ˆ½ïˆ¹…àц–ш¨ó…຅« ";
|
||||
$text["js_no_review_group"] = "Please select a review group";
|
||||
$text["js_no_review_status"] = "Please select the review status";
|
||||
$text["js_pwd_not_conf"] = "…¯å‡ó…Åè…¯å‡ó‡ó¦ˆ¬ì…຅« „¹ì„¹Çˆç³";
|
||||
$text["js_select_user"] = "ˆ½ï‰ü¹†ô焹DžÇï„»À‡ö¿ˆÇà";
|
||||
$text["js_select_user_or_group"] = "ˆçþ…—æ‰ü¹†ô焹DžÇñ‡´ä†êû„»À‡ö¿ˆÇà";
|
||||
$text["keyword_exists"] = "Keyword already exists";
|
||||
$text["keywords"] = "‰ù£‰ì´ˆ¨¤";
|
||||
$text["language"] = "ˆ¬¤ˆ¿Ç";
|
||||
$text["last_update"] = "†¢³†û—†ùц£–";
|
||||
$text["last_updated_by"] = "Last updated by";
|
||||
$text["latest_version"] = "Latest Version";
|
||||
$text["linked_documents"] = "‡¢¹‰ù£†¬ö†íê";
|
||||
$text["local_file"] = "†£¼…£—†¬ö†íê";
|
||||
$text["lock_document"] = "‰Äû…«Ü";
|
||||
$text["lock_message"] = "†£¼†¬ö†íê…¸™ˆó½<a href=\"mailto:[email]\">[username]</a>‰Äû…«ÜƒÇé<br>…âà†¼è‰ÖÉ„»À‡ö¿ˆÇà…ů„©Ñ„À«†ö ‰Äû…«Ü(ˆªï‰áü…—¾)ƒÇé";
|
||||
$text["lock_status"] = "‰Äû…«Ü‡ïdžàï";
|
||||
$text["locking_document"] = "†¬ö†íê‰Äû…«Ü...";
|
||||
$text["logged_in_as"] = "‡Ö©…àÑ";
|
||||
$text["login"] = "‡Ö©…àÑ";
|
||||
$text["login_error_text"] = "Error signing in. User ID or password incorrect.";
|
||||
$text["login_error_title"] = "Sign in error";
|
||||
$text["login_not_found"] = "…¹þˆÖ–„¹ì…¡ÿ…£¿";
|
||||
$text["login_not_given"] = "No username has been supplied";
|
||||
$text["login_ok"] = "Sign in successful";
|
||||
$text["logout"] = "‡Ö©…ç¦";
|
||||
$text["mime_type"] = "Mime‰í¤…¤ï";
|
||||
$text["move"] = "Move";
|
||||
$text["move_document"] = "‡º©…ïò†¬ö†íê";
|
||||
$text["move_folder"] = "‡º©…ïòˆþç†ûÖ…ñ¾";
|
||||
$text["moving_document"] = "†¡ú…£¿‡º©…ïò†¬ö†íê...";
|
||||
$text["moving_folder"] = "†¡ú…£¿‡º©…ïòˆþç†ûÖ…ñ¾...";
|
||||
$text["msg_document_expired"] = "†¬ö†íê\"[documentname]\" (ˆ¸¯…¾æ<C2BE>Ü \"[path]\") …¸™‡µô…£¿[expires]†Öé‰üĆ£–";
|
||||
$text["msg_document_updated"] = "†¬ö†íê\"[documentname]\" (ˆ¸¯…¾æ<C2BE>Ü \"[path]\") †ÿ¯…£¿[updated]†Öé…©¦‡½ï†êû†¢³†û—‡Üä";
|
||||
$text["my_account"] = "†êæ‡Üä…¹þˆÖ–";
|
||||
$text["my_documents"] = "My Documents";
|
||||
$text["name"] = "…É쇿˜";
|
||||
$text["new_default_keyword_category"] = "†û—…ó¤‰í¤…êÑ";
|
||||
$text["new_default_keywords"] = "†û—…ó¤‰ù£‰ì´…¡ù";
|
||||
$text["new_equals_old_state"] = "Warning: Proposed status and existing status are identical. No action required.";
|
||||
$text["new_user_image"] = "†û—‡àº‡ëç";
|
||||
$text["no"] = "…ɪ";
|
||||
$text["no_action"] = "No action required";
|
||||
$text["no_action_required"] = "n/a";
|
||||
$text["no_active_user_docs"] = "There are currently no documents owned by the user that require review or approval.";
|
||||
$text["no_approvers"] = "No approvers assigned.";
|
||||
$text["no_default_keywords"] = "†™Æ†£ë…ů‡ö¿‡Üä‰ù£‰ì´…¡ù";
|
||||
$text["no_docs_to_approve"] = "There are currently no documents that require approval.";
|
||||
$text["no_docs_to_review"] = "There are currently no documents that require review.";
|
||||
$text["no_document_links"] = "†™Æ†£ë‡¢¹‰ù£‡Üä‰Çú‡´É";
|
||||
$text["no_documents"] = "†™Æ†£ë†¬ö†íê";
|
||||
$text["no_group_members"] = "†¡ñ‡¾ñ‡´ä†™Æ†£ë†êÉ…ôí";
|
||||
$text["no_groups"] = "†™Æ†£ë„»À‡ö¿ˆÇà‡¾ñ‡´ä";
|
||||
$text["no_previous_versions"] = "No other versions found";
|
||||
$text["no_reviewers"] = "No reviewers assigned.";
|
||||
$text["no_subfolders"] = "†™Æ†£ë…¡Éˆþç†ûÖ…ñ¾";
|
||||
$text["no_update_cause_locked"] = "†é¿„¹ìˆâ»†¢³†û—†¡ñ†¬ö†íê<EFBFBD>ïˆêç‰Äû…«Ü„¦¦ˆü¯‡ ½ƒÇé";
|
||||
$text["no_user_image"] = "†™Æ†ë¾…ꗇງëç";
|
||||
$text["not_approver"] = "User is not currently assigned as an approver of this document revision.";
|
||||
$text["not_reviewer"] = "User is not currently assigned as a reviewer of this document revision.";
|
||||
$text["notify_subject"] = "†¬ö†íꇫí‡Éå‡þ©‡´˜„¹¡†£ë†û—‡Üä†êû‰üĆ£–‡Ü䆬ö†íê";
|
||||
$text["obsolete"] = "Obsolete";
|
||||
$text["old_folder"] = "old folder";
|
||||
$text["only_jpg_user_images"] = "‡àº‡ëç…Ŭ†ÄÑ…Åù .JPG(JPEG) †á…Å";
|
||||
$text["op_finished"] = "†êÉ…è–";
|
||||
$text["operation_not_allowed"] = "†é¿‡Ü䆼è‰ÖÉ„¹ì…ñá";
|
||||
$text["override_content_status"] = "Override Status";
|
||||
$text["override_content_status_complete"] = "Override Status Complete";
|
||||
$text["override_privilege_insufficient"] = "Access denied. Privileges insufficient to override the status of this document.";
|
||||
$text["overview"] = "Overview";
|
||||
$text["owner"] = "†ëdž£ë„¦¦";
|
||||
$text["password"] = "…¯å‡ó";
|
||||
$text["pending_approval"] = "Documents pending approval";
|
||||
$text["pending_review"] = "Documents pending review";
|
||||
$text["personal_default_keywords"] = "…Ç¦‰ù£‰ì´…¡ù";
|
||||
$text["previous_versions"] = "Previous Versions";
|
||||
$text["rejected"] = "Rejected";
|
||||
$text["released"] = "Released";
|
||||
$text["remove_document_link"] = "…ꬉÖñ‰Çú‡´É";
|
||||
$text["remove_member"] = "…ꬉÖñ†êÉ…ôí";
|
||||
$text["removed_approver"] = "has been removed from the list of approvers.";
|
||||
$text["removed_reviewer"] = "has been removed from the list of reviewers.";
|
||||
$text["removing_default_keyword_category"] = "…ꬉÖñ‰í¤…êÑ...";
|
||||
$text["removing_default_keywords"] = "…ꬉÖñ‰ù£‰ì´…¡ù„¹¡...";
|
||||
$text["removing_document"] = "…ꬉÖñ†¬ö†íê...";
|
||||
$text["removing_document_link"] = "…ꬉÖñˆê燢¹‰ù£†¬ö†íê‡Üä‰Çú‡´É...";
|
||||
$text["removing_folder"] = "…ꬉÖñˆþç†ûÖ…ñ¾...";
|
||||
$text["removing_group"] = "…¾¤‡þ©‡´˜„¹¡…ꬉÖñ†¡ñ‡¾ñ‡´ä...";
|
||||
$text["removing_member"] = "…¾¤‡¾ñ‡´ä„¹¡…ꬉÖñ†êÉ…ôí...";
|
||||
$text["removing_user"] = "…¾¤‡þ©‡´˜„¹¡…ꬉÖñ„»À‡ö¿ˆÇà...";
|
||||
$text["removing_version"] = "‡º©‰Öñ‡ëꆣ¼ [version] „¹¡...";
|
||||
$text["review_document"] = "Review Document";
|
||||
$text["review_document_complete"] = "Review Document: Complete";
|
||||
$text["review_document_complete_records_updated"] = "Document review completed and records updated";
|
||||
$text["review_group"] = "Review Group";
|
||||
$text["review_status"] = "Review Status";
|
||||
$text["review_summary"] = "Review Summary";
|
||||
$text["review_update_failed"] = "Error updating review status. Update failed.";
|
||||
$text["reviewer_added"] = "added as a reviewer";
|
||||
$text["reviewer_already_assigned"] = "is already assigned as a reviewer";
|
||||
$text["reviewer_already_removed"] = "has already been removed from review process or has already submitted a review";
|
||||
$text["reviewer_no_privilege"] = "is not sufficiently privileged to review this document";
|
||||
$text["reviewer_removed"] = "removed from review process";
|
||||
$text["reviewers"] = "Reviewers";
|
||||
$text["rm_default_keyword_category"] = "…ꬉÖñˆ¨™‰í¤…êÑ";
|
||||
$text["rm_default_keywords"] = "…ꬉÖñ‰ù£‰ì´…¡ù";
|
||||
$text["rm_document"] = "…ꬉÖñ†¬ö†íê";
|
||||
$text["rm_folder"] = "…ꬉÖñˆþç†ûÖ…ñ¾";
|
||||
$text["rm_group"] = "…ꬉÖñ†¡ñ‡¾ñ‡´ä";
|
||||
$text["rm_user"] = "…ꬉÖñ†¡ñ„»À‡ö¿ˆÇà";
|
||||
$text["rm_version"] = "‡º©‰Öñ‡ëꆣ¼";
|
||||
$text["root_folder"] = "†á ˆþç†ûÖ…ñ¾";
|
||||
$text["save"] = "…ä™…¡ÿ";
|
||||
$text["search"] = "†É£‡³ó";
|
||||
$text["search_in"] = "†É£…—䅣ì";
|
||||
$text["search_in_all"] = "†ëdž£ëˆþç†ûÖ…ñ¾";
|
||||
$text["search_in_current"] = "…Ŭ†£ë([foldername]) …îà…ɽ…¡Éˆþç†ûÖ…ñ¾";
|
||||
$text["search_mode"] = "†É£…—í…Å";
|
||||
$text["search_mode_and"] = "†ëdž£ë‡Ü䈨¤";
|
||||
$text["search_mode_or"] = "ˆçþ…—憣넹DžÇ¤";
|
||||
$text["search_no_results"] = "†™Æ†£ë†¬ö†íꇼª…Éꆖш¨ó†ó¥„©µƒÇé";
|
||||
$text["search_query"] = "†É£…—ï";
|
||||
$text["search_report"] = "†£ë [count] …Çö†íꇼª…Éꆖш¨ó†ó¥„©µ\ƒÇé";
|
||||
$text["search_result_pending_approval"] = "status 'pending approval'";
|
||||
$text["search_result_pending_review"] = "status 'pending review'";
|
||||
$text["search_results"] = "†É£‡³ó‡´É†¤£";
|
||||
$text["search_results_access_filtered"] = "Search results may contain content to which access has been denied.";
|
||||
$text["search_time"] = "†–ш¨óˆÇù†Öé<EFBFBD>Ü [time] ‡ºÆƒÇé";
|
||||
$text["select_one"] = "ˆ½ï‰ü¹…ൄ¹Ç";
|
||||
$text["selected_document"] = "‰ü¹†ôç‡Ü䆬ö†íê";
|
||||
$text["selected_folder"] = "‰ü¹†ôç‡Üäˆþç†ûÖ…ñ¾";
|
||||
$text["selection"] = "Selection";
|
||||
$text["seq_after"] = "…£¿\"[prevname]\"„ ï…¾î";
|
||||
$text["seq_end"] = "†£Ç…¾î„¹Ç…Çï";
|
||||
$text["seq_keep"] = "‡¢«…ë섻쇻«";
|
||||
$text["seq_start"] = "‡¼¼„¹Ç…Çï";
|
||||
$text["sequence"] = "…èá…àщáå…¦Å";
|
||||
$text["set_default_access"] = "Set Default Access Mode";
|
||||
$text["set_expiry"] = "Set Expiry";
|
||||
$text["set_owner"] = "ˆ¿¡…«Ü†ëdž£ë„¦¦";
|
||||
$text["set_reviewers_approvers"] = "Assign Reviewers and Approvers";
|
||||
$text["setting_expires"] = "ˆ¿¡…«Ü‰Ç¾†Öé...";
|
||||
$text["setting_owner"] = "ˆ¿¡…«Ü†ëdž£ë„¦¦...";
|
||||
$text["setting_user_image"] = "<br>‡é¦„»À‡ö¿ˆÇàˆ¿¡…«Ü‡àº‡ëç...";
|
||||
$text["show_all_versions"] = "Show All Revisions";
|
||||
$text["show_current_versions"] = "Show Current";
|
||||
$text["start"] = "‰ûï…ºï";
|
||||
$text["status"] = "Status";
|
||||
$text["status_approval_rejected"] = "Draft rejected";
|
||||
$text["status_approved"] = "Approved";
|
||||
$text["status_approver_removed"] = "Approver removed from process";
|
||||
$text["status_change_summary"] = "Document revision changed from status '[oldstatus]' to status '[newstatus]'.";
|
||||
$text["status_changed_by"] = "Status changed by";
|
||||
$text["status_not_approved"] = "Not approved";
|
||||
$text["status_not_reviewed"] = "Not reviewed";
|
||||
$text["status_reviewed"] = "Reviewed";
|
||||
$text["status_reviewer_rejected"] = "Draft rejected";
|
||||
$text["status_reviewer_removed"] = "Reviewer removed from process";
|
||||
$text["status_unknown"] = "Unknown";
|
||||
$text["subfolder_list"] = "…¡Éˆþç†ûÖ…ñ¾";
|
||||
$text["submit_approval"] = "Submit approval";
|
||||
$text["submit_login"] = "Sign in";
|
||||
$text["submit_review"] = "Submit review";
|
||||
$text["theme"] = "„»ê†Ö¯";
|
||||
$text["unable_to_add"] = "Unable to add";
|
||||
$text["unable_to_remove"] = "Unable to remove";
|
||||
$text["under_folder"] = "…£¿ˆþç†ûÖ…ñ¾ˆúí";
|
||||
$text["unknown_command"] = "Command not recognized.";
|
||||
$text["unknown_group"] = "Unknown group id";
|
||||
$text["unknown_keyword_category"] = "Unknown category";
|
||||
$text["unknown_owner"] = "Unknown owner id";
|
||||
$text["unknown_user"] = "Unknown user id";
|
||||
$text["unlock_cause_access_mode_all"] = "…¢á‡é¦†é¿†£ë…¡ÿ…Åû†¼è‰ÖÉ\"all\"<EFBFBD>î†é¿„©ì‡äµ…ů„©Ñ†¢³†û—ƒÇ醢³†û—…¾î‰Äû…«Ü…—çˆç¬…ïòˆºú‰ÖñƒÇé";
|
||||
$text["unlock_cause_locking_user"] = "…¢á‡é¦†é¿„ –†ÿ¯‰Äû…«Ü„¦¦„ Ç<EFBFBD>î†é¿„©ì‡äµ…ů„©Ñ†¢³†û—ƒÇ醢³†û—…¾î‰Äû…«Ü…—çˆç¬…ïòˆºú‰ÖñƒÇé";
|
||||
$text["unlock_document"] = "†£¬‰Äû…«Ü";
|
||||
$text["unlocking_denied"] = "†é¿‡Ü䆼è‰ÖÉ„¹ìˆµþ„©Ñˆºú‰Äû†¬ö†íê";
|
||||
$text["unlocking_document"] = "†¬ö†íꈺú‰Äû...";
|
||||
$text["update"] = "Update";
|
||||
$text["update_approvers"] = "Update List of Approvers";
|
||||
$text["update_document"] = "†¢³†û—";
|
||||
$text["update_info"] = "Update Information";
|
||||
$text["update_locked_msg"] = "†¡ñ†¬ö†íêˆÖò†û‰Äû…«Ü‡ïdžàïƒÇé";
|
||||
$text["update_reviewers"] = "Update List of Reviewers";
|
||||
$text["update_reviewers_approvers"] = "Update List of Reviewers and Approvers";
|
||||
$text["updated_by"] = "Updated by";
|
||||
$text["updating_document"] = "†¬ö†íꆢ³†û—...";
|
||||
$text["upload_date"] = "„¹è…éþ†ùц£–";
|
||||
$text["uploaded"] = "Uploaded";
|
||||
$text["uploaded_by"] = "†¬ö†íê†ÅÉ„¾¢ˆÇà";
|
||||
$text["uploading_failed"] = "„¹è…éþ…ñ˜†òù<EFBFBD>ïˆê燫í‡Éå…ôíˆü¯‡ ½ƒÇé";
|
||||
$text["use_default_keywords"] = "„»À‡ö¿‰áÉ…àꅫ܇¾¨‡Üä‰ù£‰ì´…¡ù";
|
||||
$text["user"] = "„»À‡ö¿ˆÇà";
|
||||
$text["user_already_approved"] = "User has already submitted an approval of this document version";
|
||||
$text["user_already_reviewed"] = "User has already submitted a review of this document version";
|
||||
$text["user_approval_not_required"] = "No document approval required of user at this time.";
|
||||
$text["user_exists"] = "User already exists.";
|
||||
$text["user_image"] = "‡àº‡ëç";
|
||||
$text["user_info"] = "User Information";
|
||||
$text["user_list"] = "„»À‡ö¿ˆÇà…êùˆí¿";
|
||||
$text["user_login"] = "…¹þˆÖ–";
|
||||
$text["user_management"] = "„»À‡ö¿ˆÇà";
|
||||
$text["user_name"] = "…à¿…Éì";
|
||||
$text["user_removed_approver"] = "User has been removed from the list of individual approvers.";
|
||||
$text["user_removed_reviewer"] = "User has been removed from the list of individual reviewers.";
|
||||
$text["user_review_not_required"] = "No document review required of user at this time.";
|
||||
$text["users"] = "„»À‡ö¿ˆÇà";
|
||||
$text["version"] = "‡ëꆣ¼";
|
||||
$text["version_info"] = "Version Information";
|
||||
$text["version_under_approval"] = "Version under approval";
|
||||
$text["version_under_review"] = "Version under review";
|
||||
$text["view_document"] = "View Document";
|
||||
$text["view_online"] = "‡¸Ü„¹è‡Çňª»";
|
||||
$text["warning"] = "Warning";
|
||||
$text["wrong_pwd"] = "…¯å‡ó‰î¯ˆ¬ñ<EFBFBD>ï‰ç숨ªƒÇé";
|
||||
$text["yes"] = "†ÿ¯";
|
||||
$text["already_subscribed"] = "Target is already subscribed.";
|
||||
// New as of 1.7.1. Require updated translation.
|
||||
$text["documents"] = "Documents";
|
||||
$text["folders"] = "Folders";
|
||||
$text["no_folders"] = "No folders";
|
||||
$text["notification_summary"] = "Notification Summary";
|
||||
// New as of 1.7.2
|
||||
$text["all_pages"] = "All";
|
||||
$text["results_page"] = "Results Page";
|
||||
// New
|
||||
$text["sign_out"] = "sign out";
|
||||
$text["signed_in_as"] = "Signed in as";
|
||||
$text["assign_reviewers"] = "Assign Reviewers";
|
||||
$text["assign_approvers"] = "Assign Approvers";
|
||||
$text["override_status"] = "Override Status";
|
||||
$text["change_status"] = "Change Status";
|
||||
$text["change_assignments"] = "Change Assignments";
|
||||
$text["no_user_docs"] = "There are currently no documents owned by the user";
|
||||
$text["disclaimer"] = "This is a classified area. Access is permitted only to authorized personnel. Any violation will be prosecuted according to the english and international laws.";
|
||||
|
||||
$text["backup_tools"] = "Backup tools";
|
||||
$text["versioning_file_creation"] = "Versioning file creation";
|
||||
$text["archive_creation"] = "Archive creation";
|
||||
$text["files_deletion"] = "Files deletion";
|
||||
$text["folder"] = "Folder";
|
||||
|
||||
$text["unknown_id"] = "unknown id";
|
||||
$text["help"] = "Help";
|
||||
|
||||
$text["versioning_info"] = "Versioning info";
|
||||
$text["versioning_file_creation_warning"] = "With this operation you can create a file containing the versioning information of an entire DMS folder. After the creation every file will be saved inside the document folder.";
|
||||
$text["archive_creation_warning"] = "With this operation you can create achive containing the files of entire DMS folders. After the creation the archive will be saved in the data folder of your server.<br>WARNING: an archive created as human readable will be unusable as server backup.";
|
||||
$text["files_deletion_warning"] = "With this option you can delete all files of entire DMS folders. The versioning information will remain visible.";
|
||||
|
||||
$text["backup_list"] = "Existings backup list";
|
||||
$text["backup_remove"] = "Remove backup file";
|
||||
$text["confirm_rm_backup"] = "Do you really want to remove the file \"[arkname]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["document_deleted"] = "Document deleted";
|
||||
$text["linked_files"] = "Attachments";
|
||||
$text["invalid_file_id"] = "Invalid file ID";
|
||||
$text["rm_file"] = "Remove file";
|
||||
$text["confirm_rm_file"] = "Do you really want to remove file \"[name]\" of document \"[documentname]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["edit_comment"] = "Edit comment";
|
||||
|
||||
// new from 1.9
|
||||
|
||||
$text["is_hidden"] = "Hide from users list";
|
||||
$text["log_management"] = "Log files management";
|
||||
$text["confirm_rm_log"] = "Do you really want to remove log file \"[logname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["include_subdirectories"] = "Include subdirectories";
|
||||
$text["include_documents"] = "Include documents";
|
||||
$text["manager"] = "Manager";
|
||||
$text["toggle_manager"] = "Toggle manager";
|
||||
|
||||
// new from 2.0
|
||||
|
||||
$text["calendar"] = "Calendar";
|
||||
$text["week_view"] = "Week view";
|
||||
$text["month_view"] = "Month view";
|
||||
$text["year_view"] = "Year View";
|
||||
$text["add_event"] = "Add event";
|
||||
$text["edit_event"] = "Edit event";
|
||||
|
||||
$text["january"] = "January";
|
||||
$text["february"] = "February";
|
||||
$text["march"] = "March";
|
||||
$text["april"] = "April";
|
||||
$text["may"] = "May";
|
||||
$text["june"] = "June";
|
||||
$text["july"] = "July";
|
||||
$text["august"] = "August";
|
||||
$text["september"] = "September";
|
||||
$text["october"] = "October";
|
||||
$text["november"] = "November";
|
||||
$text["december"] = "December";
|
||||
|
||||
$text["sunday"] = "Sunday";
|
||||
$text["monday"] = "Monday";
|
||||
$text["tuesday"] = "Tuesday";
|
||||
$text["wednesday"] = "Wednesday";
|
||||
$text["thursday"] = "Thursday";
|
||||
$text["friday"] = "Friday";
|
||||
$text["saturday"] = "Saturday";
|
||||
|
||||
$text["from"] = "From";
|
||||
$text["to"] = "To";
|
||||
|
||||
$text["event_details"] = "Event details";
|
||||
$text["confirm_rm_event"] = "Do you really want to remove event \"[name]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["dump_creation"] = "DB dump creation";
|
||||
$text["dump_creation_warning"] = "With this operation you can create a dump file of your database content. After the creation the dump file will be saved in the data folder of your server.";
|
||||
$text["dump_list"] = "Existings dump files";
|
||||
$text["dump_remove"] = "Remove dump file";
|
||||
$text["confirm_rm_dump"] = "Do you really want to remove the file \"[dumpname]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["confirm_rm_user"] = "Do you really want to remove the user \"[username]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_group"] = "Do you really want to remove the group \"[groupname]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["human_readable"] = "Human readable archive";
|
||||
|
||||
$text["email_header"] = "This is an automatic message from the DMS server.";
|
||||
$text["email_footer"] = "You can always change your e-mail settings using 'My Account' functions";
|
||||
|
||||
$text["add_multiple_files"] = "Add multiple files (will use filename as document name)";
|
||||
|
||||
// new from 2.0.1
|
||||
|
||||
$text["max_upload_size"] = "Maximum upload size for each file";
|
||||
|
||||
// new from 2.0.2
|
||||
|
||||
$text["space_used_on_data_folder"] = "Space used on data folder";
|
||||
$text["assign_user_property_to"] = "Assign user's properties to";
|
||||
|
||||
?>
|
|
@ -1,629 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
// Copyright (C) 2012 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Přijmout";
|
||||
$text["access_denied"] = "Přístup zamítnut.";
|
||||
$text["access_inheritance"] = "Dědičnost přístupu";
|
||||
$text["access_mode"] = "Režim přístupu";
|
||||
$text["access_mode_all"] = "Všechno";
|
||||
$text["access_mode_none"] = "Žádný přístup";
|
||||
$text["access_mode_read"] = "Na čtení";
|
||||
$text["access_mode_readwrite"] = "Na čtení i zápis";
|
||||
$text["access_permission_changed_email"] = "Povolení upraveno";
|
||||
$text["actions"] = "Činnosti";
|
||||
$text["add"] = "Přidat";
|
||||
$text["add_doc_reviewer_approver_warning"] = "Pozn.: Dokumenty se automaticky označí jako vydané, když není přidělen žádný kontrolor nebo schvalovatel.";
|
||||
$text["add_document_link"] = "Přidat odkaz";
|
||||
$text["add_document"] = "Přidat dokument";
|
||||
$text["add_event"] = "Přidat akci";
|
||||
$text["add_group"] = "Přidat novou skupinu";
|
||||
$text["add_member"] = "Přidat člena";
|
||||
$text["add_multiple_documents"] = "Přidat více dokumentů";
|
||||
$text["add_multiple_files"] = "Přidat více souborů (název souboru použijte jako název dokumentu)";
|
||||
$text["add_subfolder"] = "Přidat podadresář";
|
||||
$text["add_user"] = "Přidat nového uživatele";
|
||||
$text["add_user_to_group"] = "Přidat uživatele do skupiny";
|
||||
$text["admin"] = "Správce";
|
||||
$text["admin_tools"] = "Nástroje správce";
|
||||
$text["all_categories"] = "Všechny kategorie";
|
||||
$text["all_documents"] = "Všechny dokumenty";
|
||||
$text["all_pages"] = "Vše";
|
||||
$text["all_users"] = "Všichni uživatelé";
|
||||
$text["already_subscribed"] = "Již odebráno";
|
||||
$text["and"] = "a";
|
||||
$text["apply"] = "Použít";
|
||||
$text["approval_deletion_email"] = "Zrušení schválení požadavku";
|
||||
$text["approval_group"] = "Skupina schválení";
|
||||
$text["approval_request_email"] = "Schválení požadavku";
|
||||
$text["approval_status"] = "Stav schválení";
|
||||
$text["approval_submit_email"] = "Předložit ke schválení";
|
||||
$text["approval_summary"] = "Souhrn schválení";
|
||||
$text["approval_update_failed"] = "Chyba při aktualizaci stavu schválení. Aktualizace selhala.";
|
||||
$text["approvers"] = "Schvalovatelé";
|
||||
$text["april"] = "Duben";
|
||||
$text["archive_creation"] = "Archivování";
|
||||
$text["archive_creation_warning"] = "Pomocí této operace můžete vytvořit archiv obsahující soubory z celé složky DMS. Po jeho vytvoøení bude archiv ulžen v datové složce serveru. POZOR: archiv bude vytvořen jako běžně čitelný, nelze jej použít jako záložní server.";
|
||||
$text["assign_approvers"] = "Přiřazení schvalující";
|
||||
$text["assign_reviewers"] = "Přiřazení kontroloři";
|
||||
$text["assign_user_property_to"] = "Přiřazení uživatelských vlastností";
|
||||
$text["assumed_released"] = "Pokládá se za zveřejněné";
|
||||
$text["august"] = "Srpen";
|
||||
$text["automatic_status_update"] = "Automatická změna stavu";
|
||||
$text["back"] = "Přejít zpět";
|
||||
$text["backup_list"] = "Existující záložní seznam";
|
||||
$text["backup_remove"] = "Odstranit soubor zálohy";
|
||||
$text["backup_tools"] = "Nástroje pro zálohování";
|
||||
$text["between"] = "mezi";
|
||||
$text["calendar"] = "Kalendář";
|
||||
$text["cancel"] = "Zrušit";
|
||||
$text["cannot_assign_invalid_state"] = "Není možné přidělit schvalovatele dokumentu, který nečeká na kontrolu nebo na schválení.";
|
||||
$text["cannot_change_final_states"] = "Upozornění: Nebylo možné změnit stav dokumentů, které byly odmítnuty, označené jako zastaralé nebo platnost vypršela.";
|
||||
$text["cannot_delete_yourself"] = "Nelze odstranit vlastní";
|
||||
$text["cannot_move_root"] = "Chyba: Není možné přesunout kořenový adresář.";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "Není možné získat informaci o stavu schválení této verze dokumentu.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "Není možné získat informaci o stavu kontroly této verze dokumentu.";
|
||||
$text["cannot_rm_root"] = "Chyba: Není možné smazat kořenový adresář.";
|
||||
$text["category"] = "Kategorie";
|
||||
$text["category_exists"] = "Kategorie již existuje.";
|
||||
$text["category_filter"] = "Pouze kategorie";
|
||||
$text["category_in_use"] = "Tato kategorie je používána v dokumentech.";
|
||||
$text["category_noname"] = "Není zadáno jméno kategorie.";
|
||||
$text["categories"] = "Kategorie";
|
||||
$text["change_assignments"] = "Změnit přiřazení";
|
||||
$text["change_password"] = "Změnit heslo";
|
||||
$text["change_password_message"] = "Vaše heslo bylo změněno.";
|
||||
$text["change_status"] = "Změna stavu";
|
||||
$text["choose_category"] = "--Vyberte prosím--";
|
||||
$text["choose_group"] = "--Vyberte skupinu--";
|
||||
$text["choose_target_category"] = "Vyberte kategorii";
|
||||
$text["choose_target_document"] = "Vyberte dokument";
|
||||
$text["choose_target_folder"] = "Vyberte cílový adresář";
|
||||
$text["choose_user"] = "--Vyberte uživatele--";
|
||||
$text["comment_changed_email"] = "Změna komentáře";
|
||||
$text["comment"] = "Komentář";
|
||||
$text["comment_for_current_version"] = "Komentář k aktuální verzi";
|
||||
$text["confirm_create_fulltext_index"] = "Ano, chci znovu vytvořit fulltext indes!";
|
||||
$text["confirm_pwd"] = "Potvrzení hesla";
|
||||
$text["confirm_rm_backup"] = "Skutečně chcete odstranit soubor \"[arkname]\"?<br>Pozor: Akci nelze vrátit zpět.";
|
||||
$text["confirm_rm_document"] = "Skutečně chcete odstranit dokument \"[documentname]\"?<br>Buďte opatrní: Tuto činnost není možné vrátit zpět.";
|
||||
$text["confirm_rm_dump"] = "Skutečně chcete odstranit soubor \"[dumpname]\"?<br>Pozor: Akce je nevratná.";
|
||||
$text["confirm_rm_event"] = "Skutečně chcete odstranit akci \"[name]\"?<br>Pozor: Akci nelze vrátit zpìt.";
|
||||
$text["confirm_rm_file"] = "Skutečně chcete odstranit soubor \"[name]\" - \"[documentname]\"?<br>Pozor: Akci nelze vrátit zpět.";
|
||||
$text["confirm_rm_folder"] = "Skutečně chcete odstranit \"[foldername]\" a jeho obsah?<br>Buďte opatrní: Tuto činnost nené možné vrátit zpět.";
|
||||
$text["confirm_rm_folder_files"] = "Skutečně chcete odstranit všechny soubory podadresáře z \"[foldername]\" ?<br>Buďte opatrní: Tuto akci nelze vrátit zpět.";
|
||||
$text["confirm_rm_group"] = "Skutečně chcete odstranit skupinu \"[groupname]\"?<br>Pozor: Akce je nevratná.";
|
||||
$text["confirm_rm_log"] = "Skutečně chcete odstranit LOG soubor \"[logname]\"?<br>Pozor: Akci nelze vrátit zpět.";
|
||||
$text["confirm_rm_user"] = "Skutečně chcete odstranit uživatele \"[username]\"?<br>Pozor: Akce je nevratná.";
|
||||
$text["confirm_rm_version"] = "Skutečně chcete odstranit verzi [version] dokumentu \"[documentname]\"?<br>Buďte opatrní: Tuto činnost není možné vrátit zpět.";
|
||||
$text["content"] = "Domů";
|
||||
$text["continue"] = "Pokračovat";
|
||||
$text["create_fulltext_index"] = "Vytvořit fulltext index";
|
||||
$text["create_fulltext_index_warning"] = "Hodláte znovu vytvořit fulltext index. Může to trvat dlouho a zpomalit běh systému. Pokud víte, co děláte, potvďte operaci.";
|
||||
$text["creation_date"] = "Vytvořeno";
|
||||
$text["current_password"] = "Současné heslo";
|
||||
$text["current_version"] = "Aktuální verze";
|
||||
$text["daily"] = "Denně";
|
||||
$text["databasesearch"] = "Vyhledání v databázi";
|
||||
$text["december"] = "Prosinec";
|
||||
$text["default_access"] = "Standardní režim přístupu";
|
||||
$text["default_keywords"] = "Dostupná klíčová slova";
|
||||
$text["delete"] = "Smazat";
|
||||
$text["details"] = "Podrobnosti";
|
||||
$text["details_version"] = "Podrobnosti verze: [version]";
|
||||
$text["disclaimer"] = "Toto je neveřejná oblast. Přístup povolen pouze oprávněným uživatelům. Jakékoliv narušení bude stíháno podle platných právních norem.";
|
||||
$text["do_object_repair"] = "Opravit všechny složky a dokumenty.";
|
||||
$text["document_already_locked"] = "Tento dokument je už zamčený";
|
||||
$text["document_deleted"] = "Dokument odstraněn";
|
||||
$text["document_deleted_email"] = "Dokument odstraněn";
|
||||
$text["document"] = "Dokument";
|
||||
$text["document_infos"] = "Informace o dokumentu";
|
||||
$text["document_is_not_locked"] = "Tento dokument není zamčený";
|
||||
$text["document_link_by"] = "Odkazuje sem";
|
||||
$text["document_link_public"] = "Veřejný";
|
||||
$text["document_moved_email"] = "Dokument přesunut";
|
||||
$text["document_renamed_email"] = "Dokument přejmenován";
|
||||
$text["documents"] = "Dokumenty";
|
||||
$text["documents_in_process"] = "Dokumenty ve zpracování";
|
||||
$text["documents_locked_by_you"] = "Dokument Vámi uzamčen";
|
||||
$text["document_status_changed_email"] = "Stav dokumentu změněn";
|
||||
$text["documents_to_approve"] = "Dokumenty čekající na schválení uživatele";
|
||||
$text["documents_to_review"] = "Dokumenty čekající na kontrolu uživatele";
|
||||
$text["documents_user_requiring_attention"] = "Dokumenty, které uživatel vlastní a vyžadují pozornost";
|
||||
$text["document_title"] = "Dokument '[documentname]'";
|
||||
$text["document_updated_email"] = "Dokument aktualizován";
|
||||
$text["does_not_expire"] = "Platnost nikdy nevyprší";
|
||||
$text["does_not_inherit_access_msg"] = "Zdědit přístup";
|
||||
$text["download"] = "Stáhnout";
|
||||
$text["draft_pending_approval"] = "Návrh - čeká na schválení";
|
||||
$text["draft_pending_review"] = "Návrh - čeká na kontrolu";
|
||||
$text["dump_creation"] = "Vytvoření zálohy databáze";
|
||||
$text["dump_creation_warning"] = "Pomocí této operace můžete vytvořit soubor se zálohou databáze. Po vytvoření bude soubor zálohy uložen ve složce data vašeho serveru.";
|
||||
$text["dump_list"] = "Existující soubory záloh";
|
||||
$text["dump_remove"] = "Odstranit soubor zálohy";
|
||||
$text["edit_comment"] = "Upravit komentář";
|
||||
$text["edit_default_keywords"] = "Upravit klíčová slova";
|
||||
$text["edit_document_access"] = "Upravit přístup";
|
||||
$text["edit_document_notify"] = "Seznam upozornění";
|
||||
$text["edit_document_props"] = "Upravit dokument";
|
||||
$text["edit"] = "upravit";
|
||||
$text["edit_event"] = "Upravit akci";
|
||||
$text["edit_existing_access"] = "Upravit seznam řízení přístupu";
|
||||
$text["edit_existing_notify"] = "Upravit seznam upozornění";
|
||||
$text["edit_folder_access"] = "Upravit přístup";
|
||||
$text["edit_folder_notify"] = "Seznam upozornění";
|
||||
$text["edit_folder_props"] = "Upravit adresář";
|
||||
$text["edit_group"] = "Upravit skupinu";
|
||||
$text["edit_user_details"] = "Upravit podrobnosti uživatele";
|
||||
$text["edit_user"] = "Upravit uživatele";
|
||||
$text["email"] = "E-mail";
|
||||
$text["email_error_title"] = "Není zadána emailová adresa";
|
||||
$text["email_footer"] = "Změnu nastavení e-mailu můžete kdykoliv provést pomocí funkce'Můj účet'";
|
||||
$text["email_header"] = "Toto je automatická zpráva ze serveru DMS.";
|
||||
$text["email_not_given"] = "Zadejte prosím platnou emailovou adresu.";
|
||||
$text["empty_notify_list"] = "Žádné položky";
|
||||
$text["error"] = "Error";
|
||||
$text["error_no_document_selected"] = "Není vybrán žádný dokument.";
|
||||
$text["error_no_folder_selected"] = "Není vybrána žádná složka";
|
||||
$text["error_occured"] = "Vyskytla se chyba";
|
||||
$text["event_details"] = "Údaje akce";
|
||||
$text["expired"] = "Platnost vypršela";
|
||||
$text["expires"] = "Platnost vyprší";
|
||||
$text["expiry_changed_email"] = "Datum expirace změněno";
|
||||
$text["february"] = "Únor";
|
||||
$text["file"] = "Soubor";
|
||||
$text["files_deletion"] = "Soubor odstraněn";
|
||||
$text["files_deletion_warning"] = "Pomocí této volby můžete odstranit všechny soubory z celé složky DMS. Verzovací informace zůstanou viditelné.";
|
||||
$text["files"] = "Soubory";
|
||||
$text["file_size"] = "Velikost souboru";
|
||||
$text["folder_contents"] = "Adresáře";
|
||||
$text["folder_deleted_email"] = "Adresář odstraněn";
|
||||
$text["folder"] = "Adresář";
|
||||
$text["folder_infos"] = "Informace o adresáři";
|
||||
$text["folder_moved_email"] = "Adresář přesunut";
|
||||
$text["folder_renamed_email"] = "Adresář přejmenován";
|
||||
$text["folders_and_documents_statistic"] = "Přehled adresářů a dokumentů";
|
||||
$text["folders"] = "Adresáře";
|
||||
$text["folder_title"] = "Adresář '[foldername]'";
|
||||
$text["friday"] = "Patek";
|
||||
$text["from"] = "Od";
|
||||
$text["fullsearch"] = "Fulltextové vyhledávání";
|
||||
$text["fullsearch_hint"] = "Použijte fultext index";
|
||||
$text["fulltext_info"] = "Fulltext index info";
|
||||
$text["global_default_keywords"] = "Globální klíčová slova";
|
||||
$text["global_document_categories"] = "Globální kategorie";
|
||||
$text["group_approval_summary"] = "Souhrn schválení skupiny";
|
||||
$text["group_exists"] = "Skupina již existuje.";
|
||||
$text["group"] = "Skupina";
|
||||
$text["group_management"] = "Skupiny";
|
||||
$text["group_members"] = "Členové skupiny";
|
||||
$text["group_review_summary"] = "Souhrn revizí skupiny";
|
||||
$text["groups"] = "Skupiny";
|
||||
$text["guest_login_disabled"] = "Přihlášení jako host je vypnuté.";
|
||||
$text["guest_login"] = "Přihlásit se jako host";
|
||||
$text["help"] = "Pomoc";
|
||||
$text["hourly"] = "Hodinově";
|
||||
$text["human_readable"] = "Bežně čitelný archív";
|
||||
$text["include_documents"] = "Včetně dokumentů";
|
||||
$text["include_subdirectories"] = "Včetně podadresářů";
|
||||
$text["individuals"] = "Jednotlivci";
|
||||
$text["inherits_access_msg"] = "Přístup se dědí.";
|
||||
$text["inherits_access_copy_msg"] = "Zkopírovat zděděný seznam řízení přístupu";
|
||||
$text["inherits_access_empty_msg"] = "Založit nový seznam řízení přístupu";
|
||||
$text["internal_error_exit"] = "Vnitřní chyba. Nebylo možné dokončit požadavek. Ukončuje se.";
|
||||
$text["internal_error"] = "Vnitřní chyba";
|
||||
$text["invalid_access_mode"] = "Neplatný režim přístupu";
|
||||
$text["invalid_action"] = "Neplatná činnost";
|
||||
$text["invalid_approval_status"] = "Neplatný stav schválení";
|
||||
$text["invalid_create_date_end"] = "Neplatné koncové datum vytvoření.";
|
||||
$text["invalid_create_date_start"] = "Neplatné počáteční datum vytvoření.";
|
||||
$text["invalid_doc_id"] = "Neplatný ID dokumentu";
|
||||
$text["invalid_file_id"] = "Nevalidní ID souboru";
|
||||
$text["invalid_folder_id"] = "Neplatné ID adresáře";
|
||||
$text["invalid_group_id"] = "Neplatné ID skupiny";
|
||||
$text["invalid_link_id"] = "Neplatné ID odkazu";
|
||||
$text["invalid_request_token"] = "Neplatný token Požadavku";
|
||||
$text["invalid_review_status"] = "Neplatný stav kontroly";
|
||||
$text["invalid_sequence"] = "Neplatná hodnota posloupnosti";
|
||||
$text["invalid_status"] = "Neplatný stav dokumentu";
|
||||
$text["invalid_target_doc_id"] = "Neplatné cílové ID dokumentu";
|
||||
$text["invalid_target_folder"] = "Neplatné cílové ID adresáře";
|
||||
$text["invalid_user_id"] = "Neplatné ID uživatele";
|
||||
$text["invalid_version"] = "Neplatná verze dokumentu";
|
||||
$text["is_hidden"] = "Utajit v seznamu uživatelů";
|
||||
$text["january"] = "Leden";
|
||||
$text["js_no_approval_group"] = "Prosím, vyberte skupinu pro schválení";
|
||||
$text["js_no_approval_status"] = "Prosím, vyberte stav schválení";
|
||||
$text["js_no_comment"] = "Žádný komentář";
|
||||
$text["js_no_email"] = "Napište svou emailovou adresu";
|
||||
$text["js_no_file"] = "Prosím, vyberte soubor";
|
||||
$text["js_no_keywords"] = "Zadejte nějaká klíčová slova";
|
||||
$text["js_no_login"] = "Prosím, napište jméno uživatele";
|
||||
$text["js_no_name"] = "Prosím, napište jméno";
|
||||
$text["js_no_override_status"] = "Prosím, vyberte nový stav [přepíše se]";
|
||||
$text["js_no_pwd"] = "Budete muset napsat své heslo";
|
||||
$text["js_no_query"] = "Napište požadavek";
|
||||
$text["js_no_review_group"] = "Prosím, vyberte skupinu pro kontrolu";
|
||||
$text["js_no_review_status"] = "Prosím, vyberte stav kontroly";
|
||||
$text["js_pwd_not_conf"] = "Heslo a potvrzení hesla se neshodují";
|
||||
$text["js_select_user_or_group"] = "Vyberte aspoň uživatele nebo skupinu";
|
||||
$text["js_select_user"] = "Prosím, vyberte uživatele";
|
||||
$text["july"] = "Červenec";
|
||||
$text["june"] = "Červen";
|
||||
$text["keyword_exists"] = "Klíčové slovo už existuje";
|
||||
$text["keywords"] = "Klíčová slova";
|
||||
$text["language"] = "Jazyk";
|
||||
$text["last_update"] = "Naposledy aktualizoval";
|
||||
$text["link_alt_updatedocument"] = "Hodláte-li nahrát soubory větší než je maximální velikost pro nahrávání, použijte prosím <a href=\"%s\">alternativní stránku</a>.";
|
||||
$text["linked_documents"] = "Související dokumenty";
|
||||
$text["linked_files"] = "Přílohy";
|
||||
$text["local_file"] = "Lokální soubor";
|
||||
$text["locked_by"] = "Zamčeno kým";
|
||||
$text["lock_document"] = "Zamknout";
|
||||
$text["lock_message"] = "Tento dokument zamknul <a href=\"mailto:[email]\">[username]</a>.<br>Pouze oprávnění uživatelé ho mohou odemknout (viz konec stránky).";
|
||||
$text["lock_status"] = "Stav";
|
||||
$text["login"] = "Login";
|
||||
$text["login_error_text"] = "Chyba při přihlašování. ID uživatele nebo heslo je nesprávné.";
|
||||
$text["login_error_title"] = "Chyba při přihlašování";
|
||||
$text["login_not_given"] = "Nebylo zadané uživatelské jméno";
|
||||
$text["login_ok"] = "Přihlášení proběhlo úspěšně";
|
||||
$text["log_management"] = "Správa LOG souborů";
|
||||
$text["logout"] = "Odhlášení";
|
||||
$text["manager"] = "Správce";
|
||||
$text["march"] = "Březen";
|
||||
$text["max_upload_size"] = "Max. délka pro nahrání jednoho souboru";
|
||||
$text["may"] = "Květen";
|
||||
$text["monday"] = "Pondělí";
|
||||
$text["month_view"] = "Zobrazení měsíce";
|
||||
$text["monthly"] = "Měsíčně";
|
||||
$text["move_document"] = "Přesunout dokument";
|
||||
$text["move_folder"] = "Přesunout adresář";
|
||||
$text["move"] = "Přesunout";
|
||||
$text["my_account"] = "Můj účet";
|
||||
$text["my_documents"] = "Moje dokumenty";
|
||||
$text["name"] = "Jméno";
|
||||
$text["new_default_keyword_category"] = "Přidat kategorii";
|
||||
$text["new_default_keywords"] = "Přidat klíčová slova";
|
||||
$text["new_document_category"] = "Přidat kategorii dokumentů";
|
||||
$text["new_document_email"] = "Nový dokument";
|
||||
$text["new_file_email"] = "Nová příloha";
|
||||
$text["new_folder"] = "Nový adresář";
|
||||
$text["new"] = "Nový";
|
||||
$text["new_subfolder_email"] = "Nový adresář";
|
||||
$text["new_user_image"] = "Nový obrázek";
|
||||
$text["no_action"] = "Nic se nevykoná";
|
||||
$text["no_approval_needed"] = "Nic nečeká na schválení.";
|
||||
$text["no_attached_files"] = "Žádné přiložené soubory";
|
||||
$text["no_default_keywords"] = "Nejsou dostupná žádná klíčová slova.";
|
||||
$text["no_docs_locked"] = "Žádné uzamčené dokumenty";
|
||||
$text["no_docs_to_approve"] = "Momentálně neexistují žádné dokumenty, které vyžadují schválení.";
|
||||
$text["no_docs_to_look_at"] = "Žádné dokumenty, které vyžadují pozornost.";
|
||||
$text["no_docs_to_review"] = "Momentálně neexistují žádné dokumenty, které vyžadují kontrolu.";
|
||||
$text["no_group_members"] = "Tato skupina nemá žádné členy";
|
||||
$text["no_groups"] = "Žádné skupiny";
|
||||
$text["no"] = "Ne";
|
||||
$text["no_linked_files"] = "Žádné propojené soubory";
|
||||
$text["no_previous_versions"] = "Nebyly nalezeny žádné jiné verze";
|
||||
$text["no_review_needed"] = "Nic nečeká k revizi.";
|
||||
$text["notify_added_email"] = "Byl/a jste přidán/a do seznamu pro oznámení";
|
||||
$text["notify_deleted_email"] = "Byl/a jste odstraněn/a ze seznamu pro oznámení";
|
||||
$text["no_update_cause_locked"] = "Proto nemůžete aktualizovat tento dokument. Prosím, kontaktujte uživatele, který ho zamknul.";
|
||||
$text["no_user_image"] = "nebyl nalezen žádný obrázek";
|
||||
$text["november"] = "Listopad";
|
||||
$text["objectcheck"] = "kontrola adresáře/dokumentu ";
|
||||
$text["obsolete"] = "Zastaralé";
|
||||
$text["october"] = "Říjen";
|
||||
$text["old"] = "Starý";
|
||||
$text["only_jpg_user_images"] = "Pro obrázky uživatelů je možné použít pouze obrázky .jpg";
|
||||
$text["owner"] = "Vlastník";
|
||||
$text["ownership_changed_email"] = "Vlastník změněn";
|
||||
$text["password"] = "Heslo";
|
||||
$text["password_repeat"] = "Opakujte heslo";
|
||||
$text["password_forgotten"] = "Zapomenuté heslo";
|
||||
$text["password_forgotten_email_subject"] = "Obnova zapomenutého hesla";
|
||||
$text["password_forgotten_email_body"] = "Uživateli Sportplex DMS,\n\nobdrželi jsme vaši žádost o změnu hesla.\n\nToto bude učiněno kliknutím na následující odkaz:\n\n###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###\n\nPokud budete mít problém s přihlášením i po změně hesla, kontaktujte Administrátora.";
|
||||
$text["password_forgotten_send_hash"] = "Instrukce byly poslány uživateli na emailovou adresu.";
|
||||
$text["password_forgotten_text"] = "Vyplňte následující formulář a následujte instrukce v emailu, který vám bude odeslán.";
|
||||
$text["password_forgotten_title"] = "Heslo odesláno";
|
||||
$text["password_wrong"] = "Špatné heslo";
|
||||
$text["personal_default_keywords"] = "Osobní klíčová slova";
|
||||
$text["previous_versions"] = "Předešlé verze";
|
||||
$text["refresh"] = "Obnovit";
|
||||
$text["rejected"] = "Odmítnuty";
|
||||
$text["released"] = "Vydáno";
|
||||
$text["removed_approver"] = "byl odstraněn ze seznamu schvalovatelů.";
|
||||
$text["removed_file_email"] = "Příloha odstraněna";
|
||||
$text["removed_reviewer"] = "byl odstraněn ze seznamu kontrolorů.";
|
||||
$text["repairing_objects"] = "Opravuji dokumenty a složky.";
|
||||
$text["results_page"] = "Stránka s výsledky";
|
||||
$text["review_deletion_email"] = "Žádost na revizi odstraněn";
|
||||
$text["reviewer_already_assigned"] = "je už pověřen jako kontrolor";
|
||||
$text["reviewer_already_removed"] = "už byl odstraněn z procesu kontroly nebo poslal kontrolu";
|
||||
$text["reviewers"] = "Kontroloři";
|
||||
$text["review_group"] = "Skupina kontroly";
|
||||
$text["review_request_email"] = "Požadavek na kontrolu";
|
||||
$text["review_status"] = "Stav kontroly";
|
||||
$text["review_submit_email"] = "Předložit ke kontrole";
|
||||
$text["review_summary"] = "Souhrn kontroly";
|
||||
$text["review_update_failed"] = "Chyba při aktualizaci stavu kontroly. Aktualizace selhala.";
|
||||
$text["rm_default_keyword_category"] = "Smazat kategorii";
|
||||
$text["rm_document"] = "Odstranit dokument";
|
||||
$text["rm_document_category"] = "Vymazat kategorii";
|
||||
$text["rm_file"] = "Odstranit soubor";
|
||||
$text["rm_folder"] = "Odstranit adresář";
|
||||
$text["rm_group"] = "Odstranit tuto skupinu";
|
||||
$text["rm_user"] = "Odstranit tohoto uživatele";
|
||||
$text["rm_version"] = "Odstranit verzi";
|
||||
$text["role_admin"] = "Administrátor";
|
||||
$text["role_guest"] = "Host";
|
||||
$text["role_user"] = "Uživatel";
|
||||
$text["role"] = "Role";
|
||||
$text["saturday"] = "Sobota";
|
||||
$text["save"] = "Uložit";
|
||||
$text["search_fulltext"] = "Vyhledat fulltextově";
|
||||
$text["search_in"] = "Prohledávat";
|
||||
$text["search_mode_and"] = "všechna slova";
|
||||
$text["search_mode_or"] = "alespoň jedno ze slov";
|
||||
$text["search_no_results"] = "Vašemu dotazu nevyhovují žádné dokumenty";
|
||||
$text["search_query"] = "Hledat";
|
||||
$text["search_report"] = "Nalezených [count] dokumentů odpovídajících dotazu";
|
||||
$text["search_report_fulltext"] = "Found [doccount] documents";
|
||||
$text["search_results_access_filtered"] = "Výsledky hledání můžou obsahovat obsah, ke kterému byl zamítnut přístup.";
|
||||
$text["search_results"] = "Výsledky hledání";
|
||||
$text["search"] = "Hledat";
|
||||
$text["search_time"] = "Uplynulý čas: [time] sek";
|
||||
$text["selection"] = "Výběr";
|
||||
$text["select_one"] = "Vyberte jeden";
|
||||
$text["september"] = "Září";
|
||||
$text["seq_after"] = "Po \"[prevname]\"";
|
||||
$text["seq_end"] = "Na konec";
|
||||
$text["seq_keep"] = "Ponechat pozici";
|
||||
$text["seq_start"] = "První pozice";
|
||||
$text["sequence"] = "Posloupnost";
|
||||
$text["set_expiry"] = "Nastavit expiraci";
|
||||
$text["set_owner_error"] = "Chybné nastavení vlastníka";
|
||||
$text["set_owner"] = "Nastavit vlastníka";
|
||||
$text["settings_install_welcome_title"] = "Welcome to the installation of letoDMS";
|
||||
$text["settings_install_welcome_text"] = "<p>Before you start to install letoDMS make sure you have created a file 'ENABLE_INSTALL_TOOL' in your configuration directory, otherwise the installation will not work. On Unix-System this can easily be done with 'touch conf/ENABLE_INSTALL_TOOL'. After you have finished the installation delete the file.</p><p>letoDMS has very minimal requirements. You will need a mysql database and a php enabled web server. For the lucene full text search, you will also need the Zend framework installed on disk where it can be found by php. Starting with version 3.2.0 of letoDMS ADOdb will not be part of the distribution anymore. Get a copy of it from <a href=\"http://adodb.sourceforge.net/\">http://adodb.sourceforge.net</a> and install it. The path to it can later be set during installation.</p><p>If you like to create the database before you start installation, then just create it manually with your favorite tool, optionally create a database user with access on the database and import one of the database dumps in the configuration directory. The installation script can do that for you as well, but it will need database access with sufficient rights to create databases.</p>";
|
||||
$text["settings_start_install"] = "Start installation";
|
||||
$text["settings_stopWordsFile"] = "Path to stop words file";
|
||||
$text["settings_stopWordsFile_desc"] = "If fulltext search is enabled, this file will contain stop words not being indexed";
|
||||
$text["settings_activate_module"] = "Activate module";
|
||||
$text["settings_activate_php_extension"] = "Activate PHP extension";
|
||||
$text["settings_adminIP"] = "Admin IP";
|
||||
$text["settings_adminIP_desc"] = "If set admin can login only by specified IP addres, leave empty to avoid the control. NOTE: works only with local autentication (no LDAP)";
|
||||
$text["settings_ADOdbPath"] = "ADOdb Path";
|
||||
$text["settings_ADOdbPath_desc"] = "Path to adodb. This is the directory containing the adodb directory";
|
||||
$text["settings_Advanced"] = "Advanced";
|
||||
$text["settings_apache_mod_rewrite"] = "Apache - Module Rewrite";
|
||||
$text["settings_Authentication"] = "Authentication settings";
|
||||
$text["settings_Calendar"] = "Calendar settings";
|
||||
$text["settings_calendarDefaultView"] = "Calendar Default View";
|
||||
$text["settings_calendarDefaultView_desc"] = "Calendar default view";
|
||||
$text["settings_contentDir"] = "Content directory";
|
||||
$text["settings_contentDir_desc"] = "Where the uploaded files are stored (best to choose a directory that is not accessible through your web-server)";
|
||||
$text["settings_contentOffsetDir"] = "Content Offset Directory";
|
||||
$text["settings_contentOffsetDir_desc"] = "To work around limitations in the underlying file system, a new directory structure has been devised that exists within the content directory (Content Directory). This requires a base directory from which to begin. Usually leave this to the default setting, 1048576, but can be any number or string that does not already exist within (Content Directory)";
|
||||
$text["settings_coreDir"] = "Core letoDMS directory";
|
||||
$text["settings_coreDir_desc"] = "Path to SeedDMS_Core (optional)";
|
||||
$text["settings_luceneClassDir"] = "Lucene SeedDMS directory";
|
||||
$text["settings_luceneClassDir_desc"] = "Path to SeedDMS_Lucene (optional)";
|
||||
$text["settings_luceneDir"] = "Lucene index directory";
|
||||
$text["settings_luceneDir_desc"] = "Path to Lucene index";
|
||||
$text["settings_cannot_disable"] = "File ENABLE_INSTALL_TOOL could not deleted";
|
||||
$text["settings_install_disabled"] = "File ENABLE_INSTALL_TOOL was deleted. You can now log into SeedDMS and do further configuration.";
|
||||
$text["settings_createdatabase"] = "Create database tables";
|
||||
$text["settings_createdirectory"] = "Create directory";
|
||||
$text["settings_currentvalue"] = "Current value";
|
||||
$text["settings_Database"] = "Database settings";
|
||||
$text["settings_dbDatabase"] = "Database";
|
||||
$text["settings_dbDatabase_desc"] = "The name for your database entered during the installation process. Do not edit this field unless necessary, if for example the database has been moved.";
|
||||
$text["settings_dbDriver"] = "Database Type";
|
||||
$text["settings_dbDriver_desc"] = "The type of database in use entered during the installation process. Do not edit this field unless you are having to migrate to a different type of database perhaps due to changing hosts. Type of DB-Driver used by adodb (see adodb-readme)";
|
||||
$text["settings_dbHostname_desc"] = "The hostname for your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.";
|
||||
$text["settings_dbHostname"] = "Server name";
|
||||
$text["settings_dbPass_desc"] = "The password for access to your database entered during the installation process.";
|
||||
$text["settings_dbPass"] = "Password";
|
||||
$text["settings_dbUser_desc"] = "The username for access to your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.";
|
||||
$text["settings_dbUser"] = "Username";
|
||||
$text["settings_dbVersion"] = "Database schema too old";
|
||||
$text["settings_delete_install_folder"] = "In order to use SeedDMS, you must delete the file ENABLE_INSTALL_TOOL in the configuration directory";
|
||||
$text["settings_disable_install"] = "Delete file ENABLE_INSTALL_TOOL if possible";
|
||||
$text["settings_disableSelfEdit_desc"] = "If checked user cannot edit his own profile";
|
||||
$text["settings_disableSelfEdit"] = "Disable Self Edit";
|
||||
$text["settings_Display"] = "Display settings";
|
||||
$text["settings_Edition"] = "Edition settings";
|
||||
$text["settings_enableAdminRevApp_desc"] = "Uncheck to don't list administrator as reviewer/approver";
|
||||
$text["settings_enableAdminRevApp"] = "Enable Admin Rev App";
|
||||
$text["settings_enableCalendar_desc"] = "Enable/disable calendar";
|
||||
$text["settings_enableCalendar"] = "Enable Calendar";
|
||||
$text["settings_enableConverting_desc"] = "Enable/disable converting of files";
|
||||
$text["settings_enableConverting"] = "Enable Converting";
|
||||
$text["settings_enableEmail_desc"] = "Enable/disable automatic email notification";
|
||||
$text["settings_enableEmail"] = "Enable E-mail";
|
||||
$text["settings_enableFolderTree_desc"] = "False to don't show the folder tree";
|
||||
$text["settings_enableFolderTree"] = "Enable Folder Tree";
|
||||
$text["settings_enableFullSearch"] = "Enable Full text search";
|
||||
$text["settings_enableFullSearch_desc"] = "Enable Full text search";
|
||||
$text["settings_enableGuestLogin_desc"] = "If you want anybody to login as guest, check this option. Note: guest login should be used only in a trusted environment";
|
||||
$text["settings_enableGuestLogin"] = "Enable Guest Login";
|
||||
$text["settings_enableLargeFileUpload_desc"] = "If set, file upload is also available through a java applet called jumploader without a file size limit set by the browser. It also allows to upload several files in one step.";
|
||||
$text["settings_enableLargeFileUpload"] = "Enable large file upload";
|
||||
$text["settings_enablePasswordForgotten_desc"] = "If you want to allow user to set a new password and send it by mail, check this option.";
|
||||
$text["settings_enablePasswordForgotten"] = "Enable Password forgotten";
|
||||
$text["settings_enableUserImage_desc"] = "Enable users images";
|
||||
$text["settings_enableUserImage"] = "Enable User Image";
|
||||
$text["settings_enableUsersView_desc"] = "Enable/disable group and user view for all users";
|
||||
$text["settings_enableUsersView"] = "Enable Users View";
|
||||
$text["settings_encryptionKey"] = "Encryption key";
|
||||
$text["settings_encryptionKey_desc"] = "This string is used for creating a unique identifier being added as a hidden field to a formular in order to prevent CSRF attacks.";
|
||||
$text["settings_error"] = "Error";
|
||||
$text["settings_expandFolderTree_desc"] = "Expand Folder Tree";
|
||||
$text["settings_expandFolderTree"] = "Expand Folder Tree";
|
||||
$text["settings_expandFolderTree_val0"] = "start with tree hidden";
|
||||
$text["settings_expandFolderTree_val1"] = "start with tree shown and first level expanded";
|
||||
$text["settings_expandFolderTree_val2"] = "start with tree shown fully expanded";
|
||||
$text["settings_firstDayOfWeek_desc"] = "First day of the week";
|
||||
$text["settings_firstDayOfWeek"] = "First day of the week";
|
||||
$text["settings_footNote_desc"] = "Message to display at the bottom of every page";
|
||||
$text["settings_footNote"] = "Foot Note";
|
||||
$text["settings_guestID_desc"] = "ID of guest-user used when logged in as guest (mostly no need to change)";
|
||||
$text["settings_guestID"] = "Guest ID";
|
||||
$text["settings_httpRoot_desc"] = "The relative path in the URL, after the domain part. Do not include the http:// prefix or the web host name. e.g. If the full URL is http://www.example.com/letodms/, set '/letodms/'. If the URL is http://www.example.com/, set '/'";
|
||||
$text["settings_httpRoot"] = "Http Root";
|
||||
$text["settings_installADOdb"] = "Install ADOdb";
|
||||
$text["settings_install_success"] = "The installation has been successfully completed.";
|
||||
$text["settings_install_pear_package_log"] = "Install Pear package 'Log'";
|
||||
$text["settings_install_pear_package_webdav"] = "Install Pear package 'HTTP_WebDAV_Server', if you intend to use the webdav interface";
|
||||
$text["settings_install_zendframework"] = "Install Zend Framework, if you intend to use the full text search engine";
|
||||
$text["settings_language"] = "Default language";
|
||||
$text["settings_language_desc"] = "Default language (name of a subfolder in folder \"languages\")";
|
||||
$text["settings_logFileEnable_desc"] = "Enable/disable log file";
|
||||
$text["settings_logFileEnable"] = "Log File Enable";
|
||||
$text["settings_logFileRotation_desc"] = "The log file rotation";
|
||||
$text["settings_logFileRotation"] = "Log File Rotation";
|
||||
$text["settings_luceneDir"] = "Directory for full text index";
|
||||
$text["settings_maxDirID_desc"] = "Maximum number of sub-directories per parent directory. Default: 32700.";
|
||||
$text["settings_maxDirID"] = "Max Directory ID";
|
||||
$text["settings_maxExecutionTime_desc"] = "This sets the maximum time in seconds a script is allowed to run before it is terminated by the parse";
|
||||
$text["settings_maxExecutionTime"] = "Max Execution Time (s)";
|
||||
$text["settings_more_settings"] = "Configure more settings. Default login: admin/admin";
|
||||
$text["settings_no_content_dir"] = "Content directory";
|
||||
$text["settings_notfound"] = "Not found";
|
||||
$text["settings_notwritable"] = "The configuration cannot be saved because the configuration file is not writable.";
|
||||
$text["settings_partitionSize"] = "Partial filesize";
|
||||
$text["settings_partitionSize_desc"] = "Size of partial files in bytes, uploaded by jumploader. Do not set a value larger than the maximum upload size set by the server.";
|
||||
$text["settings_perms"] = "Permissions";
|
||||
$text["settings_pear_log"] = "Pear package : Log";
|
||||
$text["settings_pear_webdav"] = "Pear package : HTTP_WebDAV_Server";
|
||||
$text["settings_php_dbDriver"] = "PHP extension : php_'see current value'";
|
||||
$text["settings_php_gd2"] = "PHP extension : php_gd2";
|
||||
$text["settings_php_mbstring"] = "PHP extension : php_mbstring";
|
||||
$text["settings_printDisclaimer_desc"] = "If true the disclaimer message the lang.inc files will be print on the bottom of the page";
|
||||
$text["settings_printDisclaimer"] = "Print Disclaimer";
|
||||
$text["settings_restricted_desc"] = "Only allow users to log in if they have an entry in the local database (irrespective of successful authentication with LDAP)";
|
||||
$text["settings_restricted"] = "Restricted access";
|
||||
$text["settings_rootDir_desc"] = "Path to where letoDMS is located";
|
||||
$text["settings_rootDir"] = "Root directory";
|
||||
$text["settings_rootFolderID_desc"] = "ID of root-folder (mostly no need to change)";
|
||||
$text["settings_rootFolderID"] = "Root Folder ID";
|
||||
$text["settings_SaveError"] = "Configuration file save error";
|
||||
$text["settings_Server"] = "Server settings";
|
||||
$text["settings"] = "Settings";
|
||||
$text["settings_siteDefaultPage_desc"] = "Default page on login. If empty defaults to out/out.ViewFolder.php";
|
||||
$text["settings_siteDefaultPage"] = "Site Default Page";
|
||||
$text["settings_siteName_desc"] = "Name of site used in the page titles. Default: letoDMS";
|
||||
$text["settings_siteName"] = "Site Name";
|
||||
$text["settings_Site"] = "Site";
|
||||
$text["settings_smtpPort_desc"] = "SMTP Server port, default 25";
|
||||
$text["settings_smtpPort"] = "SMTP Server port";
|
||||
$text["settings_smtpSendFrom_desc"] = "Send from";
|
||||
$text["settings_smtpSendFrom"] = "Send from";
|
||||
$text["settings_smtpServer_desc"] = "SMTP Server hostname";
|
||||
$text["settings_smtpServer"] = "SMTP Server hostname";
|
||||
$text["settings_SMTP"] = "SMTP Server settings";
|
||||
$text["settings_stagingDir"] = "Directory for partial uploads";
|
||||
$text["settings_strictFormCheck_desc"] = "Strict form checking. If set to true, then all fields in the form will be checked for a value. If set to false, then (most) comments and keyword fields become optional. Comments are always required when submitting a review or overriding document status";
|
||||
$text["settings_strictFormCheck"] = "Strict Form Check";
|
||||
$text["settings_suggestionvalue"] = "Suggestion value";
|
||||
$text["settings_System"] = "System";
|
||||
$text["settings_theme"] = "Default theme";
|
||||
$text["settings_theme_desc"] = "Default style (name of a subfolder in folder \"styles\")";
|
||||
$text["settings_titleDisplayHack_desc"] = "Workaround for page titles that go over more than 2 lines.";
|
||||
$text["settings_titleDisplayHack"] = "Title Display Hack";
|
||||
$text["settings_updateDatabase"] = "Run schema update scripts on database";
|
||||
$text["settings_updateNotifyTime_desc"] = "Users are notified about document-changes that took place within the last 'Update Notify Time' seconds";
|
||||
$text["settings_updateNotifyTime"] = "Update Notify Time";
|
||||
$text["settings_versioningFileName_desc"] = "The name of the versioning info file created by the backup tool";
|
||||
$text["settings_versioningFileName"] = "Versioning FileName";
|
||||
$text["settings_viewOnlineFileTypes_desc"] = "Files with one of the following endings can be viewed online (USE ONLY LOWER CASE CHARACTERS)";
|
||||
$text["settings_viewOnlineFileTypes"] = "View Online File Types";
|
||||
$text["settings_zendframework"] = "Zend Framework";
|
||||
$text["signed_in_as"] = "Přihlášen jako";
|
||||
$text["sign_in"] = "Přihlásit";
|
||||
$text["sign_out"] = "Odhlásit";
|
||||
$text["space_used_on_data_folder"] = "Použité místo pro data složky";
|
||||
$text["status_approval_rejected"] = "Návrh zamítnut";
|
||||
$text["status_approved"] = "Schválen";
|
||||
$text["status_approver_removed"] = "Schvalovatel odstraněn z procesu";
|
||||
$text["status_not_approved"] = "Neschválený";
|
||||
$text["status_not_reviewed"] = "Nezkontrolovaný";
|
||||
$text["status_reviewed"] = "Zkontrolovaný";
|
||||
$text["status_reviewer_rejected"] = "Návrh zamítnut";
|
||||
$text["status_reviewer_removed"] = "Kontrolor odstraněn z procesu";
|
||||
$text["status"] = "Stav";
|
||||
$text["status_unknown"] = "Neznámý";
|
||||
$text["storage_size"] = "Velikost úložiště";
|
||||
$text["submit_approval"] = "Poslat ke schválení";
|
||||
$text["submit_login"] = "Přihlásit se";
|
||||
$text["submit_password"] = "Zadat nové heslo";
|
||||
$text["submit_password_forgotten"] = "Zahájit proces";
|
||||
$text["submit_review"] = "Poslat ke kontrole";
|
||||
$text["sunday"] = "Neděle";
|
||||
$text["theme"] = "Vzhled";
|
||||
$text["thursday"] = "Čtvrtek";
|
||||
$text["toggle_manager"] = "Přepnout správce";
|
||||
$text["to"] = "Do";
|
||||
$text["tuesday"] = "Úterý";
|
||||
$text["under_folder"] = "V adresáři";
|
||||
$text["unknown_command"] = "Příkaz nebyl rozpoznán.";
|
||||
$text["unknown_document_category"] = "Neznámá kategorie";
|
||||
$text["unknown_group"] = "Neznámé ID skupiny";
|
||||
$text["unknown_id"] = "neznámé id";
|
||||
$text["unknown_keyword_category"] = "Neznámá kategorie";
|
||||
$text["unknown_owner"] = "Neznámé ID vlastníka";
|
||||
$text["unknown_user"] = "Neznámé ID uživatele";
|
||||
$text["unlock_cause_access_mode_all"] = "Můžete ho pořád aktualizovat, protože máte režim přístupu \"all\". Zámek bude automaticky odstraněn.";
|
||||
$text["unlock_cause_locking_user"] = "Můžete ho pořád aktualizovat, protože jste ten, kdo ho zamknul. Zámek bude automaticky odstraněn.";
|
||||
$text["unlock_document"] = "Odemknout";
|
||||
$text["update_approvers"] = "Aktualizovat seznam schvalovatelů";
|
||||
$text["update_document"] = "Aktualizovat";
|
||||
$text["update_fulltext_index"] = "Aktualizovat fulltext index";
|
||||
$text["update_info"] = "Aktualizovat informace";
|
||||
$text["update_locked_msg"] = "Tento dokument je zamčený.";
|
||||
$text["update_reviewers"] = "Aktualizovat seznam kontrolorů";
|
||||
$text["update"] = "Aktualizovat";
|
||||
$text["uploaded_by"] = "Nahrál";
|
||||
$text["uploading_failed"] = "Nahrání selhalo. Prosím, kontaktujte správce.";
|
||||
$text["use_default_categories"] = "Use predefined categories";
|
||||
$text["use_default_keywords"] = "Použít předdefinovaná klíčová slova";
|
||||
$text["user_exists"] = "Uživatel už existuje.";
|
||||
$text["user_image"] = "Obrázek";
|
||||
$text["user_info"] = "Informace o uživateli";
|
||||
$text["user_list"] = "Seznam uživatelů";
|
||||
$text["user_login"] = "ID uživatele";
|
||||
$text["user_management"] = "Uživatelé";
|
||||
$text["user_name"] = "Plné jméno";
|
||||
$text["users"] = "Uživatel";
|
||||
$text["user"] = "Uživatel";
|
||||
$text["version_deleted_email"] = "Verze smazána";
|
||||
$text["version_info"] = "Informace o verzi";
|
||||
$text["versioning_file_creation"] = "Vytvoření verzování souboru";
|
||||
$text["versioning_file_creation_warning"] = "Pomocí této operace můžete vytvořit soubor obsahující informace o verzování celé složky DMS. Po vytvoření bude každý soubor uložen uvnitř složky dokumentů.";
|
||||
$text["versioning_info"] = "Info verzování";
|
||||
$text["version"] = "Verze";
|
||||
$text["view_online"] = "Zobrazit online";
|
||||
$text["warning"] = "Upozornění";
|
||||
$text["wednesday"] = "Středa";
|
||||
$text["week_view"] = "Zobrazení týdne";
|
||||
$text["year_view"] = "Zobrazení roku";
|
||||
$text["yes"] = "Ano";
|
||||
?>
|
|
@ -1,809 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
// Copyright (C) 2012 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Accept";
|
||||
$text["access_denied"] = "Access denied.";
|
||||
$text["access_inheritance"] = "Access Inheritance";
|
||||
$text["access_mode"] = "Access mode";
|
||||
$text["access_mode_all"] = "All permissions";
|
||||
$text["access_mode_none"] = "No access";
|
||||
$text["access_mode_read"] = "Read permissions";
|
||||
$text["access_mode_readwrite"] = "Read-Write permissions";
|
||||
$text["access_permission_changed_email"] = "Permission changed";
|
||||
$text["according_settings"] = "according settings";
|
||||
$text["action"] = "Action";
|
||||
$text["action_approve"] = "Approve";
|
||||
$text["action_complete"] = "Complete";
|
||||
$text["action_is_complete"] = "Is complete";
|
||||
$text["action_is_not_complete"] = "Is not complete";
|
||||
$text["action_reject"] = "Reject";
|
||||
$text["action_review"] = "Review";
|
||||
$text["action_revise"] = "Revise";
|
||||
$text["actions"] = "Actions";
|
||||
$text["add"] = "Add";
|
||||
$text["add_doc_reviewer_approver_warning"] = "N.B. Documents are automatically marked as released if no reviewer or approver is assigned.";
|
||||
$text["add_doc_workflow_warning"] = "N.B. Documents are automatically marked as released if no workflow is assigned.";
|
||||
$text["add_document"] = "Add document";
|
||||
$text["add_document_link"] = "Add link";
|
||||
$text["add_event"] = "Add event";
|
||||
$text["add_group"] = "Add new group";
|
||||
$text["add_member"] = "Add a member";
|
||||
$text["add_multiple_documents"] = "Add multiple documents";
|
||||
$text["add_multiple_files"] = "Add multiple files (will use filename as document name)";
|
||||
$text["add_subfolder"] = "Add subfolder";
|
||||
$text["add_to_clipboard"] = "Add to clipboard";
|
||||
$text["add_user"] = "Add new user";
|
||||
$text["add_user_to_group"] = "Add user to group";
|
||||
$text["add_workflow"] = "Add new workflow";
|
||||
$text["add_workflow_state"] = "Add new workflow state";
|
||||
$text["add_workflow_action"] = "Add new workflow action";
|
||||
$text["admin"] = "Administrator";
|
||||
$text["admin_tools"] = "Admin-Tools";
|
||||
$text["all"] = "All";
|
||||
$text["all_categories"] = "All categories";
|
||||
$text["all_documents"] = "All Documents";
|
||||
$text["all_pages"] = "All";
|
||||
$text["all_users"] = "All users";
|
||||
$text["already_subscribed"] = "Already subscribed";
|
||||
$text["and"] = "and";
|
||||
$text["apply"] = "Apply";
|
||||
$text["approval_deletion_email"] = "Approval request deleted";
|
||||
$text["approval_group"] = "Approval Group";
|
||||
$text["approval_request_email"] = "Approval request";
|
||||
$text["approval_status"] = "Approval Status";
|
||||
$text["approval_submit_email"] = "Submitted approval";
|
||||
$text["approval_summary"] = "Approval Summary";
|
||||
$text["approval_update_failed"] = "Error updating approval status. Update failed.";
|
||||
$text["approvers"] = "Approvers";
|
||||
$text["april"] = "April";
|
||||
$text["archive_creation"] = "Archive creation";
|
||||
$text["archive_creation_warning"] = "With this operation you can create achive containing the files of entire DMS folders. After the creation the archive will be saved in the data folder of your server.<br>WARNING: an archive created as human readable will be unusable as server backup.";
|
||||
$text["assign_approvers"] = "Assign Approvers";
|
||||
$text["assign_reviewers"] = "Assign Reviewers";
|
||||
$text["assign_user_property_to"] = "Assign user's properties to";
|
||||
$text["assumed_released"] = "Assumed released";
|
||||
$text["attrdef_management"] = "Attribute definition management";
|
||||
$text["attrdef_exists"] = "Attribute definition already exists";
|
||||
$text["attrdef_in_use"] = "Attribute definition still in use";
|
||||
$text["attrdef_name"] = "Name";
|
||||
$text["attrdef_multiple"] = "Allow multiple values";
|
||||
$text["attrdef_objtype"] = "Object type";
|
||||
$text["attrdef_type"] = "Type";
|
||||
$text["attrdef_minvalues"] = "Min. number of values";
|
||||
$text["attrdef_maxvalues"] = "Max. number of values";
|
||||
$text["attrdef_valueset"] = "Set of values";
|
||||
$text["attributes"] = "Attributes";
|
||||
$text["august"] = "August";
|
||||
$text["automatic_status_update"] = "Automatic status change";
|
||||
$text["back"] = "Go back";
|
||||
$text["backup_list"] = "Existings backup list";
|
||||
$text["backup_remove"] = "Remove backup file";
|
||||
$text["backup_tools"] = "Backup tools";
|
||||
$text["backup_log_management"] = "Backup/Logging";
|
||||
$text["between"] = "between";
|
||||
$text["calendar"] = "Calendar";
|
||||
$text["cancel"] = "Cancel";
|
||||
$text["cannot_assign_invalid_state"] = "Cannot modify an obsolete or rejected document";
|
||||
$text["cannot_change_final_states"] = "Warning: You cannot alter status for document rejected, expired or with pending review or approval";
|
||||
$text["cannot_delete_yourself"] = "Cannot delete yourself";
|
||||
$text["cannot_move_root"] = "Error: Cannot move root folder.";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "Unable to retrieve approval status snapshot for this document version.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "Unable to retrieve review status snapshot for this document version.";
|
||||
$text["cannot_rm_root"] = "Error: Cannot delete root folder.";
|
||||
$text["category"] = "Category";
|
||||
$text["category_exists"] = "Category already exists.";
|
||||
$text["category_filter"] = "Only categories";
|
||||
$text["category_in_use"] = "This category is currently used by documents.";
|
||||
$text["category_noname"] = "No category name given.";
|
||||
$text["categories"] = "Categories";
|
||||
$text["change_assignments"] = "Change Assignments";
|
||||
$text["change_password"] = "Change password";
|
||||
$text["change_password_message"] = "Your password has been changed.";
|
||||
$text["change_status"] = "Change Status";
|
||||
$text["choose_attrdef"] = "Please choose attribute definition";
|
||||
$text["choose_category"] = "Please choose";
|
||||
$text["choose_group"] = "Choose group";
|
||||
$text["choose_target_category"] = "Choose category";
|
||||
$text["choose_target_document"] = "Choose document";
|
||||
$text["choose_target_file"] = "Choose file";
|
||||
$text["choose_target_folder"] = "Choose folder";
|
||||
$text["choose_user"] = "Choose user";
|
||||
$text["choose_workflow"] = "Choose workflow";
|
||||
$text["choose_workflow_state"] = "Choose workflow state";
|
||||
$text["choose_workflow_action"] = "Choose workflow action";
|
||||
$text["close"] = "Close";
|
||||
$text["comment_changed_email"] = "Comment changed";
|
||||
$text["comment"] = "Comment";
|
||||
$text["comment_for_current_version"] = "Version comment";
|
||||
$text["confirm_create_fulltext_index"] = "Yes, I would like to recreate the fulltext index!";
|
||||
$text["confirm_pwd"] = "Confirm Password";
|
||||
$text["confirm_rm_backup"] = "Do you really want to remove the file \"[arkname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_document"] = "Do you really want to remove the document \"[documentname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_dump"] = "Do you really want to remove the file \"[dumpname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_event"] = "Do you really want to remove event \"[name]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_file"] = "Do you really want to remove file \"[name]\" of document \"[documentname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_folder"] = "Do you really want to remove the folder \"[foldername]\" and its content?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_folder_files"] = "Do you really want to remove all the files of the folder \"[foldername]\" and of its subfolders?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_group"] = "Do you really want to remove the group \"[groupname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_log"] = "Do you really want to remove log file \"[logname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_user"] = "Do you really want to remove the user \"[username]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_version"] = "Do you really want to remove version [version] of document \"[documentname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["content"] = "Content";
|
||||
$text["continue"] = "Continue";
|
||||
$text["create_fulltext_index"] = "Create fulltext index";
|
||||
$text["create_fulltext_index_warning"] = "You are to recreate the fulltext index. This can take a considerable amount of time and reduce your overall system performance. If you really want to recreate the index, please confirm your operation.";
|
||||
$text["creation_date"] = "Created";
|
||||
$text["current_password"] = "Current Password";
|
||||
$text["current_version"] = "Current version";
|
||||
$text["daily"] = "Daily";
|
||||
$text["days"] = "days";
|
||||
$text["databasesearch"] = "Database search";
|
||||
$text["date"] = "Date";
|
||||
$text["december"] = "December";
|
||||
$text["default_access"] = "Default Access Mode";
|
||||
$text["default_keywords"] = "Available keywords";
|
||||
$text["definitions"] = "Definitions";
|
||||
$text["delete"] = "Delete";
|
||||
$text["details"] = "Details";
|
||||
$text["details_version"] = "Details for version: [version]";
|
||||
$text["disclaimer"] = "This is a classified area. Access is permitted only to authorized personnel. Any violation will be prosecuted according to the national and international laws.";
|
||||
$text["do_object_repair"] = "Repair all folders and documents.";
|
||||
$text["do_object_setfilesize"] = "Set file size";
|
||||
$text["do_object_setchecksum"] = "Set checksum";
|
||||
$text["do_object_unlink"] = "Delete document version";
|
||||
$text["document_already_locked"] = "This document is aleady locked";
|
||||
$text["document_deleted"] = "Document deleted";
|
||||
$text["document_deleted_email"] = "Document deleted";
|
||||
$text["document_duplicate_name"] = "Duplicate document name";
|
||||
$text["document"] = "Document";
|
||||
$text["document_has_no_workflow"] = "Document has no workflow";
|
||||
$text["document_infos"] = "Document Information";
|
||||
$text["document_is_not_locked"] = "This document is not locked";
|
||||
$text["document_link_by"] = "Linked by";
|
||||
$text["document_link_public"] = "Public";
|
||||
$text["document_moved_email"] = "Document moved";
|
||||
$text["document_renamed_email"] = "Document renamed";
|
||||
$text["documents"] = "Documents";
|
||||
$text["documents_in_process"] = "Documents In Process";
|
||||
$text["documents_locked_by_you"] = "Documents locked by you";
|
||||
$text["documents_only"] = "Documents only";
|
||||
$text["document_status_changed_email"] = "Document status changed";
|
||||
$text["documents_to_approve"] = "Documents awaiting your approval";
|
||||
$text["documents_to_review"] = "Documents awaiting your review";
|
||||
$text["documents_user_requiring_attention"] = "Documents owned by you that require attention";
|
||||
$text["document_title"] = "Document '[documentname]'";
|
||||
$text["document_updated_email"] = "Document updated";
|
||||
$text["does_not_expire"] = "Does not expire";
|
||||
$text["does_not_inherit_access_msg"] = "Inherit access";
|
||||
$text["download"] = "Download";
|
||||
$text["drag_icon_here"] = "Drag icon of folder or document here!";
|
||||
$text["draft_pending_approval"] = "Draft - pending approval";
|
||||
$text["draft_pending_review"] = "Draft - pending review";
|
||||
$text["dropfolder_file"] = "File from drop folder";
|
||||
$text["dump_creation"] = "DB dump creation";
|
||||
$text["dump_creation_warning"] = "With this operation you can create a dump file of your database content. After the creation the dump file will be saved in the data folder of your server.";
|
||||
$text["dump_list"] = "Existings dump files";
|
||||
$text["dump_remove"] = "Remove dump file";
|
||||
$text["edit_attributes"] = "Edit attributes";
|
||||
$text["edit_comment"] = "Edit comment";
|
||||
$text["edit_default_keywords"] = "Edit keywords";
|
||||
$text["edit_document_access"] = "Edit Access";
|
||||
$text["edit_document_notify"] = "Document Notification List";
|
||||
$text["edit_document_props"] = "Edit document";
|
||||
$text["edit"] = "Edit";
|
||||
$text["edit_event"] = "Edit event";
|
||||
$text["edit_existing_access"] = "Edit Access List";
|
||||
$text["edit_existing_notify"] = "Edit notification list";
|
||||
$text["edit_folder_access"] = "Edit access";
|
||||
$text["edit_folder_notify"] = "Folder Notification List";
|
||||
$text["edit_folder_props"] = "Edit folder";
|
||||
$text["edit_group"] = "Edit group";
|
||||
$text["edit_user_details"] = "Edit User Details";
|
||||
$text["edit_user"] = "Edit user";
|
||||
$text["email"] = "Email";
|
||||
$text["email_error_title"] = "No email entered";
|
||||
$text["email_footer"] = "You can always change your e-mail settings using 'My Account' functions";
|
||||
$text["email_header"] = "This is an automatic message from the DMS server.";
|
||||
$text["email_not_given"] = "Please enter a valid email address.";
|
||||
$text["empty_folder_list"] = "No documents or folders";
|
||||
$text["empty_notify_list"] = "No entries";
|
||||
$text["equal_transition_states"] = "Start and end state are equal";
|
||||
$text["error"] = "Error";
|
||||
$text["error_no_document_selected"] = "No document selected";
|
||||
$text["error_no_folder_selected"] = "No folder selected";
|
||||
$text["error_occured"] = "An error has occured";
|
||||
$text["event_details"] = "Event details";
|
||||
$text["expired"] = "Expired";
|
||||
$text["expires"] = "Expires";
|
||||
$text["expiry_changed_email"] = "Expiry date changed";
|
||||
$text["february"] = "February";
|
||||
$text["file"] = "File";
|
||||
$text["files_deletion"] = "Files deletion";
|
||||
$text["files_deletion_warning"] = "With this option you can delete all files of entire DMS folders. The versioning information will remain visible.";
|
||||
$text["files"] = "Files";
|
||||
$text["file_size"] = "Filesize";
|
||||
$text["folder_contents"] = "Folder Contents";
|
||||
$text["folder_deleted_email"] = "Folder deleted";
|
||||
$text["folder"] = "Folder";
|
||||
$text["folder_infos"] = "Folder Information";
|
||||
$text["folder_moved_email"] = "Folder moved";
|
||||
$text["folder_renamed_email"] = "Folder renamed";
|
||||
$text["folders_and_documents_statistic"] = "Contents overview";
|
||||
$text["folders"] = "Folders";
|
||||
$text["folder_title"] = "Folder '[foldername]'";
|
||||
$text["friday"] = "Friday";
|
||||
$text["friday_abbr"] = "Fr";
|
||||
$text["from"] = "From";
|
||||
$text["fullsearch"] = "Full text search";
|
||||
$text["fullsearch_hint"] = "Use fulltext index";
|
||||
$text["fulltext_info"] = "Fulltext index info";
|
||||
$text["global_attributedefinitions"] = "Attributes";
|
||||
$text["global_default_keywords"] = "Global keywords";
|
||||
$text["global_document_categories"] = "Categories";
|
||||
$text["global_workflows"] = "Workflows";
|
||||
$text["global_workflow_actions"] = "Workflow Actions";
|
||||
$text["global_workflow_states"] = "Workflow States";
|
||||
$text["group_approval_summary"] = "Group approval summary";
|
||||
$text["group_exists"] = "Group already exists.";
|
||||
$text["group"] = "Group";
|
||||
$text["group_management"] = "Groups management";
|
||||
$text["group_members"] = "Group members";
|
||||
$text["group_review_summary"] = "Group review summary";
|
||||
$text["groups"] = "Groups";
|
||||
$text["guest_login_disabled"] = "Guest login is disabled.";
|
||||
$text["guest_login"] = "Login as guest";
|
||||
$text["help"] = "Help";
|
||||
$text["hourly"] = "Hourly";
|
||||
$text["hours"] = "hours";
|
||||
$text["human_readable"] = "Human readable archive";
|
||||
$text["id"] = "ID";
|
||||
$text["identical_version"] = "New version is identical to current version.";
|
||||
$text["include_documents"] = "Include documents";
|
||||
$text["include_subdirectories"] = "Include subdirectories";
|
||||
$text["index_converters"] = "Index document conversion";
|
||||
$text["individuals"] = "Individuals";
|
||||
$text["inherited"] = "inherited";
|
||||
$text["inherits_access_msg"] = "Access is being inherited.";
|
||||
$text["inherits_access_copy_msg"] = "Copy inherited access list";
|
||||
$text["inherits_access_empty_msg"] = "Start with empty access list";
|
||||
$text["internal_error_exit"] = "Internal error. Unable to complete request. Exiting.";
|
||||
$text["internal_error"] = "Internal error";
|
||||
$text["invalid_access_mode"] = "Invalid Access Mode";
|
||||
$text["invalid_action"] = "Invalid Action";
|
||||
$text["invalid_approval_status"] = "Invalid Approval Status";
|
||||
$text["invalid_create_date_end"] = "Invalid end date for creation date range.";
|
||||
$text["invalid_create_date_start"] = "Invalid start date for creation date range.";
|
||||
$text["invalid_doc_id"] = "Invalid Document ID";
|
||||
$text["invalid_file_id"] = "Invalid file ID";
|
||||
$text["invalid_folder_id"] = "Invalid Folder ID";
|
||||
$text["invalid_group_id"] = "Invalid Group ID";
|
||||
$text["invalid_link_id"] = "Invalid link identifier";
|
||||
$text["invalid_request_token"] = "Invalid Request Token";
|
||||
$text["invalid_review_status"] = "Invalid Review Status";
|
||||
$text["invalid_sequence"] = "Invalid sequence value";
|
||||
$text["invalid_status"] = "Invalid Document Status";
|
||||
$text["invalid_target_doc_id"] = "Invalid Target Document ID";
|
||||
$text["invalid_target_folder"] = "Invalid Target Folder ID";
|
||||
$text["invalid_user_id"] = "Invalid User ID";
|
||||
$text["invalid_version"] = "Invalid Document Version";
|
||||
$text["in_workflow"] = "In workflow";
|
||||
$text["is_disabled"] = "Disable account";
|
||||
$text["is_hidden"] = "Hide from users list";
|
||||
$text["january"] = "January";
|
||||
$text["js_no_approval_group"] = "Please select a approval group";
|
||||
$text["js_no_approval_status"] = "Please select the approval status";
|
||||
$text["js_no_comment"] = "There is no comment";
|
||||
$text["js_no_email"] = "Type in your Email-address";
|
||||
$text["js_no_file"] = "Please select a file";
|
||||
$text["js_no_keywords"] = "Specify some keywords";
|
||||
$text["js_no_login"] = "Please type in a username";
|
||||
$text["js_no_name"] = "Please type in a name";
|
||||
$text["js_no_override_status"] = "Please select the new [override] status";
|
||||
$text["js_no_pwd"] = "You need to type in your password";
|
||||
$text["js_no_query"] = "Type in a query";
|
||||
$text["js_no_review_group"] = "Please select a review group";
|
||||
$text["js_no_review_status"] = "Please select the review status";
|
||||
$text["js_pwd_not_conf"] = "Password and passwords-confirmation are not equal";
|
||||
$text["js_select_user_or_group"] = "Select at least a user or a group";
|
||||
$text["js_select_user"] = "Please select an user";
|
||||
$text["july"] = "July";
|
||||
$text["june"] = "June";
|
||||
$text["keep_doc_status"] = "Keep document status";
|
||||
$text["keyword_exists"] = "Keyword already exists";
|
||||
$text["keywords"] = "Keywords";
|
||||
$text["language"] = "Language";
|
||||
$text["last_update"] = "Last Update";
|
||||
$text["legend"] = "Legend";
|
||||
$text["link_alt_updatedocument"] = "If you would like to upload files bigger than the current maximum upload size, please use the alternative <a href=\"%s\">upload page</a>.";
|
||||
$text["linked_documents"] = "Related Documents";
|
||||
$text["linked_files"] = "Attachments";
|
||||
$text["local_file"] = "Local file";
|
||||
$text["locked_by"] = "Locked by";
|
||||
$text["lock_document"] = "Lock";
|
||||
$text["lock_message"] = "This document is locked by <a href=\"mailto:[email]\">[username]</a>. Only authorized users can unlock this document.";
|
||||
$text["lock_status"] = "Status";
|
||||
$text["login"] = "Login";
|
||||
$text["login_disabled_text"] = "Your account is disabled, probably because of too many failed logins.";
|
||||
$text["login_disabled_title"] = "Account is disabled";
|
||||
$text["login_error_text"] = "Error signing in. User ID or password incorrect.";
|
||||
$text["login_error_title"] = "Sign in error";
|
||||
$text["login_not_given"] = "No username has been supplied";
|
||||
$text["login_ok"] = "Sign in successful";
|
||||
$text["log_management"] = "Log files management";
|
||||
$text["logout"] = "Logout";
|
||||
$text["manager"] = "Manager";
|
||||
$text["march"] = "March";
|
||||
$text["max_upload_size"] = "Maximum upload size";
|
||||
$text["may"] = "May";
|
||||
$text["mimetype"] = "Mime type";
|
||||
$text["misc"] = "Misc";
|
||||
$text["missing_checksum"] = "Missing checksum";
|
||||
$text["missing_filesize"] = "Missing filesize";
|
||||
$text["missing_transition_user_group"] = "Missing user/group for transition";
|
||||
$text["minutes"] = "minutes";
|
||||
$text["monday"] = "Monday";
|
||||
$text["monday_abbr"] = "Mo";
|
||||
$text["month_view"] = "Month view";
|
||||
$text["monthly"] = "Monthly";
|
||||
$text["move_document"] = "Move document";
|
||||
$text["move_folder"] = "Move Folder";
|
||||
$text["move"] = "Move";
|
||||
$text["my_account"] = "My Account";
|
||||
$text["my_documents"] = "My Documents";
|
||||
$text["name"] = "Name";
|
||||
$text["new_attrdef"] = "Add attribute defintion";
|
||||
$text["new_default_keyword_category"] = "Add category";
|
||||
$text["new_default_keywords"] = "Add keywords";
|
||||
$text["new_document_category"] = "Add category";
|
||||
$text["new_document_email"] = "New document";
|
||||
$text["new_file_email"] = "New attachment";
|
||||
$text["new_folder"] = "New folder";
|
||||
$text["new_password"] = "New password";
|
||||
$text["new"] = "New";
|
||||
$text["new_subfolder_email"] = "New folder";
|
||||
$text["new_user_image"] = "New image";
|
||||
$text["next_state"] = "New state";
|
||||
$text["no_action"] = "No action required";
|
||||
$text["no_approval_needed"] = "No approval pending.";
|
||||
$text["no_attached_files"] = "No attached files";
|
||||
$text["no_default_keywords"] = "No keywords available";
|
||||
$text["no_docs_locked"] = "No documents locked.";
|
||||
$text["no_docs_to_approve"] = "There are currently no documents that require approval.";
|
||||
$text["no_docs_to_look_at"] = "No documents that need attention.";
|
||||
$text["no_docs_to_review"] = "There are currently no documents that require review.";
|
||||
$text["no_fulltextindex"] = "No fulltext index available";
|
||||
$text["no_group_members"] = "This group has no members";
|
||||
$text["no_groups"] = "No groups";
|
||||
$text["no"] = "No";
|
||||
$text["no_linked_files"] = "No linked files";
|
||||
$text["no_previous_versions"] = "No other versions found";
|
||||
$text["no_review_needed"] = "No review pending.";
|
||||
$text["notify_added_email"] = "You've been added to notify list";
|
||||
$text["notify_deleted_email"] = "You've been removed from notify list";
|
||||
$text["no_update_cause_locked"] = "You can therefore not update this document. Please contanct the locking user.";
|
||||
$text["no_user_image"] = "No image found";
|
||||
$text["november"] = "November";
|
||||
$text["now"] = "now";
|
||||
$text["objectcheck"] = "Folder/Document check";
|
||||
$text["obsolete"] = "Obsolete";
|
||||
$text["october"] = "October";
|
||||
$text["old"] = "Old";
|
||||
$text["only_jpg_user_images"] = "Only .jpg-images may be used as user-images";
|
||||
$text["original_filename"] = "Original filename";
|
||||
$text["owner"] = "Owner";
|
||||
$text["ownership_changed_email"] = "Owner changed";
|
||||
$text["password"] = "Password";
|
||||
$text["password_already_used"] = "Password already used";
|
||||
$text["password_repeat"] = "Repeat password";
|
||||
$text["password_expiration"] = "Password expiration";
|
||||
$text["password_expiration_text"] = "Your password has expired. Please choose a new one before you can proceed using SeedDMS.";
|
||||
$text["password_forgotten"] = "Password forgotten";
|
||||
$text["password_forgotten_email_subject"] = "Password forgotten";
|
||||
$text["password_forgotten_email_body"] = "Dear user of SeedDMS,\n\nwe have received a request to change your password.\n\nThis can be done by clicking on the following link:\n\n###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###\n\nIf you have still problems to login, then please contact your administrator.";
|
||||
$text["password_forgotten_send_hash"] = "Instructions on how to proceed has been send to the user's email address";
|
||||
$text["password_forgotten_text"] = "Fill out the form below and follow the instructions in the email, which will be send to you.";
|
||||
$text["password_forgotten_title"] = "Password send";
|
||||
$text["password_strength"] = "Password strength";
|
||||
$text["password_strength_insuffient"] = "Insuffient password strength";
|
||||
$text["password_wrong"] = "Wrong password";
|
||||
$text["personal_default_keywords"] = "Personal keywordlists";
|
||||
$text["previous_state"] = "Previous state";
|
||||
$text["previous_versions"] = "Previous versions";
|
||||
$text["quota"] = "Quota";
|
||||
$text["quota_exceeded"] = "Your disk quota is exceeded by [bytes].";
|
||||
$text["quota_warning"] = "Your maximum disc usage is exceeded by [bytes]. Please remove documents or previous versions.";
|
||||
$text["refresh"] = "Refresh";
|
||||
$text["rejected"] = "Rejected";
|
||||
$text["released"] = "Released";
|
||||
$text["removed_approver"] = "has been removed from the list of approvers.";
|
||||
$text["removed_file_email"] = "Removed attachment";
|
||||
$text["removed_reviewer"] = "has been removed from the list of reviewers.";
|
||||
$text["repairing_objects"] = "Reparing documents and folders.";
|
||||
$text["results_page"] = "Results Page";
|
||||
$text["review_deletion_email"] = "Review request deleted";
|
||||
$text["reviewer_already_assigned"] = "is already assigned as a reviewer";
|
||||
$text["reviewer_already_removed"] = "has already been removed from review process or has already submitted a review";
|
||||
$text["reviewers"] = "Reviewers";
|
||||
$text["review_group"] = "Review group";
|
||||
$text["review_request_email"] = "Review request";
|
||||
$text["review_status"] = "Review status:";
|
||||
$text["review_submit_email"] = "Submitted review";
|
||||
$text["review_summary"] = "Review Summary";
|
||||
$text["review_update_failed"] = "Error updating review status. Update failed.";
|
||||
$text["rewind_workflow"] = "Rewind workflow";
|
||||
$text["rewind_workflow_warning"] = "If you rewind a workflow to its initial state, then the whole workflow log for this document will be deleted and cannot be recovered.";
|
||||
$text["rm_attrdef"] = "Remove attribute definition";
|
||||
$text["rm_default_keyword_category"] = "Remove category";
|
||||
$text["rm_document"] = "Remove document";
|
||||
$text["rm_document_category"] = "Remove category";
|
||||
$text["rm_file"] = "Remove file";
|
||||
$text["rm_folder"] = "Remove folder";
|
||||
$text["rm_from_clipboard"] = "Remove from clipboard";
|
||||
$text["rm_group"] = "Remove this group";
|
||||
$text["rm_user"] = "Remove this user";
|
||||
$text["rm_version"] = "Remove version";
|
||||
$text["rm_workflow"] = "Remove Workflow";
|
||||
$text["rm_workflow_state"] = "Remove Workflow State";
|
||||
$text["rm_workflow_action"] = "Remove Workflow Action";
|
||||
$text["rm_workflow_warning"] = "You are about to remove the workflow from the document. This cannot be undone.";
|
||||
$text["role_admin"] = "Administrator";
|
||||
$text["role_guest"] = "Guest";
|
||||
$text["role_user"] = "User";
|
||||
$text["role"] = "Role";
|
||||
$text["return_from_subworkflow"] = "Return from sub workflow";
|
||||
$text["run_subworkflow"] = "Run sub workflow";
|
||||
$text["saturday"] = "Saturday";
|
||||
$text["saturday_abbr"] = "Sa";
|
||||
$text["save"] = "Save";
|
||||
$text["search_fulltext"] = "Search in fulltext";
|
||||
$text["search_in"] = "Search in";
|
||||
$text["search_mode_and"] = "all words";
|
||||
$text["search_mode_or"] = "at least one word";
|
||||
$text["search_no_results"] = "There are no documents that match your search";
|
||||
$text["search_query"] = "Search for";
|
||||
$text["search_report"] = "Found [doccount] documents and [foldercount] folders in [searchtime] sec.";
|
||||
$text["search_report_fulltext"] = "Found [doccount] documents";
|
||||
$text["search_results_access_filtered"] = "Search results may contain content to which access has been denied.";
|
||||
$text["search_results"] = "Search results";
|
||||
$text["search"] = "Search";
|
||||
$text["search_time"] = "Elapsed time: [time] sec.";
|
||||
$text["seconds"] = "seconds";
|
||||
$text["selection"] = "Selection";
|
||||
$text["select_category"] = "Click to select category";
|
||||
$text["select_groups"] = "Click to select groups";
|
||||
$text["select_ind_reviewers"] = "Click to select individual reviewer";
|
||||
$text["select_ind_approvers"] = "Click to select individual approver";
|
||||
$text["select_grp_reviewers"] = "Click to select group reviewer";
|
||||
$text["select_grp_approvers"] = "Click to select group approver";
|
||||
$text["select_one"] = "Select one";
|
||||
$text["select_users"] = "Click to select users";
|
||||
$text["select_workflow"] = "Select workflow";
|
||||
$text["september"] = "September";
|
||||
$text["seq_after"] = "After \"[prevname]\"";
|
||||
$text["seq_end"] = "At the end";
|
||||
$text["seq_keep"] = "Keep Position";
|
||||
$text["seq_start"] = "First position";
|
||||
$text["sequence"] = "Sequence";
|
||||
$text["set_expiry"] = "Set Expiration";
|
||||
$text["set_owner_error"] = "Error setting owner";
|
||||
$text["set_owner"] = "Set Owner";
|
||||
$text["set_password"] = "Set Password";
|
||||
$text["set_workflow"] = "Set Workflow";
|
||||
$text["settings_install_welcome_title"] = "Welcome to the installation of SeedDMS";
|
||||
$text["settings_install_welcome_text"] = "<p>Before you start to install SeedDMS make sure you have created a file 'ENABLE_INSTALL_TOOL' in your configuration directory, otherwise the installation will not work. On Unix-System this can easily be done with 'touch conf/ENABLE_INSTALL_TOOL'. After you have finished the installation delete the file.</p><p>SeedDMS has very minimal requirements. You will need a mysql database or sqlite support and a php enabled web server. The pear package Log has to be installed too. For the lucene full text search, you will also need the Zend framework installed on disk where it can be found by php. For the WebDAV server you will also need the HTTP_WebDAV_Server. The path to it can later be set during installation.</p><p>If you like to create the database before you start installation, then just create it manually with your favorite tool, optionally create a database user with access on the database and import one of the database dumps in the configuration directory. The installation script can do that for you as well, but it will need database access with sufficient rights to create databases.</p>";
|
||||
$text["settings_start_install"] = "Start installation";
|
||||
$text["settings_sortUsersInList"] = "Sort users in list";
|
||||
$text["settings_sortUsersInList_desc"] = "Sets if users in selection menus are ordered by login or by its full name";
|
||||
$text["settings_sortUsersInList_val_login"] = "Sort by login";
|
||||
$text["settings_sortUsersInList_val_fullname"] = "Sort by full name";
|
||||
$text["settings_stopWordsFile"] = "Path to stop words file";
|
||||
$text["settings_stopWordsFile_desc"] = "If fulltext search is enabled, this file will contain stop words not being indexed";
|
||||
$text["settings_activate_module"] = "Activate module";
|
||||
$text["settings_activate_php_extension"] = "Activate PHP extension";
|
||||
$text["settings_adminIP"] = "Admin IP";
|
||||
$text["settings_adminIP_desc"] = "If set admin can login only by specified IP addres, leave empty to avoid the control. NOTE: works only with local autentication (no LDAP)";
|
||||
$text["settings_extraPath"] = "Extra PHP include Path";
|
||||
$text["settings_extraPath_desc"] = "Path to additional software. This is the directory containing e.g. the adodb directory or additional pear packages";
|
||||
$text["settings_Advanced"] = "Advanced";
|
||||
$text["settings_apache_mod_rewrite"] = "Apache - Module Rewrite";
|
||||
$text["settings_Authentication"] = "Authentication settings";
|
||||
$text["settings_cacheDir"] = "Cache directory";
|
||||
$text["settings_cacheDir_desc"] = "Where the preview images are stored (best to choose a directory that is not accessible through your web-server)";
|
||||
$text["settings_Calendar"] = "Calendar settings";
|
||||
$text["settings_calendarDefaultView"] = "Calendar Default View";
|
||||
$text["settings_calendarDefaultView_desc"] = "Calendar default view";
|
||||
$text["settings_cookieLifetime"] = "Cookie Life time";
|
||||
$text["settings_cookieLifetime_desc"] = "The life time of a cookie in seconds. If set to 0 the cookie will be removed when the browser is closed.";
|
||||
$text["settings_contentDir"] = "Content directory";
|
||||
$text["settings_contentDir_desc"] = "Where the uploaded files are stored (best to choose a directory that is not accessible through your web-server)";
|
||||
$text["settings_contentOffsetDir"] = "Content Offset Directory";
|
||||
$text["settings_contentOffsetDir_desc"] = "To work around limitations in the underlying file system, a new directory structure has been devised that exists within the content directory (Content Directory). This requires a base directory from which to begin. Usually leave this to the default setting, 1048576, but can be any number or string that does not already exist within (Content Directory)";
|
||||
$text["settings_coreDir"] = "Core SeedDMS directory";
|
||||
$text["settings_coreDir_desc"] = "Path to SeedDMS_Core (optional). Leave this empty if you have installed SeedDMS_Core at a place where it can be found by PHP, e.g. Extra PHP Include-Path";
|
||||
$text["settings_loginFailure_desc"] = "Disable account after n login failures.";
|
||||
$text["settings_loginFailure"] = "Login failure";
|
||||
$text["settings_luceneClassDir"] = "Lucene SeedDMS directory";
|
||||
$text["settings_luceneClassDir_desc"] = "Path to SeedDMS_Lucene (optional). Leave this empty if you have installed SeedDMS_Lucene at a place where it can be found by PHP, e.g. Extra PHP Include-Path";
|
||||
$text["settings_luceneDir"] = "Lucene index directory";
|
||||
$text["settings_luceneDir_desc"] = "Path to Lucene index";
|
||||
$text["settings_cannot_disable"] = "File ENABLE_INSTALL_TOOL could not deleted";
|
||||
$text["settings_install_disabled"] = "File ENABLE_INSTALL_TOOL was deleted. You can now log into SeedDMS and do further configuration.";
|
||||
$text["settings_createdatabase"] = "Create database tables";
|
||||
$text["settings_createdirectory"] = "Create directory";
|
||||
$text["settings_currentvalue"] = "Current value";
|
||||
$text["settings_Database"] = "Database settings";
|
||||
$text["settings_dbDatabase"] = "Database";
|
||||
$text["settings_dbDatabase_desc"] = "The name for your database entered during the installation process. Do not edit this field unless necessary, if for example the database has been moved.";
|
||||
$text["settings_dbDriver"] = "Database Type";
|
||||
$text["settings_dbDriver_desc"] = "The type of database in use entered during the installation process. Do not edit this field unless you are having to migrate to a different type of database perhaps due to changing hosts. Type of DB-Driver used by adodb (see adodb-readme)";
|
||||
$text["settings_dbHostname_desc"] = "The hostname for your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.";
|
||||
$text["settings_dbHostname"] = "Server name";
|
||||
$text["settings_dbPass_desc"] = "The password for access to your database entered during the installation process.";
|
||||
$text["settings_dbPass"] = "Password";
|
||||
$text["settings_dbUser_desc"] = "The username for access to your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.";
|
||||
$text["settings_dbUser"] = "Username";
|
||||
$text["settings_dbVersion"] = "Database schema too old";
|
||||
$text["settings_delete_install_folder"] = "In order to use SeedDMS, you must delete the file ENABLE_INSTALL_TOOL in the configuration directory";
|
||||
$text["settings_disable_install"] = "Delete file ENABLE_INSTALL_TOOL if possible";
|
||||
$text["settings_disableSelfEdit_desc"] = "If checked user cannot edit his own profile";
|
||||
$text["settings_disableSelfEdit"] = "Disable Self Edit";
|
||||
$text["settings_dropFolderDir_desc"] = "This directory can be used for dropping files on the server's file system and importing them from there instead of uploading via the browser. The directory must contain a sub directory for each user who is allowed to import files this way.";
|
||||
$text["settings_dropFolderDir"] = "Directory for drop folder";
|
||||
$text["settings_Display"] = "Display settings";
|
||||
$text["settings_Edition"] = "Edition settings";
|
||||
$text["settings_enableAdminRevApp_desc"] = "Uncheck to don't list administrator as reviewer/approver";
|
||||
$text["settings_enableAdminRevApp"] = "Enable Admin Rev App";
|
||||
$text["settings_enableCalendar_desc"] = "Enable/disable calendar";
|
||||
$text["settings_enableCalendar"] = "Enable Calendar";
|
||||
$text["settings_enableConverting_desc"] = "Enable/disable converting of files";
|
||||
$text["settings_enableConverting"] = "Enable Converting";
|
||||
$text["settings_enableDuplicateDocNames_desc"] = "Allows to have duplicate document names in a folder.";
|
||||
$text["settings_enableDuplicateDocNames"] = "Allow duplicate document names";
|
||||
$text["settings_enableNotificationAppRev_desc"] = "Check to send a notification to the reviewer/approver when a new document version is added";
|
||||
$text["settings_enableNotificationAppRev"] = "Enable reviewer/approver notification";
|
||||
$text["settings_enableVersionModification_desc"] = "Enable/disable modification of a document versions by regular users after a version was uploaded. Admin may always modify the version after upload.";
|
||||
$text["settings_enableVersionModification"] = "Enable modification of versions";
|
||||
$text["settings_enableVersionDeletion_desc"] = "Enable/disable deletion of previous document versions by regular users. Admin may always delete old versions.";
|
||||
$text["settings_enableVersionDeletion"] = "Enable deletion of previous versions";
|
||||
$text["settings_enableEmail_desc"] = "Enable/disable automatic email notification";
|
||||
$text["settings_enableEmail"] = "Enable E-mail";
|
||||
$text["settings_enableFolderTree"] = "Enable Folder Tree";
|
||||
$text["settings_enableFolderTree_desc"] = "False to don't show the folder tree";
|
||||
$text["settings_enableFullSearch"] = "Enable Full text search";
|
||||
$text["settings_enableFullSearch_desc"] = "Enable Full text search";
|
||||
$text["settings_enableGuestLogin"] = "Enable Guest Login";
|
||||
$text["settings_enableGuestLogin_desc"] = "If you want anybody to login as guest, check this option. Note: guest login should be used only in a trusted environment";
|
||||
$text["settings_enableLanguageSelector"] = "Enable Language Selector";
|
||||
$text["settings_enableLanguageSelector_desc"] = "Show selector for user interface language after being logged in. This does not affect the language selection on the login page.";
|
||||
$text["settings_enableLargeFileUpload_desc"] = "If set, file upload is also available through a java applet called jumploader without a file size limit set by the browser. It also allows to upload several files in one step.";
|
||||
$text["settings_enableLargeFileUpload"] = "Enable large file upload";
|
||||
$text["settings_enableOwnerNotification_desc"] = "Check for adding a notification for the owner if a document when it is added.";
|
||||
$text["settings_enableOwnerNotification"] = "Enable owner notification by default";
|
||||
$text["settings_enablePasswordForgotten_desc"] = "If you want to allow user to set a new password and send it by mail, check this option.";
|
||||
$text["settings_enablePasswordForgotten"] = "Enable Password forgotten";
|
||||
$text["settings_enableUserImage_desc"] = "Enable users images";
|
||||
$text["settings_enableUserImage"] = "Enable User Image";
|
||||
$text["settings_enableUsersView_desc"] = "Enable/disable group and user view for all users";
|
||||
$text["settings_enableUsersView"] = "Enable Users View";
|
||||
$text["settings_encryptionKey"] = "Encryption key";
|
||||
$text["settings_encryptionKey_desc"] = "This string is used for creating a unique identifier being added as a hidden field to a formular in order to prevent CSRF attacks.";
|
||||
$text["settings_error"] = "Error";
|
||||
$text["settings_expandFolderTree_desc"] = "Expand Folder Tree";
|
||||
$text["settings_expandFolderTree"] = "Expand Folder Tree";
|
||||
$text["settings_expandFolderTree_val0"] = "start with tree hidden";
|
||||
$text["settings_expandFolderTree_val1"] = "start with tree shown and first level expanded";
|
||||
$text["settings_expandFolderTree_val2"] = "start with tree shown fully expanded";
|
||||
$text["settings_firstDayOfWeek_desc"] = "First day of the week";
|
||||
$text["settings_firstDayOfWeek"] = "First day of the week";
|
||||
$text["settings_footNote_desc"] = "Message to display at the bottom of every page";
|
||||
$text["settings_footNote"] = "Foot Note";
|
||||
$text["settings_guestID_desc"] = "ID of guest-user used when logged in as guest (mostly no need to change)";
|
||||
$text["settings_guestID"] = "Guest ID";
|
||||
$text["settings_httpRoot_desc"] = "The relative path in the URL, after the domain part. Do not include the http:// prefix or the web host name. e.g. If the full URL is http://www.example.com/seeddms/, set '/seeddms/'. If the URL is http://www.example.com/, set '/'";
|
||||
$text["settings_httpRoot"] = "Http Root";
|
||||
$text["settings_installADOdb"] = "Install ADOdb";
|
||||
$text["settings_install_success"] = "The installation has been successfully completed.";
|
||||
$text["settings_install_pear_package_log"] = "Install Pear package 'Log'";
|
||||
$text["settings_install_pear_package_webdav"] = "Install Pear package 'HTTP_WebDAV_Server', if you intend to use the webdav interface";
|
||||
$text["settings_install_zendframework"] = "Install Zend Framework, if you intend to use the full text search engine";
|
||||
$text["settings_language"] = "Default language";
|
||||
$text["settings_language_desc"] = "Default language (name of a subfolder in folder \"languages\")";
|
||||
$text["settings_logFileEnable_desc"] = "Enable/disable log file";
|
||||
$text["settings_logFileEnable"] = "Log File Enable";
|
||||
$text["settings_logFileRotation_desc"] = "The log file rotation";
|
||||
$text["settings_logFileRotation"] = "Log File Rotation";
|
||||
$text["settings_luceneDir"] = "Directory for full text index";
|
||||
$text["settings_maxDirID_desc"] = "Maximum number of sub-directories per parent directory. Default: 32700.";
|
||||
$text["settings_maxDirID"] = "Max Directory ID";
|
||||
$text["settings_maxExecutionTime_desc"] = "This sets the maximum time in seconds a script is allowed to run before it is terminated by the parse";
|
||||
$text["settings_maxExecutionTime"] = "Max Execution Time (s)";
|
||||
$text["settings_more_settings"] = "Configure more settings. Default login: admin/admin";
|
||||
$text["settings_Notification"] = "Notification settings";
|
||||
$text["settings_no_content_dir"] = "Content directory";
|
||||
$text["settings_notfound"] = "Not found";
|
||||
$text["settings_notwritable"] = "The configuration cannot be saved because the configuration file is not writable.";
|
||||
$text["settings_partitionSize"] = "Partial filesize";
|
||||
$text["settings_partitionSize_desc"] = "Size of partial files in bytes, uploaded by jumploader. Do not set a value larger than the maximum upload size set by the server.";
|
||||
$text["settings_passwordExpiration"] = "Password expiration";
|
||||
$text["settings_passwordExpiration_desc"] = "The number of days after which a password expireѕ and must be reset. 0 turns password expiration off.";
|
||||
$text["settings_passwordHistory"] = "Password history";
|
||||
$text["settings_passwordHistory_desc"] = "The number of passwords a user must have been used before a password can be reused. 0 turns the password history off.";
|
||||
$text["settings_passwordStrength"] = "Min. password strength";
|
||||
$text["settings_passwordЅtrength_desc"] = "The minimum password strength is an integer value from 0 to 100. Setting it to 0 will turn off checking for the minimum password strength.";
|
||||
$text["settings_passwordStrengthAlgorithm"] = "Algorithm for password strength";
|
||||
$text["settings_passwordStrengthAlgorithm_desc"] = "The algorithm used for calculating the password strength. The 'simple' algorithm just checks for at least eight chars total, a lower case letter, an upper case letter, a number and a special char. If those conditions are met the returned score is 100 otherwise 0.";
|
||||
$text["settings_passwordStrengthAlgorithm_valsimple"] = "simple";
|
||||
$text["settings_passwordStrengthAlgorithm_valadvanced"] = "advanced";
|
||||
$text["settings_perms"] = "Permissions";
|
||||
$text["settings_pear_log"] = "Pear package : Log";
|
||||
$text["settings_pear_webdav"] = "Pear package : HTTP_WebDAV_Server";
|
||||
$text["settings_php_dbDriver"] = "PHP extension : php_'see current value'";
|
||||
$text["settings_php_gd2"] = "PHP extension : php_gd2";
|
||||
$text["settings_php_mbstring"] = "PHP extension : php_mbstring";
|
||||
$text["settings_printDisclaimer_desc"] = "If true the disclaimer message the lang.inc files will be print on the bottom of the page";
|
||||
$text["settings_printDisclaimer"] = "Print Disclaimer";
|
||||
$text["settings_quota"] = "User's quota";
|
||||
$text["settings_quota_desc"] = "The maximum number of bytes a user may use on disk. Set this to 0 for unlimited disk space. This value can be overridden for each uses in his profile.";
|
||||
$text["settings_restricted_desc"] = "Only allow users to log in if they have an entry in the local database (irrespective of successful authentication with LDAP)";
|
||||
$text["settings_restricted"] = "Restricted access";
|
||||
$text["settings_rootDir_desc"] = "Path to where SeedDMS is located";
|
||||
$text["settings_rootDir"] = "Root directory";
|
||||
$text["settings_rootFolderID_desc"] = "ID of root-folder (mostly no need to change)";
|
||||
$text["settings_rootFolderID"] = "Root Folder ID";
|
||||
$text["settings_SaveError"] = "Configuration file save error";
|
||||
$text["settings_Server"] = "Server settings";
|
||||
$text["settings"] = "Settings";
|
||||
$text["settings_siteDefaultPage_desc"] = "Default page on login. If empty defaults to out/out.ViewFolder.php";
|
||||
$text["settings_siteDefaultPage"] = "Site Default Page";
|
||||
$text["settings_siteName_desc"] = "Name of site used in the page titles. Default: SeedDMS";
|
||||
$text["settings_siteName"] = "Site Name";
|
||||
$text["settings_Site"] = "Site";
|
||||
$text["settings_smtpPort_desc"] = "SMTP Server port, default 25";
|
||||
$text["settings_smtpPort"] = "SMTP Server port";
|
||||
$text["settings_smtpSendFrom_desc"] = "Send from";
|
||||
$text["settings_smtpSendFrom"] = "Send from";
|
||||
$text["settings_smtpServer_desc"] = "SMTP Server hostname";
|
||||
$text["settings_smtpServer"] = "SMTP Server hostname";
|
||||
$text["settings_SMTP"] = "SMTP Server settings";
|
||||
$text["settings_stagingDir"] = "Directory for partial uploads";
|
||||
$text["settings_stagingDir_desc"] = "The directory where jumploader places the parts of a file upload before it is put back together.";
|
||||
$text["settings_strictFormCheck_desc"] = "Strict form checking. If set to true, then all fields in the form will be checked for a value. If set to false, then (most) comments and keyword fields become optional. Comments are always required when submitting a review or overriding document status";
|
||||
$text["settings_strictFormCheck"] = "Strict Form Check";
|
||||
$text["settings_suggestionvalue"] = "Suggestion value";
|
||||
$text["settings_System"] = "System";
|
||||
$text["settings_theme"] = "Default theme";
|
||||
$text["settings_theme_desc"] = "Default style (name of a subfolder in folder \"styles\")";
|
||||
$text["settings_titleDisplayHack_desc"] = "Workaround for page titles that go over more than 2 lines.";
|
||||
$text["settings_titleDisplayHack"] = "Title Display Hack";
|
||||
$text["settings_updateDatabase"] = "Run schema update scripts on database";
|
||||
$text["settings_updateNotifyTime_desc"] = "Users are notified about document-changes that took place within the last 'Update Notify Time' seconds";
|
||||
$text["settings_updateNotifyTime"] = "Update Notify Time";
|
||||
$text["settings_versioningFileName_desc"] = "The name of the versioning info file created by the backup tool";
|
||||
$text["settings_versioningFileName"] = "Versioning FileName";
|
||||
$text["settings_viewOnlineFileTypes_desc"] = "Files with one of the following endings can be viewed online (USE ONLY LOWER CASE CHARACTERS)";
|
||||
$text["settings_viewOnlineFileTypes"] = "View Online File Types";
|
||||
$text["settings_workflowMode_desc"] = "The advanced workflow allows to specify your own release workflow for document versions.";
|
||||
$text["settings_workflowMode"] = "Workflow mode";
|
||||
$text["settings_workflowMode_valtraditional"] = "traditional";
|
||||
$text["settings_workflowMode_valadvanced"] = "advanced";
|
||||
$text["settings_zendframework"] = "Zend Framework";
|
||||
$text["signed_in_as"] = "Signed in as";
|
||||
$text["sign_in"] = "Sign in";
|
||||
$text["sign_out"] = "Sign out";
|
||||
$text["space_used_on_data_folder"] = "Space used on data folder";
|
||||
$text["status_approval_rejected"] = "Draft rejected";
|
||||
$text["status_approved"] = "Approved";
|
||||
$text["status_approver_removed"] = "Approver removed from process";
|
||||
$text["status_not_approved"] = "Not approved";
|
||||
$text["status_not_reviewed"] = "Not reviewed";
|
||||
$text["status_reviewed"] = "Reviewed";
|
||||
$text["status_reviewer_rejected"] = "Draft rejected";
|
||||
$text["status_reviewer_removed"] = "Reviewer removed from process";
|
||||
$text["status"] = "Status";
|
||||
$text["status_unknown"] = "Unknown";
|
||||
$text["storage_size"] = "Storage size";
|
||||
$text["submit_approval"] = "Submit approval";
|
||||
$text["submit_login"] = "Sign in";
|
||||
$text["submit_password"] = "Set new password";
|
||||
$text["submit_password_forgotten"] = "Start process";
|
||||
$text["submit_review"] = "Submit review";
|
||||
$text["submit_userinfo"] = "Submit info";
|
||||
$text["sunday"] = "Sunday";
|
||||
$text["sunday_abbr"] = "Su";
|
||||
$text["theme"] = "Theme";
|
||||
$text["thursday"] = "Thursday";
|
||||
$text["thursday_abbr"] = "Th";
|
||||
$text["toggle_manager"] = "Toggle manager";
|
||||
$text["to"] = "To";
|
||||
$text["transition_triggered_email"] = "Workflow transition triggered";
|
||||
$text["trigger_workflow"] = "Workflow";
|
||||
$text["tuesday"] = "Tuesday";
|
||||
$text["tuesday_abbr"] = "Tu";
|
||||
$text["type_to_search"] = "Type to search";
|
||||
$text["under_folder"] = "In Folder";
|
||||
$text["unknown_command"] = "Command not recognized.";
|
||||
$text["unknown_document_category"] = "Unknown category";
|
||||
$text["unknown_group"] = "Unknown group id";
|
||||
$text["unknown_id"] = "unknown id";
|
||||
$text["unknown_keyword_category"] = "Unknown category";
|
||||
$text["unknown_owner"] = "Unknown owner id";
|
||||
$text["unknown_user"] = "Unknown user id";
|
||||
$text["unlinked_content"] = "Unlinked content";
|
||||
$text["unlock_cause_access_mode_all"] = "You can still update it because you have access-mode \"all\". Locking will automatically be removed.";
|
||||
$text["unlock_cause_locking_user"] = "You can still update it because you are also the one that locked it. Locking will automatically be removed.";
|
||||
$text["unlock_document"] = "Unlock";
|
||||
$text["update_approvers"] = "Update List of Approvers";
|
||||
$text["update_document"] = "Update document";
|
||||
$text["update_fulltext_index"] = "Update fulltext index";
|
||||
$text["update_info"] = "Update Information";
|
||||
$text["update_locked_msg"] = "This document is locked.";
|
||||
$text["update_reviewers"] = "Update List of Reviewers";
|
||||
$text["update"] = "Update";
|
||||
$text["uploaded_by"] = "Uploaded by";
|
||||
$text["uploading_failed"] = "Uploading one of your files failed. Please check your maximum upload file size.";
|
||||
$text["uploading_zerosize"] = "Uploading an empty file. Upload is canceled.";
|
||||
$text["use_default_categories"] = "Use predefined categories";
|
||||
$text["use_default_keywords"] = "Use predefined keywords";
|
||||
$text["used_discspace"] = "Used disk space";
|
||||
$text["user_exists"] = "User already exists.";
|
||||
$text["user_group_management"] = "Users/Groups management";
|
||||
$text["user_image"] = "Image";
|
||||
$text["user_info"] = "User Information";
|
||||
$text["user_list"] = "List of Users";
|
||||
$text["user_login"] = "User ID";
|
||||
$text["user_management"] = "Users management";
|
||||
$text["user_name"] = "Full name";
|
||||
$text["users"] = "Users";
|
||||
$text["user"] = "User";
|
||||
$text["version_deleted_email"] = "Version deleted";
|
||||
$text["version_info"] = "Version Information";
|
||||
$text["versioning_file_creation"] = "Versioning file creation";
|
||||
$text["versioning_file_creation_warning"] = "With this operation you can create a file containing the versioning information of an entire DMS folder. After the creation every file will be saved inside the document folder.";
|
||||
$text["versioning_info"] = "Versioning info";
|
||||
$text["version"] = "Version";
|
||||
$text["view"] = "View";
|
||||
$text["view_online"] = "View online";
|
||||
$text["warning"] = "Warning";
|
||||
$text["wednesday"] = "Wednesday";
|
||||
$text["wednesday_abbr"] = "We";
|
||||
$text["week_view"] = "Week view";
|
||||
$text["weeks"] = "weeks";
|
||||
$text["workflow"] = "Workflow";
|
||||
$text["workflow_action_in_use"] = "This action is currently used by workflows.";
|
||||
$text["workflow_action_name"] = "Name";
|
||||
$text["workflow_editor"] = "Workflow Editor";
|
||||
$text["workflow_group_summary"] = "Group summary";
|
||||
$text["workflow_name"] = "Name";
|
||||
$text["workflow_in_use"] = "This workflow is currently used by documents.";
|
||||
$text["workflow_initstate"] = "Initial state";
|
||||
$text["workflow_management"] = "Workflow management";
|
||||
$text["workflow_no_states"] = "You must first define workflow states, before adding a workflow.";
|
||||
$text["workflow_states_management"] = "Workflow states management";
|
||||
$text["workflow_actions_management"] = "Workflow actions management";
|
||||
$text["workflow_state_docstatus"] = "Document status";
|
||||
$text["workflow_state_in_use"] = "This state is currently used by workflows.";
|
||||
$text["workflow_state_name"] = "Name";
|
||||
$text["workflow_summary"] = "Workflow summary";
|
||||
$text["workflow_user_summary"] = "User summary";
|
||||
$text["year_view"] = "Year View";
|
||||
$text["yes"] = "Yes";
|
||||
?>
|
|
@ -1,686 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
// Copyright (C) 2012 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Accepter";
|
||||
$text["access_denied"] = "Accès refusé.";
|
||||
$text["access_inheritance"] = "Héritage d'accès";
|
||||
$text["access_mode"] = "Droits d'accès";
|
||||
$text["access_mode_all"] = "Contrôle total";
|
||||
$text["access_mode_none"] = "Aucun accès";
|
||||
$text["access_mode_read"] = "Lecture";
|
||||
$text["access_mode_readwrite"] = "Lecture-Ecriture";
|
||||
$text["access_permission_changed_email"] = "Permission modifiée";
|
||||
$text["according_settings"] = "Paramètres en fonction";
|
||||
$text["actions"] = "Actions";
|
||||
$text["add"] = "Ajouter";
|
||||
$text["add_doc_reviewer_approver_warning"] = "N.B. Les documents sont automatiquement marqués comme publiés si il n'y a pas de correcteur ou d'approbateur désigné.";
|
||||
$text["add_document"] = "Ajouter un document";
|
||||
$text["add_document_link"] = "Ajouter un lien";
|
||||
$text["add_event"] = "Ajouter un événement";
|
||||
$text["add_group"] = "Ajouter un groupe";
|
||||
$text["add_member"] = "Ajouter un membre";
|
||||
$text["add_multiple_documents"] = "Ajouter plusieurs documents";
|
||||
$text["add_multiple_files"] = "Ajouter plusieurs fichiers (le nom du fichier servira de nom de document)";
|
||||
$text["add_subfolder"] = "Ajouter un sous-dossier";
|
||||
$text["add_user"] = "Ajouter un utilisateur";
|
||||
$text["add_user_to_group"] = "Ajouter utilisateur dans groupe";
|
||||
$text["admin"] = "Administrateur";
|
||||
$text["admin_tools"] = "Outils d'administration";
|
||||
$text["all"] = "Tous";
|
||||
$text["all_categories"] = "Toutes les catégories";
|
||||
$text["all_documents"] = "Tous les documents";
|
||||
$text["all_pages"] = "Tous";
|
||||
$text["all_users"] = "Tous les utilisateurs";
|
||||
$text["already_subscribed"] = "Déjà abonné";
|
||||
$text["and"] = "et";
|
||||
$text["apply"] = "Appliquer";
|
||||
$text["approval_deletion_email"] = "Demande d'approbation supprimée";
|
||||
$text["approval_group"] = "Groupe d'approbation";
|
||||
$text["approval_request_email"] = "Demande d'approbation";
|
||||
$text["approval_status"] = "Statut d'approbation";
|
||||
$text["approval_submit_email"] = "Approbation soumise";
|
||||
$text["approval_summary"] = "Sommaire d'approbation";
|
||||
$text["approval_update_failed"] = "Erreur de la mise à jour du statut d'approbation. Echec de la mise à jour.";
|
||||
$text["approvers"] = "Approbateurs";
|
||||
$text["april"] = "Avril";
|
||||
$text["archive_creation"] = "Création d'archivage";
|
||||
$text["archive_creation_warning"] = "Avec cette fonction, vous pouvez créer une archive contenant les fichiers de tout les dossiers DMS. Après la création, l'archive sera sauvegardé dans le dossier de données de votre serveur.<br> AVERTISSEMENT: Une archive créée comme lisible par l'homme sera inutilisable en tant que sauvegarde du serveur.";
|
||||
$text["assign_approvers"] = "Approbateurs désignés";
|
||||
$text["assign_reviewers"] = "Correcteurs désignés";
|
||||
$text["assign_user_property_to"] = "Assign user's properties to";
|
||||
$text["assumed_released"] = "Supposé publié";
|
||||
$text["attrdef_management"] = "Gestion des définitions d'attributs";
|
||||
$text["attrdef_exists"] = "La définition d'attribut existe déjà";
|
||||
$text["attrdef_in_use"] = "La définition d'attribut est en cours d'utilisation";
|
||||
$text["attrdef_name"] = "Nom";
|
||||
$text["attrdef_multiple"] = "Permettre des valeurs multiples";
|
||||
$text["attrdef_objtype"] = "Type d'objet";
|
||||
$text["attrdef_type"] = "Type";
|
||||
$text["attrdef_minvalues"] = "Nombre minimum de valeurs";
|
||||
$text["attrdef_maxvalues"] = "Nombre maximum de valeurs";
|
||||
$text["attrdef_valueset"] = "Ensemble de valeurs";
|
||||
$text["attributes"] = "Attributs";
|
||||
$text["august"] = "Août";
|
||||
$text["automatic_status_update"] = "Changement de statut automatique";
|
||||
$text["back"] = "Retour";
|
||||
$text["backup_list"] = "Liste de sauvegardes existantes";
|
||||
$text["backup_remove"] = "Supprimer le fichier de sauvegarde";
|
||||
$text["backup_tools"] = "Outils de sauvegarde";
|
||||
$text["between"] = "entre";
|
||||
$text["calendar"] = "Agenda";
|
||||
$text["cancel"] = "Annuler";
|
||||
$text["cannot_assign_invalid_state"] = "Impossible de modifier un document obsolète ou rejeté";
|
||||
$text["cannot_change_final_states"] = "Attention: Vous ne pouvez pas modifier le statut d'un document rejeté, expiré ou en attente de révision ou d'approbation";
|
||||
$text["cannot_delete_yourself"] = "Vous ne pouvez pas supprimer vous-même";
|
||||
$text["cannot_move_root"] = "Erreur : Impossible de déplacer le dossier racine.";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "Impossible de retrouver l'instantané de statut d'approbation pour cette version de document.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "Impossible de retrouver l'instantané de statut de correction pour cette version du document.";
|
||||
$text["cannot_rm_root"] = "Erreur : Dossier racine ineffaçable.";
|
||||
$text["category"] = "Catégorie";
|
||||
$text["category_exists"] = "Catégorie existe déjà.";
|
||||
$text["category_filter"] = "Uniquement les catégories";
|
||||
$text["category_in_use"] = "This category is currently used by documents.";
|
||||
$text["category_noname"] = "Aucun nom de catégorie fourni.";
|
||||
$text["categories"] = "Catégories";
|
||||
$text["change_assignments"] = "Changer affectations";
|
||||
$text["change_password"] = "Changer mot de passe";
|
||||
$text["change_password_message"] = "Votre mot de passe a été changé.";
|
||||
$text["change_status"] = "Modifier le statut";
|
||||
$text["choose_attrdef"] = "Choisissez une définition d'attribut";
|
||||
$text["choose_category"] = "SVP choisir";
|
||||
$text["choose_group"] = "Choisir un groupe";
|
||||
$text["choose_target_category"] = "Choisir une catégorie";
|
||||
$text["choose_target_document"] = "Choisir un document";
|
||||
$text["choose_target_folder"] = "Choisir un dossier cible";
|
||||
$text["choose_user"] = "Choisir un utilisateur";
|
||||
$text["comment_changed_email"] = "Commentaire changé";
|
||||
$text["comment"] = "Commentaire";
|
||||
$text["comment_for_current_version"] = "Commentaires pour la version actuelle";
|
||||
$text["confirm_create_fulltext_index"] = "Oui, je souhaite recréer l'index de texte intégral!";
|
||||
$text["confirm_pwd"] = "Confirmer le mot de passe";
|
||||
$text["confirm_rm_backup"] = "Voulez-vous vraiment supprimer le fichier \"[arkname]\"?<br>Attention: Cette action ne peut pas être annulée.";
|
||||
$text["confirm_rm_document"] = "Voulez-vous réellement supprimer le document \"[documentname]\"?<br>Attention : cette action ne peut être annulée.";
|
||||
$text["confirm_rm_dump"] = "Voulez-vous vraiment supprimer le fichier \"[dumpname]\"?<br>Attention: Cette action ne peut pas être annulée.";
|
||||
$text["confirm_rm_event"] = "Voulez-vous vraiment supprimer l'événement \"[name]\"?<br>Attention: Cette action ne peut pas être annulée.";
|
||||
$text["confirm_rm_file"] = "Voulez-vous vraiment supprimer le fichier \"[name]\" du document \"[documentname]\"?<br> Attention: Cette action ne peut pas être annulée.";
|
||||
$text["confirm_rm_folder"] = "Voulez-vous réellement supprimer \"[foldername]\" et son contenu ?<br>Attention : cette action ne peut être annulée.";
|
||||
$text["confirm_rm_folder_files"] = "Voulez-vous vraiment supprimer tous les fichiers du dossier \"[foldername]\" et ses sous-dossiers?<br>Attention: Cette action ne peut pas être annulée.";
|
||||
$text["confirm_rm_group"] = "Voulez-vous vraiment supprimer le groupe \"[groupname]\"?<br>Attention: Cette action ne peut pas être annulée.";
|
||||
$text["confirm_rm_log"] = "Voulez-vous vraiment supprimer le fichier log \"[logname]\"?<br>Attention: Cette action ne peut pas être annulée.";
|
||||
$text["confirm_rm_user"] = "Voulez-vous vraiment supprimer l'utilisateur \"[username]\"?<br>Attention: Cette action ne peut pas être annulée.";
|
||||
$text["confirm_rm_version"] = "Voulez-vous réellement supprimer la [version] du document \"[documentname]\"?<br>Attention: Cette action ne peut pas être annulée.";
|
||||
$text["content"] = "Contenu";
|
||||
$text["continue"] = "Continuer";
|
||||
$text["create_fulltext_index"] = "Créer un index de texte intégral";
|
||||
$text["create_fulltext_index_warning"] = "Vous allez recréer l'index de texte intégral. Cela peut prendre une grande quantité de temps et de réduire les performances de votre système dans son ensemble. Si vous voulez vraiment recréer l'index, merci de confirmer votre opération.";
|
||||
$text["creation_date"] = "Créé le";
|
||||
$text["current_password"] = "Mot de passe actuel";
|
||||
$text["current_version"] = "Version actuelle";
|
||||
$text["daily"] = "Journalier";
|
||||
$text["databasesearch"] = "Recherche dans la base de données";
|
||||
$text["december"] = "Décembre";
|
||||
$text["default_access"] = "Droits d'accès par défaut";
|
||||
$text["default_keywords"] = "Mots-clés disponibles";
|
||||
$text["delete"] = "Supprimer";
|
||||
$text["details"] = "Détails";
|
||||
$text["details_version"] = "Détails de la version: [version]";
|
||||
$text["disclaimer"] = "Cet espace est protégé. Son accès est strictement réservé aux utilisateurs autorisés.<br/>Tout accès non autorisé est punissable par les lois internationales.";
|
||||
$text["do_object_repair"] = "Réparer tous les dossiers et documents.";
|
||||
$text["document_already_locked"] = "Ce document est déjà verrouillé";
|
||||
$text["document_deleted"] = "Document supprimé";
|
||||
$text["document_deleted_email"] = "Document supprimé";
|
||||
$text["document"] = "Document";
|
||||
$text["document_infos"] = "Informations sur le document";
|
||||
$text["document_is_not_locked"] = "Ce document n'est pas verrouillé";
|
||||
$text["document_link_by"] = "Liés par";
|
||||
$text["document_link_public"] = "Public";
|
||||
$text["document_moved_email"] = "Document déplacé";
|
||||
$text["document_renamed_email"] = "Document renommé";
|
||||
$text["documents"] = "Documents";
|
||||
$text["documents_in_process"] = "Documents en cours";
|
||||
$text["documents_locked_by_you"] = "Documents verrouillés";
|
||||
$text["documents_only"] = "documents uniquement";
|
||||
$text["document_status_changed_email"] = "Statut du document modifié";
|
||||
$text["documents_to_approve"] = "Documents en attente d'approbation";
|
||||
$text["documents_to_review"] = "Documents en attente de correction";
|
||||
$text["documents_user_requiring_attention"] = "Documents à surveiller";
|
||||
$text["document_title"] = "Document '[documentname]'";
|
||||
$text["document_updated_email"] = "Document mis à jour";
|
||||
$text["does_not_expire"] = "N'expire jamais";
|
||||
$text["does_not_inherit_access_msg"] = "Accès hérité";
|
||||
$text["download"] = "Téléchargement";
|
||||
$text["draft_pending_approval"] = "Ebauche - En cours d'approbation";
|
||||
$text["draft_pending_review"] = "Ebauche - En cours de correction";
|
||||
$text["dump_creation"] = "création sauvegarde BD";
|
||||
$text["dump_creation_warning"] = "Avec cette opération, vous pouvez une sauvegarde du contenu de votre base de données. Après la création, le fichier de sauvegarde sera sauvegardé dans le dossier de données de votre serveur.";
|
||||
$text["dump_list"] = "Fichiers de sauvegarde existants";
|
||||
$text["dump_remove"] = "Supprimer fichier de sauvegarde";
|
||||
$text["edit_attributes"] = "Modifier les attributs";
|
||||
$text["edit_comment"] = "Modifier le commentaire";
|
||||
$text["edit_default_keywords"] = "Modifier les mots-clés";
|
||||
$text["edit_document_access"] = "Modifier les droits d'accès";
|
||||
$text["edit_document_notify"] = "Notifications de documents";
|
||||
$text["edit_document_props"] = "Modifier le document";
|
||||
$text["edit"] = "Modifier";
|
||||
$text["edit_event"] = "Modifier l'événement";
|
||||
$text["edit_existing_access"] = "Modifier les droits d'accès";
|
||||
$text["edit_existing_notify"] = "Modifier les notifications";
|
||||
$text["edit_folder_access"] = "Modifier les droits d'accès";
|
||||
$text["edit_folder_notify"] = "Notification de dossiers";
|
||||
$text["edit_folder_props"] = "Modifier le dossier";
|
||||
$text["edit_group"] = "Modifier un groupe";
|
||||
$text["edit_user_details"] = "Modifier les détails d'utilisateur";
|
||||
$text["edit_user"] = "Modifier un utilisateur";
|
||||
$text["email"] = "E-mail";
|
||||
$text["email_error_title"] = "Aucun e-mail indiqué";
|
||||
$text["email_footer"] = "Vous pouvez modifier les paramètres de messagerie via 'Mon compte'.";
|
||||
$text["email_header"] = "Ceci est un message automatique généré par le serveur DMS.";
|
||||
$text["email_not_given"] = "SVP Entrer une adresse email valide.";
|
||||
$text["empty_notify_list"] = "Aucune entrée";
|
||||
$text["error"] = "Erreur";
|
||||
$text["error_no_document_selected"] = "Aucun document sélectionné";
|
||||
$text["error_no_folder_selected"] = "Aucun dossier sélectionné";
|
||||
$text["error_occured"] = "Une erreur s'est produite";
|
||||
$text["event_details"] = "Détails de l'événement";
|
||||
$text["expired"] = "Expiré";
|
||||
$text["expires"] = "Expiration";
|
||||
$text["expiry_changed_email"] = "Date d'expiration modifiée";
|
||||
$text["february"] = "Février";
|
||||
$text["file"] = "Fichier";
|
||||
$text["files_deletion"] = "Suppression de fichiers";
|
||||
$text["files_deletion_warning"] = "Avec cette option, vous pouvez supprimer tous les fichiers d'un dossier DMS. Les informations de version resteront visible.";
|
||||
$text["files"] = "Fichiers";
|
||||
$text["file_size"] = "Taille";
|
||||
$text["folder_contents"] = "Dossiers";
|
||||
$text["folder_deleted_email"] = "Dossier supprimé";
|
||||
$text["folder"] = "Dossier";
|
||||
$text["folder_infos"] = "Informations sur le dossier";
|
||||
$text["folder_moved_email"] = "Dossier déplacé";
|
||||
$text["folder_renamed_email"] = "Dossier renommé";
|
||||
$text["folders_and_documents_statistic"] = "Aperçu du contenu";
|
||||
$text["folders"] = "Dossiers";
|
||||
$text["folder_title"] = "Dossier '[foldername]'";
|
||||
$text["friday"] = "Vendredi";
|
||||
$text["from"] = "Du";
|
||||
$text["fullsearch"] = "Recherche dans le contenu";
|
||||
$text["fullsearch_hint"] = "Recherche dans le contenu";
|
||||
$text["fulltext_info"] = "Fulltext index info";
|
||||
$text["global_attributedefinitions"] = "Définitions d'attributs";
|
||||
$text["global_default_keywords"] = "Mots-clés globaux";
|
||||
$text["global_document_categories"] = "Catégories";
|
||||
$text["group_approval_summary"] = "Résumé groupe d'approbation";
|
||||
$text["group_exists"] = "Ce groupe existe déjà.";
|
||||
$text["group"] = "Groupe";
|
||||
$text["group_management"] = "Groupes";
|
||||
$text["group_members"] = "Membres de groupes";
|
||||
$text["group_review_summary"] = "Résumé groupe correcteur";
|
||||
$text["groups"] = "Groupes";
|
||||
$text["guest_login_disabled"] = "Connexion d'invité désactivée.";
|
||||
$text["guest_login"] = "Connecter comme invité";
|
||||
$text["help"] = "Aide";
|
||||
$text["hourly"] = "Une fois par heure";
|
||||
$text["human_readable"] = "Archive lisible par l'homme";
|
||||
$text["include_documents"] = "Inclure les documents";
|
||||
$text["include_subdirectories"] = "Inclure les sous-dossiers";
|
||||
$text["index_converters"] = "Index document conversion";
|
||||
$text["individuals"] = "Individuels";
|
||||
$text["inherits_access_msg"] = "L'accès est hérité.";
|
||||
$text["inherits_access_copy_msg"] = "Copier la liste des accès hérités";
|
||||
$text["inherits_access_empty_msg"] = "Commencer avec une liste d'accès vide";
|
||||
$text["internal_error_exit"] = "Erreur interne. Impossible d'achever la demande. Sortie du programme.";
|
||||
$text["internal_error"] = "Erreur interne";
|
||||
$text["invalid_access_mode"] = "droits d'accès invalides";
|
||||
$text["invalid_action"] = "Action invalide";
|
||||
$text["invalid_approval_status"] = "Statut d'approbation invalide";
|
||||
$text["invalid_create_date_end"] = "Date de fin invalide pour la plage de dates de création.";
|
||||
$text["invalid_create_date_start"] = "Date de départ invalide pour la plage de dates de création.";
|
||||
$text["invalid_doc_id"] = "Identifiant de document invalide";
|
||||
$text["invalid_file_id"] = "Identifiant de fichier invalide";
|
||||
$text["invalid_folder_id"] = "Identifiant de dossier invalide";
|
||||
$text["invalid_group_id"] = "Identifiant de groupe invalide";
|
||||
$text["invalid_link_id"] = "Identifiant de lien invalide";
|
||||
$text["invalid_request_token"] = "Jeton de demande incorrect";
|
||||
$text["invalid_review_status"] = "Statut de correction invalide";
|
||||
$text["invalid_sequence"] = "Valeur de séquence invalide";
|
||||
$text["invalid_status"] = "Statut de document invalide";
|
||||
$text["invalid_target_doc_id"] = "Identifiant de document cible invalide";
|
||||
$text["invalid_target_folder"] = "Identifiant de dossier cible invalide";
|
||||
$text["invalid_user_id"] = "Identifiant utilisateur invalide";
|
||||
$text["invalid_version"] = "Version de document invalide";
|
||||
$text["is_disabled"] = "Compte désactivé";
|
||||
$text["is_hidden"] = "Cacher de la liste utilisateur";
|
||||
$text["january"] = "Janvier";
|
||||
$text["js_no_approval_group"] = "SVP Sélectionnez un groupe d'approbation";
|
||||
$text["js_no_approval_status"] = "SVP Sélectionnez le statut d'approbation";
|
||||
$text["js_no_comment"] = "Il n'y a pas de commentaires";
|
||||
$text["js_no_email"] = "Saisissez votre adresse e-mail";
|
||||
$text["js_no_file"] = "SVP Sélectionnez un fichier";
|
||||
$text["js_no_keywords"] = "Spécifiez quelques mots-clés";
|
||||
$text["js_no_login"] = "SVP Saisissez un identifiant";
|
||||
$text["js_no_name"] = "SVP Saisissez un nom";
|
||||
$text["js_no_override_status"] = "SVP Sélectionner le nouveau [override] statut";
|
||||
$text["js_no_pwd"] = "Vous devez saisir votre mot de passe";
|
||||
$text["js_no_query"] = "Saisir une requête";
|
||||
$text["js_no_review_group"] = "SVP Sélectionner un groupe de correcteur";
|
||||
$text["js_no_review_status"] = "SVP Sélectionner le statut de correction";
|
||||
$text["js_pwd_not_conf"] = "Mot de passe et Confirmation de mot de passe non identiques";
|
||||
$text["js_select_user_or_group"] = "Sélectionner au moins un utilisateur ou un groupe";
|
||||
$text["js_select_user"] = "SVP Sélectionnez un utilisateur";
|
||||
$text["july"] = "Juillet";
|
||||
$text["june"] = "Juin";
|
||||
$text["keyword_exists"] = "Mot-clé déjà existant";
|
||||
$text["keywords"] = "Mots-clés";
|
||||
$text["language"] = "Langue";
|
||||
$text["last_update"] = "Dernière modification";
|
||||
$text["link_alt_updatedocument"] = "Pour déposer des fichiers de taille supérieure, utilisez la <a href=\"%s\">page d'ajout multiple</a>.";
|
||||
$text["linked_documents"] = "Documents liés";
|
||||
$text["linked_files"] = "Fichiers attachés";
|
||||
$text["local_file"] = "Fichier local";
|
||||
$text["locked_by"] = "Verrouillé par";
|
||||
$text["lock_document"] = "Verrouiller";
|
||||
$text["lock_message"] = "Ce document a été verrouillé par <a href=\"mailto:[email]\">[username]</a>.<br> Seuls les utilisateurs autorisés peuvent déverrouiller ce document (voir fin de page).";
|
||||
$text["lock_status"] = "Statut";
|
||||
$text["login"] = "Identifiant";
|
||||
$text["login_disabled_text"] = "Votre compte est désactivé, sans doute à cause de trop nombreuses connexions qui ont échoué.";
|
||||
$text["login_disabled_title"] = "Compte désactivé";
|
||||
$text["login_error_text"] = "Erreur à la connexion. Identifiant ou mot de passe incorrect.";
|
||||
$text["login_error_title"] = "Erreur de connexion";
|
||||
$text["login_not_given"] = "Nom utilisateur non fourni";
|
||||
$text["login_ok"] = "Connexion établie";
|
||||
$text["log_management"] = "Gestion des fichiers Log";
|
||||
$text["logout"] = "Déconnexion";
|
||||
$text["manager"] = "Responsable";
|
||||
$text["march"] = "Mars";
|
||||
$text["max_upload_size"] = "Taille maximum de fichier déposé";
|
||||
$text["may"] = "Mai";
|
||||
$text["monday"] = "Lundi";
|
||||
$text["month_view"] = "Vue par mois";
|
||||
$text["monthly"] = "Mensuel";
|
||||
$text["move_document"] = "Déplacer le document";
|
||||
$text["move_folder"] = "Déplacer le dossier";
|
||||
$text["move"] = "Déplacer";
|
||||
$text["my_account"] = "Mon compte";
|
||||
$text["my_documents"] = "Mes documents";
|
||||
$text["name"] = "Nom";
|
||||
$text["new_attrdef"] = "Ajouter une définition d'attribut";
|
||||
$text["new_default_keyword_category"] = "Ajouter une catégorie";
|
||||
$text["new_default_keywords"] = "Ajouter des mots-clés";
|
||||
$text["new_document_category"] = "Ajouter une catégorie";
|
||||
$text["new_document_email"] = "Nouveau document";
|
||||
$text["new_file_email"] = "Nouvel attachement";
|
||||
$text["new_folder"] = "Nouveau dossier";
|
||||
$text["new_password"] = "Nouveau mot de passe";
|
||||
$text["new"] = "Nouveau";
|
||||
$text["new_subfolder_email"] = "Nouveau dossier";
|
||||
$text["new_user_image"] = "Nouvelle image";
|
||||
$text["no_action"] = "Aucune action n'est nécessaire";
|
||||
$text["no_approval_needed"] = "Aucune approbation en attente";
|
||||
$text["no_attached_files"] = "Aucun fichier attaché";
|
||||
$text["no_default_keywords"] = "Aucun mot-clé valide";
|
||||
$text["no_docs_locked"] = "Aucun document verrouillé";
|
||||
$text["no_docs_to_approve"] = "Aucun document ne nécessite actuellement une approbation";
|
||||
$text["no_docs_to_look_at"] = "Aucun document à surveiller";
|
||||
$text["no_docs_to_review"] = "Aucun document en attente de correction";
|
||||
$text["no_fulltextindex"] = "Aucun fichier d'index disponibles";
|
||||
$text["no_group_members"] = "Ce groupe ne contient aucun membre";
|
||||
$text["no_groups"] = "Aucun groupe";
|
||||
$text["no"] = "Non";
|
||||
$text["no_linked_files"] = "Aucun fichier lié";
|
||||
$text["no_previous_versions"] = "Aucune autre version trouvée";
|
||||
$text["no_review_needed"] = "Aucune correction en attente";
|
||||
$text["notify_added_email"] = "Vous avez été ajouté à la liste des notifications.";
|
||||
$text["notify_deleted_email"] = "Vous avez été supprimé de la liste des notifications.";
|
||||
$text["no_update_cause_locked"] = "Vous ne pouvez actuellement pas mettre à jour ce document. Contactez l'utilisateur qui l'a verrouillé.";
|
||||
$text["no_user_image"] = "Aucune image trouvée";
|
||||
$text["november"] = "Novembre";
|
||||
$text["now"] = "Maintenant";
|
||||
$text["objectcheck"] = "Vérification des dossiers et documents";
|
||||
$text["obsolete"] = "Obsolète";
|
||||
$text["october"] = "Octobre";
|
||||
$text["old"] = "Ancien";
|
||||
$text["only_jpg_user_images"] = "Images d'utilisateur au format .jpg seulement";
|
||||
$text["owner"] = "Propriétaire";
|
||||
$text["ownership_changed_email"] = "Propriétaire modifié";
|
||||
$text["password"] = "Mot de passe";
|
||||
$text["password_already_used"] = "Mot de passe déjà utilisé";
|
||||
$text["password_repeat"] = "Répétez le mot de passe";
|
||||
$text["password_expiration"] = "Expiration du mot de passe";
|
||||
$text["password_expiration_text"] = "Votre mot de passe a expiré. SVP choisir un nouveau avant de pouvoir accéder à SeedDMS.";
|
||||
$text["password_forgotten"] = "Mot de passe oublié ?";
|
||||
$text["password_forgotten_email_subject"] = "Mot de passe oublié";
|
||||
$text["password_forgotten_email_body"] = "Cher utilisateur de SeedDMS,nnnous avons reçu une demande de modification de votre mot de passe.nnPour ce faire, cliquez sur le lien suivant:nn###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###nnEn cas de problème persistant, veuillez contacter votre administrateur.";
|
||||
$text["password_forgotten_send_hash"] = "La procédure à suivre a bien été envoyée à l'adresse indiquée";
|
||||
$text["password_forgotten_text"] = "Remplissez le formulaire ci-dessous et suivez les instructions dans le courrier électronique qui vous sera envoyé.";
|
||||
$text["password_forgotten_title"] = "Mot de passe oublié";
|
||||
$text["password_strength_insuffient"] = "Mot de passe trop faible";
|
||||
$text["password_wrong"] = "Mauvais mot de passe";
|
||||
$text["personal_default_keywords"] = "Mots-clés personnels";
|
||||
$text["previous_versions"] = "Versions précédentes";
|
||||
$text["refresh"] = "Actualiser";
|
||||
$text["rejected"] = "Rejeté";
|
||||
$text["released"] = "Publié";
|
||||
$text["removed_approver"] = "a été retiré de la liste des approbateurs.";
|
||||
$text["removed_file_email"] = "Attachment supprimé";
|
||||
$text["removed_reviewer"] = "a été retiré de la liste des correcteurs.";
|
||||
$text["repairing_objects"] = "Réparation des documents et des dossiers.";
|
||||
$text["results_page"] = "Results Page";
|
||||
$text["review_deletion_email"] = "Demande de correction supprimée";
|
||||
$text["reviewer_already_assigned"] = "est déjà déclaré en tant que correcteur";
|
||||
$text["reviewer_already_removed"] = "a déjà été retiré du processus de correction ou a déjà soumis une correction";
|
||||
$text["reviewers"] = "Correcteurs";
|
||||
$text["review_group"] = "Groupe de correction";
|
||||
$text["review_request_email"] = "Demande de correction";
|
||||
$text["review_status"] = "Statut de correction";
|
||||
$text["review_submit_email"] = "Correction demandée";
|
||||
$text["review_summary"] = "Sommaire de correction";
|
||||
$text["review_update_failed"] = "Erreur lors de la mise à jour de la correction. Echec de la mise à jour.";
|
||||
$text["rm_attrdef"] = "Retirer définition d'attribut";
|
||||
$text["rm_default_keyword_category"] = "Supprimer la catégorie";
|
||||
$text["rm_document"] = "Supprimer le document";
|
||||
$text["rm_document_category"] = "Supprimer la catégorie";
|
||||
$text["rm_file"] = "Supprimer le fichier";
|
||||
$text["rm_folder"] = "Supprimer le dossier";
|
||||
$text["rm_group"] = "Supprimer ce groupe";
|
||||
$text["rm_user"] = "Supprimer cet utilisateur";
|
||||
$text["rm_version"] = "Retirer la version";
|
||||
$text["role_admin"] = "Administrateur";
|
||||
$text["role_guest"] = "Invité";
|
||||
$text["role_user"] = "Utilisateur";
|
||||
$text["role"] = "Rôle";
|
||||
$text["saturday"] = "Samedi";
|
||||
$text["save"] = "Enregistrer";
|
||||
$text["search_fulltext"] = "Rechercher dans le texte";
|
||||
$text["search_in"] = "Rechercher dans";
|
||||
$text["search_mode_and"] = "tous les mots";
|
||||
$text["search_mode_or"] = "au moins un mot";
|
||||
$text["search_no_results"] = "Il n'y a pas de documents correspondant à la recherche";
|
||||
$text["search_query"] = "Rechercher";
|
||||
$text["search_report"] = "[doccount] documents trouvé(s) et [foldercount] dossiers en [searchtime] sec.";
|
||||
$text["search_report_fulltext"] = "[doccount] documents trouvé(s)";
|
||||
$text["search_results_access_filtered"] = "Les résultats de la recherche propose du contenu dont l'accès est refusé.";
|
||||
$text["search_results"] = "Résultats de recherche";
|
||||
$text["search"] = "Recherche";
|
||||
$text["search_time"] = "Temps écoulé: [time] sec.";
|
||||
$text["selection"] = "Sélection";
|
||||
$text["select_one"] = "-- Selectionner --";
|
||||
$text["september"] = "Septembre";
|
||||
$text["seq_after"] = "Après \"[prevname]\"";
|
||||
$text["seq_end"] = "A la fin";
|
||||
$text["seq_keep"] = "Conserver la position";
|
||||
$text["seq_start"] = "Première position";
|
||||
$text["sequence"] = "Séquence";
|
||||
$text["set_expiry"] = "Modifier la date d'expiration";
|
||||
$text["set_owner_error"] = "Error setting owner";
|
||||
$text["set_owner"] = "Sélection du propriétaire";
|
||||
$text["set_password"] = "Définir mot de passe";
|
||||
$text["settings_install_welcome_title"] = "Bienvenue dans l'installation de letoDMS";
|
||||
$text["settings_install_welcome_text"] = "<p>Avant de commencer l'installation de letoDMS assurez vous d'avoir créé un fichier 'ENABLE_INSTALL_TOOL' dans votre répertoire de configuration, sinon l'installation ne fonctionnera pas. Sur des systèmes Unix, cela peut se faire simplement avec 'touch / ENABLE_INSTALL_TOOL'. Une fois que vous avez terminé l'installation de supprimer le fichier.</p><p>letoDMS a des exigences très minimes. Vous aurez besoin d'une base de données mysql et un serveur web php. pour le recherche texte complète lucene, vous aurez également besoin du framework Zend installé sur le disque où elle peut être trouvée en php. Depuis la version 3.2.0 de letoDMS ADOdb ne fait plus partie de la distribution. obtenez une copie à partir de <a href=\"http://adodb.sourceforge.net/\">http://adodb.sourceforge.net</a> et l'installer. Le chemin d’accès peut être défini ultérieurement pendant l’installation.</p><p>Si vous préférez créer la base de données avant de commencer l'installation, créez la manuellement avec votre outil favori, éventuellement créer un utilisateur de base de données avec accès sur la base et importer une sauvegarde de base dans le répertoire de configuration. Le script d'installation peut le faire pour vous, mais il requiert un accès à la base de données avec les droits suffisants pour créer des bases de données.</p>";
|
||||
$text["settings_start_install"] = "Démarrer l'installation";
|
||||
$text["settings_sortUsersInList"] = "Tri des utilisateurs";
|
||||
$text["settings_sortUsersInList_desc"] = "Définit si les utilisateurs dans les menus de sélection sont triés par identifiant ou par nom complet";
|
||||
$text["settings_sortUsersInList_val_login"] = "Tri par identifiant";
|
||||
$text["settings_sortUsersInList_val_fullname"] = "Tri par nom complet";
|
||||
$text["settings_stopWordsFile"] = "Fichier des mots à exclure";
|
||||
$text["settings_stopWordsFile_desc"] = "Si la recherche de texte complète est activée, ce fichier contient les mots non indexés";
|
||||
$text["settings_activate_module"] = "Activez le module";
|
||||
$text["settings_activate_php_extension"] = "Activez l'extension PHP";
|
||||
$text["settings_adminIP"] = "Admin IP";
|
||||
$text["settings_adminIP_desc"] = "Si activé l'administrateur ne peut se connecter que par l'adresse IP spécifiées, laisser vide pour éviter le contrôle. NOTE: fonctionne uniquement avec autentication locale (sans LDAP)";
|
||||
$text["settings_ADOdbPath"] = "Chemin ADOdb";
|
||||
$text["settings_ADOdbPath_desc"] = "Chemin vers adodb. Il s'agit du répertoire contenant le répertoire adodb";
|
||||
$text["settings_Advanced"] = "Avancé";
|
||||
$text["settings_apache_mod_rewrite"] = "Apache - Module Rewrite";
|
||||
$text["settings_Authentication"] = "Paramètres d'authentification";
|
||||
$text["settings_Calendar"] = "Paramètres de l'agenda";
|
||||
$text["settings_calendarDefaultView"] = "Vue par défaut de l'agenda";
|
||||
$text["settings_calendarDefaultView_desc"] = "Vue par défaut de l'agenda";
|
||||
$text["settings_contentDir"] = "Contenu du répertoire";
|
||||
$text["settings_contentDir_desc"] = "Endroit ou les fichiers téléchargés sont stockés (il est préférable de choisir un répertoire qui n'est pas accessible par votre serveur web)";
|
||||
$text["settings_contentOffsetDir"] = "Content Offset Directory";
|
||||
$text["settings_contentOffsetDir_desc"] = "To work around limitations in the underlying file system, a new directory structure has been devised that exists within the content directory (Content Directory). This requires a base directory from which to begin. Usually leave this to the default setting, 1048576, but can be any number or string that does not already exist within (Content Directory)";
|
||||
$text["settings_coreDir"] = "Répertoire Core letoDMS";
|
||||
$text["settings_coreDir_desc"] = "Chemin vers SeedDMS_Core (optionnel)";
|
||||
$text["settings_loginFailure_desc"] = "Désactiver le compte après n échecs de connexion.";
|
||||
$text["settings_loginFailure"] = "Erreur Login";
|
||||
$text["settings_luceneClassDir"] = "Répertoire Lucene SeedDMS";
|
||||
$text["settings_luceneClassDir_desc"] = "Chemin vers SeedDMS_Lucene (optionnel)";
|
||||
$text["settings_luceneDir"] = "Répertoire index Lucene";
|
||||
$text["settings_luceneDir_desc"] = "Chemin vers index Lucene";
|
||||
$text["settings_cannot_disable"] = "Le fichier ENABLE_INSTALL_TOOL ne peut pas être supprimé";
|
||||
$text["settings_install_disabled"] = "Le fichier ENABLE_INSTALL_TOOL a été supprimé. ous pouvez maintenant vous connecter à SeedDMS et poursuivre la configuration.";
|
||||
$text["settings_createdatabase"] = "Créer tables de la base de données";
|
||||
$text["settings_createdirectory"] = "Créer répertoire";
|
||||
$text["settings_currentvalue"] = "Valeur courante";
|
||||
$text["settings_Database"] = "Paramètres base de données";
|
||||
$text["settings_dbDatabase"] = "Base de données";
|
||||
$text["settings_dbDatabase_desc"] = "Le nom de votre base de données entré pendant le processus d'installation. Ne pas modifier le champ sauf si absolument nécessaire, par exemple si la base de données a été déplacé.";
|
||||
$text["settings_dbDriver"] = "Type base de données";
|
||||
$text["settings_dbDriver_desc"] = "Le type de base de données en cours d'utilisation entré pendant le processus d'installation. Ne pas modifier ce champ sauf si vous voulez migrer vers un autre type de base de données peut-être en raison de changement d’hébergement. Type de driver BD utilisé par adodb (voir adodb-readme)";
|
||||
$text["settings_dbHostname_desc"] = "Le nom d'hôte de votre base de données entré pendant le processus d'installation. Ne pas modifier le champ sauf si vraiment nécessaire, par exemple pour le transfert de la base de données vers un nouvel hébergement.";
|
||||
$text["settings_dbHostname"] = "Nom du serveur";
|
||||
$text["settings_dbPass_desc"] = "Le mot de passe pour accéder à votre base de données entré pendant le processus d'installation.";
|
||||
$text["settings_dbPass"] = "Mot de passe";
|
||||
$text["settings_dbUser_desc"] = "Le nom d'utilisateur pour l'accès à votre base de données entré pendant le processus d'installation. Ne pas modifier le champ sauf si vraiment nécessaire, par exemple pour le transfert de la base de données vers un nouvel hébergement.";
|
||||
$text["settings_dbUser"] = "Nom d'utilisateur";
|
||||
$text["settings_dbVersion"] = "Schéma de base de données trop ancien";
|
||||
$text["settings_delete_install_folder"] = "Pour utiliser SeedDMS, vous devez supprimer le fichier ENABLE_INSTALL_TOOL dans le répertoire de configuration";
|
||||
$text["settings_disable_install"] = "Si possible, supprimer le fichier ENABLE_INSTALL_TOOL";
|
||||
$text["settings_disableSelfEdit_desc"] = "Si coché, l'utilisateur ne peut pas éditer son profil";
|
||||
$text["settings_disableSelfEdit"] = "Désactiver auto modification";
|
||||
$text["settings_Display"] = "Paramètres d'affichage";
|
||||
$text["settings_Edition"] = "Paramètres d’édition";
|
||||
$text["settings_enableAdminRevApp_desc"] = "Décochez pour ne pas lister l'administrateur à titre de correcteur/approbateur";
|
||||
$text["settings_enableAdminRevApp"] = "Activer Admin Rev App";
|
||||
$text["settings_enableCalendar_desc"] = "Activer/Désactiver agenda";
|
||||
$text["settings_enableCalendar"] = "Activer agenda";
|
||||
$text["settings_enableConverting_desc"] = "Activer/Désactiver la conversion des fichiers";
|
||||
$text["settings_enableConverting"] = "Activer conversion des fichiers";
|
||||
$text["settings_enableNotificationAppRev_desc"] = "Cochez pour envoyer une notification au correcteur/approbateur quand une nouvelle version du document est ajoutée";
|
||||
$text["settings_enableNotificationAppRev"] = "Notification correcteur/approbateur";
|
||||
$text["settings_enableVersionModification_desc"] = "Activer/désactiver la modification d'une des versions de documents par les utilisateurs normaux après qu'une version ait été téléchargée. l'administrateur peut toujours modifier la version après le téléchargement.";
|
||||
$text["settings_enableVersionModification"] = "Modification des versions";
|
||||
$text["settings_enableVersionDeletion_desc"] = "Activer/désactiver la suppression de versions antérieures du documents par les utilisateurs normaux. L'administrateur peut toujours supprimer les anciennes versions.";
|
||||
$text["settings_enableVersionDeletion"] = "Suppression des versions précédentes";
|
||||
$text["settings_enableEmail_desc"] = "Activer/désactiver la notification automatique par E-mail";
|
||||
$text["settings_enableEmail"] = "E-mails";
|
||||
$text["settings_enableFolderTree_desc"] = "False pour ne pas montrer l'arborescence des dossiers";
|
||||
$text["settings_enableFolderTree"] = "Activer l'arborescence des dossiers";
|
||||
$text["settings_enableFullSearch"] = "Recherches dans le contenu";
|
||||
$text["settings_enableFullSearch_desc"] = "Activer la recherche texte plein";
|
||||
$text["settings_enableGuestLogin_desc"] = "Si vous voulez vous connecter en tant qu'invité, cochez cette option. Remarque: l'utilisateur invité ne doit être utilisé que dans un environnement de confiance";
|
||||
$text["settings_enableGuestLogin"] = "Activer la connexion Invité";
|
||||
$text["settings_enableLargeFileUpload_desc"] = "Si défini, le téléchargement de fichier est également disponible via un applet java appelé jumploader sans limite de taille définie par le navigateur. Il permet également de télécharger plusieurs fichiers en une seule fois.";
|
||||
$text["settings_enableLargeFileUpload"] = "Activer téléchargement des gros fichiers";
|
||||
$text["settings_enableOwnerNotification_desc"] = "Cocher pour ajouter une notification pour le propriétaire si un document quand il est ajouté.";
|
||||
$text["settings_enableOwnerNotification"] = "ctiver la notification par défaut du propriétaire";
|
||||
$text["settings_enablePasswordForgotten_desc"] = "Si vous voulez permettre à l'utilisateur de définir un nouveau mot de passe et l'envoyer par mail, cochez cette option.";
|
||||
$text["settings_enablePasswordForgotten"] = "Activer Mot de passe oublié";
|
||||
$text["settings_enableUserImage_desc"] = "Activer les images utilisateurs";
|
||||
$text["settings_enableUserImage"] = "Activer image utilisateurs";
|
||||
$text["settings_enableUsersView_desc"] = "Activer/désactiver la vue des groupes et des utilisateur pour tous les utilisateurs";
|
||||
$text["settings_enableUsersView"] = "Activer Vue des Utilisateurs";
|
||||
$text["settings_encryptionKey"] = "Clé de cryptage";
|
||||
$text["settings_encryptionKey_desc"] = "Cette chaîne est utilisée pour créer un identifiant unique étant ajouté comme champ masqué à un formulaire afin de prévenir des attaques CSRF.";
|
||||
$text["settings_error"] = "Erreur";
|
||||
$text["settings_expandFolderTree_desc"] = "Dérouler l'arborescence des dossiers";
|
||||
$text["settings_expandFolderTree"] = "Dérouler l'arborescence des dossiers";
|
||||
$text["settings_expandFolderTree_val0"] = "Démarrer avec l'arborescence cachée";
|
||||
$text["settings_expandFolderTree_val1"] = "Démarrer avec le premier niveau déroulé";
|
||||
$text["settings_expandFolderTree_val2"] = "Démarrer avec l'arborescence déroulée";
|
||||
$text["settings_firstDayOfWeek_desc"] = "Premier jour de la semaine";
|
||||
$text["settings_firstDayOfWeek"] = "Premier jour de la semaine";
|
||||
$text["settings_footNote_desc"] = "Message à afficher au bas de chaque page";
|
||||
$text["settings_footNote"] = "Note de bas de page";
|
||||
$text["settings_guestID_desc"] = "ID de l'invité utilisé lorsque vous êtes connecté en tant qu'invité (la plupart du temps pas besoin de changer)";
|
||||
$text["settings_guestID"] = "ID invité";
|
||||
$text["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 '/'";
|
||||
$text["settings_httpRoot"] = "Http Root";
|
||||
$text["settings_installADOdb"] = "Installer ADOdb";
|
||||
$text["settings_install_success"] = "L'installation est terminée avec succès";
|
||||
$text["settings_install_pear_package_log"] = "Installer le paquet Pear 'Log'";
|
||||
$text["settings_install_pear_package_webdav"] = "Installer le paquet Pear 'HTTP_WebDAV_Server', si vous avez l'intention d'utiliser l'interface webdav";
|
||||
$text["settings_install_zendframework"] = "Installer le Framework Zend, si vous avez l'intention d'utiliser le moteur de recherche texte complète";
|
||||
$text["settings_language"] = "Langue par défaut";
|
||||
$text["settings_language_desc"] = "Langue par défaut (nom d'un sous-dossier dans le dossier \"languages\")";
|
||||
$text["settings_logFileEnable_desc"] = "Activer/désactiver le fichier journal";
|
||||
$text["settings_logFileEnable"] = "Fichier journal activé";
|
||||
$text["settings_logFileRotation_desc"] = "Rotation fichier journal";
|
||||
$text["settings_logFileRotation"] = "Rotation fichier journal";
|
||||
$text["settings_luceneDir"] = "Répertoire index Lucene";
|
||||
$text["settings_maxDirID_desc"] = "Nombre maximum de sous-répertoires par le répertoire parent. Par défaut: 32700.";
|
||||
$text["settings_maxDirID"] = "Max ID répertoire";
|
||||
$text["settings_maxExecutionTime_desc"] = "Ceci définit la durée maximale en secondes q'un script est autorisé à exécuter avant de se terminer par l'analyse syntaxique";
|
||||
$text["settings_maxExecutionTime"] = "Temps d'exécution max (s)";
|
||||
$text["settings_more_settings"] = "Configurer d'autres paramètres. Connexion par défaut: admin/admin";
|
||||
$text["settings_Notification"] = "Notifications";
|
||||
$text["settings_no_content_dir"] = "Répertoire de contenu";
|
||||
$text["settings_notfound"] = "Introuvable";
|
||||
$text["settings_notwritable"] = "La configuration ne peut pas être enregistré car le fichier de configuration n'est pas accessible en écriture.";
|
||||
$text["settings_partitionSize"] = "Taille des fichiers partiels téléchargées par jumploader";
|
||||
$text["settings_partitionSize_desc"] = "Taille des fichiers partiels en octets, téléchargées par jumploader. Ne pas fixer une valeur plus grande que la taille de transfert maximale définie par le serveur.";
|
||||
$text["settings_passwordExpiration"] = "Expiration du mot de passe";
|
||||
$text["settings_passwordExpiration_desc"] = "Le nombre de jours après lequel un mot de passe expire et doit être remis à zéro. 0 désactive l'expiration du mot de passe.";
|
||||
$text["settings_passwordHistory"] = "Historique mot de passe";
|
||||
$text["settings_passwordHistory_desc"] = "Le nombre de mots de passe q'un utilisateur doit avoir utilisé avant d'être réutilisé. 0 désactive l'historique du mot de passe.";
|
||||
$text["settings_passwordStrength"] = "Min. résistance mot de passe";
|
||||
$text["settings_passwordЅtrength_desc"] = "La résistance minimale du mot est une valeur entière de 0 à 100. Un réglage à 0 désactive la vérification de la force minimale du mot de passe.";
|
||||
$text["settings_passwordStrengthAlgorithm"] = "Algorithme pour les mots de passe";
|
||||
$text["settings_passwordStrengthAlgorithm_desc"] = "L'algorithme utilisé pour le calcul de robustesse du mot de passe. L'algorithme 'simple' vérifie juste pour au moins huit caractères, une lettre minuscule, une lettre majuscule, un chiffre et un caractère spécial. Si ces conditions sont remplies, le résultat retourné est de 100, sinon 0.";
|
||||
$text["settings_passwordStrengthAlgorithm_valsimple"] = "simple";
|
||||
$text["settings_passwordStrengthAlgorithm_valadvanced"] = "avancé";
|
||||
$text["settings_perms"] = "Permissions";
|
||||
$text["settings_pear_log"] = "Pear package : Log";
|
||||
$text["settings_pear_webdav"] = "Pear package : HTTP_WebDAV_Server";
|
||||
$text["settings_php_dbDriver"] = "PHP extension : php_'see current value'";
|
||||
$text["settings_php_gd2"] = "PHP extension : php_gd2";
|
||||
$text["settings_php_mbstring"] = "PHP extension : php_mbstring";
|
||||
$text["settings_printDisclaimer_desc"] = "If true the disclaimer message the lang.inc files will be print on the bottom of the page";
|
||||
$text["settings_printDisclaimer"] = "Afficher la clause de non-responsabilité";
|
||||
$text["settings_restricted_desc"] = "Only allow users to log in if they have an entry in the local database (irrespective of successful authentication with LDAP)";
|
||||
$text["settings_restricted"] = "Accès restreint";
|
||||
$text["settings_rootDir_desc"] = "Chemin où se trouve letoDMS";
|
||||
$text["settings_rootDir"] = "Répertoire racine";
|
||||
$text["settings_rootFolderID_desc"] = "ID du répertoire racine (la plupart du temps pas besoin de changer)";
|
||||
$text["settings_rootFolderID"] = "ID du répertoire racine";
|
||||
$text["settings_SaveError"] = "Erreur de sauvegarde du fichier de configuration";
|
||||
$text["settings_Server"] = "Paramètres serveur";
|
||||
$text["settings"] = "Configuration";
|
||||
$text["settings_siteDefaultPage_desc"] = "Page par défaut lors de la connexion. Si vide, valeur par défaut à out/out.ViewFolder.php";
|
||||
$text["settings_siteDefaultPage"] = "Page par défaut du site";
|
||||
$text["settings_siteName_desc"] = "Nom du site utilisé dans les titres de page. Par défaut: letoDMS";
|
||||
$text["settings_siteName"] = "Nom du site";
|
||||
$text["settings_Site"] = "Site";
|
||||
$text["settings_smtpPort_desc"] = "Port serveur SMTP, par défaut 25";
|
||||
$text["settings_smtpPort"] = "Port serveur SMTP";
|
||||
$text["settings_smtpSendFrom_desc"] = "Envoyé par";
|
||||
$text["settings_smtpSendFrom"] = "Envoyé par";
|
||||
$text["settings_smtpServer_desc"] = "Nom du serveur SMTP";
|
||||
$text["settings_smtpServer"] = "Nom du serveur SMTP";
|
||||
$text["settings_SMTP"] = "Paramètres du serveur SMTP";
|
||||
$text["settings_stagingDir"] = "Répertoire pour les téléchargements partiels";
|
||||
$text["settings_strictFormCheck_desc"] = "Contrôl strict des formulaires. Si définie sur true, tous les champs du formulaire seront vérifié. Si définie sur false, les commentaires et mots clés deviennent facultatifs. Les commentaires sont toujours nécessaires lors de la soumission d'une correction ou état du document";
|
||||
$text["settings_strictFormCheck"] = "Formulaires stricts";
|
||||
$text["settings_suggestionvalue"] = "Valeur suggérée";
|
||||
$text["settings_System"] = "Système";
|
||||
$text["settings_theme"] = "Thème par défaut";
|
||||
$text["settings_theme_desc"] = "Thème par défaut(nom d'un sous-répertoire du répertoire \"styles\")";
|
||||
$text["settings_titleDisplayHack_desc"] = "Solution pour les titres des pages qui dépassent 2 lignes.";
|
||||
$text["settings_titleDisplayHack"] = "Title Display Hack";
|
||||
$text["settings_updateDatabase"] = "Exécuter les scripts de mise à jour du schéma de la base";
|
||||
$text["settings_updateNotifyTime_desc"] = "Users are notified about document-changes that took place within the last 'Update Notify Time' seconds ";
|
||||
$text["settings_updateNotifyTime"] = "Update Notify Time";
|
||||
$text["settings_versioningFileName_desc"] = "The name of the versioning info file created by the backup tool";
|
||||
$text["settings_versioningFileName"] = "Versioning FileName";
|
||||
$text["settings_viewOnlineFileTypes_desc"] = "Files with one of the following endings can be viewed online (USE ONLY LOWER CASE CHARACTERS)";
|
||||
$text["settings_viewOnlineFileTypes"] = "Aperçu en ligne des fichiers";
|
||||
$text["settings_zendframework"] = "Zend Framework";
|
||||
$text["signed_in_as"] = "Vous êtes connecté en tant que";
|
||||
$text["sign_in"] = "Connexion";
|
||||
$text["sign_out"] = "Déconnexion";
|
||||
$text["space_used_on_data_folder"] = "Espace utilisé dans le répertoire de données";
|
||||
$text["status_approval_rejected"] = "Approbation rejeté";
|
||||
$text["status_approved"] = "Approuvé";
|
||||
$text["status_approver_removed"] = "Approbateur retiré du processus";
|
||||
$text["status_not_approved"] = "Non approuvé";
|
||||
$text["status_not_reviewed"] = "Non corrigé";
|
||||
$text["status_reviewed"] = "Corrigé";
|
||||
$text["status_reviewer_rejected"] = "Correction rejetée";
|
||||
$text["status_reviewer_removed"] = "Correcteur retiré du processus";
|
||||
$text["status"] = "Statut";
|
||||
$text["status_unknown"] = "Inconnu";
|
||||
$text["storage_size"] = "Taille occupée";
|
||||
$text["submit_approval"] = "Soumettre approbation";
|
||||
$text["submit_login"] = "Connexion";
|
||||
$text["submit_password"] = "Entrez nouveau mot de passe";
|
||||
$text["submit_password_forgotten"] = "Envoyer";
|
||||
$text["submit_review"] = "Soumettre la correction";
|
||||
$text["submit_userinfo"] = "Soumettre info";
|
||||
$text["sunday"] = "Dimanche";
|
||||
$text["theme"] = "Thème";
|
||||
$text["thursday"] = "Jeudi";
|
||||
$text["toggle_manager"] = "Basculer 'Responsable'";
|
||||
$text["to"] = "Au";
|
||||
$text["tuesday"] = "Mardi";
|
||||
$text["under_folder"] = "Dans le dossier";
|
||||
$text["unknown_command"] = "Commande non reconnue.";
|
||||
$text["unknown_document_category"] = "Catégorie inconnue";
|
||||
$text["unknown_group"] = "Identifiant de groupe inconnu";
|
||||
$text["unknown_id"] = "unknown id";
|
||||
$text["unknown_keyword_category"] = "Catégorie inconnue";
|
||||
$text["unknown_owner"] = "Identifiant de propriétaire inconnu";
|
||||
$text["unknown_user"] = "Identifiant d'utilisateur inconnu";
|
||||
$text["unlock_cause_access_mode_all"] = "Vous pouvez encore le mettre à jour, car vous avez les droits d'accès \"tout\". Le verrouillage sera automatiquement annulé.";
|
||||
$text["unlock_cause_locking_user"] = "Vous pouvez encore le mettre à jour, car vous êtes le seul à l'avoir verrouillé. Le verrouillage sera automatiquement annulé.";
|
||||
$text["unlock_document"] = "Déverrouiller";
|
||||
$text["update_approvers"] = "Mise à jour de la liste d'Approbateurs";
|
||||
$text["update_document"] = "Mettre à jour";
|
||||
$text["update_fulltext_index"] = "Update fulltext index";
|
||||
$text["update_info"] = "Informations de mise à jour";
|
||||
$text["update_locked_msg"] = "Ce document est verrouillé.";
|
||||
$text["update_reviewers"] = "Mise à jour de la liste de correcteurs";
|
||||
$text["update"] = "Mettre à jour";
|
||||
$text["uploaded_by"] = "Déposé par";
|
||||
$text["uploading_failed"] = "Dépose du document échoué. SVP Contactez le responsable.";
|
||||
$text["use_default_categories"] = "Use predefined categories";
|
||||
$text["use_default_keywords"] = "Utiliser les mots-clés prédéfinis";
|
||||
$text["user_exists"] = "Cet utilisateur existe déjà";
|
||||
$text["user_image"] = "Image";
|
||||
$text["user_info"] = "Informations utilisateur";
|
||||
$text["user_list"] = "Liste des utilisateurs";
|
||||
$text["user_login"] = "Identifiant";
|
||||
$text["user_management"] = "Utilisateurs";
|
||||
$text["user_name"] = "Nom utilisateur";
|
||||
$text["users"] = "Utilisateurs";
|
||||
$text["user"] = "Utilisateur";
|
||||
$text["version_deleted_email"] = "Version supprimée";
|
||||
$text["version_info"] = "Informations de versions";
|
||||
$text["versioning_file_creation"] = "Versioning file creation";
|
||||
$text["versioning_file_creation_warning"] = "With this operation you can create a file containing the versioning information of an entire DMS folder. After the creation every file will be saved inside the document folder.";
|
||||
$text["versioning_info"] = "Versions";
|
||||
$text["version"] = "Version";
|
||||
$text["view_online"] = "Aperçu en ligne";
|
||||
$text["warning"] = "Avertissement";
|
||||
$text["wednesday"] = "Mercredi";
|
||||
$text["week_view"] = "Vue par semaine";
|
||||
$text["year_view"] = "Vue annuelle";
|
||||
$text["yes"] = "Oui";
|
||||
?>
|
|
@ -1,809 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
// Copyright (C) 2012 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Übernehmen";
|
||||
$text["access_denied"] = "Zugriff verweigert";
|
||||
$text["access_inheritance"] = "Zugriff vererben";
|
||||
$text["access_mode"] = "Berechtigung";
|
||||
$text["access_mode_all"] = "Keine Beschränkung";
|
||||
$text["access_mode_none"] = "Kein Zugriff";
|
||||
$text["access_mode_read"] = "Lesen";
|
||||
$text["access_mode_readwrite"] = "Lesen+Schreiben";
|
||||
$text["access_permission_changed_email"] = "Zugriffsrechte geändert";
|
||||
$text["according_settings"] = "Gemäß Einstellungen";
|
||||
$text["action"] = "Aktivität";
|
||||
$text["action_approve"] = "Freigeben";
|
||||
$text["action_complete"] = "Komplett";
|
||||
$text["action_is_complete"] = "Ist komplett";
|
||||
$text["action_is_not_complete"] = "Ist Nicht komplett";
|
||||
$text["action_reject"] = "Abgelehnen";
|
||||
$text["action_review"] = "Prüfen";
|
||||
$text["action_revise"] = "Erneut prüfen";
|
||||
$text["actions"] = "Aktivitäten";
|
||||
$text["add"] = "Anlegen";
|
||||
$text["add_doc_reviewer_approver_warning"] = "Anmerkung: Dokumente werden automatisch geprüft und freigegeben markiert, wenn kein Prüfer oder keine Freigabe zugewiesen wird.";
|
||||
$text["add_doc_workflow_warning"] = "Anmerkung: Dokumente werden automatisch freigegeben, wenn kein Workflow gewählt wird.";
|
||||
$text["add_document"] = "Dokument anlegen";
|
||||
$text["add_document_link"] = "Verweis hinzufügen";
|
||||
$text["add_event"] = "Ereignis hinzufügen";
|
||||
$text["add_group"] = "Neue Gruppe anlegen";
|
||||
$text["add_member"] = "Gruppenmitglied anlegen";
|
||||
$text["add_multiple_documents"] = "Mehrere Dokumente anlegen";
|
||||
$text["add_multiple_files"] = "Mehrere Dateien hochladen (Dateiname wird als Dokumentenname verwendet)";
|
||||
$text["add_subfolder"] = "Unterordner anlegen";
|
||||
$text["add_to_clipboard"] = "Zur Zwischenablage hinzufügen";
|
||||
$text["add_user"] = "Neuen Benutzer anlegen";
|
||||
$text["add_user_to_group"] = "Benutzer in Gruppe einfügen";
|
||||
$text["add_workflow"] = "Neuen Workflow anlegen";
|
||||
$text["add_workflow_state"] = "Neuen Workflow-Status anlegen";
|
||||
$text["add_workflow_action"] = "Neue Workflow-Aktion anlegen";
|
||||
$text["admin"] = "Administrator";
|
||||
$text["admin_tools"] = "Administration";
|
||||
$text["all"] = "Alle";
|
||||
$text["all_categories"] = "Alle Kategorien";
|
||||
$text["all_documents"] = "alle Dokumente";
|
||||
$text["all_pages"] = "Alle";
|
||||
$text["all_users"] = "Alle Benutzer";
|
||||
$text["already_subscribed"] = "Bereits aboniert";
|
||||
$text["and"] = "und";
|
||||
$text["apply"] = "Anwenden";
|
||||
$text["approval_deletion_email"] = "Genehmigungsaufforderung gelöscht";
|
||||
$text["approval_group"] = "Berechtigungsgruppe";
|
||||
$text["approval_request_email"] = "Aufforderung zur Genehmigung";
|
||||
$text["approval_status"] = "Freigabestatus";
|
||||
$text["approval_submit_email"] = "Genehmigung erteilen";
|
||||
$text["approval_summary"] = "Übersicht Freigaben";
|
||||
$text["approval_update_failed"] = "Störung bei der Aktualisierung des Berechtigungsstatus. Aktualisierung gescheitert";
|
||||
$text["approvers"] = "Freigebender";
|
||||
$text["april"] = "April";
|
||||
$text["archive_creation"] = "Archiv erzeugen";
|
||||
$text["archive_creation_warning"] = "Mit dieser Operation können Sie ein Archiv mit allen Dokumenten des DMS erzeugen. Nach der Erstellung wird das Archiv im Datenordner Ihres Servers gespeichert.<br />Warning: ein menschenlesbares Archiv ist als Server-Backup unbrauchbar.";
|
||||
$text["assign_approvers"] = "Freigebende zuweisen";
|
||||
$text["assign_reviewers"] = "Prüfer zuweisen";
|
||||
$text["assign_user_property_to"] = "Dokumente einem anderen Benutzer zuweisen";
|
||||
$text["assumed_released"] = "Angenommen, freigegeben";
|
||||
$text["attrdef_management"] = "Attributdefinitions-Management";
|
||||
$text["attrdef_exists"] = "Attributdefinition existiert bereits";
|
||||
$text["attrdef_in_use"] = "Definition des Attributs noch in Gebrauch";
|
||||
$text["attrdef_name"] = "Name";
|
||||
$text["attrdef_multiple"] = "Mehrfachwerte erlaubt";
|
||||
$text["attrdef_objtype"] = "Objekttyp";
|
||||
$text["attrdef_type"] = "Typ";
|
||||
$text["attrdef_minvalues"] = "Min. Anzahl Werte";
|
||||
$text["attrdef_maxvalues"] = "Max. Anzahl Werte";
|
||||
$text["attrdef_valueset"] = "Werteauswahl";
|
||||
$text["attributes"] = "Attribute";
|
||||
$text["august"] = "August";
|
||||
$text["automatic_status_update"] = "Automatischer Statuswechsel";
|
||||
$text["back"] = "Zurück";
|
||||
$text["backup_list"] = "Liste vorhandener Backups";
|
||||
$text["backup_remove"] = "Backup löschen";
|
||||
$text["backup_tools"] = "Backup tools";
|
||||
$text["backup_log_management"] = "Backup/Logging";
|
||||
$text["between"] = "zwischen";
|
||||
$text["calendar"] = "Kalender";
|
||||
$text["cancel"] = "Abbrechen";
|
||||
$text["cannot_assign_invalid_state"] = "Die Zuweisung eines neuen Prüfers zu einem Dokument, welches noch nachbearbeitet oder überprüft wird ist nicht möglich";
|
||||
$text["cannot_change_final_states"] = "Warnung: Nicht imstande, Dokumentstatus für Dokumente, die zurückgewiesen worden sind, oder als abgelaufen bzw. überholt markiert wurden zu ändern";
|
||||
$text["cannot_delete_yourself"] = "Sie können nicht Ihr eigenes Login löschen";
|
||||
$text["cannot_move_root"] = "Störung: Verschieben des Hauptordners nicht möglich";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "Nicht imstande, für diese Dokumentenversion die Freigabe für den Status Snapshot zurückzuholen.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "Nicht imstande, Berichtstatus Snapshot für diese Dokumentversion zurückzuholen";
|
||||
$text["cannot_rm_root"] = "Störung: Löschen des Hauptordners nicht möglich";
|
||||
$text["category"] = "Kategorie";
|
||||
$text["category_exists"] = "Kategorie existiert bereits.";
|
||||
$text["category_filter"] = "Nur Kategorien";
|
||||
$text["category_in_use"] = "Diese Kategorie wird zur Zeit von Dokumenten verwendet.";
|
||||
$text["category_noname"] = "Kein Kategoriename eingetragen.";
|
||||
$text["categories"] = "Kategorien";
|
||||
$text["change_assignments"] = "Zuweisungen ändern";
|
||||
$text["change_password"] = "Password ändern";
|
||||
$text["change_password_message"] = "Ihr Passwort wurde geändert.";
|
||||
$text["change_status"] = "Status ändern";
|
||||
$text["choose_attrdef"] = "--Attributdefinition wählen--";
|
||||
$text["choose_category"] = "--Kategorie wählen--";
|
||||
$text["choose_group"] = "--Gruppe wählen--";
|
||||
$text["choose_target_category"] = "Kategorie wählen";
|
||||
$text["choose_target_document"] = "Dokument wählen";
|
||||
$text["choose_target_file"] = "Datei wählen";
|
||||
$text["choose_target_folder"] = "Zielordner wählen";
|
||||
$text["choose_user"] = "--Benutzer wählen--";
|
||||
$text["choose_workflow"] = "Workflow wählen";
|
||||
$text["choose_workflow_state"] = "Workflow-Status wählen";
|
||||
$text["choose_workflow_action"] = "Workflow-Aktion wählen";
|
||||
$text["close"] = "Schließen";
|
||||
$text["comment_changed_email"] = "Kommentar geändert";
|
||||
$text["comment"] = "Kommentar";
|
||||
$text["comment_for_current_version"] = "Kommentar zur<br>aktuellen Version";
|
||||
$text["confirm_create_fulltext_index"] = "Ja, Ich möchte den Volltextindex neu erzeugen!.";
|
||||
$text["confirm_pwd"] = "Passwort-Bestätigung";
|
||||
$text["confirm_rm_backup"] = "Möchten Sie wirklich das Backup \"[arkname]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.";
|
||||
$text["confirm_rm_document"] = "Wollen Sie das Dokument \"[documentname]\" wirklich löschen?<br>Achtung: Dieser Vorgang kann nicht rückgängig gemacht werden.";
|
||||
$text["confirm_rm_dump"] = "Möchten Sie wirklich den DB dump \"[dumpname]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.";
|
||||
$text["confirm_rm_event"] = "Möchten Sie wirklich das Ereignis \"[name]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.";
|
||||
$text["confirm_rm_file"] = "Möchten Sie wirklich die Datei \"[name]\" des Dokuments \"[documentname]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.";
|
||||
$text["confirm_rm_folder"] = "Wollen Sie den Ordner \"[foldername]\" mitsamt seines Inhalts wirklich löschen?<br>Achtung: Dieser Vorgang kann nicht rückgängig gemacht werden.";
|
||||
$text["confirm_rm_folder_files"] = "Möchten Sie wirklich alle Dateien und Unterordner des Ordner \"[foldername]\" löschen?<br>Vorsicht: Diese Operation kann nicht rückgängig gemacht werden.";
|
||||
$text["confirm_rm_group"] = "Möchten Sie wirklich die Gruppe \"[groupname]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.";
|
||||
$text["confirm_rm_log"] = "Möchten Sie wirklich die Log-Datei \"[logname]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.";
|
||||
$text["confirm_rm_user"] = "Möchten Sie wirklich den Benutzer \"[username]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.";
|
||||
$text["confirm_rm_version"] = "Wollen Sie die Version [version] des Dokumentes \"[documentname]\" wirklich löschen?<br>Achtung: Dieser Vorgang kann nicht rückgängig gemacht werden.";
|
||||
$text["content"] = "Inhalt";
|
||||
$text["continue"] = "fortführen";
|
||||
$text["create_fulltext_index"] = "Erzeuge Volltextindex";
|
||||
$text["create_fulltext_index_warning"] = "Sie möchten den Volltextindex neu erzeugen. Dies kann beträchtlich Zeit in Anspruch nehmen und Gesamtleistung Ihres System beeinträchtigen. Bestätigen Sie bitte diese Operation.";
|
||||
$text["creation_date"] = "Erstellt am";
|
||||
$text["current_password"] = "Aktuelles Passwort";
|
||||
$text["current_version"] = "Aktuelle Version";
|
||||
$text["daily"] = "täglich";
|
||||
$text["days"] = "Tage";
|
||||
$text["databasesearch"] = "Datenbanksuche";
|
||||
$text["date"] = "Date";
|
||||
$text["december"] = "Dezember";
|
||||
$text["default_access"] = "Standardberechtigung";
|
||||
$text["default_keywords"] = "Verfügbare Schlüsselworte";
|
||||
$text["definitions"] = "Definitionen";
|
||||
$text["delete"] = "Löschen";
|
||||
$text["details"] = "Details";
|
||||
$text["details_version"] = "Details für Version: [version]";
|
||||
$text["disclaimer"] = "Dies ist ein geschützter Bereich. Nur authorisiertes Personal hat Zugriff. Jegliche Verstöße werden nach geltendem Recht (Englisch und International) verfolgt.";
|
||||
$text["do_object_repair"] = "Repariere alle Ordner und Dokumente.";
|
||||
$text["do_object_setfilesize"] = "Setze Dateigröße";
|
||||
$text["do_object_setchecksum"] = "Setze Check-Summe";
|
||||
$text["do_object_unlink"] = "Lösche Dokumentenversion";
|
||||
$text["document_already_locked"] = "Dieses Dokument ist bereits gesperrt";
|
||||
$text["document_deleted"] = "Dokument gelöscht";
|
||||
$text["document_deleted_email"] = "Dokument gelöscht";
|
||||
$text["document_duplicate_name"] = "Doppelter Dokumentenname";
|
||||
$text["document"] = "Dokument";
|
||||
$text["document_has_no_workflow"] = "Dokument hat keinen Workflow";
|
||||
$text["document_infos"] = "Informationen";
|
||||
$text["document_is_not_locked"] = "Dieses Dokument ist nicht gesperrt";
|
||||
$text["document_link_by"] = "Verweis erstellt von";
|
||||
$text["document_link_public"] = "Für alle sichtbar";
|
||||
$text["document_moved_email"] = "Dokument verschoben";
|
||||
$text["document_renamed_email"] = "Dokument umbenannt";
|
||||
$text["documents"] = "Dokumente";
|
||||
$text["documents_in_process"] = "Dokumente in Bearbeitung";
|
||||
$text["documents_locked_by_you"] = "Von mir gesperrte Dokumente";
|
||||
$text["documents_only"] = "Nur Dokumente";
|
||||
$text["document_status_changed_email"] = "Dokumentenstatus geändert";
|
||||
$text["documents_to_approve"] = "Freigabe erforderlich";
|
||||
$text["documents_to_review"] = "Prüfung erforderlich";
|
||||
$text["documents_user_requiring_attention"] = "Diese Dokumente sollte ich mal nachsehen";
|
||||
$text["document_title"] = "Dokument '[documentname]'";
|
||||
$text["document_updated_email"] = "Dokument aktualisiert";
|
||||
$text["does_not_expire"] = "Kein Ablaufdatum";
|
||||
$text["does_not_inherit_access_msg"] = "Berechtigungen wieder erben";
|
||||
$text["download"] = "Download";
|
||||
$text["drag_icon_here"] = "Icon eines Ordners oder Dokuments hier hin ziehen!";
|
||||
$text["draft_pending_approval"] = "Entwurf - bevorstehende Freigabe";
|
||||
$text["draft_pending_review"] = "Entwurf - bevorstehende Prüfung";
|
||||
$text["dropfolder_file"] = "Datei aus Ablageordner";
|
||||
$text["dump_creation"] = "DB dump erzeugen";
|
||||
$text["dump_creation_warning"] = "Mit dieser Operation können Sie einen Dump der Datenbank erzeugen. Nach der Erstellung wird der Dump im Datenordner Ihres Servers gespeichert.";
|
||||
$text["dump_list"] = "Vorhandene DB dumps";
|
||||
$text["dump_remove"] = "DB dump löschen";
|
||||
$text["edit_attributes"] = "Edit attributes";
|
||||
$text["edit_comment"] = "Kommentar bearbeiten";
|
||||
$text["edit_default_keywords"] = "Schlüsselworte bearbeiten";
|
||||
$text["edit_document_access"] = "Zugriffsrechte bearbeiten";
|
||||
$text["edit_document_notify"] = "Benachrichtigungen";
|
||||
$text["edit_document_props"] = "Bearbeiten";
|
||||
$text["edit"] = "Bearbeiten";
|
||||
$text["edit_event"] = "Ereignis editieren";
|
||||
$text["edit_existing_access"] = "Bestehende Berechtigungen bearbeiten";
|
||||
$text["edit_existing_notify"] = "Benachrichtigungen bearbeiten";
|
||||
$text["edit_folder_access"] = "Zugriffsrechte bearbeiten";
|
||||
$text["edit_folder_notify"] = "Ordner Benachrichtigungen bearbeiten";
|
||||
$text["edit_folder_props"] = "Ordner bearbeiten";
|
||||
$text["edit_group"] = "Gruppe bearbeiten";
|
||||
$text["edit_user_details"] = "Benutzerdetails bearbeiten";
|
||||
$text["edit_user"] = "Benutzer bearbeiten";
|
||||
$text["email"] = "Email";
|
||||
$text["email_error_title"] = "Keine E-Mail-Adresse eingegeben";
|
||||
$text["email_footer"] = "Sie können zu jeder Zeit Ihre E-Mail-Adresse über 'Mein Profil' ändern.";
|
||||
$text["email_header"] = "Dies ist eine automatische Nachricht des DMS-Servers.";
|
||||
$text["email_not_given"] = "Bitte geben Sie eine gültige E-Mail-Adresse ein.";
|
||||
$text["empty_folder_list"] = "Keine Dokumente oder Ordner";
|
||||
$text["empty_notify_list"] = "Keine Benachrichtigungen";
|
||||
$text["equal_transition_states"] = "Start- und Endstatus ѕind gleich";
|
||||
$text["error"] = "Fehler";
|
||||
$text["error_no_document_selected"] = "Kein Dokument ausgewählt";
|
||||
$text["error_no_folder_selected"] = "Kein Ordner ausgewählt";
|
||||
$text["error_occured"] = "Ein Fehler ist aufgetreten.<br />Bitte Administrator benachrichtigen.<p>";
|
||||
$text["event_details"] = "Ereignisdetails";
|
||||
$text["expired"] = "abgelaufen";
|
||||
$text["expires"] = "Ablaufdatum";
|
||||
$text["expiry_changed_email"] = "Ablaufdatum geändert";
|
||||
$text["february"] = "Februar";
|
||||
$text["file"] = "Datei";
|
||||
$text["files_deletion"] = "Dateien löschen";
|
||||
$text["files_deletion_warning"] = "Durch diese Operation können Sie Dokumente des DMS löschen. Die Versions-Information bleibt erhalten.";
|
||||
$text["files"] = "Dateien";
|
||||
$text["file_size"] = "Dateigröße";
|
||||
$text["folder_contents"] = "Ordner enthält";
|
||||
$text["folder_deleted_email"] = "Ordner gelöscht";
|
||||
$text["folder"] = "Ordner";
|
||||
$text["folder_infos"] = "Informationen";
|
||||
$text["folder_moved_email"] = "Ordner verschoben";
|
||||
$text["folder_renamed_email"] = "Ordner umbenannt";
|
||||
$text["folders_and_documents_statistic"] = "Ordner- und Dokumentenübersicht";
|
||||
$text["folders"] = "Verzeichnisse";
|
||||
$text["folder_title"] = "SeedDMS - Ordner: [foldername]";
|
||||
$text["friday"] = "Freitag";
|
||||
$text["friday_abbr"] = "Fr";
|
||||
$text["from"] = "von";
|
||||
$text["fullsearch"] = "Volltext";
|
||||
$text["fullsearch_hint"] = "Volltextindex benutzen";
|
||||
$text["fulltext_info"] = "Volltext-Index Info";
|
||||
$text["global_attributedefinitions"] = "Attribute";
|
||||
$text["global_default_keywords"] = "Globale Stichwortlisten";
|
||||
$text["global_document_categories"] = "Kategorien";
|
||||
$text["global_workflows"] = "Workflows";
|
||||
$text["global_workflow_actions"] = "Workflow-Aktionen";
|
||||
$text["global_workflow_states"] = "Workflow-Status";
|
||||
$text["group_approval_summary"] = "Freigabe-Gruppen";
|
||||
$text["group_exists"] = "Gruppe existiert bereits";
|
||||
$text["group"] = "Gruppe";
|
||||
$text["group_management"] = "Gruppenverwaltung";
|
||||
$text["group_members"] = "Gruppenmitglieder";
|
||||
$text["group_review_summary"] = "Prüfergruppen";
|
||||
$text["groups"] = "Gruppen";
|
||||
$text["guest_login_disabled"] = "Anmeldung als Gast ist gesperrt.";
|
||||
$text["guest_login"] = "Als Gast anmelden";
|
||||
$text["help"] = "Hilfe";
|
||||
$text["hourly"] = "stündlich";
|
||||
$text["hours"] = "Stunden";
|
||||
$text["human_readable"] = "Menschenlesbares Archiv";
|
||||
$text["id"] = "ID";
|
||||
$text["identical_version"] = "Neue Version ist identisch zu aktueller Version.";
|
||||
$text["include_documents"] = "Dokumente miteinbeziehen";
|
||||
$text["include_subdirectories"] = "Unterverzeichnisse miteinbeziehen";
|
||||
$text["index_converters"] = "Index Dokumentenumwandlung";
|
||||
$text["individuals"] = "Einzelpersonen";
|
||||
$text["inherited"] = "geerbt";
|
||||
$text["inherits_access_msg"] = "Zur Zeit werden die Rechte geerbt";
|
||||
$text["inherits_access_copy_msg"] = "Berechtigungen kopieren";
|
||||
$text["inherits_access_empty_msg"] = "Leere Zugriffsliste";
|
||||
$text["internal_error_exit"] = "Interner Fehler: nicht imstande, Antrag durchzuführen. Herausnehmen. verlassen.";
|
||||
$text["internal_error"] = "Interner Fehler";
|
||||
$text["invalid_access_mode"] = "Unzulässige Zugangsart";
|
||||
$text["invalid_action"] = "Unzulässige Aktion";
|
||||
$text["invalid_approval_status"] = "Unzulässiger Freigabestatus";
|
||||
$text["invalid_create_date_end"] = "Unzulässiges Enddatum für Erstellung des Datumsbereichs.";
|
||||
$text["invalid_create_date_start"] = "Unzulässiges Startdatum für Erstellung des Datumsbereichs.";
|
||||
$text["invalid_doc_id"] = "Unzulässige Dokumentenidentifikation";
|
||||
$text["invalid_file_id"] = "Ungültige Datei-ID";
|
||||
$text["invalid_folder_id"] = "Unzulässige Ordneridentifikation";
|
||||
$text["invalid_group_id"] = "Unzulässige Gruppenidentifikation";
|
||||
$text["invalid_link_id"] = "Unzulässige Linkbezeichnung";
|
||||
$text["invalid_request_token"] = "Ungültige Anfragekennung";
|
||||
$text["invalid_review_status"] = "Unzulässiger Überprüfungssstatus";
|
||||
$text["invalid_sequence"] = "Unzulässige Reihenfolge der Werte";
|
||||
$text["invalid_status"] = "Unzulässiger Dokumentenstatus";
|
||||
$text["invalid_target_doc_id"] = "Unzulässige Ziel-Dokument Identifikation";
|
||||
$text["invalid_target_folder"] = "Unzulässige Ziel-Ordner Identifikation";
|
||||
$text["invalid_user_id"] = "Unzulässige Benutzernummer";
|
||||
$text["invalid_version"] = "Unzulässige Dokumenten-Version";
|
||||
$text["in_workflow"] = "im Workflow";
|
||||
$text["is_disabled"] = "Anmeldung sperren";
|
||||
$text["is_hidden"] = "In der Benutzerliste verbergen";
|
||||
$text["january"] = "Januar";
|
||||
$text["js_no_approval_group"] = "Wählen Sie bitte eine Freigabe-Gruppe aus";
|
||||
$text["js_no_approval_status"] = "Wählen Sie bitte einen Freigabe-Status aus";
|
||||
$text["js_no_comment"] = "Geben Sie einen Kommentar an";
|
||||
$text["js_no_email"] = "Geben Sie eine Email-Adresse an";
|
||||
$text["js_no_file"] = "Bitte wählen Sie eine Datei";
|
||||
$text["js_no_keywords"] = "Geben Sie einige Stichwörter an";
|
||||
$text["js_no_login"] = "Geben Sie einen Benutzernamen ein";
|
||||
$text["js_no_name"] = "Sie haben den Namen vergessen";
|
||||
$text["js_no_override_status"] = "Bitte wählen Sie einen neuen Status aus";
|
||||
$text["js_no_pwd"] = "Sie müssen ein Passwort eingeben";
|
||||
$text["js_no_query"] = "Geben Sie einen Suchbegriff ein";
|
||||
$text["js_no_review_group"] = "Bitte wählen Sie eine Prüfer-Gruppe";
|
||||
$text["js_no_review_status"] = "Bitte wählen Sie einen Prüfungs-Status";
|
||||
$text["js_pwd_not_conf"] = "Passwort und -Bestätigung stimmen nicht überein";
|
||||
$text["js_select_user_or_group"] = "Wählen Sie mindestens einen Benutzer oder eine Gruppe aus";
|
||||
$text["js_select_user"] = "Bitte einen Benutzer auswählen";
|
||||
$text["july"] = "Juli";
|
||||
$text["june"] = "Juni";
|
||||
$text["keep_doc_status"] = "Dokumentenstatus beibehalten";
|
||||
$text["keyword_exists"] = "Stichwort besteht bereits";
|
||||
$text["keywords"] = "Stichworte";
|
||||
$text["language"] = "Sprache";
|
||||
$text["last_update"] = "Letzte Aktualisierung";
|
||||
$text["legend"] = "Legende";
|
||||
$text["link_alt_updatedocument"] = "Wenn Sie ein Dokument hochladen möchten, das größer als die maximale Dateigröße ist, dann benutzen Sie bitte die alternative <a href=\"%s\">Upload-Seite</a>.";
|
||||
$text["linked_documents"] = "verknüpfte Dokumente";
|
||||
$text["linked_files"] = "Anhänge";
|
||||
$text["local_file"] = "Lokale Datei";
|
||||
$text["locked_by"] = "Gesperrt von";
|
||||
$text["lock_document"] = "Sperren";
|
||||
$text["lock_message"] = "Dieses Dokument ist durch <a href=\"mailto:[email]\">[username]</a> gesperrt. Nur authorisierte Benutzer können diese Sperrung aufheben.";
|
||||
$text["lock_status"] = "Status";
|
||||
$text["login"] = "Login";
|
||||
$text["login_disabled_text"] = "Ihr Konto ist gesperrt. Der Grund sind möglicherweise zu viele gescheiterte Anmeldeversuche.";
|
||||
$text["login_disabled_title"] = "Konto gesperrt";
|
||||
$text["login_error_text"] = "Fehler bei der Anmeldung. Benutzernummer oder Passwort falsch.";
|
||||
$text["login_error_title"] = "Fehler bei der Anmeldung";
|
||||
$text["login_not_given"] = "Es wurde kein Benutzername eingegeben";
|
||||
$text["login_ok"] = "Anmeldung erfolgreich";
|
||||
$text["log_management"] = "Management der Log-Dateien";
|
||||
$text["logout"] = "Abmelden";
|
||||
$text["manager"] = "Manager";
|
||||
$text["march"] = "März";
|
||||
$text["max_upload_size"] = "Maximale Dateigröße";
|
||||
$text["may"] = "Mai";
|
||||
$text["mimetype"] = "Mime-Type";
|
||||
$text["misc"] = "Sonstiges";
|
||||
$text["missing_checksum"] = "Fehlende Check-Summe";
|
||||
$text["missing_filesize"] = "Fehlende Dateigröße";
|
||||
$text["missing_transition_user_group"] = "Fehlende/r Benutzer/Gruppe für Transition";
|
||||
$text["minutes"] = "Minuten";
|
||||
$text["monday"] = "Montag";
|
||||
$text["monday_abbr"] = "Mo";
|
||||
$text["month_view"] = "Monatsansicht";
|
||||
$text["monthly"] = "monatlich";
|
||||
$text["move_document"] = "Verschieben";
|
||||
$text["move_folder"] = "Ordner verschieben";
|
||||
$text["move"] = "Verschieben";
|
||||
$text["my_account"] = "Mein Profil";
|
||||
$text["my_documents"] = "Meine Dokumente";
|
||||
$text["name"] = "Name";
|
||||
$text["new_attrdef"] = "Neue Attributdefinition";
|
||||
$text["new_default_keyword_category"] = "Neue Kategorie";
|
||||
$text["new_default_keywords"] = "Neue Vorlage";
|
||||
$text["new_document_category"] = "Neue Kategorie";
|
||||
$text["new_document_email"] = "Neues Dokument";
|
||||
$text["new_file_email"] = "Neuer Anhang";
|
||||
$text["new_folder"] = "Neuer Ordner";
|
||||
$text["new_password"] = "Neues Passwort";
|
||||
$text["new"] = "Neu";
|
||||
$text["new_subfolder_email"] = "Neuer Ordner";
|
||||
$text["new_user_image"] = "Neues Bild";
|
||||
$text["next_state"] = "Neuer Status";
|
||||
$text["no_action"] = "Keine Aktion erforderlich.";
|
||||
$text["no_approval_needed"] = "Keine offenen Freigaben.";
|
||||
$text["no_attached_files"] = "Keine angehängten Dokumente";
|
||||
$text["no_default_keywords"] = "Keine Vorlagen vorhanden";
|
||||
$text["no_docs_locked"] = "Keine Dokumente gesperrt.";
|
||||
$text["no_docs_to_approve"] = "Es gibt zur Zeit keine Dokumente, die eine Freigabe erfordern.";
|
||||
$text["no_docs_to_look_at"] = "Keine Dokumente, nach denen geschaut werden müsste.";
|
||||
$text["no_docs_to_review"] = "Es gibt zur Zeit keine Dokumente, die eine Prüfung erfordern.";
|
||||
$text["no_fulltextindex"] = "Kein Volltext-Index verfügbar";
|
||||
$text["no_group_members"] = "Diese Gruppe hat keine Mitglieder";
|
||||
$text["no_groups"] = "keine Gruppen";
|
||||
$text["no"] = "Nein";
|
||||
$text["no_linked_files"] = "Keine verknüpften Dokumente";
|
||||
$text["no_previous_versions"] = "Keine anderen Versionen gefunden";
|
||||
$text["no_review_needed"] = "Keine offenen Prüfungen.";
|
||||
$text["notify_added_email"] = "Benachrichtigung per Mail wurde eingerichtet";
|
||||
$text["notify_deleted_email"] = "Sie wurden von der Liste der Benachrichtigungen entfernt.";
|
||||
$text["no_update_cause_locked"] = "Sie können daher im Moment diese Datei nicht aktualisieren. Wenden Sie sich an den Benutzer, der die Sperrung eingerichtet hat";
|
||||
$text["no_user_image"] = "Kein Bild vorhanden";
|
||||
$text["november"] = "November";
|
||||
$text["now"] = "sofort";
|
||||
$text["objectcheck"] = "Ordner- und Dokumentenprüfung";
|
||||
$text["obsolete"] = "veraltet";
|
||||
$text["october"] = "Oktober";
|
||||
$text["old"] = "Alt";
|
||||
$text["only_jpg_user_images"] = "Es sind nur JPG-Bilder erlaubt";
|
||||
$text["original_filename"] = "Original filename";
|
||||
$text["owner"] = "Besitzer";
|
||||
$text["ownership_changed_email"] = "Besitzer geändert";
|
||||
$text["password"] = "Passwort";
|
||||
$text["password_already_used"] = "Passwort schon einmal verwendet";
|
||||
$text["password_repeat"] = "Passwort wiederholen";
|
||||
$text["password_expiration"] = "Ablauf eines Passworts";
|
||||
$text["password_expiration_text"] = "Ihr Passwort ist abgelaufen. Bitte ändern sie es, um SeedDMS weiter benutzen zu können.";
|
||||
$text["password_forgotten"] = "Passwort vergessen";
|
||||
$text["password_forgotten_email_subject"] = "Passwort vergessen";
|
||||
$text["password_forgotten_email_body"] = "Sehr geehrter Anwender von SeedDMS,\n\nwir haben einen Anfrage zum Zurücksetzen Ihres Passworts erhalten und deshalb ein neues Passwort erzeugt.\n\nIhr neues Passwort lautet: ###PASSWORD###\n\nBitte ändern Sie es umgehend nachdem Sie sich erfolgreich angemeldet haben.\nSollen Sie danach immer noch Problem bei der Anmeldung haben, dann kontaktieren Sie bitte Ihren\nAdminstrator";
|
||||
$text["password_forgotten_send_password"] = "Ihr Passwort wurde an die E-Mail-Adresse des Benutzers gesendet.";
|
||||
$text["password_forgotten_title"] = "Passwort gesendet";
|
||||
$text["password_forgotten_title"] = "Passwort gesendet";
|
||||
$text["password_strength"] = "Passwortstärke";
|
||||
$text["password_strength_insuffient"] = "Ungenügend starkes Passwort";
|
||||
$text["password_wrong"] = "Falsches Passwort";
|
||||
$text["personal_default_keywords"] = "Persönliche Stichwortlisten";
|
||||
$text["previous_state"] = "Voriger Status";
|
||||
$text["previous_versions"] = "Vorhergehende Versionen";
|
||||
$text["quota"] = "Quota";
|
||||
$text["quota_exceeded"] = "Ihr maximal verfügbarer Plattenplatz wurde um [bytes] überschritten.";
|
||||
$text["quota_warning"] = "Ihr maximal verfügbarer Plattenplatz wurde um [bytes] überschritten. Bitte löschen Sie Dokumente oder ältere Versionen.";
|
||||
$text["refresh"] = "Aktualisieren";
|
||||
$text["rejected"] = "abgelehnt";
|
||||
$text["released"] = "freigegeben";
|
||||
$text["removed_approver"] = "ist von der Freigeber-Liste entfernt worden.";
|
||||
$text["removed_file_email"] = "Anhang gelöscht";
|
||||
$text["removed_reviewer"] = "ist von der Prüfer-Liste entfernt worden.";
|
||||
$text["repairing_objects"] = "Repariere Dokumente und Ordner.";
|
||||
$text["results_page"] = "Ergebnis-Seite";
|
||||
$text["review_deletion_email"] = "Prüfungsaufforderung gelöscht";
|
||||
$text["reviewer_already_assigned"] = "Prüfer bereits zugewiesen";
|
||||
$text["reviewer_already_removed"] = "Prüfer wurde bereits aus dem Prüfvorgang entfernt oder hat die Prüfung bereits abgeschlossen";
|
||||
$text["reviewers"] = "Prüfer";
|
||||
$text["review_group"] = "Gruppe: prüfen";
|
||||
$text["review_request_email"] = "Aufforderung zur Prüfung";
|
||||
$text["review_status"] = "Status:";
|
||||
$text["review_submit_email"] = "Prüfung ausgeführt";
|
||||
$text["review_summary"] = "Übersicht Prüfungen";
|
||||
$text["review_update_failed"] = "Störung bei Aktualisierung des Prüfstatus. Aktualisierung gescheitert.";
|
||||
$text["rewind_workflow"] = "Zurück zum Anfangszustand";
|
||||
$text["rewind_workflow_warning"] = "Wenn Sie einen Workflow in den Anfangszustand zurückversetzen, dann werden alle bisherigen Aktionen und Kommentare unwiederbringlich gelöscht.";
|
||||
$text["rm_attrdef"] = "Attributdefinition löschen";
|
||||
$text["rm_default_keyword_category"] = "Kategorie löschen";
|
||||
$text["rm_document"] = "Löschen";
|
||||
$text["rm_document_category"] = "Lösche Kategorie";
|
||||
$text["rm_file"] = "Datei Löschen";
|
||||
$text["rm_folder"] = "Ordner löschen";
|
||||
$text["rm_from_clipboard"] = "Aus Zwischenablage löschen";
|
||||
$text["rm_group"] = "Diese Gruppe löschen";
|
||||
$text["rm_user"] = "Diesen Benutzer löschen";
|
||||
$text["rm_version"] = "Version löschen";
|
||||
$text["rm_workflow"] = "Lösche Workflow";
|
||||
$text["rm_workflow_state"] = "Lösche Workflow-Status";
|
||||
$text["rm_workflow_action"] = "Lösche Workflow-Aktion";
|
||||
$text["rm_workflow_warning"] = "Sie möchten den Workflow eines Dokuments löschen. Dies kann nicht rückgängig gemacht werden.";
|
||||
$text["role_admin"] = "Administrator";
|
||||
$text["role_guest"] = "Gast";
|
||||
$text["role_user"] = "Benutzer";
|
||||
$text["role"] = "Rolle";
|
||||
$text["return_from_subworkflow"] = "Rückkehr aus Sub-Workflow";
|
||||
$text["run_subworkflow"] = "Sub-Workflow starten";
|
||||
$text["saturday"] = "Samstag";
|
||||
$text["saturday_abbr"] = "Sa";
|
||||
$text["save"] = "Speichern";
|
||||
$text["search_fulltext"] = "Suche im Volltext";
|
||||
$text["search_in"] = "Suchen in";
|
||||
$text["search_mode_and"] = "alle Begriffe";
|
||||
$text["search_mode_or"] = "min. ein Begriff";
|
||||
$text["search_no_results"] = "Die Suche lieferte leider keine Treffer.";
|
||||
$text["search_query"] = "Suchbegriffe";
|
||||
$text["search_report"] = "Die Suche lieferte [doccount] Dokumente und [foldercount] Ordner in [searchtime] Sek.";
|
||||
$text["search_report_fulltext"] = "Die Suche lieferte [doccount] Dokumente";
|
||||
$text["search_results_access_filtered"] = "Suchresultate können Inhalte enthalten, zu welchen der Zugang verweigert wurde.";
|
||||
$text["search_results"] = "Suchergebnis";
|
||||
$text["search"] = "Suchen";
|
||||
$text["search_time"] = "Dauer: [time] sek.";
|
||||
$text["seconds"] = "Sekunden";
|
||||
$text["selection"] = "Auswahl";
|
||||
$text["select_category"] = "Klicken zur Auswahl einer Kategorie";
|
||||
$text["select_groups"] = "Klicken zur Auswahl einer Gruppe";
|
||||
$text["select_ind_reviewers"] = "Klicken zur Auswahl eines Prüfers";
|
||||
$text["select_ind_approvers"] = "Klicken zur Auswahl eines Freigebers";
|
||||
$text["select_grp_reviewers"] = "Klicken zur Auswahl einer Prüfgruppe";
|
||||
$text["select_grp_approvers"] = "Klicken zur Auswahl einer Freigabegruppe";
|
||||
$text["select_one"] = "Bitte wählen";
|
||||
$text["select_users"] = "Klicken zur Auswahl eines Benutzers";
|
||||
$text["select_workflow"] = "Workflow auswählen";
|
||||
$text["september"] = "September";
|
||||
$text["seq_after"] = "Nach \"[prevname]\"";
|
||||
$text["seq_end"] = "Ans Ende";
|
||||
$text["seq_keep"] = "Beibehalten";
|
||||
$text["seq_start"] = "An den Anfang";
|
||||
$text["sequence"] = "Reihenfolge";
|
||||
$text["set_expiry"] = "Ablaufdatum festlegen";
|
||||
$text["set_owner_error"] = "Fehler beim Setzen des Besitzers";
|
||||
$text["set_owner"] = "Besitzer festlegen";
|
||||
$text["set_password"] = "Passwort setzen";
|
||||
$text["set_workflow"] = "Workflow zuweisen";
|
||||
$text["settings_install_welcome_title"] = "Willkommen zur Installation von SeedDMS";
|
||||
$text["settings_install_welcome_text"] = "<p>Before you start to install SeedDMS make sure you have created a file 'ENABLE_INSTALL_TOOL' in your configuration directory, otherwise the installation will not work. On Unix-System this can easily be done with 'touch conf/ENABLE_INSTALL_TOOL'. After you have finished the installation delete the file.</p><p>SeedDMS has very minimal requirements. You will need a mysql database or sqlite support and a php enabled web server. The pear package Log has to be installed too. For the lucene full text search, you will also need the Zend framework installed on disk where it can be found by php. For the WebDAV server you will also need the HTTP_WebDAV_Server. The path to it can later be set during installation.</p><p>If you like to create the database before you start installation, then just create it manually with your favorite tool, optionally create a database user with access on the database and import one of the database dumps in the configuration directory. The installation script can do that for you as well, but it will need database access with sufficient rights to create databases.</p>";
|
||||
$text["settings_start_install"] = "Installation starten";
|
||||
$text["settings_sortUsersInList"] = "Sortiere Benutzer in Listen";
|
||||
$text["settings_sortUsersInList_desc"] = "Stellt ein, ob die Benutzer in Listen nach Login oder Name sortiert werden sollen.";
|
||||
$text["settings_sortUsersInList_val_login"] = "Sortiere nach Login";
|
||||
$text["settings_sortUsersInList_val_fullname"] = "Sortiere nach Name";
|
||||
$text["settings_stopWordsFile"] = "Pfad zur Stop-Wort-Datei";
|
||||
$text["settings_stopWordsFile_desc"] = "Wenn die Volltextsuche aktiviert ist, dann beinhaltet diese Datei ein Liste mit Wörtern die nicht indiziert werden.";
|
||||
$text["settings_activate_module"] = "Modul aktivieren";
|
||||
$text["settings_activate_php_extension"] = "PHP-Erweiterung aktivieren";
|
||||
$text["settings_adminIP"] = "Admin IP";
|
||||
$text["settings_adminIP_desc"] = "Wenn hier eine IP-Nummer eingetragen wird, kann eine Anmeldung als Administrator nur von dieser Adresse erfolgen. Funktioniert nur mit Anmeldung über die Datenbank (nicht LDAP)";
|
||||
$text["settings_extraPath"] = "Extra PHP Include-Pfad";
|
||||
$text["settings_extraPath_desc"] = "Pfad für zusätzliche Software. Dies ist das Verzeichnis, welches die zusätzlichen PEAR-Pakete beinhaltet.";
|
||||
$text["settings_Advanced"] = "Erweitert";
|
||||
$text["settings_apache_mod_rewrite"] = "Apache - Module Rewrite";
|
||||
$text["settings_Authentication"] = "Authentifikations-Einstellungen";
|
||||
$text["settings_cacheDir"] = "Cache Verzeichnis";
|
||||
$text["settings_cacheDir_desc"] = "Verzeichnis in dem Vorschaubilder abgelegt werden. Dies sollte ein Verzeichnis sein, auf das man über den Web-Browser keinen direkten Zugriff hat.";
|
||||
$text["settings_Calendar"] = "Kalender-Einstellungen";
|
||||
$text["settings_calendarDefaultView"] = "Kalender Standardansicht";
|
||||
$text["settings_calendarDefaultView_desc"] = "Voreingestellte Ansicht des Kalenders";
|
||||
$text["settings_cookieLifetime"] = "Lebensdauer des Cookies";
|
||||
$text["settings_cookieLifetime_desc"] = "Die Lebensdauer des Cookies für die Sitzungsverwaltung. Wenn dieser Wert auf 0 gesetzt wird, dann wird der Cookie beim Schließen des Browsers gelöscht.";
|
||||
$text["settings_contentDir"] = "Content-Verzeichnis";
|
||||
$text["settings_contentDir_desc"] = "Verzeichnis, in dem die Dokumente gespeichert werden. Sie sollten ein Verzeichnis wählen, das nicht durch den Web-Server erreichbar ist.";
|
||||
$text["settings_contentOffsetDir"] = "Content Offset Directory";
|
||||
$text["settings_contentOffsetDir_desc"] = "Die Dokumente werden nicht direkt im Content-Verzeichnis, sondern in einem Unterverzeichnis angelegt. Der Name dieses Verzeichnis ist beliebig, wird aber historisch bedingt oft auf '1048576' gesetzt.";
|
||||
$text["settings_coreDir"] = "Core SeedDMS Verzeichnis";
|
||||
$text["settings_coreDir_desc"] = "Pfad zum PEAR-Paket SeedDMS_Core (optional). Lassen Sie diese Einstellung leer, wenn SeedDMS_Core ohnehin von PHP gefunden wird, weil es beispielweise im 'Extra PHP Include-Path' installiert ist.";
|
||||
$text["settings_loginFailure_desc"] = "Konto nach n Anmeldefehlversuchen sperren.";
|
||||
$text["settings_loginFailure"] = "Anmeldefehlversuche";
|
||||
$text["settings_luceneClassDir"] = "Lucene SeedDMS Verzeichnis";
|
||||
$text["settings_luceneClassDir_desc"] = "Pfad zum PEAR-Paket SeedDMS_Lucene (optional). Lassen Sie diese Einstellung leer, wenn SeedDMS_Lucene ohnehin von PHP gefunden wird, weil es beispielweise im 'Extra PHP Include-Path' installiert ist.";
|
||||
$text["settings_luceneDir"] = "Lucene Index-Verzeichnis";
|
||||
$text["settings_luceneDir_desc"] = "Verzeichnis in dem der Lucene-Index abgelegt wird.";
|
||||
$text["settings_cannot_disable"] = "Datei ENABLE_INSTALL_TOOL konnte nicht gelöscht werden.";
|
||||
$text["settings_install_disabled"] = "Datei ENABLE_INSTALL_TOOL wurde gelöscht. Sie können sich nun bei SeedDMS anmeldung und mit der Konfiguration fortfahren.";
|
||||
$text["settings_createdatabase"] = "Datenbank erzeugen";
|
||||
$text["settings_createdirectory"] = "Verzeichnis erzeugen";
|
||||
$text["settings_currentvalue"] = "Aktueller Wert";
|
||||
$text["settings_Database"] = "Datenbank-Einstellungen";
|
||||
$text["settings_dbDatabase"] = "Datenbank";
|
||||
$text["settings_dbDatabase_desc"] = "Der Name der Datenbank, die bei der Installation von SeedDMS eingerichtet wurde. Ändern Sie diese Feld nicht, es sei denn es ist notwendig, weil Sie die Datenbank umbenannt haben.";
|
||||
$text["settings_dbDriver"] = "Datenbank-Typ";
|
||||
$text["settings_dbDriver_desc"] = "Der Typ der Datenbank, die bei der Installation von SeedDMS eingerichtet wurde. Ändern Sie dieses Feld nicht, es sei denn Sie migrieren die Datenbank auf einen anderen Datenbank-Server. Für eine Liste der möglichen Typen schauen Sie bitte in das Readme von ADOdb";
|
||||
$text["settings_dbHostname_desc"] = "Der Name des Servers auf dem Ihr Datenbank-Server läuft. Ändern Sie dieses Feld nur, wenn Sie die Datenbank auf einen anderen Server transferieren.";
|
||||
$text["settings_dbHostname"] = "Server-Name";
|
||||
$text["settings_dbPass_desc"] = "Das Passwort, um auf die Datenbank zugreifen zu können.";
|
||||
$text["settings_dbPass"] = "Passwort";
|
||||
$text["settings_dbUser_desc"] = "Der Benutzername, um auf die Datenbank zugreifen zu können.";
|
||||
$text["settings_dbUser"] = "Benutzer";
|
||||
$text["settings_dbVersion"] = "Datenbankschema zu alt";
|
||||
$text["settings_delete_install_folder"] = "Um SeedDMS nutzen zu können, müssen Sie die Datei ENABLE_INSTALL_TOOL aus dem Konfigurationsverzeichnis löschen.";
|
||||
$text["settings_disable_install"] = "Lösche ENABLE_INSTALL_TOOL wenn möglich";
|
||||
$text["settings_disableSelfEdit_desc"] = "Anwählen, um das Ändern des eigenen Profiles zu erlauben.";
|
||||
$text["settings_disableSelfEdit"] = "Ändern des eigenen Profils";
|
||||
$text["settings_dropFolderDir_desc"] = "Dieses Verzeichnis kann dazu benutzt werden Dokumente auf dem Server abzulegen und von dort zu importieren anstatt sie über den Browser hochzuladen. Das Verzeichnis muss ein Unterverzeichnis mit dem Login-Namen des angemeldeten Benutzers beinhalten.";
|
||||
$text["settings_dropFolderDir"] = "Verzeichnis für Ablageordner";
|
||||
$text["settings_Display"] = "Anzeige-Einstellungen";
|
||||
$text["settings_Edition"] = "Funktions-Einstellungen";
|
||||
$text["settings_enableAdminRevApp_desc"] = "Anwählen, um Administratoren in der Liste der Prüfer und Freigeber auszugeben";
|
||||
$text["settings_enableAdminRevApp"] = "Admin darf genehmigen/prüfen";
|
||||
$text["settings_enableCalendar_desc"] = "Kalender ein/ausschalten";
|
||||
$text["settings_enableCalendar"] = "Kalender einschalten";
|
||||
$text["settings_enableConverting_desc"] = "Ein/Auschalten der automatischen Konvertierung von Dokumenten";
|
||||
$text["settings_enableConverting"] = "Dokumentenkonvertierung einschalten";
|
||||
$text["settings_enableDuplicateDocNames_desc"] = "Erlaube doppelte Dokumentennamen in einem Ordner.";
|
||||
$text["settings_enableDuplicateDocNames"] = "Erlaube doppelte Dokumentennamen";
|
||||
$text["settings_enableNotificationAppRev_desc"] = "Setzen Sie diese Option, wenn die Prüfer und Freigeber eines Dokuments beim Hochladen einer neuen Version benachrichtigt werden sollen.";
|
||||
$text["settings_enableNotificationAppRev"] = "Prűfer/Freigeber benachrichtigen";
|
||||
$text["settings_enableVersionModification_desc"] = "Setzen Sie diese Option, wenn Versionen eines Dokuments nach dem Hochladen noch durch reguläre Benutzer verändert werden dürfen. Administratoren dürfen dies immer.";
|
||||
$text["settings_enableVersionModification"] = "Erlaube Modifikation von Versionen";
|
||||
$text["settings_enableVersionDeletion_desc"] = "Setzen Sie diese Option, wenn frühere Versionen eines Dokuments durch reguläre Benutzer gelöscht werden können. Administratoren dürfen dies immer.";
|
||||
$text["settings_enableVersionDeletion"] = "Erlaube Löschen alter Versionen";
|
||||
$text["settings_enableEmail_desc"] = "Automatische E-Mail-Benachrichtigung ein-/ausschalten";
|
||||
$text["settings_enableEmail"] = "E-mail aktivieren";
|
||||
$text["settings_enableFolderTree_desc"] = "Schaltet den Verzeichnisbaum ein oder aus";
|
||||
$text["settings_enableFolderTree"] = "Verzeichnisbaum einschalten";
|
||||
$text["settings_enableFullSearch"] = "Volltextsuche einschalten";
|
||||
$text["settings_enableFullSearch_desc"] = "Anwählen, um die Volltextsuche mittels Lucene einzuschalten.";
|
||||
$text["settings_enableGuestLogin_desc"] = "Wenn Sie Gast-Logins erlauben wollen, dann wählen Sie diese Option an. Anmerkung: Gast-Logins sollten nur in einer vertrauenswürdigen Umgebung erlaubt werden.";
|
||||
$text["settings_enableGuestLogin"] = "Anmeldung als Gast";
|
||||
$text["settings_enableLanguageSelector"] = "Sprachauswahl einschalten";
|
||||
$text["settings_enableLanguageSelector_desc"] = "Zeige Auswahl der verfügbaren Sprachen nachdem man sich angemeldet hat. Dies hat keinen Einfluss auf die Sprachauswahl auf der Anmeldeseite.";
|
||||
$text["settings_enableLargeFileUpload_desc"] = "Wenn dies gesetzt ist, dann ist ebenfalls der Upload von Dokumenten durch ein java applet mit Namen 'jumploader' ohne Begrenzung der maximalen Dateigröße möglich. Auch das Hochladen mehrerer Dokumente in einem Schritt wird dadurch ermöglicht.";
|
||||
$text["settings_enableLargeFileUpload"] = "Hochladen von sehr großen Dateien ermöglichen";
|
||||
$text["settings_enableOwnerNotification_desc"] = "Setzen Sie diese Option, wenn der Besitzer eines Dokuments nach dem Hochladen in die Liste der Beobachter eingetragen werden soll.";
|
||||
$text["settings_enableOwnerNotification"] = "Besitzer als Beobachter eintragen";
|
||||
$text["settings_enablePasswordForgotten_desc"] = "Setzen Sie diese Option, wenn Benutzer ein neues Password per E-Mail anfordern dürfen.";
|
||||
$text["settings_enablePasswordForgotten"] = "Passwort-Vergessen Funktion einschalten";
|
||||
$text["settings_enableUserImage_desc"] = "Foto der Benutzer ein-/ausschalten";
|
||||
$text["settings_enableUserImage"] = "Benutzerbilder einschalten";
|
||||
$text["settings_enableUsersView_desc"] = "Gruppen- und Benutzeransicht für alle Benutzer ein-/ausschalten";
|
||||
$text["settings_enableUsersView"] = "Benutzeransicht aktivieren";
|
||||
$text["settings_encryptionKey"] = "Verschlüsselungs-Sequenz";
|
||||
$text["settings_encryptionKey_desc"] = "Diese Zeichenkette wird verwendet um eine eindeutige Kennung zu erzeugen, die als verstecktes Feld in einem Formular untergebracht wird. Sie dient zur Verhinderung von CSRF-Attacken.";
|
||||
$text["settings_error"] = "Fehler";
|
||||
$text["settings_expandFolderTree_desc"] = "Auswählen, wie der Dokumenten-Baum nach der Anmeldung angezeigt wird.";
|
||||
$text["settings_expandFolderTree"] = "Dokumenten-Baum";
|
||||
$text["settings_expandFolderTree_val0"] = "versteckt";
|
||||
$text["settings_expandFolderTree_val1"] = "sichtbar und erste Ebene ausgeklappt";
|
||||
$text["settings_expandFolderTree_val2"] = "sichtbar und komplett ausgeklappt";
|
||||
$text["settings_firstDayOfWeek_desc"] = "Erster Tag der Woche";
|
||||
$text["settings_firstDayOfWeek"] = "Erster Tag der Woche";
|
||||
$text["settings_footNote_desc"] = "Meldung, die im Fuß jeder Seite angezeigt wird.";
|
||||
$text["settings_footNote"] = "Text im Fuß der Seite";
|
||||
$text["settings_guestID_desc"] = "Id des Gast-Benutzers, wenn man sich als 'guest' anmeldet.";
|
||||
$text["settings_guestID"] = "Gast-ID";
|
||||
$text["settings_httpRoot_desc"] = "Der relative Pfad in der URL nach der Domain, also ohne http:// und den hostnamen. z.B. wenn die komplette URL http://www.example.com/seeddms/ ist, dann setzen Sie diesen Wert auf '/seeddms/'. Wenn die URL http://www.example.com/ ist, tragen Sie '/' ein.";
|
||||
$text["settings_httpRoot"] = "HTTP Wurzelverzeichnis";
|
||||
$text["settings_installADOdb"] = "Installieren Sie ADOdb";
|
||||
$text["settings_install_success"] = "Die Installation wurde erfolgreich beendet";
|
||||
$text["settings_install_pear_package_log"] = "Installiere Pear package 'Log'";
|
||||
$text["settings_install_pear_package_webdav"] = "Installiere Pear package 'HTTP_WebDAV_Server', if you intend to use the webdav interface";
|
||||
$text["settings_install_zendframework"] = "Installiere Zend Framework, wenn Sie die Volltextsuche einsetzen möchten.";
|
||||
$text["settings_language"] = "Voreingestellte Sprache";
|
||||
$text["settings_language_desc"] = "Voreingestellte Sprache (entspricht dem Unterverzeichnis im Verzeichnis 'languages')";
|
||||
$text["settings_logFileEnable_desc"] = "Anwählen, um alle Aktionen in einer Log-Datei im Datenverzeichnis zu speichern.";
|
||||
$text["settings_logFileEnable"] = "Log-Datei ein-/ausschalten";
|
||||
$text["settings_logFileRotation_desc"] = "Zeitraum nachdem eine Rotation der Log-Datei durchgeführt wird";
|
||||
$text["settings_logFileRotation"] = "Rotation der Log-Datei";
|
||||
$text["settings_luceneDir"] = "Verzeichnis für Volltextindex";
|
||||
$text["settings_maxDirID_desc"] = "Maximale Anzahl der Unterverzeichnisse in einem Verzeichnis. Voreingestellt ist 32700.";
|
||||
$text["settings_maxDirID"] = "Max. Anzahl Unterverzeichnisse";
|
||||
$text["settings_maxExecutionTime_desc"] = "Maximale Zeit in Sekunden bis ein Skript beendet wird.";
|
||||
$text["settings_maxExecutionTime"] = "Max. Ausführungszeit (s)";
|
||||
$text["settings_more_settings"] = "Weitere Einstellungen. Login mit admin/admin";
|
||||
$text["settings_Notification"] = "Benachrichtigungen-Einstellungen";
|
||||
$text["settings_no_content_dir"] = "Content directory";
|
||||
$text["settings_notfound"] = "Nicht gefunden";
|
||||
$text["settings_notwritable"] = "Die Konfiguration kann nicht gespeichert werden, weil die Konfigurationsdatei nicht schreibbar ist.";
|
||||
$text["settings_partitionSize"] = "Partitionsgröße";
|
||||
$text["settings_partitionSize_desc"] = "Größe der partiellen Uploads in Bytes durch den Jumploader. Wählen Sie diesen Wert nicht größer als maximale Upload-Größe, die durch den Server vorgegeben ist.";
|
||||
$text["settings_passwordExpiration"] = "Passwortverfall";
|
||||
$text["settings_passwordExpiration_desc"] = "Die Zahl der Tage nach der ein Passwort verällt und neu gesetzt werden muss. 0 schaltet den Passwortverfall aus.";
|
||||
$text["settings_passwordHistory"] = "Passwort-Historie";
|
||||
$text["settings_passwordHistory_desc"] = "Die Zahl der Passwörter, die ein Benutzer verwendet hat, bevor er ein altes Passwort wiederverwenden darf. 0 schaltet die Passwort-Historie aus.";
|
||||
$text["settings_passwordStrength"] = "Min. Passwortstärke";
|
||||
$text["settings_passwordЅtrength_desc"] = "Die minimale Passwortstärke ist ein ganzzahliger werden zwischen 0 und 100. Ein Wert von 0 schaltet die Überprüfung auf starke Passwörter aus.";
|
||||
$text["settings_passwordStrengthAlgorithm"] = "Algorithmus für Passwortstärke";
|
||||
$text["settings_passwordStrengthAlgorithm_desc"] = "Der Algorithmus zur Berechnung der Passwortstärke. Der 'einfache' Algorithmus überprüft lediglich auf mindestens einen Kleinbuchstaben, einen Großbuchstaben, eine Zahl, ein Sonderzeichen und eine Mindestlänge von 8.";
|
||||
$text["settings_passwordStrengthAlgorithm_valsimple"] = "einfach";
|
||||
$text["settings_passwordStrengthAlgorithm_valadvanced"] = "komplex";
|
||||
$text["settings_perms"] = "Berechtigungen";
|
||||
$text["settings_pear_log"] = "Pear package : Log";
|
||||
$text["settings_pear_webdav"] = "Pear package : HTTP_WebDAV_Server";
|
||||
$text["settings_php_dbDriver"] = "PHP extension : php_'see current value'";
|
||||
$text["settings_php_gd2"] = "PHP-Erweiterung: php_gd2";
|
||||
$text["settings_php_mbstring"] = "PHP-Erweiterung: php_mbstring";
|
||||
$text["settings_printDisclaimer_desc"] = "Anwählen, um die rechtlichen Hinweise am Ende jeder Seite anzuzeigen.";
|
||||
$text["settings_printDisclaimer"] = "Rechtliche Hinweise";
|
||||
$text["settings_quota"] = "User's quota";
|
||||
$text["settings_quota_desc"] = "Die maximale Anzahl Bytes, die ein Benutzer beleen darf. Setzen Sie diesen Wert auf 0 für unbeschränkten Plattenplatz. Dieser Wert kann individuell in den Benutzereinstellungen überschrieben werden.";
|
||||
$text["settings_restricted_desc"] = "Nur Benutzer, die einen Eintrag in der Benutzerdatenbank haben dürfen sich anmelden (unabhängig von einer erfolgreichen Authentifizierung über LDAP)";
|
||||
$text["settings_restricted"] = "Beschränkter Zugriff";
|
||||
$text["settings_rootDir_desc"] = "Wurzelverzeichnis von SeedDMS auf der Festplatte";
|
||||
$text["settings_rootDir"] = "Wurzelverzeichnis";
|
||||
$text["settings_rootFolderID_desc"] = "Id des Wurzelordners in SeedDMS (kann in der Regel unverändert bleiben)";
|
||||
$text["settings_rootFolderID"] = "Id des Wurzelordners";
|
||||
$text["settings_SaveError"] = "Fehler beim Speichern der Konfiguration";
|
||||
$text["settings_Server"] = "Server-Einstellungen";
|
||||
$text["settings"] = "Einstellungen";
|
||||
$text["settings_siteDefaultPage_desc"] = "Erste Seite nach der Anmeldung. Voreingestellt ist 'out/out.ViewFolder.php'";
|
||||
$text["settings_siteDefaultPage"] = "Startseite";
|
||||
$text["settings_siteName_desc"] = "Name der Site zur Anzeige in Seitentiteln. Voreingestellt ist 'SeedDMS'";
|
||||
$text["settings_siteName"] = "Name der Site";
|
||||
$text["settings_Site"] = "Site";
|
||||
$text["settings_smtpPort_desc"] = "SMTP Server Port, voreingestellt ist 25";
|
||||
$text["settings_smtpPort"] = "SMTP Server Port";
|
||||
$text["settings_smtpSendFrom_desc"] = "Absenderadresse für herausgehende Mails";
|
||||
$text["settings_smtpSendFrom"] = "Absenderadresse";
|
||||
$text["settings_smtpServer_desc"] = "SMTP Server-Hostname";
|
||||
$text["settings_smtpServer"] = "SMTP Server-Hostname";
|
||||
$text["settings_SMTP"] = "SMTP Server-Einstellungen";
|
||||
$text["settings_stagingDir"] = "Verzeichnis für partielle Uploads";
|
||||
$text["settings_stagingDir_desc"] = "Das Verzeichnis in dem der jumploader die Teile eines Datei-Uploads hochläd, bevor sie wieder zusammengesetzt werden.";
|
||||
$text["settings_strictFormCheck_desc"] = "Genaue Formularprüfung. Wenn dies eingeschaltet wird, dann werden alle Felder einiger Formulare auf einen Wert überprüft, anderenfalls sind einige Eingabefelder optional. Ein Kommentar ist beim Prüfen oder Freigeben eines Dokuments oder einer Statusänderung immer notwendig.";
|
||||
$text["settings_strictFormCheck"] = "Genauer Formular-Check";
|
||||
$text["settings_suggestionvalue"] = "Vorgeschlagener Wert";
|
||||
$text["settings_System"] = "System";
|
||||
$text["settings_theme"] = "Aussehen";
|
||||
$text["settings_theme_desc"] = "Voreingestelltes Aussehen (Name des Unterordners 'styles')";
|
||||
$text["settings_titleDisplayHack_desc"] = "Workaround for page titles that go over more than 2 lines.";
|
||||
$text["settings_titleDisplayHack"] = "Title Display Hack";
|
||||
$text["settings_updateDatabase"] = "Datenbank-Update-Skript ausführen";
|
||||
$text["settings_updateNotifyTime_desc"] = "Users are notified about document-changes that took place within the last 'Update Notify Time' seconds";
|
||||
$text["settings_updateNotifyTime"] = "Update Notify Time";
|
||||
$text["settings_versioningFileName_desc"] = "Der Name der Datei mit Versionsinformationen, wie sie durch das Backup-Tool erzeugt werden.";
|
||||
$text["settings_versioningFileName"] = "Versionsinfo-Datei";
|
||||
$text["settings_viewOnlineFileTypes_desc"] = "Dateien mit den angegebenen Endungen können Online angeschaut werden (benutzen Sie ausschließlich Kleinbuchstaben).";
|
||||
$text["settings_viewOnlineFileTypes"] = "Dateitypen für Online-Ansicht";
|
||||
$text["settings_workflowMode_desc"] = "Der erweiterte Workflow-Modes erlaubt es eigene Workflows zu erstellen.";
|
||||
$text["settings_workflowMode"] = "Workflow mode";
|
||||
$text["settings_workflowMode_valtraditional"] = "traditional";
|
||||
$text["settings_workflowMode_valadvanced"] = "erweitert";
|
||||
$text["settings_zendframework"] = "Zend Framework";
|
||||
$text["signed_in_as"] = "Angemeldet als";
|
||||
$text["sign_in"] = "Anmelden";
|
||||
$text["sign_out"] = "Abmelden";
|
||||
$text["space_used_on_data_folder"] = "Benutzter Plattenplatz";
|
||||
$text["status_approval_rejected"] = "Entwurf abgelehnt";
|
||||
$text["status_approved"] = "freigegeben";
|
||||
$text["status_approver_removed"] = "Freigebender wurde vom Prozess ausgeschlossen";
|
||||
$text["status_not_approved"] = "keine Freigabe";
|
||||
$text["status_not_reviewed"] = "nicht geprüft";
|
||||
$text["status_reviewed"] = "geprüft";
|
||||
$text["status_reviewer_rejected"] = "Entwurf abgelehnt";
|
||||
$text["status_reviewer_removed"] = "Prüfer wurde vom Prozess ausgeschlossen";
|
||||
$text["status"] = "Status";
|
||||
$text["status_unknown"] = "unbekannt";
|
||||
$text["storage_size"] = "Speicherverbrauch";
|
||||
$text["submit_approval"] = "Freigabe hinzufügen";
|
||||
$text["submit_login"] = "Anmelden";
|
||||
$text["submit_password"] = "Setze neues Passwort";
|
||||
$text["submit_password_forgotten"] = "Neues Passwort setzen und per E-Mail schicken";
|
||||
$text["submit_review"] = "Überprüfung hinzufügen";
|
||||
$text["submit_userinfo"] = "Daten setzen";
|
||||
$text["sunday"] = "Sonntag";
|
||||
$text["sunday_abbr"] = "So";
|
||||
$text["theme"] = "Aussehen";
|
||||
$text["thursday"] = "Donnerstag";
|
||||
$text["thursday_abbr"] = "Do";
|
||||
$text["toggle_manager"] = "Managerstatus wechseln";
|
||||
$text["to"] = "bis";
|
||||
$text["transition_triggered_email"] = "Workflow transition triggered";
|
||||
$text["trigger_workflow"] = "Workflow";
|
||||
$text["tuesday"] = "Dienstag";
|
||||
$text["tuesday_abbr"] = "Di";
|
||||
$text["type_to_search"] = "Hier tippen zum Suchen";
|
||||
$text["under_folder"] = "In Ordner";
|
||||
$text["unknown_command"] = "unbekannter Befehl";
|
||||
$text["unknown_document_category"] = "Unbekannte Kategorie";
|
||||
$text["unknown_group"] = "unbekannte Gruppenidentifikation";
|
||||
$text["unknown_id"] = "unbekannte id";
|
||||
$text["unknown_keyword_category"] = "unbekannte Kategorie";
|
||||
$text["unknown_owner"] = "unbekannte Besitzeridentifikation";
|
||||
$text["unknown_user"] = "unbekannte Benutzeridentifikation";
|
||||
$text["unlinked_content"] = "Dokumenteninhalt ohne Dokument";
|
||||
$text["unlock_cause_access_mode_all"] = "Sie verfügen jedoch über unbeschränken Zugriff auf dieses Dokument.<br>Daher wird die Sperrung beim Update automatisch aufgehoben";
|
||||
$text["unlock_cause_locking_user"] = "Sie sind im Moment mit demselben Benutzer angemeldet.<br>Daher wird die Sperrung beim Update automatisch aufgehoben";
|
||||
$text["unlock_document"] = "Sperrung aufheben";
|
||||
$text["update_approvers"] = "Liste der Freigebenden aktualisieren";
|
||||
$text["update_document"] = "Aktualisieren";
|
||||
$text["update_fulltext_index"] = "Aktualisiere Volltextindex";
|
||||
$text["update_info"] = "Informationen zur Aktualisierung";
|
||||
$text["update_locked_msg"] = "Dieses Dokument wurde gesperrt<p>Die Sperrung wurde von <a href=\"mailto:[email]\">[username]</a> eingerichtet.<br>";
|
||||
$text["update_reviewers"] = "Liste der Prüfer aktualisieren";
|
||||
$text["update"] = "aktualisieren";
|
||||
$text["uploaded_by"] = "Hochgeladen durch";
|
||||
$text["uploading_failed"] = "Das Hochladen einer Datei ist fehlgeschlagen. Bitte überprüfen Sie die maximale Dateigröße für Uploads.";
|
||||
$text["uploading_zerosize"] = "Versuch eine leere Datei hochzuladen. Vorgang wird abgebrochen.";
|
||||
$text["use_default_categories"] = "Kategorievorlagen";
|
||||
$text["use_default_keywords"] = "Stichwortvorlagen";
|
||||
$text["used_discspace"] = "Verbrauchter Speicherplatz";
|
||||
$text["user_exists"] = "Benutzer besteht bereits.";
|
||||
$text["user_group_management"] = "Benutzer-/Gruppenmanagement";
|
||||
$text["user_image"] = "Bild";
|
||||
$text["user_info"] = "Benutzerinformation";
|
||||
$text["user_list"] = "Benutzerübersicht";
|
||||
$text["user_login"] = "Benutzername";
|
||||
$text["user_management"] = "Benutzerverwaltung";
|
||||
$text["user_name"] = "Vollst. Name";
|
||||
$text["users"] = "Benutzer";
|
||||
$text["user"] = "Benutzer";
|
||||
$text["version_deleted_email"] = "Version gelöscht";
|
||||
$text["version_info"] = "Versionsinformation";
|
||||
$text["versioning_file_creation"] = "Datei-Versionierung";
|
||||
$text["versioning_file_creation_warning"] = "Sie erzeugen eine Datei die sämtliche Versions-Informationen eines DMS-Verzeichnisses enthält. Nach Erstellung wird jede Datei im Dokumentenverzeichnis gespeichert.";
|
||||
$text["versioning_info"] = "Versionsinformationen";
|
||||
$text["version"] = "Version";
|
||||
$text["view"] = "Ansicht";
|
||||
$text["view_online"] = "Online betrachten";
|
||||
$text["warning"] = "Warnung";
|
||||
$text["wednesday"] = "Mitwoch";
|
||||
$text["wednesday_abbr"] = "Mi";
|
||||
$text["week_view"] = "Wochenansicht";
|
||||
$text["weeks"] = "Wochen";
|
||||
$text["workflow"] = "Workflow";
|
||||
$text["workflow_action_in_use"] = "This action is currently used by workflows.";
|
||||
$text["workflow_action_name"] = "Name";
|
||||
$text["workflow_editor"] = "Workflow Editor";
|
||||
$text["workflow_group_summary"] = "Gruppenübersicht";
|
||||
$text["workflow_name"] = "Name";
|
||||
$text["workflow_in_use"] = "Dieser Workflow wird zur Zeit noch von einem Dokument verwendet.";
|
||||
$text["workflow_initstate"] = "Initialer Status";
|
||||
$text["workflow_management"] = "Workflow-Management";
|
||||
$text["workflow_no_states"] = "Es muss zunächst mindestens ein Workflow-Status angelegt werden, um einen Workflow anlegen zu können.";
|
||||
$text["workflow_states_management"] = "Workflow-Status-Management";
|
||||
$text["workflow_actions_management"] = "Workflow-Aktions-Management";
|
||||
$text["workflow_state_docstatus"] = "Dokumentenstatus";
|
||||
$text["workflow_state_in_use"] = "Dieser Status wird zur Zeit von einem Workflow verwendet.";
|
||||
$text["workflow_state_name"] = "Name";
|
||||
$text["workflow_summary"] = "Übersicht Workflows";
|
||||
$text["workflow_user_summary"] = "Übersicht Benutzer";
|
||||
$text["year_view"] = "Jahresansicht";
|
||||
$text["yes"] = "Ja";
|
||||
?>
|
|
@ -1,587 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Elfogad";
|
||||
$text["access_denied"] = "Access denied.";
|
||||
$text["access_inheritance"] = "Access Inheritance";
|
||||
$text["access_mode"] = "Hozzßf‰r‰si md";
|
||||
$text["access_mode_all"] = "Minden";
|
||||
$text["access_mode_none"] = "Nincs felvett jogosultsßg";
|
||||
$text["access_mode_read"] = "olvasßs";
|
||||
$text["access_mode_readwrite"] = "Írßs-Olvasßs";
|
||||
$text["account_summary"] = "Account Summary";
|
||||
$text["action_summary"] = "Action Summary";
|
||||
$text["actions"] = "Actions";
|
||||
$text["add"] = "Add";
|
||||
$text["add_access"] = "Jogosultsßg hozzßadßsa";
|
||||
$text["add_doc_reviewer_approver_warning"] = "N.B. Documents are automatically marked as released if no reviewer or approver is assigned.";
|
||||
$text["add_document"] = "Dokumentum hozzßadßsa";
|
||||
$text["add_document_link"] = "Kapcsoldßs felv‰tele";
|
||||
$text["add_group"] = "õj csoport l‰trehozßsa";
|
||||
$text["add_link"] = "Create Link";
|
||||
$text["add_member"] = "Tag felv‰tele";
|
||||
$text["add_new_notify"] = "õj ‰rtes<65>t‰s hozzßadßsa";
|
||||
$text["add_subfolder"] = "Alk÷nyvtßr hozzßadßsa";
|
||||
$text["add_user"] = "õj felhasznßl felv‰tele";
|
||||
$text["adding_default_keywords"] = "Kulcsszavak felv‰tele...";
|
||||
$text["adding_document"] = "\"[documentname]\" dokumentum l‰trehozßsa \"[foldername]\" k÷nyvtßrban...";
|
||||
$text["adding_document_link"] = "Kapcsoldßs l‰trehozßsa ...";
|
||||
$text["adding_document_notify"] = "Ðrtes<EFBFBD>t‰si lista bejegyz‰s felv‰tele...";
|
||||
$text["adding_folder_notify"] = "Hozzßadßs az ‰rtes<65>t‰si listßhoz folyamatban...";
|
||||
$text["adding_group"] = "Csoport l‰trehozßsa folyamatban...";
|
||||
$text["adding_member"] = "Csoporttag felv‰tele folyamatban...";
|
||||
$text["adding_sub_folder"] = "\"[subfoldername]\" alk÷nyvtßr l‰trehozßsa \"[foldername]\"-ban...";
|
||||
$text["adding_user"] = "Felhasznßl felv‰tele folyamatban...";
|
||||
$text["admin"] = "Administrator";
|
||||
$text["admin_set_owner"] = "Only an Administrator may set a new owner";
|
||||
$text["admin_tools"] = "Adminisztrßcis eszk÷z÷k";
|
||||
$text["all_documents"] = "All Documents";
|
||||
$text["all_users"] = "Minden felhasznßl";
|
||||
$text["and"] = " - ";
|
||||
$text["approval_group"] = "Approval Group";
|
||||
$text["approval_status"] = "Approval Status";
|
||||
$text["approval_summary"] = "Approval Summary";
|
||||
$text["approval_update_failed"] = "Error updating approval status. Update failed.";
|
||||
$text["approve_document"] = "Approve Document";
|
||||
$text["approve_document_complete"] = "Approve Document: Complete";
|
||||
$text["approve_document_complete_records_updated"] = "Document approval completed and records updated";
|
||||
$text["approver_added"] = "added as an approver";
|
||||
$text["approver_already_assigned"] = "is already assigned as an approver";
|
||||
$text["approver_already_removed"] = "has already been removed from approval process or has already submitted an approval";
|
||||
$text["approver_no_privilege"] = "is not sufficiently privileged to approve this document";
|
||||
$text["approver_removed"] = "removed from approval process";
|
||||
$text["approvers"] = "Approvers";
|
||||
$text["as_approver"] = "as an approver";
|
||||
$text["as_reviewer"] = "as a reviewer";
|
||||
$text["assign_privilege_insufficient"] = "Access denied. Privileges insufficient to assign reviewers or approvers to this document.";
|
||||
$text["assumed_released"] = "Assumed released";
|
||||
$text["back"] = "Vissza";
|
||||
$text["between"] = "tartomßny";
|
||||
$text["cancel"] = "M‰gsem";
|
||||
$text["cannot_approve_pending_review"] = "Document is currently pending review. Cannot submit an approval at this time.";
|
||||
$text["cannot_assign_invalid_state"] = "Cannot assign new reviewers to a document that is not pending review or pending approval.";
|
||||
$text["cannot_change_final_states"] = "Warning: Unable to alter document status for documents that have been rejected, marked obsolete or expired.";
|
||||
$text["cannot_delete_admin"] = "Unable to delete the primary administrative user.";
|
||||
$text["cannot_move_root"] = "Error: Cannot move root folder.";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "Unable to retrieve approval status snapshot for this document version.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "Unable to retrieve review status snapshot for this document version.";
|
||||
$text["cannot_rm_root"] = "Error: Cannot delete root folder.";
|
||||
$text["choose_category"] = "--K‰rj’k vßlasszon--";
|
||||
$text["choose_group"] = "--Vßlasszon csoportot--";
|
||||
$text["choose_target_document"] = "Vßlasszon dokumentumot";
|
||||
$text["choose_target_folder"] = "Vßlasszon c‰l k÷nyvtßrat";
|
||||
$text["choose_user"] = "--Vßlasszon felhasznßlt--";
|
||||
$text["comment"] = "Megjegyz‰s";
|
||||
$text["comment_for_current_version"] = "Megjegyz‰s az aktußlis verzihoz";
|
||||
$text["confirm_pwd"] = "Jelsz megers<>t‰s";
|
||||
$text["confirm_rm_document"] = "Valban t÷r÷lni akarja a(z) \"[documentname]\" dokumentumot?<br> Legyen vatos! Ezt a mveletet nem lehet visszavonni.";
|
||||
$text["confirm_rm_folder"] = "Valban t÷r÷lni akarja a(z) \"[foldername]\" k÷nyvtßrat ‰s annak tartalmßt?<br>Legyen vatos! Ezt a mveletet nem lehet visszavonni.";
|
||||
$text["confirm_rm_version"] = "Valban t÷r÷lni akarja a(z) [version]. verzijßt a(z) \"[documentname]\" dokumentumnak?<br>Legyen vatos! Ezt a mveletet nem lehet visszavonni.";
|
||||
$text["content"] = "Tartalom";
|
||||
$text["continue"] = "Continue";
|
||||
$text["creating_new_default_keyword_category"] = "Kategria felv‰tele...";
|
||||
$text["creation_date"] = "L‰trehozva";
|
||||
$text["current_version"] = "Aktußlis verzi";
|
||||
$text["default_access"] = "Alapbeßll<EFBFBD>tßs szerinti jogosultsßg";
|
||||
$text["default_keyword_category"] = "Kategrißk";
|
||||
$text["default_keyword_category_name"] = "N‰v";
|
||||
$text["default_keywords"] = "Rendelkez‰sre ßll kulcsszavak";
|
||||
$text["delete"] = "T÷rl‰s";
|
||||
$text["delete_last_version"] = "Document has only one revision. Deleting entire document record...";
|
||||
$text["deleting_document_notify"] = "Ðrtes<EFBFBD>t‰si lista bejegyz‰s t÷rl‰se...";
|
||||
$text["deleting_folder_notify"] = "Ðrtes<EFBFBD>t‰si lista bejegyz‰s t÷rl‰se folyamatban...";
|
||||
$text["details"] = "Details";
|
||||
$text["details_version"] = "Details for version: [version]";
|
||||
$text["document"] = "Document";
|
||||
$text["document_access_again"] = "Dokumentum jogosultsßg ism‰telt mdos<6F>tßsa";
|
||||
$text["document_add_access"] = "Bejegyz‰s felv‰tele a hozzßf‰r‰s listßra...";
|
||||
$text["document_already_locked"] = "Ez a dokumentum mßr zßrolt";
|
||||
$text["document_del_access"] = "Hozzßf‰r‰s lista bejegyz‰s t÷rl‰se...";
|
||||
$text["document_edit_access"] = "Hozzßf‰r‰s md vßltoztatßsa...";
|
||||
$text["document_infos"] = "Informßci";
|
||||
$text["document_is_not_locked"] = "Ez a dokumentum NEM zßrolt";
|
||||
$text["document_link_by"] = "Kapcsolatot l‰trehozta:";
|
||||
$text["document_link_public"] = "Nyilvßnos";
|
||||
$text["document_list"] = "Dokumentumok";
|
||||
$text["document_notify_again"] = "Ðrtes<EFBFBD>t‰si lista ism‰telt mdos<6F>tßsa";
|
||||
$text["document_overview"] = "Dokumentum tulajdonsßgok";
|
||||
$text["document_set_default_access"] = "Alapbeßll<EFBFBD>tßs szerinti jogosultsßg beßll<6C>tßsa a dokumentumra...";
|
||||
$text["document_set_inherit"] = "ACL t÷rl‰s. A documentum ÷r÷k<C3B7>teni fogja a jogosultsßgot...";
|
||||
$text["document_set_not_inherit_copy"] = "Jogosultsßg lista mßsolßsa folyamatban...";
|
||||
$text["document_set_not_inherit_empty"] = "Ùr÷k<EFBFBD>tett jogosultsßg t÷rl‰se. Indulßs ’res ACL-el...";
|
||||
$text["document_status"] = "Document Status";
|
||||
$text["document_title"] = "MyDMS - Documentum [dokumentumn‰v]";
|
||||
$text["document_versions"] = "Ùsszes verzi";
|
||||
$text["documents_in_process"] = "Documents In Process";
|
||||
$text["documents_owned_by_user"] = "Documents Owned by User";
|
||||
$text["documents_to_approve"] = "Documents Awaiting User's Approval";
|
||||
$text["documents_to_review"] = "Documents Awaiting User's Review";
|
||||
$text["documents_user_requiring_attention"] = "Documents Owned by User That Require Attention";
|
||||
$text["does_not_expire"] = "Soha nem jßr le";
|
||||
$text["does_not_inherit_access_msg"] = "Jogosultsßg ÷r÷k<C3B7>t‰se";
|
||||
$text["download"] = "Let÷lt‰s";
|
||||
$text["draft_pending_approval"] = "Draft - pending approval";
|
||||
$text["draft_pending_review"] = "Draft - pending review";
|
||||
$text["edit"] = "edit";
|
||||
$text["edit_default_keyword_category"] = "Kategrißk mdos<6F>tßsa";
|
||||
$text["edit_default_keywords"] = "Kulcsszavak mdos<6F>tßsa";
|
||||
$text["edit_document"] = "Dokumentum m“veletek";
|
||||
$text["edit_document_access"] = "Jogosultsßg mdos<6F>tßs";
|
||||
$text["edit_document_notify"] = "Ðrtes<EFBFBD>t‰si lista";
|
||||
$text["edit_document_props"] = "Dokumentum mdos<6F>tßs";
|
||||
$text["edit_document_props_again"] = "Dokumentum ism‰telt mdos<6F>tßsa";
|
||||
$text["edit_existing_access"] = "Hozzßf‰r‰s lista mdos<6F>tßsa";
|
||||
$text["edit_existing_notify"] = "Ðrtes<EFBFBD>t‰si lista szerkeszt‰se";
|
||||
$text["edit_folder"] = "K÷nyvtßr szerkeszt‰s";
|
||||
$text["edit_folder_access"] = "Hozzßf‰r‰s mdos<6F>tßs";
|
||||
$text["edit_folder_notify"] = "Ðrtes<EFBFBD>t‰si lista";
|
||||
$text["edit_folder_props"] = "K÷nyvtßr tulajdonsßgok";
|
||||
$text["edit_folder_props_again"] = "A k÷nyvtßr ism‰telt mdos<6F>tßsa";
|
||||
$text["edit_group"] = "Csoport mdos<6F>tßsa";
|
||||
$text["edit_inherit_access"] = "Jogosultsßg ÷r÷k<C3B7>t‰se";
|
||||
$text["edit_personal_default_keywords"] = "Szem‰lyes kulcsszavak mdos<6F>tßsa";
|
||||
$text["edit_user"] = "Felhasznßl mdos<6F>tßsa";
|
||||
$text["edit_user_details"] = "Edit User Details";
|
||||
$text["editing_default_keyword_category"] = "Kategria mdos<6F>tßsa...";
|
||||
$text["editing_default_keywords"] = "Kulcsszavak mdos<6F>tßsa...";
|
||||
$text["editing_document_props"] = "Dokumentum mdos<6F>tßs folyamatban...";
|
||||
$text["editing_folder_props"] = "K÷nyvtßr mdos<6F>tßsa...";
|
||||
$text["editing_group"] = "Csoport mdos<6F>tßs...";
|
||||
$text["editing_user"] = "Felhasznßl mdos<6F>tßsa folyamatban...";
|
||||
$text["editing_user_data"] = "Felhasznßli beßll<6C>tßsok mdos<6F>tßsa";
|
||||
$text["email"] = "Email";
|
||||
$text["email_err_group"] = "Error sending email to one or more members of this group.";
|
||||
$text["email_err_user"] = "Error sending email to user.";
|
||||
$text["email_sent"] = "Email sent";
|
||||
$text["empty_access_list"] = "A hozzßf‰r‰s lista ’res";
|
||||
$text["empty_notify_list"] = "›res lista";
|
||||
$text["error_adding_session"] = "Error occured while creating session.";
|
||||
$text["error_occured"] = "Hiba t÷rt‰nt";
|
||||
$text["error_removing_old_sessions"] = "Error occured while removing old sessions";
|
||||
$text["error_updating_revision"] = "Error updating status of document revision.";
|
||||
$text["exp_date"] = "Lejßr";
|
||||
$text["expired"] = "Expired";
|
||||
$text["expires"] = "Lejßrat";
|
||||
$text["file"] = "File";
|
||||
$text["file_info"] = "File Information";
|
||||
$text["file_size"] = "Fßjlm‰ret";
|
||||
$text["folder_access_again"] = "K÷nyvtßr jogosultsßg ism‰telt mdos<6F>tßsa";
|
||||
$text["folder_add_access"] = "õj bejegyz‰s hozzßadßsa a hozzßf‰r‰s listßhoz...";
|
||||
$text["folder_contents"] = "Folders";
|
||||
$text["folder_del_access"] = "Hozzßf‰r‰s lista elem t÷rl‰se...";
|
||||
$text["folder_edit_access"] = "Jogosultsßg mdos<6F>tßs...";
|
||||
$text["folder_infos"] = "Informßci";
|
||||
$text["folder_notify_again"] = "Ðrtes<EFBFBD>t‰si lista ism‰telt mdos<6F>tßsa";
|
||||
$text["folder_overview"] = "K÷nyvtßr tulajdonsßgok";
|
||||
$text["folder_path"] = "El‰r‰si ”t";
|
||||
$text["folder_set_default_access"] = "Alap‰rtelmez‰s szerinti hozzßf‰r‰si md beßll<6C>tßsa a k÷nyvtßrhoz...";
|
||||
$text["folder_set_inherit"] = "ACL t÷rl‰se. A k÷nyvtßr ÷r÷k÷lni fogja a jogosultsßgokat...";
|
||||
$text["folder_set_not_inherit_copy"] = "Hozzßf‰r‰s lista mßsolßsa folyamatban...";
|
||||
$text["folder_set_not_inherit_empty"] = "Ùr÷k<EFBFBD>tett jogosultsßg eltßvol<6F>tßsa. Ind<6E>tßs ’res ACL-el...";
|
||||
$text["folder_title"] = "MyDMS - K÷nyvtßr [k÷nyvtßrn‰v]";
|
||||
$text["folders_and_documents_statistic"] = "K÷nyvtßrak ‰s dokumentumok ßtekint‰se";
|
||||
$text["foldertree"] = "K÷nyvtßrfa";
|
||||
$text["from_approval_process"] = "from approval process";
|
||||
$text["from_review_process"] = "from review process";
|
||||
$text["global_default_keywords"] = "Globßlis kulcsszavak";
|
||||
$text["goto"] = "Ugrßs";
|
||||
$text["group"] = "Csoport";
|
||||
$text["group_already_approved"] = "An approval has already been submitted on behalf of group";
|
||||
$text["group_already_reviewed"] = "A review has already been submitted on behalf of group";
|
||||
$text["group_approvers"] = "Group Approvers";
|
||||
$text["group_email_sent"] = "Email sent to group members";
|
||||
$text["group_exists"] = "Group already exists.";
|
||||
$text["group_management"] = "Csoportok";
|
||||
$text["group_members"] = "Csoporttagok";
|
||||
$text["group_reviewers"] = "Group Reviewers";
|
||||
$text["group_unable_to_add"] = "Unable to add group";
|
||||
$text["group_unable_to_remove"] = "Unable to remove group";
|
||||
$text["groups"] = "Csoportok";
|
||||
$text["guest_login"] = "Bel‰p‰s vend‰gk‰nt";
|
||||
$text["guest_login_disabled"] = "Guest login is disabled.";
|
||||
$text["individual_approvers"] = "Individual Approvers";
|
||||
$text["individual_reviewers"] = "Individual Reviewers";
|
||||
$text["individuals"] = "Individuals";
|
||||
$text["inherits_access_msg"] = "Jogosultsßg ÷r÷k<C3B7>t‰se folyamatban.";
|
||||
$text["inherits_access_copy_msg"] = "Ùr÷k<EFBFBD>tett hozzßf‰r‰s lista mßsolßsa";
|
||||
$text["inherits_access_empty_msg"] = "Indulßs ’res hozzßf‰r‰s listßval";
|
||||
$text["internal_error"] = "Internal error";
|
||||
$text["internal_error_exit"] = "Internal error. Unable to complete request. Exiting.";
|
||||
$text["invalid_access_mode"] = "Invalid Access Mode";
|
||||
$text["invalid_action"] = "Invalid Action";
|
||||
$text["invalid_approval_status"] = "Invalid Approval Status";
|
||||
$text["invalid_create_date_end"] = "Invalid end date for creation date range.";
|
||||
$text["invalid_create_date_start"] = "Invalid start date for creation date range.";
|
||||
$text["invalid_doc_id"] = "Invalid Document ID";
|
||||
$text["invalid_folder_id"] = "Invalid Folder ID";
|
||||
$text["invalid_group_id"] = "Invalid Group ID";
|
||||
$text["invalid_link_id"] = "Invalid link identifier";
|
||||
$text["invalid_request_token"] = "Invalid Request Token";
|
||||
$text["invalid_review_status"] = "Invalid Review Status";
|
||||
$text["invalid_sequence"] = "Invalid sequence value";
|
||||
$text["invalid_status"] = "Invalid Document Status";
|
||||
$text["invalid_target_doc_id"] = "Invalid Target Document ID";
|
||||
$text["invalid_target_folder"] = "Invalid Target Folder ID";
|
||||
$text["invalid_user_id"] = "Invalid User ID";
|
||||
$text["invalid_version"] = "Invalid Document Version";
|
||||
$text["is_admin"] = "Administrator Privilege";
|
||||
$text["js_no_approval_group"] = "Please select a approval group";
|
||||
$text["js_no_approval_status"] = "Please select the approval status";
|
||||
$text["js_no_comment"] = "Nincs megjegyz‰s";
|
||||
$text["js_no_email"] = "Adja meg az email c<>m‰t";
|
||||
$text["js_no_file"] = "K‰rem vßlasszon egy fßjlt";
|
||||
$text["js_no_keywords"] = "Adjon meg kulcsszavakat";
|
||||
$text["js_no_login"] = "Adja meg a felhasznßlnevet";
|
||||
$text["js_no_name"] = "K‰rem <20>rjon be egy nevet";
|
||||
$text["js_no_override_status"] = "Please select the new [override] status";
|
||||
$text["js_no_pwd"] = "Be kell <20>rnia a jelszavßt";
|
||||
$text["js_no_query"] = "Adjon meg egy k‰rd‰st";
|
||||
$text["js_no_review_group"] = "Please select a review group";
|
||||
$text["js_no_review_status"] = "Please select the review status";
|
||||
$text["js_pwd_not_conf"] = "A megadott jelszavak elt‰rnek";
|
||||
$text["js_select_user"] = "Vßlasszon felhasznßlt";
|
||||
$text["js_select_user_or_group"] = "Legalßbb egy felhasznßlt vagy egy csoportot adjon meg";
|
||||
$text["keyword_exists"] = "Keyword already exists";
|
||||
$text["keywords"] = "Kulcsszavak";
|
||||
$text["language"] = "Nyelv";
|
||||
$text["last_update"] = "Utols mdos<6F>tßs";
|
||||
$text["last_updated_by"] = "Last updated by";
|
||||
$text["latest_version"] = "Latest Version";
|
||||
$text["linked_documents"] = "Kapcsold dokumentumok";
|
||||
$text["local_file"] = "Helyi ßllomßny";
|
||||
$text["lock_document"] = "Zßrol";
|
||||
$text["lock_message"] = "Ezt a dokumentumot <a href=\"mailto:[email]\">[username]</a> zßrolta.<br>Csak arra jogosult felhasznßl t÷z÷lheti a zßrolßst (Lßsd: lap alja).";
|
||||
$text["lock_status"] = "Stßtusz";
|
||||
$text["locking_document"] = "Dokumentum zßrolßs folyamatban...";
|
||||
$text["logged_in_as"] = "Bel‰pett felhasznßl: ";
|
||||
$text["login"] = "Bel‰p‰s";
|
||||
$text["login_error_text"] = "Error signing in. User ID or password incorrect.";
|
||||
$text["login_error_title"] = "Sign in error";
|
||||
$text["login_not_found"] = "Nem l‰tez felhasznßl";
|
||||
$text["login_not_given"] = "No username has been supplied";
|
||||
$text["login_ok"] = "Sign in successful";
|
||||
$text["logout"] = "Kil‰p‰s";
|
||||
$text["mime_type"] = "Mime-T<>pus";
|
||||
$text["move"] = "Move";
|
||||
$text["move_document"] = "Dokumentum ßthelyez‰se";
|
||||
$text["move_folder"] = "K÷nyvtßr ßthelyez‰se";
|
||||
$text["moving_document"] = "Dokumentum ßthelyez‰se...";
|
||||
$text["moving_folder"] = "K÷nyvtßr ßthelyez‰se...";
|
||||
$text["msg_document_expired"] = "A(z) \"[documentname]\" dokumentum (El‰r‰si ”t: \"[path]\") ‰rv‰nyess‰ge lejßrt [expires] dßtummal";
|
||||
$text["msg_document_updated"] = "A(z) \"[documentname]\" dokumentum (El‰r‰si ”t: \"[path]\") l‰trehozßsi, vagy mdos<6F>tßsi dßtuma: [updated]";
|
||||
$text["my_account"] = "Felhasznßli beßll<6C>tßsok";
|
||||
$text["my_documents"] = "My Documents";
|
||||
$text["name"] = "N‰v";
|
||||
$text["new_default_keyword_category"] = "õj kategria";
|
||||
$text["new_default_keywords"] = "Ùsszes kulcssz";
|
||||
$text["new_equals_old_state"] = "Warning: Proposed status and existing status are identical. No action required.";
|
||||
$text["new_user_image"] = "õj k‰p";
|
||||
$text["no"] = "Nem";
|
||||
$text["no_action"] = "No action required";
|
||||
$text["no_action_required"] = "n/a";
|
||||
$text["no_active_user_docs"] = "There are currently no documents owned by the user that require review or approval.";
|
||||
$text["no_approvers"] = "No approvers assigned.";
|
||||
$text["no_default_keywords"] = "Nincs rendelkez‰sre ßll kulcssz";
|
||||
$text["no_docs_to_approve"] = "There are currently no documents that require approval.";
|
||||
$text["no_docs_to_review"] = "There are currently no documents that require review.";
|
||||
$text["no_document_links"] = "Nincs kapcsold dokumentum";
|
||||
$text["no_documents"] = "Nincsenek dokumentumok";
|
||||
$text["no_group_members"] = "Ennek a csoportnak nincsenek tagjai";
|
||||
$text["no_groups"] = "Nincsenek csoportok";
|
||||
$text["no_previous_versions"] = "No other versions found";
|
||||
$text["no_reviewers"] = "No reviewers assigned.";
|
||||
$text["no_subfolders"] = "Nincsenek alk÷nyvtßrak";
|
||||
$text["no_update_cause_locked"] = "Emiatt Ùn nem mdos<6F>thatja a dokumentumot. L‰pjen kapcsolatba a zßrolßst l‰trehoz szem‰llyel.";
|
||||
$text["no_user_image"] = "Nincs k‰p";
|
||||
$text["not_approver"] = "User is not currently assigned as an approver of this document revision.";
|
||||
$text["not_reviewer"] = "User is not currently assigned as a reviewer of this document revision.";
|
||||
$text["notify_subject"] = "õj vagy lejßrt dokumentumok a dokumentumkezel rendszerben";
|
||||
$text["obsolete"] = "Obsolete";
|
||||
$text["old_folder"] = "old folder";
|
||||
$text["only_jpg_user_images"] = "Felhasznßli k‰pk‰nt csak .jpg fßjlok adhatk meg.";
|
||||
$text["op_finished"] = "k‰sz";
|
||||
$text["operation_not_allowed"] = "Nincs jogosultsßgod a m“velet v‰grehajtßsßhoz";
|
||||
$text["override_content_status"] = "Override Status";
|
||||
$text["override_content_status_complete"] = "Override Status Complete";
|
||||
$text["override_privilege_insufficient"] = "Access denied. Privileges insufficient to override the status of this document.";
|
||||
$text["overview"] = "Overview";
|
||||
$text["owner"] = "Tulajdonos";
|
||||
$text["password"] = "Jelsz";
|
||||
$text["pending_approval"] = "Documents pending approval";
|
||||
$text["pending_review"] = "Documents pending review";
|
||||
$text["personal_default_keywords"] = "Szem‰lyes kulcsszavak";
|
||||
$text["previous_versions"] = "Previous Versions";
|
||||
$text["rejected"] = "Rejected";
|
||||
$text["released"] = "Released";
|
||||
$text["remove_document_link"] = "Kapcsoldßs t÷rl‰se";
|
||||
$text["remove_member"] = "Csoport tag t÷rl‰se";
|
||||
$text["removed_approver"] = "has been removed from the list of approvers.";
|
||||
$text["removed_reviewer"] = "has been removed from the list of reviewers.";
|
||||
$text["removing_default_keyword_category"] = "Kategria t÷rl‰se...";
|
||||
$text["removing_default_keywords"] = "Kulcsszavak t÷rl‰se...";
|
||||
$text["removing_document"] = "Dokumentum t÷rl‰se...";
|
||||
$text["removing_document_link"] = "Kapcsoldßs t÷rl‰se...";
|
||||
$text["removing_folder"] = "K÷nyvtßr t÷rl‰se...";
|
||||
$text["removing_group"] = "Csoport t÷rl‰se folyamatban...";
|
||||
$text["removing_member"] = "Csoporttag t÷rl‰se folyamatban...";
|
||||
$text["removing_user"] = "Felhasznßl t÷rl‰se folyamatban...";
|
||||
$text["removing_version"] = "[version]. dokumentum verzi t÷rl‰se...";
|
||||
$text["review_document"] = "Review Document";
|
||||
$text["review_document_complete"] = "Review Document: Complete";
|
||||
$text["review_document_complete_records_updated"] = "Document review completed and records updated";
|
||||
$text["review_group"] = "Review Group";
|
||||
$text["review_status"] = "Review Status";
|
||||
$text["review_summary"] = "Review Summary";
|
||||
$text["review_update_failed"] = "Error updating review status. Update failed.";
|
||||
$text["reviewer_added"] = "added as a reviewer";
|
||||
$text["reviewer_already_assigned"] = "is already assigned as a reviewer";
|
||||
$text["reviewer_already_removed"] = "has already been removed from review process or has already submitted a review";
|
||||
$text["reviewer_no_privilege"] = "is not sufficiently privileged to review this document";
|
||||
$text["reviewer_removed"] = "removed from review process";
|
||||
$text["reviewers"] = "Reviewers";
|
||||
$text["rm_default_keyword_category"] = "Kategria t÷rl‰se";
|
||||
$text["rm_default_keywords"] = "Kulcsszavak t÷rl‰se";
|
||||
$text["rm_document"] = "Dokumentum t÷rl‰se";
|
||||
$text["rm_folder"] = "K÷nyvtßr t÷rl‰s";
|
||||
$text["rm_group"] = "Csoport t÷rl‰se";
|
||||
$text["rm_user"] = "Felhasznßl t÷rl‰se";
|
||||
$text["rm_version"] = "Verzi t÷rl‰se";
|
||||
$text["root_folder"] = "Gy÷k‰r k÷nyvtßr";
|
||||
$text["save"] = "Ment‰s";
|
||||
$text["search"] = "Keres‰s";
|
||||
$text["search_in"] = "Keres‰s ebben a k÷nyvtßrban";
|
||||
$text["search_in_all"] = "Minden k÷nyvtßrban";
|
||||
$text["search_in_current"] = "csak ([foldername]) -ban ‰s alk÷nyvtßraiban";
|
||||
$text["search_mode"] = "Md";
|
||||
$text["search_mode_and"] = "egyez‰s minden szra";
|
||||
$text["search_mode_or"] = "egyez‰s legalßbb egy szra";
|
||||
$text["search_no_results"] = "Nincs talßlat";
|
||||
$text["search_query"] = "Kulcssz";
|
||||
$text["search_report"] = "Talßlatok szßma [count] erre a lek‰rdez‰sre";
|
||||
$text["search_result_pending_approval"] = "status 'pending approval'";
|
||||
$text["search_result_pending_review"] = "status 'pending review'";
|
||||
$text["search_results"] = "Talßlatok";
|
||||
$text["search_results_access_filtered"] = "Search results may contain content to which access has been denied.";
|
||||
$text["search_time"] = "Felhasznßlt id: [time] mßsodperc.";
|
||||
$text["select_one"] = "Vßlasszon egyet";
|
||||
$text["selected_document"] = "Kivßlasztott dokumentum";
|
||||
$text["selected_folder"] = "Kivßlasztott konyvtßr";
|
||||
$text["selection"] = "Selection";
|
||||
$text["seq_after"] = "\"[prevname]\" utßn";
|
||||
$text["seq_end"] = "V‰g‰re";
|
||||
$text["seq_keep"] = "Poz<EFBFBD>ci megtartßsa";
|
||||
$text["seq_start"] = "Elej‰re";
|
||||
$text["sequence"] = "Sorrend";
|
||||
$text["set_default_access"] = "Set Default Access Mode";
|
||||
$text["set_expiry"] = "Set Expiry";
|
||||
$text["set_owner"] = "Tulajdonos beßll<6C>tßsa";
|
||||
$text["set_reviewers_approvers"] = "Assign Reviewers and Approvers";
|
||||
$text["setting_expires"] = "Lejßrat beßll<6C>tßs folyamatban...";
|
||||
$text["setting_owner"] = "Tulajdonos beßll<6C>tßsa...";
|
||||
$text["setting_user_image"] = "<br>Felhasznßli k‰p beßll<6C>tßsa folyamatban...";
|
||||
$text["show_all_versions"] = "Show All Revisions";
|
||||
$text["show_current_versions"] = "Show Current";
|
||||
$text["start"] = "Kezdet";
|
||||
$text["status"] = "Status";
|
||||
$text["status_approval_rejected"] = "Draft rejected";
|
||||
$text["status_approved"] = "Approved";
|
||||
$text["status_approver_removed"] = "Approver removed from process";
|
||||
$text["status_change_summary"] = "Document revision changed from status '[oldstatus]' to status '[newstatus]'.";
|
||||
$text["status_changed_by"] = "Status changed by";
|
||||
$text["status_not_approved"] = "Not approved";
|
||||
$text["status_not_reviewed"] = "Not reviewed";
|
||||
$text["status_reviewed"] = "Reviewed";
|
||||
$text["status_reviewer_rejected"] = "Draft rejected";
|
||||
$text["status_reviewer_removed"] = "Reviewer removed from process";
|
||||
$text["status_unknown"] = "Unknown";
|
||||
$text["subfolder_list"] = "Alk÷nyvtßrak";
|
||||
$text["submit_approval"] = "Submit approval";
|
||||
$text["submit_login"] = "Sign in";
|
||||
$text["submit_review"] = "Submit review";
|
||||
$text["theme"] = "T‰ma";
|
||||
$text["unable_to_add"] = "Unable to add";
|
||||
$text["unable_to_remove"] = "Unable to remove";
|
||||
$text["under_folder"] = ", c‰lk÷nyvtßr:";
|
||||
$text["unknown_command"] = "Command not recognized.";
|
||||
$text["unknown_group"] = "Unknown group id";
|
||||
$text["unknown_keyword_category"] = "Unknown category";
|
||||
$text["unknown_owner"] = "Unknown owner id";
|
||||
$text["unknown_user"] = "Unknown user id";
|
||||
$text["unlock_cause_access_mode_all"] = "Ùn m‰gis mdos<6F>thatja, mivel ÷nnek \"teljes\" jogosultsßga van. A zßrolßs automatikusan fel lesz oldva.";
|
||||
$text["unlock_cause_locking_user"] = "Ùn m‰gis mdos<6F>thatja, mivel a zßrolßst Ùn hozta l‰tre. A zßrolßs automatikusan fel lesz oldva.";
|
||||
$text["unlock_document"] = "Felszabad<EFBFBD>t";
|
||||
$text["unlocking_denied"] = "Ùnnek nincs jogsultsßga a zßrolßs feloldßsßra";
|
||||
$text["unlocking_document"] = "Dokumentum feloldßs folyamatban...";
|
||||
$text["update"] = "Update";
|
||||
$text["update_approvers"] = "Update List of Approvers";
|
||||
$text["update_document"] = "Mdos<EFBFBD>t";
|
||||
$text["update_info"] = "Update Information";
|
||||
$text["update_locked_msg"] = "Zßrolt dokumentum.";
|
||||
$text["update_reviewers"] = "Update List of Reviewers";
|
||||
$text["update_reviewers_approvers"] = "Update List of Reviewers and Approvers";
|
||||
$text["updated_by"] = "Updated by";
|
||||
$text["updating_document"] = "Dokumentum mdos<6F>tßs folyamatban...";
|
||||
$text["upload_date"] = "Felt÷lt‰s dßtuma";
|
||||
$text["uploaded"] = "Uploaded";
|
||||
$text["uploaded_by"] = "Felt÷lt÷tte";
|
||||
$text["uploading_failed"] = "Sikertelen felt÷lt‰s. K‰rem l‰pjen kapcsolatba a rendszergazdßval.";
|
||||
$text["use_default_keywords"] = "Elredefinißlt kulcsszavak hasznßlata";
|
||||
$text["user"] = "Felhasznßl";
|
||||
$text["user_already_approved"] = "User has already submitted an approval of this document version";
|
||||
$text["user_already_reviewed"] = "User has already submitted a review of this document version";
|
||||
$text["user_approval_not_required"] = "No document approval required of user at this time.";
|
||||
$text["user_exists"] = "User already exists.";
|
||||
$text["user_image"] = "K‰p";
|
||||
$text["user_info"] = "User Information";
|
||||
$text["user_list"] = "Felhasznßlk listßja";
|
||||
$text["user_login"] = "Felhasznßl";
|
||||
$text["user_management"] = "Felhasznßlk";
|
||||
$text["user_name"] = "Teljes n‰v";
|
||||
$text["user_removed_approver"] = "User has been removed from the list of individual approvers.";
|
||||
$text["user_removed_reviewer"] = "User has been removed from the list of individual reviewers.";
|
||||
$text["user_review_not_required"] = "No document review required of user at this time.";
|
||||
$text["users"] = "Felhasznßlk";
|
||||
$text["version"] = "Verzi";
|
||||
$text["version_info"] = "Version Information";
|
||||
$text["version_under_approval"] = "Version under approval";
|
||||
$text["version_under_review"] = "Version under review";
|
||||
$text["view_document"] = "View Document";
|
||||
$text["view_online"] = "Megtekint‰s b÷ng‰szben";
|
||||
$text["warning"] = "Warning";
|
||||
$text["wrong_pwd"] = "Hibßs jelsz. Prbßlja ”jra";
|
||||
$text["yes"] = "Igen";
|
||||
// New as of 1.7.1. Require updated translation.
|
||||
$text["documents"] = "Documents";
|
||||
$text["folders"] = "Folders";
|
||||
$text["no_folders"] = "No folders";
|
||||
$text["notification_summary"] = "Notification Summary";
|
||||
// New as of 1.7.2
|
||||
$text["all_pages"] = "All";
|
||||
$text["results_page"] = "Results Page";
|
||||
// New
|
||||
$text["sign_out"] = "sign out";
|
||||
$text["signed_in_as"] = "Signed in as";
|
||||
$text["assign_reviewers"] = "Assign Reviewers";
|
||||
$text["assign_approvers"] = "Assign Approvers";
|
||||
$text["override_status"] = "Override Status";
|
||||
$text["change_status"] = "Change Status";
|
||||
$text["change_assignments"] = "Change Assignments";
|
||||
$text["no_user_docs"] = "There are currently no documents owned by the user";
|
||||
$text["disclaimer"] = "This is a classified area. Access is permitted only to authorized personnel. Any violation will be prosecuted according to the english and international laws.";
|
||||
|
||||
$text["backup_tools"] = "Backup tools";
|
||||
$text["versioning_file_creation"] = "Versioning file creation";
|
||||
$text["archive_creation"] = "Archive creation";
|
||||
$text["files_deletion"] = "Files deletion";
|
||||
$text["folder"] = "Folder";
|
||||
|
||||
$text["unknown_id"] = "unknown id";
|
||||
$text["help"] = "Help";
|
||||
|
||||
$text["versioning_info"] = "Versioning info";
|
||||
$text["versioning_file_creation_warning"] = "With this operation you can create a file containing the versioning information of an entire DMS folder. After the creation every file will be saved inside the document folder.";
|
||||
$text["archive_creation_warning"] = "With this operation you can create achive containing the files of entire DMS folders. After the creation the archive will be saved in the data folder of your server.<br>WARNING: an archive created as human readable will be unusable as server backup.";
|
||||
$text["files_deletion_warning"] = "With this option you can delete all files of entire DMS folders. The versioning information will remain visible.";
|
||||
|
||||
$text["backup_list"] = "Existings backup list";
|
||||
$text["backup_remove"] = "Remove backup file";
|
||||
$text["confirm_rm_backup"] = "Do you really want to remove the file \"[arkname]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["document_deleted"] = "Document deleted";
|
||||
$text["linked_files"] = "Attachments";
|
||||
$text["invalid_file_id"] = "Invalid file ID";
|
||||
$text["rm_file"] = "Remove file";
|
||||
$text["confirm_rm_file"] = "Do you really want to remove file \"[name]\" of document \"[documentname]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["edit_comment"] = "Edit comment";
|
||||
|
||||
|
||||
// new from 1.9
|
||||
|
||||
$text["is_hidden"] = "Hide from users list";
|
||||
$text["log_management"] = "Log files management";
|
||||
$text["confirm_rm_log"] = "Do you really want to remove log file \"[logname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["include_subdirectories"] = "Include subdirectories";
|
||||
$text["include_documents"] = "Include documents";
|
||||
$text["manager"] = "Manager";
|
||||
$text["toggle_manager"] = "Toggle manager";
|
||||
|
||||
// new from 2.0
|
||||
|
||||
$text["calendar"] = "Calendar";
|
||||
$text["week_view"] = "Week view";
|
||||
$text["month_view"] = "Month view";
|
||||
$text["year_view"] = "Year View";
|
||||
$text["add_event"] = "Add event";
|
||||
$text["edit_event"] = "Edit event";
|
||||
|
||||
$text["january"] = "January";
|
||||
$text["february"] = "February";
|
||||
$text["march"] = "March";
|
||||
$text["april"] = "April";
|
||||
$text["may"] = "May";
|
||||
$text["june"] = "June";
|
||||
$text["july"] = "July";
|
||||
$text["august"] = "August";
|
||||
$text["september"] = "September";
|
||||
$text["october"] = "October";
|
||||
$text["november"] = "November";
|
||||
$text["december"] = "December";
|
||||
|
||||
$text["sunday"] = "Sunday";
|
||||
$text["monday"] = "Monday";
|
||||
$text["tuesday"] = "Tuesday";
|
||||
$text["wednesday"] = "Wednesday";
|
||||
$text["thursday"] = "Thursday";
|
||||
$text["friday"] = "Friday";
|
||||
$text["saturday"] = "Saturday";
|
||||
|
||||
$text["from"] = "From";
|
||||
$text["to"] = "To";
|
||||
|
||||
$text["event_details"] = "Event details";
|
||||
$text["confirm_rm_event"] = "Do you really want to remove event \"[name]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["dump_creation"] = "DB dump creation";
|
||||
$text["dump_creation_warning"] = "With this operation you can create a dump file of your database content. After the creation the dump file will be saved in the data folder of your server.";
|
||||
$text["dump_list"] = "Existings dump files";
|
||||
$text["dump_remove"] = "Remove dump file";
|
||||
$text["confirm_rm_dump"] = "Do you really want to remove the file \"[dumpname]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["confirm_rm_user"] = "Do you really want to remove the user \"[username]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_group"] = "Do you really want to remove the group \"[groupname]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["human_readable"] = "Human readable archive";
|
||||
|
||||
$text["email_header"] = "This is an automatic message from the DMS server.";
|
||||
$text["email_footer"] = "You can always change your e-mail settings using 'My Account' functions";
|
||||
|
||||
$text["add_multiple_files"] = "Add multiple files (will use filename as document name)";
|
||||
|
||||
// new from 2.0.1
|
||||
|
||||
$text["max_upload_size"] = "Maximum upload size for each file";
|
||||
|
||||
// new from 2.0.2
|
||||
|
||||
$text["space_used_on_data_folder"] = "Space used on data folder";
|
||||
$text["assign_user_property_to"] = "Assign user's properties to";
|
||||
|
||||
?>
|
|
@ -1,577 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Accetta";
|
||||
$text["access_denied"] = "Accesso negato";
|
||||
$text["access_inheritance"] = "Permessi ereditari";
|
||||
$text["access_mode"] = "Permessi";
|
||||
$text["access_mode_all"] = "Permessi totali";
|
||||
$text["access_mode_none"] = "Nessun accesso";
|
||||
$text["access_mode_read"] = "Permesso di lettura";
|
||||
$text["access_mode_readwrite"] = "Permesso di lettura e scrittura";
|
||||
$text["access_permission_changed_email"] = "Permessi cambiati";
|
||||
$text["actions"] = "Azioni";
|
||||
$text["add"] = "Aggiungi";
|
||||
$text["add_doc_reviewer_approver_warning"] = "Nota: i documenti saranno automaticamente distinti come rilasciati se non esiste approvazione o revisione";
|
||||
$text["add_document"] = "Aggiungi documento";
|
||||
$text["add_document_link"] = "Aggiungi collegamento";
|
||||
$text["add_event"] = "Aggiungi evento";
|
||||
$text["add_group"] = "Aggiungi nuovo gruppo";
|
||||
$text["add_member"] = "Aggiungi un membro";
|
||||
$text["add_multiple_documents"] = "Add multiple documents";
|
||||
$text["add_multiple_files"] = "Aggiungi documenti multipli (il nome del file verrà usato come nome del documento)";
|
||||
$text["add_subfolder"] = "Aggiungi sottocartella";
|
||||
$text["add_user"] = "Aggiungi nuovo utente";
|
||||
$text["admin"] = "Amministratore";
|
||||
$text["admin_tools"] = "Amministrazione";
|
||||
$text["all_categories"] = "All categories";
|
||||
$text["all_documents"] = "Tutti i documenti";
|
||||
$text["all_pages"] = "Tutte";
|
||||
$text["all_users"] = "Tutti gli utenti";
|
||||
$text["already_subscribed"] = "L'oggetto è già stato sottoscritto";
|
||||
$text["and"] = "e";
|
||||
$text["apply"] = "Apply";
|
||||
$text["approval_deletion_email"] = "Cancellata la richiesta di approvazione";
|
||||
$text["approval_group"] = "Gruppo approvazione";
|
||||
$text["approval_request_email"] = "Richiesta di approvazione";
|
||||
$text["approval_status"] = "Stato approvazione";
|
||||
$text["approval_submit_email"] = "Sottoposta approvazione";
|
||||
$text["approval_summary"] = "Dettaglio approvazioni";
|
||||
$text["approval_update_failed"] = "Errore nel modificare lo stato di approvazione";
|
||||
$text["approvers"] = "Approvatori";
|
||||
$text["april"] = "Aprile";
|
||||
$text["archive_creation"] = "Creazione archivi";
|
||||
$text["archive_creation_warning"] = "Con questa operazione è possibile creare archivi contenenti i file di intere cartelle del DMS. Dopo la creazione l'archivio viene salvato nella cartella dati del server.<br>Attenzione: un archivio creato per uso esterno non è utilizzabile come backup del server.";
|
||||
$text["assign_approvers"] = "Assegna Approvatori";
|
||||
$text["assign_reviewers"] = "Assegna Revisori";
|
||||
$text["assign_user_property_to"] = "Assegna le proprietà dell'utente a";
|
||||
$text["assumed_released"] = "Rilascio Acquisito";
|
||||
$text["august"] = "Agosto";
|
||||
$text["automatic_status_update"] = "Modifica automatica dello stato";
|
||||
$text["back"] = "Ritorna";
|
||||
$text["backup_list"] = "Lista dei backup presenti";
|
||||
$text["backup_remove"] = "Elimina file di backup";
|
||||
$text["backup_tools"] = "Strumenti di backup";
|
||||
$text["between"] = "tra";
|
||||
$text["calendar"] = "Calendario";
|
||||
$text["cancel"] = "Annulla";
|
||||
$text["cannot_assign_invalid_state"] = "Non è possibile modificare le assegnazioni di un documento già in stato finale";
|
||||
$text["cannot_change_final_states"] = "Attenzione: Non si può modificare lo stato dei documenti rifiutati, scaduti o in lavorazione";
|
||||
//$text["cannot_delete_yourself"] = "Cannot delete yourself";
|
||||
$text["cannot_move_root"] = "Impossibile spostare la cartella di root";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "Impossibile visualizzare lo stato di approvazione per questa versione di documento";
|
||||
$text["cannot_retrieve_review_snapshot"] = "Impossibile visualizzare lo stato di revisione per questa versione di documento";
|
||||
$text["cannot_rm_root"] = "Impossibile cancellare la cartella di root";
|
||||
$text["category"] = "Category";
|
||||
$text["category_filter"] = "Only categories";
|
||||
$text["category_in_use"] = "This category is currently used by documents.";
|
||||
$text["categories"] = "Categories";
|
||||
$text["change_assignments"] = "Modifica le Assegnazioni";
|
||||
$text["change_status"] = "Modifica lo Stato";
|
||||
$text["choose_category"] = "Seleziona";
|
||||
$text["choose_group"] = "--Seleziona gruppo--";
|
||||
$text["choose_target_category"] = "Choose category";
|
||||
$text["choose_target_document"] = "Seleziona documento";
|
||||
$text["choose_target_folder"] = "Seleziona cartella";
|
||||
$text["choose_user"] = "--Seleziona utente--";
|
||||
$text["comment_changed_email"] = "Commento cambiato";
|
||||
$text["comment"] = "Commento";
|
||||
$text["comment_for_current_version"] = "Commento per la versione";
|
||||
$text["confirm_create_fulltext_index"] = "Yes, I would like to recreate the fulltext index!";
|
||||
$text["confirm_pwd"] = "Conferma Password";
|
||||
$text["confirm_rm_backup"] = "Vuoi davvero rimuovere il file \"[arkname]\"?<br>Attenzione: Questa operazione non può essere annullata.";
|
||||
$text["confirm_rm_document"] = "Vuoi veramente eliminare il documento \"[documentname]\"?<br>Attenzione: L'operazione è irreversibile";
|
||||
$text["confirm_rm_dump"] = "Vuoi davvero rimuovere il file \"[dumpname]\"?<br>Attenzione: Questa operazione non può essere annullata.";
|
||||
$text["confirm_rm_event"] = "Vuoli davvero rimuovere l'evento \"[name]\"?<br>Attenzione: Questa operazione non può essere annullata.";
|
||||
$text["confirm_rm_file"] = "Vuoi veramente eliminare il file \"[name]\" del documento \"[documentname]\"?<br>Attenzione: L'operazione è irreversibile";
|
||||
$text["confirm_rm_folder"] = "Vuoi veramente eliminare la cartella \"[foldername]\" e tutto il suo contenuto?<br>Attenzione: L'operazione è irreversibile";
|
||||
$text["confirm_rm_folder_files"] = "Vuoi davvero rimuovere tutti i file dalla cartella \"[foldername]\" e dalle sue sottocartelle?<br>Attenzione: Questa operazione non può essere annullata.";
|
||||
$text["confirm_rm_group"] = "Vuoi davvero rimuovere il gruppo \"[groupname]\"?<br>Attenzione: Questa operazione non può essere annullata.";
|
||||
$text["confirm_rm_log"] = "Vuoi davvero rimuovere il file di log \"[logname]\"?<br>Attenzione: Questa operazione non può essere annullata.";
|
||||
$text["confirm_rm_user"] = "Vuoi davvero rimuovere l'utente \"[username]\"?<br>Attenzione: Questa operazione non può essere annullata.";
|
||||
$text["confirm_rm_version"] = "Vuoi veramente eliminare la versione [version] del documento \"[documentname]\"?<br>Attenzione: L'operazione è irreversibile";
|
||||
$text["content"] = "Cartelle";
|
||||
$text["continue"] = "Continua";
|
||||
$text["create_fulltext_index"] = "Create fulltext index";
|
||||
$text["create_fulltext_index_warning"] = "You are to recreate the fulltext index. This can take a considerable amount of time and reduce your overall system performance. If you really want to recreate the index, please confirm your operation.";
|
||||
$text["creation_date"] = "Data creazione";
|
||||
$text["current_version"] = "Ultima versione";
|
||||
$text["daily"] = "Daily";
|
||||
$text["databasesearch"] = "Database search";
|
||||
$text["december"] = "Dicembre";
|
||||
$text["default_access"] = "Permesso di default";
|
||||
$text["default_keywords"] = "Parole chiave disponibili";
|
||||
$text["delete"] = "Cancella";
|
||||
$text["details"] = "Dettagli";
|
||||
$text["details_version"] = "Dettagli versione: [version]";
|
||||
$text["disclaimer"] = "Questa è un'area riservata. L'accesso è consentito solo al personale autorizzato. Qualunque violazione sarà perseguita a norma delle leggi italiane ed internazionali.";
|
||||
$text["document_already_locked"] = "Questo documento è già bloccato";
|
||||
$text["document_deleted"] = "Documento rimosso";
|
||||
$text["document_deleted_email"] = "Documento cancellato";
|
||||
$text["document"] = "Documento";
|
||||
$text["document_infos"] = "Informazioni documento";
|
||||
$text["document_is_not_locked"] = "Questo documento non è bloccato";
|
||||
$text["document_link_by"] = "Collegato da";
|
||||
$text["document_link_public"] = "Pubblico";
|
||||
$text["document_moved_email"] = "Documento spostato";
|
||||
$text["document_renamed_email"] = "Documento rinominato";
|
||||
$text["documents"] = "Documenti";
|
||||
$text["documents_in_process"] = "Documenti in lavorazione";
|
||||
$text["documents_locked_by_you"] = "Documenti bloccati da te";
|
||||
$text["document_status_changed_email"] = "Modifica stato del documento";
|
||||
$text["documents_to_approve"] = "Documenti in attesa della tua approvazione";
|
||||
$text["documents_to_review"] = "Documenti in attesa della tua revisione";
|
||||
$text["documents_user_requiring_attention"] = "Tuoi documenti in attesa di revisione o approvazione";
|
||||
$text["document_title"] = "Documento '[documentname]'";
|
||||
$text["document_updated_email"] = "Documento aggiornato";
|
||||
$text["does_not_expire"] = "Nessuna scadenza";
|
||||
$text["does_not_inherit_access_msg"] = "Imposta permessi ereditari";
|
||||
$text["download"] = "Scarica";
|
||||
$text["draft_pending_approval"] = "Bozza in approvazione";
|
||||
$text["draft_pending_review"] = "Bozza in revisione";
|
||||
$text["dump_creation"] = "Creazione DB dump";
|
||||
$text["dump_creation_warning"] = "Con questa operazione è possibile creare un file di dump del contenuto del database. Dopo la creazione il file viene salvato nella cartella dati del server.";
|
||||
$text["dump_list"] = "List dei dump presenti";
|
||||
$text["dump_remove"] = "Cancella il dump file";
|
||||
$text["edit_comment"] = "Modifica il commento";
|
||||
$text["edit_default_keywords"] = "Modifica parole chiave";
|
||||
$text["edit_document_access"] = "Modifica permessi";
|
||||
$text["edit_document_notify"] = "Lista di notifica file";
|
||||
$text["edit_document_props"] = "Gestione documento";
|
||||
$text["edit"] = "modifica";
|
||||
$text["edit_event"] = "Modifica evento";
|
||||
$text["edit_existing_access"] = "Gestione permessi";
|
||||
$text["edit_existing_notify"] = "Gestione lista di notifica";
|
||||
$text["edit_folder_access"] = "Modifica permessi";
|
||||
$text["edit_folder_notify"] = "Lista di notifica cartelle";
|
||||
$text["edit_folder_props"] = "Modifica cartella";
|
||||
$text["edit_group"] = "Modifica gruppo";
|
||||
$text["edit_user_details"] = "Gestione dettagli utente";
|
||||
$text["edit_user"] = "Modifica utente";
|
||||
$text["email"] = "Email";
|
||||
$text["email_footer"] = "Puoi cambiare le tue preferenze utilizzando le funzioni del menu 'Account personale'";
|
||||
$text["email_header"] = "Questo è un messaggio automatico inviato dal server DMS";
|
||||
$text["empty_notify_list"] = "Nessun record";
|
||||
$text["error_no_document_selected"] = "No document selected";
|
||||
$text["error_no_folder_selected"] = "No folder selected";
|
||||
$text["error_occured"] = "Si verificato un errore";
|
||||
$text["event_details"] = "Dettagli evento";
|
||||
$text["expired"] = "Scaduto";
|
||||
$text["expires"] = "Scadenza";
|
||||
$text["expiry_changed_email"] = "Scadenza cambiata";
|
||||
$text["february"] = "Febbraio";
|
||||
$text["file"] = "File";
|
||||
$text["files_deletion"] = "Cancellazione file";
|
||||
$text["files_deletion_warning"] = "Con questa operazione è possible cancellare i file di intere cartelle. Dopo la cancellazione le informazioni di versionamento resteranno disponibili.";
|
||||
$text["files"] = "Files";
|
||||
$text["file_size"] = "Grandezza";
|
||||
$text["folder_contents"] = "Contenuto cartella";
|
||||
$text["folder_deleted_email"] = "Cartella cancellata";
|
||||
$text["folder"] = "Cartella";
|
||||
$text["folder_infos"] = "Informazioni cartella";
|
||||
$text["folder_moved_email"] = "Cartella spostata";
|
||||
$text["folder_renamed_email"] = "Cartella rinominata";
|
||||
$text["folders_and_documents_statistic"] = "Visualizzazione generale";
|
||||
$text["folders"] = "Cartelle";
|
||||
$text["folder_title"] = "Cartella '[foldername]'";
|
||||
$text["friday"] = "Venerdì";
|
||||
$text["from"] = "Da";
|
||||
$text["fullsearch"] = "Full text search";
|
||||
$text["fullsearch_hint"] = "Use fulltext index";
|
||||
$text["fulltext_info"] = "Fulltext index info";
|
||||
$text["global_default_keywords"] = "Categorie parole chiave globali";
|
||||
$text["global_document_categories"] = "Categories";
|
||||
$text["group_approval_summary"] = "Dettaglio approvazioni di gruppo";
|
||||
$text["group_exists"] = "Il gruppo è già esistente";
|
||||
$text["group"] = "Gruppo";
|
||||
$text["group_management"] = "Amministrazione gruppi";
|
||||
$text["group_members"] = "Membri del gruppo";
|
||||
$text["group_review_summary"] = "Dettaglio revisioni di gruppo";
|
||||
$text["groups"] = "Gruppi";
|
||||
$text["guest_login_disabled"] = "Login ospite è disabilitato";
|
||||
$text["guest_login"] = "Login come ospite";
|
||||
$text["help"] = "Aiuto";
|
||||
$text["hourly"] = "Hourly";
|
||||
$text["human_readable"] = "Archivio per uso esterno";
|
||||
$text["include_documents"] = "Includi documenti";
|
||||
$text["include_subdirectories"] = "Includi sottocartelle";
|
||||
$text["individuals"] = "Singoli";
|
||||
$text["inherits_access_msg"] = "E' impostato il permesso ereditario.";
|
||||
$text["inherits_access_copy_msg"] = "Modifica la lista degli accessi ereditati";
|
||||
$text["inherits_access_empty_msg"] = "Riimposta una lista di permessi vuota";
|
||||
$text["internal_error_exit"] = "Errore interno. Impossibile completare la richiesta. Uscire.";
|
||||
$text["internal_error"] = "Errore interno";
|
||||
$text["invalid_access_mode"] = "Permessi non validi";
|
||||
$text["invalid_action"] = "Azione non valida";
|
||||
$text["invalid_approval_status"] = "Stato di approvazione non valido";
|
||||
$text["invalid_create_date_end"] = "Fine data non valida per la creazione di un intervallo temporale";
|
||||
$text["invalid_create_date_start"] = "Inizio data non valida per la creazione di un intervallo temporale";
|
||||
$text["invalid_doc_id"] = "ID documento non valido";
|
||||
$text["invalid_file_id"] = "ID del file non valido";
|
||||
$text["invalid_folder_id"] = "ID cartella non valido";
|
||||
$text["invalid_group_id"] = "ID gruppo non valido";
|
||||
$text["invalid_link_id"] = "ID di collegamento non valido";
|
||||
$text["invalid_request_token"] = "Invalid Request Token";
|
||||
$text["invalid_review_status"] = "Stato revisione non valido";
|
||||
$text["invalid_sequence"] = "Valore di sequenza non valido";
|
||||
$text["invalid_status"] = "Stato del documento non valido";
|
||||
$text["invalid_target_doc_id"] = "ID documento selezionato non valido";
|
||||
$text["invalid_target_folder"] = "ID cartella selezionata non valido";
|
||||
$text["invalid_user_id"] = "ID utente non valido";
|
||||
$text["invalid_version"] = "Versione documento non valida";
|
||||
$text["is_hidden"] = "Nascondi dalla lista utenti";
|
||||
$text["january"] = "Gennaio";
|
||||
$text["js_no_approval_group"] = "Si prega di selezionare un gruppo di approvazione";
|
||||
$text["js_no_approval_status"] = "Si prega di selezionare lo stato di approvazione";
|
||||
$text["js_no_comment"] = "Non ci sono commenti";
|
||||
$text["js_no_email"] = "Scrivi nel tuo indirizzo di Email";
|
||||
$text["js_no_file"] = "Per favore seleziona un file";
|
||||
$text["js_no_keywords"] = "Specifica alcune parole chiave";
|
||||
$text["js_no_login"] = "Il campo ID utente é necessario";
|
||||
$text["js_no_name"] = "Il nome é necessario";
|
||||
$text["js_no_override_status"] = "E' necessario selezionare un nuovo stato";
|
||||
$text["js_no_pwd"] = "La password è necessaria";
|
||||
$text["js_no_query"] = "Scrivi nella query";
|
||||
$text["js_no_review_group"] = "Per favore seleziona un gruppo di revisori";
|
||||
$text["js_no_review_status"] = "Per favore seleziona lo stato di revisione";
|
||||
$text["js_pwd_not_conf"] = "Password e passwords-di conferma non corrispondono";
|
||||
$text["js_select_user_or_group"] = "Selezionare almeno un utente o un gruppo";
|
||||
$text["js_select_user"] = "Per favore seleziona un utente";
|
||||
$text["july"] = "Luglio";
|
||||
$text["june"] = "Giugno";
|
||||
$text["keyword_exists"] = "Parola chiave già presente";
|
||||
$text["keywords"] = "Parole chiave";
|
||||
$text["language"] = "Lingua";
|
||||
$text["last_update"] = "Ultima modifica";
|
||||
$text["link_alt_updatedocument"] = "If you would like to upload files bigger than the current maximum upload size, please use the alternative <a href=\"%s\">upload page</a>.";
|
||||
$text["linked_documents"] = "Documenti collegati";
|
||||
$text["linked_files"] = "File allegati";
|
||||
$text["local_file"] = "File locale";
|
||||
$text["locked_by"] = "Locked by";
|
||||
$text["lock_document"] = "Blocca";
|
||||
$text["lock_message"] = "Questo documento è bloccato da <a href=\"mailto:[email]\">[username]</a>. Solo gli utenti autorizzati possono sbloccare questo documento.";
|
||||
$text["lock_status"] = "Stato";
|
||||
$text["login_error_text"] = "Errore nel login. ID utente o passord errati.";
|
||||
$text["login_error_title"] = "Errore di login";
|
||||
$text["login_not_given"] = "Non è stato inserito il nome utente";
|
||||
$text["login_ok"] = "Login eseguito";
|
||||
$text["log_management"] = "Amministrazione log file";
|
||||
$text["logout"] = "Logout";
|
||||
$text["manager"] = "Manager";
|
||||
$text["march"] = "Marzo";
|
||||
$text["max_upload_size"] = "Dimensione massima caricabile per ogni file";
|
||||
$text["may"] = "Maggio";
|
||||
$text["monday"] = "Lunedì";
|
||||
$text["month_view"] = "Vista mese";
|
||||
$text["monthly"] = "Monthly";
|
||||
$text["move_document"] = "Sposta documento";
|
||||
$text["move_folder"] = "Sposta cartella";
|
||||
$text["move"] = "Sposta";
|
||||
$text["my_account"] = "Account personale";
|
||||
$text["my_documents"] = "Documenti personali";
|
||||
$text["name"] = "Nome";
|
||||
$text["new_default_keyword_category"] = "Aggiungi categoria";
|
||||
$text["new_default_keywords"] = "Aggiungi parole chiave";
|
||||
$text["new_document_category"] = "Add category";
|
||||
$text["new_document_email"] = "Nuovo documento";
|
||||
$text["new_file_email"] = "Nuovo file allegato";
|
||||
//$text["new_folder"] = "New folder";
|
||||
$text["new"] = "Nuovo";
|
||||
$text["new_subfolder_email"] = "Nuova sottocartella";
|
||||
$text["new_user_image"] = "Nuova immagine";
|
||||
$text["no_action"] = "Non è richiesto alcun intervento";
|
||||
$text["no_approval_needed"] = "No approval pending.";
|
||||
$text["no_attached_files"] = "No attached files";
|
||||
$text["no_default_keywords"] = "Nessuna parola chiave disponibile";
|
||||
//$text["no_docs_locked"] = "No documents locked.";
|
||||
//$text["no_docs_to_approve"] = "There are currently no documents that require approval.";
|
||||
//$text["no_docs_to_look_at"] = "No documents that need attention.";
|
||||
//$text["no_docs_to_review"] = "There are currently no documents that require review.";
|
||||
$text["no_group_members"] = "Questo gruppo non ha membri";
|
||||
$text["no_groups"] = "Nessun gruppo";
|
||||
$text["no"] = "No";
|
||||
$text["no_linked_files"] = "No linked files";
|
||||
$text["no_previous_versions"] = "Nessun'altra versione trovata";
|
||||
$text["no_review_needed"] = "No review pending.";
|
||||
$text["notify_added_email"] = "Sei stato aggiunto alla lista di notifica";
|
||||
$text["notify_deleted_email"] = "Sei stato eliminato dalla lista di notifica";
|
||||
$text["no_update_cause_locked"] = "Non è quindi possible aggiornarlo.";
|
||||
$text["no_user_image"] = "Nessuna immagine trovata";
|
||||
$text["november"] = "Novembre";
|
||||
$text["obsolete"] = "Obsoleto";
|
||||
$text["october"] = "Ottobre";
|
||||
$text["old"] = "Vecchio";
|
||||
$text["only_jpg_user_images"] = "Possono essere utilizzate solo immagini di tipo jpeg";
|
||||
$text["owner"] = "Proprietario";
|
||||
$text["ownership_changed_email"] = "Proprietario cambiato";
|
||||
$text["password"] = "Password";
|
||||
$text["personal_default_keywords"] = "Parole chiave personali";
|
||||
$text["previous_versions"] = "Versioni precedenti";
|
||||
$text["refresh"] = "Refresh";
|
||||
$text["rejected"] = "Rifiutato";
|
||||
$text["released"] = "Rilasciato";
|
||||
$text["removed_approver"] = "Rimosso dalla lista degli approvatori.";
|
||||
$text["removed_file_email"] = "Rimosso file allegato";
|
||||
$text["removed_reviewer"] = "Rimosso dalla lista dei revisori.";
|
||||
$text["results_page"] = "Pagina dei risultati";
|
||||
$text["review_deletion_email"] = "Cancellata la richiesta di revisione";
|
||||
$text["reviewer_already_assigned"] = "già è assegnato come revisore";
|
||||
$text["reviewer_already_removed"] = "già rimosso dal processo di revisione oppure già inserito come revisione";
|
||||
$text["reviewers"] = "Revisori";
|
||||
$text["review_group"] = "Gruppo revisori";
|
||||
$text["review_request_email"] = "Richiesta di revisione";
|
||||
$text["review_status"] = "Stato revisioni";
|
||||
$text["review_submit_email"] = "Sottoposta revisione";
|
||||
$text["review_summary"] = "Dettaglio revisioni";
|
||||
$text["review_update_failed"] = "Errore nella variazione della revisione. Aggiornamento fallito.";
|
||||
$text["rm_default_keyword_category"] = "Cancella categoria";
|
||||
$text["rm_document"] = "Rimuovi documento";
|
||||
$text["rm_document_category"] = "Delete category";
|
||||
$text["rm_file"] = "Rimuovi file";
|
||||
$text["rm_folder"] = "Rimuovi cartella";
|
||||
$text["rm_group"] = "Rimuovi questo gruppo";
|
||||
$text["rm_user"] = "Rimuovi questo utente";
|
||||
$text["rm_version"] = "Rimuovi versione";
|
||||
//$text["role_admin"] = "Administrator";
|
||||
//$text["role_guest"] = "Guest";
|
||||
$text["role_user"] = "User";
|
||||
//$text["role"] = "Role";
|
||||
$text["saturday"] = "Sabato";
|
||||
$text["save"] = "Salva";
|
||||
$text["search_fulltext"] = "Search in fulltext";
|
||||
$text["search_in"] = "Cerca in";
|
||||
$text["search_mode_and"] = "tutte le parole";
|
||||
$text["search_mode_or"] = "almeno una parola";
|
||||
$text["search_no_results"] = "Non ci sono documenti che contengano la vostra ricerca";
|
||||
$text["search_query"] = "Cerca per";
|
||||
$text["search_report"] = "Trovati [count] documenti";
|
||||
$text["search_results_access_filtered"] = "La ricerca può produrre contenuti il cui accesso è negato.";
|
||||
$text["search_results"] = "Risultato ricerca";
|
||||
//$text["search"] = "Search";
|
||||
$text["search_time"] = "Tempo trascorso: [time] sec.";
|
||||
$text["selection"] = "Selezione";
|
||||
$text["select_one"] = "Seleziona uno";
|
||||
$text["september"] = "Settembre";
|
||||
$text["seq_after"] = "Dopo \"[prevname]\"";
|
||||
$text["seq_end"] = "Alla fine";
|
||||
$text["seq_keep"] = "Mantene Posizione";
|
||||
$text["seq_start"] = "Prima posizione";
|
||||
$text["sequence"] = "Posizione";
|
||||
$text["set_expiry"] = "Regola la scadenza";
|
||||
//$text["set_owner_error"] = "Error setting owner";
|
||||
$text["set_owner"] = "Conferma proprietario";
|
||||
$text["settings_activate_module"] = "Activate module";
|
||||
$text["settings_activate_php_extension"] = "Activate PHP extension";
|
||||
$text["settings_adminIP"] = "Admin IP";
|
||||
$text["settings_adminIP_desc"] = "If enabled admin can login only by specified IP addres, leave empty to avoid the control. NOTE: works only with local autentication (no LDAP)";
|
||||
$text["settings_ADOdbPath"] = "ADOdb Path";
|
||||
$text["settings_ADOdbPath_desc"] = "Path to adodb. This is the directory containing the adodb directory";
|
||||
$text["settings_Advanced"] = "Advanced";
|
||||
$text["settings_apache_mod_rewrite"] = "Apache - Module Rewrite";
|
||||
$text["settings_Authentication"] = "Authentication settings";
|
||||
$text["settings_Calendar"] = "Calendar settings";
|
||||
$text["settings_calendarDefaultView"] = "Calendar Default View";
|
||||
$text["settings_calendarDefaultView_desc"] = "Calendar default view";
|
||||
$text["settings_contentDir"] = "Content directory";
|
||||
$text["settings_contentDir_desc"] = "Where the uploaded files are stored (best to choose a directory that is not accessible through your web-server)";
|
||||
$text["settings_contentOffsetDir"] = "Content Offset Directory";
|
||||
$text["settings_contentOffsetDir_desc"] = "To work around limitations in the underlying file system, a new directory structure has been devised that exists within the content directory (Content Directory). This requires a base directory from which to begin. Usually leave this to the default setting, 1048576, but can be any number or string that does not already exist within (Content Directory)";
|
||||
$text["settings_coreDir"] = "Core letoDMS directory";
|
||||
$text["settings_coreDir_desc"] = "Path to SeedDMS_Core (optional)";
|
||||
$text["settings_luceneClassDir"] = "Lucene SeedDMS directory";
|
||||
$text["settings_luceneClassDir_desc"] = "Path to SeedDMS_Lucene (optional)";
|
||||
$text["settings_luceneDir"] = "Lucene index directory";
|
||||
$text["settings_luceneDir_desc"] = "Path to Lucene index";
|
||||
$text["settings_createdatabase"] = "Create database";
|
||||
$text["settings_createdirectory"] = "Create directory";
|
||||
$text["settings_currentvalue"] = "Current value";
|
||||
$text["settings_Database"] = "Database settings";
|
||||
$text["settings_dbDatabase"] = "Database";
|
||||
$text["settings_dbDatabase_desc"] = "The name for your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.";
|
||||
$text["settings_dbDriver"] = "Database Type";
|
||||
$text["settings_dbDriver_desc"] = "The type of database in use entered during the installation process. Do not edit this field unless you are having to migrate to a different type of database perhaps due to changing hosts. Type of DB-Driver used by adodb (see adodb-readme)";
|
||||
$text["settings_dbHostname_desc"] = "The hostname for your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.";
|
||||
$text["settings_dbHostname"] = "Server name";
|
||||
$text["settings_dbPass_desc"] = "The password for access to your database entered during the installation process.";
|
||||
$text["settings_dbPass"] = "Password";
|
||||
$text["settings_dbUser_desc"] = "The username for access to your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.";
|
||||
$text["settings_dbUser"] = "Username";
|
||||
$text["settings_delete_install_folder"] = "To use SeedDMS, you must delete the install directory";
|
||||
$text["settings_disableSelfEdit_desc"] = "If checked user cannot edit his own profile";
|
||||
$text["settings_disableSelfEdit"] = "Disable Self Edit";
|
||||
$text["settings_Display"] = "Display settings";
|
||||
$text["settings_Edition"] = "Edition settings";
|
||||
$text["settings_enableAdminRevApp_desc"] = "Uncheck to don't list administrator as reviewer/approver";
|
||||
$text["settings_enableAdminRevApp"] = "Enable Admin Rev App";
|
||||
$text["settings_enableCalendar_desc"] = "Enable/disable calendar";
|
||||
$text["settings_enableCalendar"] = "Enable Calendar";
|
||||
$text["settings_enableConverting_desc"] = "Enable/disable converting of files";
|
||||
$text["settings_enableConverting"] = "Enable Converting";
|
||||
$text["settings_enableEmail_desc"] = "Enable/disable automatic email notification";
|
||||
$text["settings_enableEmail"] = "Enable E-mail";
|
||||
$text["settings_enableFolderTree_desc"] = "False to don't show the folder tree";
|
||||
$text["settings_enableFolderTree"] = "Enable Folder Tree";
|
||||
$text["settings_enableFullSearch"] = "Enable Full text search";
|
||||
$text["settings_enableGuestLogin_desc"] = "If you want anybody to login as guest, check this option. Note: guest login should be used only in a trusted environment";
|
||||
$text["settings_enableGuestLogin"] = "Enable Guest Login";
|
||||
$text["settings_enableUserImage_desc"] = "Enable users images";
|
||||
$text["settings_enableUserImage"] = "Enable User Image";
|
||||
$text["settings_enableUsersView_desc"] = "Enable/disable group and user view for all users";
|
||||
$text["settings_enableUsersView"] = "Enable Users View";
|
||||
$text["settings_error"] = "Error";
|
||||
$text["settings_expandFolderTree_desc"] = "Expand Folder Tree";
|
||||
$text["settings_expandFolderTree"] = "Expand Folder Tree";
|
||||
$text["settings_expandFolderTree_val0"] = "start with tree hidden";
|
||||
$text["settings_expandFolderTree_val1"] = "start with tree shown and first level expanded";
|
||||
$text["settings_expandFolderTree_val2"] = "start with tree shown fully expanded";
|
||||
$text["settings_firstDayOfWeek_desc"] = "First day of the week";
|
||||
$text["settings_firstDayOfWeek"] = "First day of the week";
|
||||
$text["settings_footNote_desc"] = "Message to display at the bottom of every page";
|
||||
$text["settings_footNote"] = "Foot Note";
|
||||
$text["settings_guestID_desc"] = "ID of guest-user used when logged in as guest (mostly no need to change)";
|
||||
$text["settings_guestID"] = "Guest ID";
|
||||
$text["settings_httpRoot_desc"] = "The relative path in the URL, after the domain part. Do not include the http:// prefix or the web host name. e.g. If the full URL is http://www.example.com/letodms/, set '/letodms/'. If the URL is http://www.example.com/, set '/'";
|
||||
$text["settings_httpRoot"] = "Http Root";
|
||||
$text["settings_installADOdb"] = "Install ADOdb";
|
||||
$text["settings_install_success"] = "The installation is completed successfully";
|
||||
$text["settings_language"] = "Default language";
|
||||
$text["settings_language_desc"] = "Default language (name of a subfolder in folder \"languages\")";
|
||||
$text["settings_logFileEnable_desc"] = "Enable/disable log file";
|
||||
$text["settings_logFileEnable"] = "Log File Enable";
|
||||
$text["settings_logFileRotation_desc"] = "The log file rotation";
|
||||
$text["settings_logFileRotation"] = "Log File Rotation";
|
||||
$text["settings_luceneDir"] = "Directory for full text index";
|
||||
$text["settings_maxDirID_desc"] = "Maximum number of sub-directories per parent directory. Default: 32700.";
|
||||
$text["settings_maxDirID"] = "Max Directory ID";
|
||||
$text["settings_maxExecutionTime_desc"] = "This sets the maximum time in seconds a script is allowed to run before it is terminated by the parse";
|
||||
$text["settings_maxExecutionTime"] = "Max Execution Time (s)";
|
||||
$text["settings_more_settings"] = "Configure more settings. Default login: admin/admin";
|
||||
$text["settings_notfound"] = "Not found";
|
||||
$text["settings_partitionSize"] = "Size of partial files uploaded by jumploader";
|
||||
$text["settings_php_dbDriver"] = "PHP extension : php_'see current value'";
|
||||
$text["settings_php_gd2"] = "PHP extension : php_gd2";
|
||||
$text["settings_php_mbstring"] = "PHP extension : php_mbstring";
|
||||
$text["settings_printDisclaimer_desc"] = "If true the disclaimer message the lang.inc files will be print on the bottom of the page";
|
||||
$text["settings_printDisclaimer"] = "Print Disclaimer";
|
||||
$text["settings_restricted_desc"] = "Only allow users to log in if they have an entry in the local database (irrespective of successful authentication with LDAP)";
|
||||
$text["settings_restricted"] = "Restricted access";
|
||||
$text["settings_rootDir_desc"] = "Path to where letoDMS is located";
|
||||
$text["settings_rootDir"] = "Root directory";
|
||||
$text["settings_rootFolderID_desc"] = "ID of root-folder (mostly no need to change)";
|
||||
$text["settings_rootFolderID"] = "Root Folder ID";
|
||||
$text["settings_SaveError"] = "Configuration file save error";
|
||||
$text["settings_Server"] = "Server settings";
|
||||
$text["settings"] = "Settings";
|
||||
$text["settings_siteDefaultPage_desc"] = "Default page on login. If empty defaults to out/out.ViewFolder.php";
|
||||
$text["settings_siteDefaultPage"] = "Site Default Page";
|
||||
$text["settings_siteName_desc"] = "Name of site used in the page titles. Default: letoDMS";
|
||||
$text["settings_siteName"] = "Site Name";
|
||||
$text["settings_Site"] = "Site";
|
||||
$text["settings_smtpPort_desc"] = "SMTP Server port, default 25";
|
||||
$text["settings_smtpPort"] = "SMTP Server port";
|
||||
$text["settings_smtpSendFrom_desc"] = "Send from";
|
||||
$text["settings_smtpSendFrom"] = "Send from";
|
||||
$text["settings_smtpServer_desc"] = "SMTP Server hostname";
|
||||
$text["settings_smtpServer"] = "SMTP Server hostname";
|
||||
$text["settings_SMTP"] = "SMTP Server settings";
|
||||
$text["settings_stagingDir"] = "Directory for partial uploads";
|
||||
$text["settings_strictFormCheck_desc"] = "Strict form checking. If set to true, then all fields in the form will be checked for a value. If set to false, then (most) comments and keyword fields become optional. Comments are always required when submitting a review or overriding document status";
|
||||
$text["settings_strictFormCheck"] = "Strict Form Check";
|
||||
$text["settings_suggestionvalue"] = "Suggestion value";
|
||||
$text["settings_System"] = "System";
|
||||
$text["settings_theme"] = "Default theme";
|
||||
$text["settings_theme_desc"] = "Default style (name of a subfolder in folder \"styles\")";
|
||||
$text["settings_titleDisplayHack_desc"] = "Workaround for page titles that go over more than 2 lines.";
|
||||
$text["settings_titleDisplayHack"] = "Title Display Hack";
|
||||
$text["settings_updateNotifyTime_desc"] = "Users are notified about document-changes that took place within the last 'Update Notify Time' seconds";
|
||||
$text["settings_updateNotifyTime"] = "Update Notify Time";
|
||||
$text["settings_versioningFileName_desc"] = "The name of the versioning info file created by the backup tool";
|
||||
$text["settings_versioningFileName"] = "Versioning FileName";
|
||||
$text["settings_viewOnlineFileTypes_desc"] = "Files with one of the following endings can be viewed online (USE ONLY LOWER CASE CHARACTERS)";
|
||||
$text["settings_viewOnlineFileTypes"] = "View Online File Types";
|
||||
$text["signed_in_as"] = "Utente";
|
||||
$text["sign_in"] = "sign in";
|
||||
$text["sign_out"] = "Esci";
|
||||
$text["space_used_on_data_folder"] = "Spazio utilizzato dai dati";
|
||||
$text["status_approval_rejected"] = "Bozza rifiutata";
|
||||
$text["status_approved"] = "Approvato";
|
||||
$text["status_approver_removed"] = "Approvatore rimosso dal processo";
|
||||
$text["status_not_approved"] = "Non ancora approvato";
|
||||
$text["status_not_reviewed"] = "Non ancora revisionato";
|
||||
$text["status_reviewed"] = "Revisionato";
|
||||
$text["status_reviewer_rejected"] = "Bozza rifiutata";
|
||||
$text["status_reviewer_removed"] = "Revisore rimosso dal processo";
|
||||
$text["status"] = "Stato";
|
||||
$text["status_unknown"] = "Sconosciuto";
|
||||
$text["storage_size"] = "Dimensione totale";
|
||||
$text["submit_approval"] = "Approvazione documento";
|
||||
$text["submit_login"] = "Login";
|
||||
$text["submit_review"] = "Revisione documento";
|
||||
$text["sunday"] = "Domenica";
|
||||
$text["theme"] = "Tema";
|
||||
$text["thursday"] = "Giovedì";
|
||||
$text["toggle_manager"] = "Manager";
|
||||
$text["to"] = "A";
|
||||
$text["tuesday"] = "Martedì";
|
||||
$text["under_folder"] = "Nella cartella";
|
||||
$text["unknown_command"] = "Commando non riconosciuto.";
|
||||
$text["unknown_document_category"] = "Unknown category";
|
||||
$text["unknown_group"] = "ID gruppo sconosciuto";
|
||||
$text["unknown_id"] = "identificativo sconosciuto";
|
||||
$text["unknown_keyword_category"] = "Categoria sconosciuta";
|
||||
$text["unknown_owner"] = "ID proprietario sconosciuto";
|
||||
$text["unknown_user"] = "ID utente sconosciuto";
|
||||
$text["unlock_cause_access_mode_all"] = "Puoi ancora aggiornarlo, perchè hai il permesso \"all\". Il blocco sarà rimosso automaticamente.";
|
||||
$text["unlock_cause_locking_user"] = "Puoi ancora aggiornarlo, perchè sei l'utente che ha eseguito il blocco. Il blocco sarà rimosso automaticamente.";
|
||||
$text["unlock_document"] = "Sblocca";
|
||||
$text["update_approvers"] = "Aggiornamento lista approvatori";
|
||||
$text["update_document"] = "Aggiorna";
|
||||
$text["update_fulltext_index"] = "Update fulltext index";
|
||||
$text["update_info"] = "Aggiorna informazioni";
|
||||
$text["update_locked_msg"] = "Questo documento è bloccato.";
|
||||
$text["update_reviewers"] = "Aggiornamento lista revisori";
|
||||
$text["update"] = "Aggiorna";
|
||||
$text["uploaded_by"] = "Caricato da";
|
||||
$text["uploading_failed"] = "Upload fallito. Sei pregato di contattare l'amministratore.";
|
||||
$text["use_default_categories"] = "Use predefined categories";
|
||||
$text["use_default_keywords"] = "Usa le parole chiave predefinite";
|
||||
$text["user_exists"] = "Utente esistente";
|
||||
$text["user_image"] = "Immagine";
|
||||
$text["user_info"] = "Informazioni utente";
|
||||
$text["user_list"] = "Lista utenti";
|
||||
$text["user_login"] = "ID utente";
|
||||
$text["user_management"] = "Amministrazione utenti";
|
||||
$text["user_name"] = "Nome e Cognome";
|
||||
$text["users"] = "Utenti";
|
||||
$text["user"] = "Utente";
|
||||
$text["version_deleted_email"] = "Versione cancellata";
|
||||
$text["version_info"] = "Informazioni versione";
|
||||
$text["versioning_file_creation"] = "Creazione file di versionamento";
|
||||
$text["versioning_file_creation_warning"] = "Con questa operazione è possibile creare un file di backup delle informazioni di versionamento dei documenti di una intera cartella. Dopo la creazione ogni file viene salvato nella cartella del relativo documento.";
|
||||
$text["versioning_info"] = "Informazioni di versionamento";
|
||||
$text["version"] = "Versione";
|
||||
$text["view_online"] = "Visualizza";
|
||||
$text["warning"] = "Attenzione";
|
||||
$text["wednesday"] = "Mercoledì";
|
||||
$text["week_view"] = "Vista settimana";
|
||||
$text["year_view"] = "Vista anno";
|
||||
$text["yes"] = "Si";
|
||||
?>
|
|
@ -1,687 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Accept";
|
||||
$text["access_denied"] = "Geen toegang.";
|
||||
$text["access_inheritance"] = "Toegang overerfd";
|
||||
$text["access_mode"] = "Toegang modus";
|
||||
$text["access_mode_all"] = "Alle machtigingen";
|
||||
$text["access_mode_none"] = "Geen toegang";
|
||||
$text["access_mode_read"] = "Lees rechten";
|
||||
$text["access_mode_readwrite"] = "Lees en Schrijf rechten";
|
||||
$text["access_permission_changed_email"] = "Machtigingen gewijzigd";
|
||||
$text["according_settings"] = "volgens instellingen";
|
||||
$text["actions"] = "Acties";
|
||||
$text["add"] = "Toevoegen";
|
||||
$text["add_doc_reviewer_approver_warning"] = "N.B. Documenten zijn automatisch gemarkeeerd als [Gepubliceerd] als geen [Autoriseerder] of [Controleur] is toegewezen.";
|
||||
$text["add_document"] = "Document toevoegen";
|
||||
$text["add_document_link"] = "Link toevoegen";
|
||||
$text["add_event"] = "Activiteit toevoegen";
|
||||
$text["add_group"] = "Nieuwe groep toevoegen";
|
||||
$text["add_member"] = "Lid toevoegen";
|
||||
$text["add_multiple_documents"] = "Meerdere Documenten Toevoegen";
|
||||
$text["add_multiple_files"] = "Meerdere bestanden toevoegen (Gebruikt bestandsnaam als document naam)";
|
||||
$text["add_subfolder"] = "Submap toevoegen";
|
||||
$text["add_user"] = "Nieuwe gebruiker toevoegen";
|
||||
$text["add_user_to_group"] = "Gebruiker aan groep toevoegen";
|
||||
$text["admin"] = "Beheerder";
|
||||
$text["admin_tools"] = "Beheer";
|
||||
$text["all"] = "Alle";
|
||||
$text["all_categories"] = "Alle Categorieen";
|
||||
$text["all_documents"] = "Alle Documenten";
|
||||
$text["all_pages"] = "Alle";
|
||||
$text["all_users"] = "Alle gebruikers";
|
||||
$text["already_subscribed"] = "Al ingetekend";
|
||||
$text["and"] = "en";
|
||||
$text["apply"] = "Toepassen";
|
||||
$text["approval_deletion_email"] = "Goedkeuring verzoek verwijderd";
|
||||
$text["approval_group"] = "Goedkeuring Groep";
|
||||
$text["approval_request_email"] = "Goedkeuring verzoek";
|
||||
$text["approval_status"] = "Goedkeuring Status";
|
||||
$text["approval_submit_email"] = "Uitgevoerde [Goedkeuring]";
|
||||
$text["approval_summary"] = "Goedkeuring Samenvatting";
|
||||
$text["approval_update_failed"] = "Fout bij bijwerken Goedkeuring status. Bijwerken mislukt.";
|
||||
$text["approvers"] = "Autoriseerders";
|
||||
$text["april"] = "april";
|
||||
$text["archive_creation"] = "Archief aanmaken";
|
||||
$text["archive_creation_warning"] = "Met deze handeling maakt U een Archief aan van alle bestanden in het DMS. Na het aanmaken van het Archief, wordt deze opgeslagen in de data-map van uw server.<br>Waarschuwing: een leesbaar Archief kan niet worden gebruikt voor server back-up doeleinde.";
|
||||
$text["assign_approvers"] = "Aangewezen [Goedkeurders]";
|
||||
$text["assign_reviewers"] = "Aangewezen [Controleurs]";
|
||||
$text["assign_user_property_to"] = "Wijs gebruikers machtigingen toe aan";
|
||||
$text["assumed_released"] = "aangenomen status: Gepubliceerd";
|
||||
$text["attrdef_management"] = "Kenmerk definitie beheer";
|
||||
$text["attrdef_exists"] = "Kenmerk definitie bestaat al";
|
||||
$text["attrdef_in_use"] = "Kenmerk definitie nog in gebruikt";
|
||||
$text["attrdef_name"] = "Naam";
|
||||
$text["attrdef_multiple"] = "Meerdere waarden toegestaan";
|
||||
$text["attrdef_objtype"] = "Object type";
|
||||
$text["attrdef_type"] = "Type";
|
||||
$text["attrdef_minvalues"] = "Min. aantal waarden";
|
||||
$text["attrdef_maxvalues"] = "Max. aantal waarden";
|
||||
$text["attrdef_valueset"] = "Verzameling waarden";
|
||||
$text["attributes"] = "Attributen";
|
||||
$text["august"] = "augustus";
|
||||
$text["automatic_status_update"] = "Automatische Status wijziging";
|
||||
$text["back"] = "Terug";
|
||||
$text["backup_list"] = "Bestaande backup lijst";
|
||||
$text["backup_remove"] = "Verwijder backup bestand";
|
||||
$text["backup_tools"] = "Backup gereedschap";
|
||||
$text["between"] = "tussen";
|
||||
$text["calendar"] = "Kalender";
|
||||
$text["cancel"] = "Annuleren";
|
||||
$text["cannot_assign_invalid_state"] = "Kan document niet aanpassen in deze status";
|
||||
$text["cannot_change_final_states"] = "Waarschuwing: U kunt de Status [afgewezen], [vervallen], [in afwachting van] (nog) niet wijzigen.";
|
||||
$text["cannot_delete_yourself"] = "Kan uzelf niet verwijderen";
|
||||
$text["cannot_move_root"] = "Foutmelding: U kunt de basis map niet verplaatsen.";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "Niet mogelijk om [Goedgekeurde] status voor de huidige versie van dit document te verkrijgen.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "Niet mogelijk om [Controle] status voor de huidige versie van dit document te verkrijgen.";
|
||||
$text["cannot_rm_root"] = "Foutmelding: U kunt de basis map niet verwijderen.";
|
||||
$text["category"] = "Categorie";
|
||||
$text["category_exists"] = "Categorie bestaat al.";
|
||||
$text["category_filter"] = "Alleen categorieen";
|
||||
$text["category_in_use"] = "Categorie is in gebruikt door documenten.";
|
||||
$text["category_noname"] = "Geen Categorienaam opgegeven.";
|
||||
$text["categories"] = "Categorieen";
|
||||
$text["change_assignments"] = "Wijzig taken/toewijzingen";
|
||||
$text["change_password"] = "Wijzig wachtwoord";
|
||||
$text["change_password_message"] = "Wachtwoord is gewijzigd.";
|
||||
$text["change_status"] = "Wijzig Status";
|
||||
$text["choose_attrdef"] = "Selecteer een kenmerk definitie";
|
||||
$text["choose_category"] = "Selecteer a.u.b.";
|
||||
$text["choose_group"] = "Selecteer Groep";
|
||||
$text["choose_target_category"] = "Selecteer categorie";
|
||||
$text["choose_target_document"] = "Selecteer Document";
|
||||
$text["choose_target_folder"] = "Selecteer map";
|
||||
$text["choose_user"] = "Selecteer Gebruiker";
|
||||
$text["comment_changed_email"] = "Commentaar gewijzigd";
|
||||
$text["comment"] = "Commentaar";
|
||||
$text["comment_for_current_version"] = "Versie van het commentaar";
|
||||
$text["confirm_create_fulltext_index"] = "Ja, Ik wil de volledigetekst index opnieuw maken!";
|
||||
$text["confirm_pwd"] = "Bevestig wachtwoord";
|
||||
$text["confirm_rm_backup"] = "Weet U zeker dat U het bestand \"[arkname]\" wilt verwijderen?<br>Let op: deze handeling kan niet ongedaan worden gemaakt.";
|
||||
$text["confirm_rm_document"] = "Weet U zeker dat U het document \"[documentname]\" wilt verwijderen?<br>Pas op: deze handeling kan niet ongedaan worden gemaakt.";
|
||||
$text["confirm_rm_dump"] = "Weet U zeker dat U het bestand \"[dumpname]\" wilt verwijderen?<br>Let op: deze handeling kan niet ongedaan worden gemaakt.";
|
||||
$text["confirm_rm_event"] = "Weet U zeker dat U de activiteit \"[name]\" wilt verwijderen?<br>Let op: deze handeling kan niet ongedaan worden gemaakt.";
|
||||
$text["confirm_rm_file"] = "Weet U zeker dat U file \"[name]\" van document \"[documentname]\" wilt verwijderen?<br>Let op: Deze actie kan niet ongedaan worden gemaakt.";
|
||||
$text["confirm_rm_folder"] = "Weet U zeker dat U de map \"[foldername]\" en haar inhoud wilt verwijderen?<br>Pas op: deze handeling kan niet ongedaan worden gemaakt.";
|
||||
$text["confirm_rm_folder_files"] = "Weet U zeker dat U alle bestanden en submappen van de map \"[foldername]\" wilt verwijderen?<br>Let op: deze actie kan niet ongedaan worden gemaakt.";
|
||||
$text["confirm_rm_group"] = "Weet U zeker dat U de Groep \"[groupname]\" wilt verwijderen?<br>Let op: deze handeling kan niet ongedaan worden gemaakt.";
|
||||
$text["confirm_rm_log"] = "Weet U zeker dat U het logbestand \"[logname]\" wilt verwijderen?<br>Let op: deze handeling kan niet ongedaan worden gemaakt.";
|
||||
$text["confirm_rm_user"] = "Weet U zeker dat U de Gebruiker \"[username]\" wilt verwijderen?<br>Let op: deze handeling kan niet ongedaan worden gemaakt.";
|
||||
$text["confirm_rm_version"] = "Weet U zeker dat U deze versie van het document \"[documentname]\" wilt verwijderen?<br>Pas op: deze handeling kan niet ongedaan worden gemaakt.";
|
||||
$text["content"] = "Welkomstpagina";
|
||||
$text["continue"] = "Doorgaan";
|
||||
$text["create_fulltext_index"] = "Creeer volledige tekst index";
|
||||
$text["create_fulltext_index_warning"] = "U staat op het punt de volledigetekst opnieuw te indexeren. Dit kan behoorlijk veel tijd en snelheid vergen van het systeem. Als u zeker bent om opnieuw te indexeren, bevestig deze actie.";
|
||||
$text["creation_date"] = "Aangemaakt";
|
||||
$text["current_password"] = "Huidige wachtwoord";
|
||||
$text["current_version"] = "Huidige versie";
|
||||
$text["daily"] = "Dagelijks";
|
||||
$text["databasesearch"] = "Zoek in Database";
|
||||
$text["december"] = "december";
|
||||
$text["default_access"] = "Standaard toegang";
|
||||
$text["default_keywords"] = "Beschikbare sleutelwoorden";
|
||||
$text["delete"] = "Verwijderen";
|
||||
$text["details"] = "Details";
|
||||
$text["details_version"] = "Details voor versie: [version]";
|
||||
$text["disclaimer"] = "Dit is een beveiligde omgeving. Gebruik is alleen toegestaan voor geautoriseerde leden. Ongeautoriseerde toegang kan worden bestraft overeenkomstig (inter)nationale wetgeving.";
|
||||
$text["do_object_repair"] = "Repareer alle mappen en documenten.";
|
||||
$text["document_already_locked"] = "Dit document is al geblokkeerd";
|
||||
$text["document_deleted"] = "Document verwijderd";
|
||||
$text["document_deleted_email"] = "Document verwijderd";
|
||||
$text["document"] = "Document";
|
||||
$text["document_infos"] = "Document Informatie";
|
||||
$text["document_is_not_locked"] = "Dit document is niet geblokkeerd";
|
||||
$text["document_link_by"] = "Gekoppeld met";
|
||||
$text["document_link_public"] = "Publiek";
|
||||
$text["document_moved_email"] = "Document verplaatst";
|
||||
$text["document_renamed_email"] = "Document hernoemd";
|
||||
$text["documents"] = "Documenten";
|
||||
$text["documents_in_process"] = "Documenten in behandeling";
|
||||
$text["documents_locked_by_you"] = "Documenten door U geblokkeerd";
|
||||
$text["documents_only"] = "Alleen documenten";
|
||||
$text["document_status_changed_email"] = "Document status gewijzigd";
|
||||
$text["documents_to_approve"] = "Documenten die wachten op uw goedkeuring";
|
||||
$text["documents_to_review"] = "Documenten die wachten op uw controle";
|
||||
$text["documents_user_requiring_attention"] = "Eigen documenten die (nog) aandacht behoeven";
|
||||
$text["document_title"] = "Document '[documentname]'";
|
||||
$text["document_updated_email"] = "Document bijgewerkt";
|
||||
$text["does_not_expire"] = "Verloopt niet";
|
||||
$text["does_not_inherit_access_msg"] = "Erft toegang";
|
||||
$text["download"] = "Download";
|
||||
$text["draft_pending_approval"] = "Draft - in afwachting van goedkeuring";
|
||||
$text["draft_pending_review"] = "Draft - in afwachting van controle";
|
||||
$text["dump_creation"] = "DB dump aanmaken";
|
||||
$text["dump_creation_warning"] = "M.b.v. deze functie maakt U een DB dump file. het bestand wordt opgeslagen in uw data-map op de Server";
|
||||
$text["dump_list"] = "Bestaande dump bestanden";
|
||||
$text["dump_remove"] = "Verwijder dump bestand";
|
||||
$text["edit_attributes"] = "Bewerk attributen";
|
||||
$text["edit_comment"] = "Wijzig commentaar";
|
||||
$text["edit_default_keyword_category"] = "Wijzig categorien";
|
||||
$text["edit_default_keywords"] = "Standaard sleutelwoorden bewerken";
|
||||
$text["edit_document_access"] = "Wijzig toegang";
|
||||
$text["edit_document_notify"] = "Document Notificatie Lijst";
|
||||
$text["edit_document_props"] = "Wijzig document";
|
||||
$text["edit_document_props_again"] = "Wijzig document opnieuw";
|
||||
$text["edit"] = "Wijzigen";
|
||||
$text["edit_event"] = "Activiteit wijzigen";
|
||||
$text["edit_existing_access"] = "Wijzig toegangslijst";
|
||||
$text["edit_existing_notify"] = "Wijzig Notificatie lijst";
|
||||
$text["edit_folder_access"] = "Wijzig toegang";
|
||||
$text["edit_folder_notify"] = "Map Notificatie Lijst";
|
||||
$text["edit_folder_props"] = "Wijzig Map eigenschappen";
|
||||
$text["edit_folder_props_again"] = "Wijzig map eigenschappen opnieuw";
|
||||
$text["edit_group"] = "Wijzig Groep";
|
||||
$text["edit_user_details"] = "Wijzig gebruiker Details";
|
||||
$text["edit_user"] = "Wijzig gebruiker";
|
||||
$text["email"] = "E-mail";
|
||||
$text["email_footer"] = "U kunt altijd uw e-mail instellingen wijzigen via de 'Mijn Account' opties";
|
||||
$text["email_header"] = "Dit is een automatisch gegenereerd bericht van de DMS server.";
|
||||
$text["email_not_given"] = "Voer aub een geldig email adres in.";
|
||||
$text["empty_notify_list"] = "Geen gegevens";
|
||||
$text["error"] = "Fout";
|
||||
$text["error_no_document_selected"] = "Geen document geselecteerd";
|
||||
$text["error_no_folder_selected"] = "Geen map geselecteerd";
|
||||
$text["error_occured"] = "Er is een fout opgetreden";
|
||||
$text["event_details"] = "Activiteit details";
|
||||
$text["expired"] = "Verlopen";
|
||||
$text["expires"] = "Verloopt";
|
||||
$text["expiry_changed_email"] = "Verloopdatum gewijzigd";
|
||||
$text["february"] = "februari";
|
||||
$text["file"] = "Bestand";
|
||||
$text["files_deletion"] = "Bestanden verwijderen";
|
||||
$text["files_deletion_warning"] = "Met deze handeling verwijdert U ALLE bestanden uit het DMS. Versie informatie blijft beschikbaar";
|
||||
$text["files"] = "Bestanden";
|
||||
$text["file_size"] = "Bestandsomvang";
|
||||
$text["folder_contents"] = "Map Inhoud";
|
||||
$text["folder_deleted_email"] = "Map verwijderd";
|
||||
$text["folder"] = "Map";
|
||||
$text["folder_infos"] = "Map Eigenschappen";
|
||||
$text["folder_moved_email"] = "Map verplaatst";
|
||||
$text["folder_renamed_email"] = "Map hernoemd";
|
||||
$text["folders_and_documents_statistic"] = "Inhoudsopgave";
|
||||
$text["folders"] = "Mappen";
|
||||
$text["folder_title"] = "Map naam '[foldername]'";
|
||||
$text["friday"] = "Vrijdag";
|
||||
$text["from"] = "Van";
|
||||
$text["fullsearch"] = "Zoek in volledige tekst";
|
||||
$text["fullsearch_hint"] = "Volledige tekst index";
|
||||
$text["fulltext_info"] = "Volledige tekst index info";
|
||||
$text["global_attributedefinitions"] = "Kenmerk definities";
|
||||
$text["global_default_keywords"] = "Algemene sleutelwoorden";
|
||||
$text["global_document_categories"] = "Categorieen";
|
||||
$text["group_approval_summary"] = "Groep [Goedkeuring] samenvatting";
|
||||
$text["group_exists"] = "Groep bestaat reeds.";
|
||||
$text["group"] = "Groep";
|
||||
$text["group_management"] = "Groepen beheer";
|
||||
$text["group_members"] = "Groepsleden";
|
||||
$text["group_review_summary"] = "Groep [Controle] samenvatting";
|
||||
$text["groups"] = "Groepen";
|
||||
$text["guest_login_disabled"] = "Gast login is uitgeschakeld.";
|
||||
$text["guest_login"] = "Login als Gast";
|
||||
$text["help"] = "Help";
|
||||
$text["hourly"] = "Elk uur";
|
||||
$text["human_readable"] = "Leesbaar Archief";
|
||||
$text["include_documents"] = "Inclusief documenten";
|
||||
$text["include_subdirectories"] = "Inclusief submappen";
|
||||
$text["index_converters"] = "Index document conversie";
|
||||
$text["individuals"] = "Individuen";
|
||||
$text["inherits_access_msg"] = "Toegang is (over/ge)erfd..";
|
||||
$text["inherits_access_copy_msg"] = "Kopie lijst overerfde toegang";
|
||||
$text["inherits_access_empty_msg"] = "Begin met lege toegangslijst";
|
||||
$text["internal_error_exit"] = "Interne fout. Niet mogelijk om verzoek uit de voeren. Systeem stopt.";
|
||||
$text["internal_error"] = "Interne fout";
|
||||
$text["invalid_access_mode"] = "Foutmelding: verkeerde toegangsmode";
|
||||
$text["invalid_action"] = "Foutieve actie";
|
||||
$text["invalid_approval_status"] = "Foutieve autorisatie status";
|
||||
$text["invalid_create_date_end"] = "Foutieve eind-datum voor het maken van een periode.";
|
||||
$text["invalid_create_date_start"] = "Foutieve begin-datum voor het maken van een periode.";
|
||||
$text["invalid_doc_id"] = "Foutief Document ID";
|
||||
$text["invalid_file_id"] = "Foutief Bestand ID";
|
||||
$text["invalid_folder_id"] = "Foutief Map ID";
|
||||
$text["invalid_group_id"] = "Foutief Groep ID";
|
||||
$text["invalid_link_id"] = "Foutief link ID";
|
||||
$text["invalid_request_token"] = "Foutief Verzoek Token";
|
||||
$text["invalid_review_status"] = "Foutief Controle Status";
|
||||
$text["invalid_sequence"] = "Foutief volgwaarde";
|
||||
$text["invalid_status"] = "Foutief Document Status";
|
||||
$text["invalid_target_doc_id"] = "Foutief Doel Document ID";
|
||||
$text["invalid_target_folder"] = "Foutief Doel Map ID";
|
||||
$text["invalid_user_id"] = "Foutief Gebruiker ID";
|
||||
$text["invalid_version"] = "Foutief Document Versie";
|
||||
$text["is_disabled"] = "Deactiveer account";
|
||||
$text["is_hidden"] = "Afschermen van Gebruikerslijst";
|
||||
$text["january"] = "januari";
|
||||
$text["js_no_approval_group"] = "Selecteer a.u.b. een Goedkeuring Groep";
|
||||
$text["js_no_approval_status"] = "Selecteer a.u.b. een Goedkeuring Status";
|
||||
$text["js_no_comment"] = "Er zijn geen commentaren";
|
||||
$text["js_no_email"] = "Voer uw e-mail adres in";
|
||||
$text["js_no_file"] = "Selecteer een bestand";
|
||||
$text["js_no_keywords"] = "Specificeer een aantal sleutelwoorden";
|
||||
$text["js_no_login"] = "Voer een Gebruikersnaam in";
|
||||
$text["js_no_name"] = "Voer een naam in";
|
||||
$text["js_no_override_status"] = "Selecteer de nieuwe [override] status";
|
||||
$text["js_no_pwd"] = "U moet uw wachtwoord invoeren";
|
||||
$text["js_no_query"] = "Voer een zoekvraag in";
|
||||
$text["js_no_review_group"] = "Selecteer a.u.b. een Controleursgroep";
|
||||
$text["js_no_review_status"] = "Selecteer a.u.b. een Controle status";
|
||||
$text["js_pwd_not_conf"] = "Wachtwoord en bevestigingswachtwoord zijn niet identiek";
|
||||
$text["js_select_user_or_group"] = "Selecteer tenminste een Gebruiker of Groep";
|
||||
$text["js_select_user"] = "Selecteer een Gebruiker";
|
||||
$text["july"] = "july";
|
||||
$text["june"] = "juni";
|
||||
$text["keyword_exists"] = "Sleutelwoord bestaat al";
|
||||
$text["keywords"] = "Sleutelwoorden";
|
||||
$text["language"] = "Talen";
|
||||
$text["last_update"] = "Laatste Update";
|
||||
$text["link_alt_updatedocument"] = "Als u bestanden wilt uploaden groter dan het huidige maximum, gebruik aub de alternatieve <a href=\"%s\">upload pagina</a>.";
|
||||
$text["linked_documents"] = "Gerelateerde Documenten";
|
||||
$text["linked_files"] = "Bijlagen";
|
||||
$text["local_file"] = "Lokaal bestand";
|
||||
$text["locked_by"] = "In gebruik door";
|
||||
$text["lock_document"] = "Blokkeer";
|
||||
$text["lock_message"] = "Dit document is geblokkeerd door <a href=\"mailto:[email]\">[username]</a>. Alleen geautoriseerde Gebruikers kunnen het de-blokeren.";
|
||||
$text["lock_status"] = "Status";
|
||||
$text["login"] = "Login";
|
||||
$text["login_disabled_text"] = "Uw account is gedeactiveerd, mogelijk door teveel foutieve inlogpogingen.";
|
||||
$text["login_disabled_title"] = "Account is gedeactiveerd";
|
||||
$text["login_error_text"] = "Invoer fout: Gebruikersnaam en/of wachtwoord is fout.";
|
||||
$text["login_error_title"] = "Login fout";
|
||||
$text["login_not_given"] = "Er is geen Gebruikersnaam ingevoerd";
|
||||
$text["login_ok"] = "Login geslaagd";
|
||||
$text["log_management"] = "Logbestanden beheer";
|
||||
$text["logout"] = "Log uit";
|
||||
$text["manager"] = "Beheerder";
|
||||
$text["march"] = "maart";
|
||||
$text["max_upload_size"] = "Maximale upload omvang voor ieder bestand";
|
||||
$text["may"] = "mei";
|
||||
$text["monday"] = "Maandag";
|
||||
$text["month_view"] = "Maand Overzicht";
|
||||
$text["monthly"] = "Maandelijks";
|
||||
$text["move_document"] = "Verplaats document";
|
||||
$text["move_folder"] = "Verplaats Map";
|
||||
$text["move"] = "Verplaats";
|
||||
$text["my_account"] = "Mijn Account";
|
||||
$text["my_documents"] = "Mijn Documenten";
|
||||
$text["name"] = "Naam";
|
||||
$text["new_attrdef"] = "Voeg kenmerk definitie toe";
|
||||
$text["new_default_keyword_category"] = "Categorie Toevoegen";
|
||||
$text["new_default_keywords"] = "Sleutelwoorden toevoegen";
|
||||
$text["new_document_category"] = "Categorie toevoegen";
|
||||
$text["new_document_email"] = "Nieuw document";
|
||||
$text["new_file_email"] = "Nieuwe bijlage";
|
||||
$text["new_folder"] = "Nieuwe map";
|
||||
$text["new"] = "Nieuw";
|
||||
$text["new_password"] = "Nieuw wachtwoord";
|
||||
$text["new_subfolder_email"] = "Nieuwe map";
|
||||
$text["new_user_image"] = "Nieuwe afbeelding";
|
||||
$text["no_action"] = "Geen actie nodig";
|
||||
$text["no_approval_needed"] = "Geen goedkeuring gaande.";
|
||||
$text["no_attached_files"] = "Geen bijlagen";
|
||||
$text["no_default_keywords"] = "Geen Sleutelwoorden beschikbaar";
|
||||
$text["no_docs_locked"] = "Geen documenten in gebruik.";
|
||||
$text["no_docs_to_approve"] = "Er zijn momenteel geen documenten die Goedkeuring behoeven.";
|
||||
$text["no_docs_to_look_at"] = "Geen documenten die aandacht behoeven.";
|
||||
$text["no_docs_to_review"] = "Er zijn momenteel geen documenten die Controle behoeven.";
|
||||
$text["no_fulltextindex"] = "Geen volledigetekst index beschikbaar";
|
||||
$text["no_group_members"] = "Deze Groep heeft geen leden";
|
||||
$text["no_groups"] = "Geen Groepen";
|
||||
$text["no"] = "Nee";
|
||||
$text["no_linked_files"] = "Geen gekoppelde bestanden";
|
||||
$text["no_previous_versions"] = "Geen andere versie(s) gevonden";
|
||||
$text["no_review_needed"] = "Geen review bezig.";
|
||||
$text["notify_added_email"] = "U bent toegevoegd aan de [notificatie lijst]";
|
||||
$text["notify_deleted_email"] = "U bent verwijderd van de [notificatie lijst]";
|
||||
$text["no_update_cause_locked"] = "U kunt daarom dit document niet bijwerken. Neem contact op met de persoon die het document heeft geblokkeerd.";
|
||||
$text["no_user_image"] = "Geen afbeelding(en) gevonden";
|
||||
$text["november"] = "november";
|
||||
$text["now"] = "nu";
|
||||
$text["objectcheck"] = "Map/Document controle";
|
||||
$text["obsolete"] = "verouderd";
|
||||
$text["october"] = "oktober";
|
||||
$text["old"] = "Oude";
|
||||
$text["only_jpg_user_images"] = "U mag alleen .jpg afbeeldingen gebruiken als gebruikersafbeeldingen.";
|
||||
$text["owner"] = "Eigenaar";
|
||||
$text["ownership_changed_email"] = "Eigenaar gewijzigd";
|
||||
$text["password"] = "Wachtwoord";
|
||||
$text["password_already_used"] = "Wachtwoord al gebruikt";
|
||||
$text["password_repeat"] = "Herhaal wachtwoord";
|
||||
$text["password_expiration"] = "Wachtwoord vervaldatum";
|
||||
$text["password_expiration_text"] = "Uw wachtwoord is verlopen. Kies een nieuwe voordat u gebruik wilt maken van SeedDMS.";
|
||||
$text["password_forgotten"] = "Wachtwoord vergeten";
|
||||
$text["password_forgotten_email_subject"] = "Wachtwoord vergeten";
|
||||
$text["password_forgotten_email_body"] = "Geachte gebruiker van SeedDMS,\n\nWij hebben een verzoek ontvangen om uw wachtwoord te veranderen.\n\nDit kan uitgevoerd worden door op de volgende koppeling te drukken:\n\n###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###\n\nAls u nog steed problemen ondervind met het inloggen, neem aub contact op met uw beheerder.";
|
||||
$text["password_forgotten_send_hash"] = "Verdere instructies zijn naar uw gebruikers email adres verstuurd.";
|
||||
$text["password_forgotten_text"] = "Vul het formulier hieronder in en volg de instructie in de email, welke naar u verzonden zal worden.";
|
||||
$text["password_forgotten_title"] = "Wachtwoord verzonden";
|
||||
$text["password_strength_insuffient"] = "Onvoldoende wachtwoord sterkte";
|
||||
$text["password_wrong"] = "Verkeerde wachtwoord";
|
||||
$text["personal_default_keywords"] = "Persoonlijke sleutelwoorden";
|
||||
$text["previous_versions"] = "Vorige versies";
|
||||
$text["refresh"] = "Verversen";
|
||||
$text["rejected"] = "Afgewezen";
|
||||
$text["released"] = "Gepubliceerd";
|
||||
$text["removed_approver"] = "is verwijderd uit de lijst van [Goedkeurders].";
|
||||
$text["removed_file_email"] = "Verwijderde bijlage";
|
||||
$text["removed_reviewer"] = "is verwijderd uit de lijst van [Controleurs].";
|
||||
$text["repairing_objects"] = "Documenten en mappen repareren.";
|
||||
$text["results_page"] = "Resultaten pagina";
|
||||
$text["review_deletion_email"] = "Controle verzoek gewijzigd";
|
||||
$text["reviewer_already_assigned"] = "is reeds aangewezen als [Controleur]";
|
||||
$text["reviewer_already_removed"] = "is reeds verwijderd uit het [Controle] process of heeft reeds [Controle] uitgevoerd";
|
||||
$text["reviewers"] = "[Controleurs]";
|
||||
$text["review_group"] = "[Controle] Groep";
|
||||
$text["review_request_email"] = "Controle verzoek";
|
||||
$text["review_status"] = "[Controle] Status";
|
||||
$text["review_submit_email"] = "Uitgevoerde [Controle]";
|
||||
$text["review_summary"] = "[Controle] Samenvatting";
|
||||
$text["review_update_failed"] = "Foutmelding: fout bij bijwerken [Controle] Status. Bijwerken mislukt.";
|
||||
$text["rm_attrdef"] = "Verwijder kenmerk definitie";
|
||||
$text["rm_default_keyword_category"] = "Verwijder Categorie";
|
||||
$text["rm_document"] = "Verwijder Document";
|
||||
$text["rm_document_category"] = "Verwijder categorie";
|
||||
$text["rm_file"] = "Verwijder bestand";
|
||||
$text["rm_folder"] = "Verwijder map";
|
||||
$text["rm_group"] = "Verwijder deze Groep";
|
||||
$text["rm_user"] = "Verwijder deze Gebruiker";
|
||||
$text["rm_version"] = "Verwijder versie";
|
||||
$text["role_admin"] = "Beheerder";
|
||||
$text["role_guest"] = "Gast";
|
||||
$text["role_user"] = "Gebruiker";
|
||||
$text["role"] = "Rol";
|
||||
$text["saturday"] = "Zaterdag";
|
||||
$text["save"] = "Opslaan";
|
||||
$text["search_fulltext"] = "Zoek in volledige tekst";
|
||||
$text["search_in"] = "Zoek in";
|
||||
$text["search_mode_and"] = "alle woorden";
|
||||
$text["search_mode_or"] = "tenminste 1 woord";
|
||||
$text["search_no_results"] = "Er zijn geen documenten gevonden die aan uw zoekvraag voldoen";
|
||||
$text["search_query"] = "Zoeken naar";
|
||||
$text["search_report"] = " [count] documenten en [foldercount] mappen gevonden in [searchtime] sec.";
|
||||
$text["search_report_fulltext"] = " [doccount] documenten gevonden";
|
||||
$text["search_results_access_filtered"] = "Zoekresultaten kunnen inhoud bevatten waar U geen toegang toe heeft.";
|
||||
$text["search_results"] = "Zoekresultaten";
|
||||
$text["search"] = "Zoeken";
|
||||
$text["search_time"] = "Verstreken tijd: [time] sec.";
|
||||
$text["selection"] = "Selectie";
|
||||
$text["select_one"] = "Selecteer een";
|
||||
$text["september"] = "september";
|
||||
$text["seq_after"] = "Na \"[prevname]\"";
|
||||
$text["seq_end"] = "Op het einde";
|
||||
$text["seq_keep"] = "Behoud Positie";
|
||||
$text["seq_start"] = "Eerste positie";
|
||||
$text["sequence"] = "Volgorde";
|
||||
$text["set_expiry"] = "Set Verlopen";
|
||||
$text["set_owner_error"] = "Fout bij instellen eigenaar";
|
||||
$text["set_owner"] = "Stel eigenaar in";
|
||||
$text["set_password"] = "Stel wachtwoord in";
|
||||
$text["settings"] = "Instellingen";
|
||||
$text["settings_install_welcome_title"] = "Welkom bij de installatie van letoDMS";
|
||||
$text["settings_install_welcome_text"] = "<p>Wees er zeker van dat u een bestand, genaamd 'ENABLE_INSTALL_TOOL', gemaakt heeft in de configuratiemap, voordat u de installatie van letDMS begint, anders zal de installatie niet werken. Op een Unix-Syteem kan dit makkelijk gedaan worden met 'touch conf/ENABLE_INSTALL_TOOL'. Verwijder het bestand nadat de installatie afgerond is.</p><p>letoDMS heeft weinig installatievoorwaarden. U heeft een mysql database en een php-geschikte web server nodig. Voor de lucene volledige tekst zoekfunctie, moet Zend framework geinstalleerd zijn op schijf en gevonden worden door php. Vanaf versie 3.2.0 van letoDMS zal ADOdb geen deel meer uitmaken van de uitgave. Een kopie kan van <a href=\"http://adodb.sourceforge.net/\">http://adodb.sourceforge.net</a> gehaald en geinstalleerd worden. Het pad kan later opgegeven worden tijdens de installatie.</p><p>Als u de database voor de installatie wilt aanmaken, dan kunt u het handmatig met uw favoriete gereedschap aanmaken. optioneel kan een database met gebruikerstoegang gemaakt worden en importeer een van de database dumps in de configuratiemap. Met het installatiescript kan dit ook, maar hiervoor is database toegang nodig met voldoende rechten om een database aan te maken.</p>";
|
||||
$text["settings_start_install"] = "Begin installatie";
|
||||
$text["settings_sortUsersInList"] = "Sorteer gebruikers in de lijst";
|
||||
$text["settings_sortUsersInList_desc"] = "Bepaald of gebruikers in keuzemenus gesorteerd worden op loginnaam of volledige naam";
|
||||
$text["settings_sortUsersInList_val_login"] = "Sorteer op login";
|
||||
$text["settings_sortUsersInList_val_fullname"] = "Sorteer op volledige name";
|
||||
$text["settings_stopWordsFile"] = "Pad naar bestand met nietindex woorden";
|
||||
$text["settings_stopWordsFile_desc"] = "Als volledigetekst zoekopdracht is ingeschakeld, bevat dit bestand woorden die niet geindexeerd zullen worden.";
|
||||
$text["settings_activate_module"] = "Activeer module";
|
||||
$text["settings_activate_php_extension"] = "Activeer PHP uitbreiding";
|
||||
$text["settings_adminIP"] = "Beheer IP";
|
||||
$text["settings_adminIP_desc"] = "Indien ingesteld kan de beheerder alleen vanaf het ingestelde IP adres inloggen. Leeg laten om controle te vermijden. Opmerking: Werkt alleen met lokale authenticatie (Geen LDAP)";
|
||||
$text["settings_ADOdbPath"] = "ADOdb Pad";
|
||||
$text["settings_ADOdbPath_desc"] = "Pad naar adodb. Dit is de map die de adodb map bevat";
|
||||
$text["settings_Advanced"] = "Uitgebreid";
|
||||
$text["settings_apache_mod_rewrite"] = "Apache - Module Rewrite";
|
||||
$text["settings_Authentication"] = "Authenticatie instellingen";
|
||||
$text["settings_Calendar"] = "Kalender instellingen";
|
||||
$text["settings_calendarDefaultView"] = "Kalender Standaard overzicht";
|
||||
$text["settings_calendarDefaultView_desc"] = "Kalender standaard overzicht";
|
||||
$text["settings_contentDir"] = "Inhoud map";
|
||||
$text["settings_contentDir_desc"] = "Waar de verzonden bestande opgeslagen worden (Kan het beste een map zijn die niet benaderbaar is voor de webserver.)";
|
||||
$text["settings_contentOffsetDir"] = "Inhouds Basis Map";
|
||||
$text["settings_contentOffsetDir_desc"] = "Om de beperkingen van het onderliggende bestandssysteem te omzeilen, is een nieuwe mappenstructuur bedacht dat binnen de inhoudsmap (Inhoudsmap) bestaat. Hiervoor is een map nodig als basis. Gebruikelijk is om dit de standaardwaarde te laten, 1048576, maar kan elke waarde of tekst bevatten dat nog niet bestaat binnen de (Inhoudsmap)";
|
||||
$text["settings_coreDir"] = "Core letoDMS map";
|
||||
$text["settings_coreDir_desc"] = "Pad naar SeedDMS_Core (optioneel)";
|
||||
$text["settings_loginFailure_desc"] = "Deactiveer account na n foutieve loginpogingen.";
|
||||
$text["settings_loginFailure"] = "Login fout";
|
||||
$text["settings_luceneClassDir"] = "Lucene SeedDMS map";
|
||||
$text["settings_luceneClassDir_desc"] = "Pad naar SeedDMS_Lucene (optioneel)";
|
||||
$text["settings_luceneDir"] = "Lucene index map";
|
||||
$text["settings_luceneDir_desc"] = "Pad naar Lucene index";
|
||||
$text["settings_cannot_disable"] = "Bestand ENABLE_INSTALL_TOOL kon niet verwijderd worden";
|
||||
$text["settings_install_disabled"] = "Bestand ENABLE_INSTALL_TOOL is verwijderd. U kunt nu inloggen in SeedDMS en verdere configuratie uitvoeren.";
|
||||
$text["settings_createdatabase"] = "Maak database tabellen";
|
||||
$text["settings_createdirectory"] = "Maak map";
|
||||
$text["settings_currentvalue"] = "Huidige waarde";
|
||||
$text["settings_Database"] = "Database instellingen";
|
||||
$text["settings_dbDatabase"] = "Database";
|
||||
$text["settings_dbDatabase_desc"] = "De naam van de database ingevoerd tijdens het installatie proces. Verander de waarde niet tenzij noodzakelijk, als bijvoorbeeld de database is verplaatst.";
|
||||
$text["settings_dbDriver"] = "Database Type";
|
||||
$text["settings_dbDriver_desc"] = "Het type database in gebruik dat tijdens het installatie proces is ingevoerd. Verander de waarde niet tenzij er naar een andere type database gemigreerd moet worden, misschien door andere server. Type DB-besturing gebruikt door adodb (Bekijk adodb-readme)";
|
||||
$text["settings_dbHostname_desc"] = "De computernaam voor de database ingevoerd tijdens het installatie proces. Verander de waarde niet tenzij echt nodig, bijvoorbeeld bij verplaatsing van de database naar een ander systeem.";
|
||||
$text["settings_dbHostname"] = "Server naam";
|
||||
$text["settings_dbPass_desc"] = "Het wachtwoord voor toegang tot de database ingevoerd tijdens de installatie.";
|
||||
$text["settings_dbPass"] = "Wachtwoord";
|
||||
$text["settings_dbUser_desc"] = "De gebruikersnaam voor toegang tot de datbase ingevoerd tijdens de installatie. Verander de waarde niet tenzij echt nodig, bijvoorbeeld bij verplaatsing van de database naar een ander systeem.";
|
||||
$text["settings_dbUser"] = "Gebruikersnaam";
|
||||
$text["settings_dbVersion"] = "Database schema te oud";
|
||||
$text["settings_delete_install_folder"] = "Om SeedDMS te kunnen gebruiken moet het bestand ENABLE_INSTALL_TOOL uit de configuratiemap verwijderd worden.";
|
||||
$text["settings_disable_install"] = "Verwijder het bestand ENABLE_INSTALL_TOOL indien mogelijk";
|
||||
$text["settings_disableSelfEdit_desc"] = "Indien aangevinkt kan de gebruiker zijn eigen profiel niet wijzigen.";
|
||||
$text["settings_disableSelfEdit"] = "Uitschakelen Eigenprofiel wijzigen";
|
||||
$text["settings_Display"] = "Scherm instellingen";
|
||||
$text["settings_Edition"] = "Uitgave instellingen";
|
||||
$text["settings_enableAdminRevApp_desc"] = "Uitvinken om beheerder niet te tonen als controleerder/beoordeler";
|
||||
$text["settings_enableAdminRevApp"] = "Inschakelen Beheer Contr/Beoord";
|
||||
$text["settings_enableCalendar_desc"] = "Inschakelen/uitschakelen kalender";
|
||||
$text["settings_enableCalendar"] = "Inschakelen Kalendar";
|
||||
$text["settings_enableConverting_desc"] = "Inschakelen/uitschakelen conversie van bestanden";
|
||||
$text["settings_enableConverting"] = "Inschakelen Conversie";
|
||||
$text["settings_enableNotificationAppRev_desc"] = "Vink aan om een notificatie te versturen naar de controleur/beoordeler als een nieuw document versie is toegevoegd.";
|
||||
$text["settings_enableNotificationAppRev"] = "Inschakelen controleur/beoordeler notificatie";
|
||||
$text["settings_enableVersionModification_desc"] = "Inschakelen/uitschakelen van bewerkingen op documentversies door normale gebruikers na een versie upload. Beheerder mag altijd de versie wijzigen na upload.";
|
||||
$text["settings_enableVersionModification"] = "Inschakelen van versiebewerking";
|
||||
$text["settings_enableVersionDeletion_desc"] = "Inschakelen/uitschakelen verwijderen van voorgaande documentversies door normale gebruikers. Beheerder mag altijd oude versies verwijderen.";
|
||||
$text["settings_enableVersionDeletion"] = "Inschakelen verwijderen voorgaande versies";
|
||||
$text["settings_enableEmail_desc"] = "Inschakelen/uitschakelen automatische email notificatie";
|
||||
$text["settings_enableEmail"] = "Inschakelen E-mail";
|
||||
$text["settings_enableFolderTree_desc"] = "Uitschakelen om de mappenstructuur niet te tonen";
|
||||
$text["settings_enableFolderTree"] = "Inschakelen Mappenstructuur";
|
||||
$text["settings_enableFullSearch"] = "Inschakelen volledigetekst zoekopdracht";
|
||||
$text["settings_enableFullSearch_desc"] = "Inschakelen zoeken in volledigetekst";
|
||||
$text["settings_enableGuestLogin_desc"] = "Als U iemand wilt laten inloggen als gast, schakel deze optie in. Opmerking: Gast login kan het beste alleen in een beveiligde omgeving ingeschakeld worden";
|
||||
$text["settings_enableGuestLogin"] = "Inschakelen Gast login";
|
||||
$text["settings_enableLargeFileUpload_desc"] = "Indien ingeschakeld, is bestandsupload ook beschikbaar via een java applet jumploader genaamd zonder een bestandsgrootte limiet door de browser. Het staat ook toe om meerdere bestanden in een keer te versturen.";
|
||||
$text["settings_enableLargeFileUpload"] = "Inschakelen groot bestand upload";
|
||||
$text["settings_enableOwnerNotification_desc"] = "Inschakelen van notificatie naar de eigenaar als een document is toegevoegd.";
|
||||
$text["settings_enableOwnerNotification"] = "Inschakelen eigenaarnotificatie standaard";
|
||||
$text["settings_enablePasswordForgotten_desc"] = "Inschakelen om een wachtwoord via mail te versturen als de gebruiker een nieuw wachtwoord heeft ingesteld.";
|
||||
$text["settings_enablePasswordForgotten"] = "Inschakelen wachtwoord vergeten";
|
||||
$text["settings_enableUserImage_desc"] = "Inschakelen Gebruikerplaatjes";
|
||||
$text["settings_enableUserImage"] = "Inschakelen Gebruikersplaatjes";
|
||||
$text["settings_enableUsersView_desc"] = "Inschakelen/uitschakelen groeps en gebruikers overzicht voor alle gebruikers";
|
||||
$text["settings_enableUsersView"] = "Inschakelen Gebruikers overzicht";
|
||||
$text["settings_encryptionKey"] = "Encryptie sleutel";
|
||||
$text["settings_encryptionKey_desc"] = "Deze string wordt gebruikt om een unieke identificatie als onzichtbaar veld aan een formulier toe te voegen om CSRF aanvallen tegen te gaan.";
|
||||
$text["settings_error"] = "Fout";
|
||||
$text["settings_expandFolderTree_desc"] = "Uitvouwen mappenstructuur";
|
||||
$text["settings_expandFolderTree"] = "Uitvouwen mappenstructuur";
|
||||
$text["settings_expandFolderTree_val0"] = "begin met verborgen structuur";
|
||||
$text["settings_expandFolderTree_val1"] = "begin met structuur eerste niveau uitgevouwen";
|
||||
$text["settings_expandFolderTree_val2"] = "begin met structuur volledig uitgevouwen";
|
||||
$text["settings_firstDayOfWeek_desc"] = "Eerste dag van de week";
|
||||
$text["settings_firstDayOfWeek"] = "Eerste weekdag";
|
||||
$text["settings_footNote_desc"] = "Bericht om onderop elke pagina te tonen";
|
||||
$text["settings_footNote"] = "Onderschrift";
|
||||
$text["settings_guestID_desc"] = "ID van gastgebruiker gebruikt indien ingelogd als gast (meestal geen wijziging nodig)";
|
||||
$text["settings_guestID"] = "Gast ID";
|
||||
$text["settings_httpRoot_desc"] = "Het relatieve pad in de URL, na het domeindeel. Voeg geen http:// toe aan het begin of de websysteemnaam. Bijv: Als de volledige URL http://www.example.com/letodms/ is, voer '/letodms/' in. Als de URL http://www.example.com/ is, voer '/' in";
|
||||
$text["settings_httpRoot"] = "Http Basis";
|
||||
$text["settings_installADOdb"] = "Installeer ADOdb";
|
||||
$text["settings_install_success"] = "De installatie is succesvol beeindigd.";
|
||||
$text["settings_install_pear_package_log"] = "Installeer Pear package 'Log'";
|
||||
$text["settings_install_pear_package_webdav"] = "Installeer Pear package 'HTTP_WebDAV_Server', als u van plan bent om webdav interface te gebruiken";
|
||||
$text["settings_install_zendframework"] = "Installeer Zend Framework, als u volledigetekst zoekmechanisme wilt gebruiken";
|
||||
$text["settings_language"] = "Standaard taal";
|
||||
$text["settings_language_desc"] = "Standaard taal (naam van de submap in map \"languages\")";
|
||||
$text["settings_logFileEnable_desc"] = "Inschakelen/uitschakelen logbestand";
|
||||
$text["settings_logFileEnable"] = "Inschakelen Logbestand";
|
||||
$text["settings_logFileRotation_desc"] = "Logbestand rotering";
|
||||
$text["settings_logFileRotation"] = "Logbestand Rotering";
|
||||
$text["settings_luceneDir"] = "Map voor volledigetekst index";
|
||||
$text["settings_maxDirID_desc"] = "Maximaal toegestane aantal submappen per bovenliggende map. Standaard: 32700.";
|
||||
$text["settings_maxDirID"] = "Max Map ID";
|
||||
$text["settings_maxExecutionTime_desc"] = "Dit bepaald de maximale tijd in seconden waarin een script mag worden uitgevoerd, voordat het afgebroken wordt";
|
||||
$text["settings_maxExecutionTime"] = "Max Uitvoertijd (s)";
|
||||
$text["settings_more_settings"] = "Meer instellingen. Standaard login: admin/admin";
|
||||
$text["settings_Notification"] = "Notificatie instellingen";
|
||||
$text["settings_no_content_dir"] = "Inhoud map";
|
||||
$text["settings_notfound"] = "Niet gevonden";
|
||||
$text["settings_notwritable"] = "De configuratie kan niet opgeslagen worden omdat het configuratiebestand niet beschrijfbaar is.";
|
||||
$text["settings_partitionSize"] = "Bestandsdeel grootte";
|
||||
$text["settings_partitionSize_desc"] = "Grootte van bestandsdeel in bytes, geupload door jumploader. Zet de waarde niet hoger dan de maximum upload grootte van de server.";
|
||||
$text["settings_passwordExpiration"] = "Wachtwoord verloop";
|
||||
$text["settings_passwordExpiration_desc"] = "Het aantal dagen waarna een wachtwoord verloopt? en gereset moet worden. 0 zet wachtwoord verloop uit.";
|
||||
$text["settings_passwordHistory"] = "Wachtwoord geschiedenis";
|
||||
$text["settings_passwordHistory_desc"] = "Het aantal wachtwoorden dat een gebruiker moet hebben gebruikt voordat eenzelfde wachtwoord weer gebruikt mag worden. 0 zet wachtwoordgeschiedenis uit.";
|
||||
$text["settings_passwordStrength"] = "Min. wachtwoord sterkte";
|
||||
$text["settings_password?trength_desc"] = "Het minimum wachtwoord sterkte is een getal van 0 tot en met 100. 0 zet controle van minimale wachtwoordsterkte uit.";
|
||||
$text["settings_passwordStrengthAlgorithm"] = "Algoritme voor wachtwoord sterkte";
|
||||
$text["settings_passwordStrengthAlgorithm_desc"] = "Het algoritme gebruikt om de wachtwoord sterkte te berekenen. Het 'simpele' algoritme controleert alleen op minimaal 8 karakters, een kleine letter, een nummer en een speciaal karakter. Als aan deze condities wordt voldaan is er een resultaat van 100 anders 0.";
|
||||
$text["settings_passwordStrengthAlgorithm_valsimple"] = "simpel";
|
||||
$text["settings_passwordStrengthAlgorithm_valadvanced"] = "uitgebreid";
|
||||
$text["settings_perms"] = "Machtigingen";
|
||||
$text["settings_pear_log"] = "Pear package : Log";
|
||||
$text["settings_pear_webdav"] = "Pear package : HTTP_WebDAV_Server";
|
||||
$text["settings_php_dbDriver"] = "PHP extension : php_'see current value'";
|
||||
$text["settings_php_gd2"] = "PHP extension : php_gd2";
|
||||
$text["settings_php_mbstring"] = "PHP extension : php_mbstring";
|
||||
$text["settings_printDisclaimer_desc"] = "Indien ingeschakeld zal het vrijwarings bericht in de lang.inc bestanden worden getoond onderop de pagina";
|
||||
$text["settings_printDisclaimer"] = "Print Vrijwaring";
|
||||
$text["settings_restricted_desc"] = "Sta alleen gebruiker toe om in te loggen die in de database zijn opgenomen (ongeacht succesvolle authenticatie met LDAP)";
|
||||
$text["settings_restricted"] = "Beperkte toegang";
|
||||
$text["settings_rootDir_desc"] = "Pad waar letoDMS staat";
|
||||
$text["settings_rootDir"] = "Basismap";
|
||||
$text["settings_rootFolderID_desc"] = "ID van basismap (meestal geen verandering nodig)";
|
||||
$text["settings_rootFolderID"] = "Basismap ID";
|
||||
$text["settings_SaveError"] = "Opslagfout Configuratiebestand";
|
||||
$text["settings_Server"] = "Server instellingen";
|
||||
$text["settings_siteDefaultPage_desc"] = "Standaard pagina bij inloggen. Indien leeg is out/out.ViewFolder.php de standaard";
|
||||
$text["settings_siteDefaultPage"] = "Locatie standaard pagina";
|
||||
$text["settings_siteName_desc"] = "Naam van de Locatie dat wordt gebruikt in de titel van de paginas. Standaard: letoDMS";
|
||||
$text["settings_siteName"] = "Locatie Naam";
|
||||
$text["settings_Site"] = "Web Locatie";
|
||||
$text["settings_smtpPort_desc"] = "SMTP Server poort, standaard 25";
|
||||
$text["settings_smtpPort"] = "SMTP Server poort";
|
||||
$text["settings_smtpSendFrom_desc"] = "Send from";
|
||||
$text["settings_smtpSendFrom"] = "Send from";
|
||||
$text["settings_smtpServer_desc"] = "SMTP Server hostname";
|
||||
$text["settings_smtpServer"] = "SMTP Server hostname";
|
||||
$text["settings_SMTP"] = "SMTP Server instellingen";
|
||||
$text["settings_stagingDir"] = "Map voor gedeeltelijke uploads";
|
||||
$text["settings_strictFormCheck_desc"] = "Stricte formuleer controle. Indien ingeschakeld, worden alle velden in het formulier gecontroleer op een waarde. Indien uitgeschakeld, worden de meeste commentaar en invoervelden optioneel. Commentaren zijn altijd benodigd bij een review of modificatie van een documentstatus";
|
||||
$text["settings_strictFormCheck"] = "Stricte Form Controle";
|
||||
$text["settings_suggestionvalue"] = "Voorgestelde waarde";
|
||||
$text["settings_System"] = "Systeem";
|
||||
$text["settings_theme"] = "Standaard thema";
|
||||
$text["settings_theme_desc"] = "Standaard stijl (name of a subfolder in folder \"styles\")";
|
||||
$text["settings_titleDisplayHack_desc"] = "Oplossing voor paginatitels die verspreid zijn over 2 regels.";
|
||||
$text["settings_titleDisplayHack"] = "Titel Tonen Oplossing";
|
||||
$text["settings_updateDatabase"] = "Voer schema update scripts uit op database";
|
||||
$text["settings_updateNotifyTime_desc"] = "Gebruikers worden niet genotificeerd over documentwijzigingen die plaats vinden binnen de laatste 'Update Notificatie Tijd' seconden";
|
||||
$text["settings_updateNotifyTime"] = "Update Notificatie Tijd";
|
||||
$text["settings_versioningFileName_desc"] = "De naam van het versie informatie bestand gemaakt door het backupgereedschap";
|
||||
$text["settings_versioningFileName"] = "Versieinformatie Bestandsnaam";
|
||||
$text["settings_viewOnlineFileTypes_desc"] = "Bestanden met een van de volgende extensies kunnen online bekeken worden (GEBRUIK ALLEEN KLEINE LETTERS)";
|
||||
$text["settings_viewOnlineFileTypes"] = "Bekijk Online Bestandstypen";
|
||||
$text["settings_zendframework"] = "Zend Framework";
|
||||
$text["signed_in_as"] = "Ingelogd als:";
|
||||
$text["sign_in"] = "Log in";
|
||||
$text["sign_out"] = "Log uit";
|
||||
$text["space_used_on_data_folder"] = "Gebruikte diskomvang in data map";
|
||||
$text["status_approval_rejected"] = "Klad Goedkeuring [Afgewezen]";
|
||||
$text["status_approved"] = "Goedgekeurd";
|
||||
$text["status_approver_removed"] = "[Goedkeurder] verwijderd van dit proces";
|
||||
$text["status_not_approved"] = "Niet goedgekeurd";
|
||||
$text["status_not_reviewed"] = "Niet gecontroleerd";
|
||||
$text["status_reviewed"] = "Gecontroleerd";
|
||||
$text["status_reviewer_rejected"] = "Klad Controle [Afgewezen]";
|
||||
$text["status_reviewer_removed"] = "[Controleur] verwijderd van dit proces";
|
||||
$text["status"] = "Status";
|
||||
$text["status_unknown"] = "Onbekend";
|
||||
$text["storage_size"] = "Omvang opslag";
|
||||
$text["submit_approval"] = "Verzend [Goedkeuring]";
|
||||
$text["submit_login"] = "Log in";
|
||||
$text["submit_password"] = "Nieuw wachtwoord instellen";
|
||||
$text["submit_password_forgotten"] = "Start proces";
|
||||
$text["submit_review"] = "Verzend [Controle]";
|
||||
$text["submit_userinfo"] = "Wijzigingen opslaan";
|
||||
$text["sunday"] = "Zondag";
|
||||
$text["theme"] = "Thema";
|
||||
$text["thursday"] = "Donderdag";
|
||||
$text["toggle_manager"] = "Wijzig Beheerder";
|
||||
$text["to"] = "Aan";
|
||||
$text["tuesday"] = "Dinsdag";
|
||||
$text["under_folder"] = "In map";
|
||||
$text["unknown_command"] = "Opdracht niet herkend.";
|
||||
$text["unknown_document_category"] = "Onbekende categorie";
|
||||
$text["unknown_group"] = "Onbekende Groep ID";
|
||||
$text["unknown_id"] = "Onbekende id";
|
||||
$text["unknown_keyword_category"] = "Onbekend sleutelwoordcategorie";
|
||||
$text["unknown_owner"] = "Onbekende eigenaar ID";
|
||||
$text["unknown_user"] = "Onbekende gebruiker";
|
||||
$text["unlock_cause_access_mode_all"] = "U kunt toch e.e.a. bijwerken omdat U machtiging \"all\" heeft. Blokkering wordt automatisch opgeheven.";
|
||||
$text["unlock_cause_locking_user"] = "U kunt toch e.e.a. bijwerken omdat U degene bent die dit heeft geblokeerd. Blokkering wordt automatisch opgeheven.";
|
||||
$text["unlock_document"] = "De-blokkeer";
|
||||
$text["update_approvers"] = "Bijwerken lijst van [Goedkeurders]";
|
||||
$text["update_document"] = "Bijwerken";
|
||||
$text["update_fulltext_index"] = "Bijwerken volledige tekst index";
|
||||
$text["update_info"] = "Bijwerken informatie";
|
||||
$text["update_locked_msg"] = "Dit document is geblokkeerd.";
|
||||
$text["update_reviewers"] = "Bijwerken lijst van [Controleurs]";
|
||||
$text["update"] = "Bijwerken";
|
||||
$text["uploaded_by"] = "Ge-upload door";
|
||||
$text["uploading_failed"] = "Upload mislukt. Neem contact op met de [Beheerder].";
|
||||
$text["use_default_categories"] = "Gebruik voorgedefinieerde categorieen";
|
||||
$text["use_default_keywords"] = "Gebruik bestaande sleutelwoorden";
|
||||
$text["user_exists"] = "Gebruiker bestaat reeds.";
|
||||
$text["user_image"] = "Afbeelding";
|
||||
$text["user_info"] = "Gebruikers informatie";
|
||||
$text["user_list"] = "Lijst van Gebruikers";
|
||||
$text["user_login"] = "Gebruikersnaam";
|
||||
$text["user_management"] = "Gebruikers beheer";
|
||||
$text["user_name"] = "Voornaam en naam";
|
||||
$text["users"] = "Gebruikers";
|
||||
$text["user"] = "Gebruiker";
|
||||
$text["version_deleted_email"] = "Versie verwijderd";
|
||||
$text["version_info"] = "Versie Informatie";
|
||||
$text["versioning_file_creation"] = "Aanmaken bestand versies";
|
||||
$text["versioning_file_creation_warning"] = "Met deze handeling maakt U een bestand aan die de versie voortgang informatie van een compleet DMS bevat. Na het aanmaken wordt ieder bestand opgeslagen in de document map.";
|
||||
$text["versioning_info"] = "Versie eigenschappen";
|
||||
$text["version"] = "Versie";
|
||||
$text["view_online"] = "Bekijk online";
|
||||
$text["warning"] = "Waarschuwing";
|
||||
$text["wednesday"] = "Woensdag";
|
||||
$text["week_view"] = "Week Overzicht";
|
||||
$text["year_view"] = "Jaar Overzicht";
|
||||
$text["yes"] = "Ja";
|
||||
?>
|
|
@ -1,585 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Aceitar";
|
||||
$text["access_denied"] = "Access denied.";
|
||||
$text["access_inheritance"] = "Access Inheritance";
|
||||
$text["access_mode"] = "Modo de acesso";
|
||||
$text["access_mode_all"] = "Tudo";
|
||||
$text["access_mode_none"] = "Sem acesso";
|
||||
$text["access_mode_read"] = "leitura";
|
||||
$text["access_mode_readwrite"] = "Leitura-Escrita";
|
||||
$text["account_summary"] = "Account Summary";
|
||||
$text["action_summary"] = "Action Summary";
|
||||
$text["actions"] = "Actions";
|
||||
$text["add"] = "Add";
|
||||
$text["add_access"] = "Adicionar acesso";
|
||||
$text["add_doc_reviewer_approver_warning"] = "N.B. Documents are automatically marked as released if no reviewer or approver is assigned.";
|
||||
$text["add_document"] = "Adicionar documento";
|
||||
$text["add_document_link"] = "Adicionar link";
|
||||
$text["add_group"] = "Adicionar grupo";
|
||||
$text["add_link"] = "Create Link";
|
||||
$text["add_member"] = "Adicionar membro";
|
||||
$text["add_new_notify"] = "Adicionar notifica‡ƒo";
|
||||
$text["add_subfolder"] = "Adicionar sub-pasta";
|
||||
$text["add_user"] = "Adicionar usußrio ";
|
||||
$text["adding_default_keywords"] = "Adicionando palavras-chave...";
|
||||
$text["adding_document"] = "Adicionando documento \"[documentname]\" € pasta \"[foldername]\"...";
|
||||
$text["adding_document_link"] = "Adicionando link ao documento relacionado...";
|
||||
$text["adding_document_notify"] = "Adicionando elemento € lista de notifica‡ƒo...";
|
||||
$text["adding_folder_notify"] = "Adicionando elemento € lista de nofica‡ƒo...";
|
||||
$text["adding_group"] = "Adicionando grupo ao sistema...";
|
||||
$text["adding_member"] = "Adicionando membro ao grupo...";
|
||||
$text["adding_sub_folder"] = "Adicionando sub-pasta \"[subfoldername]\" € pasta \"[foldername]\"...";
|
||||
$text["adding_user"] = "Adicionando usußrio ao sistema...";
|
||||
$text["admin"] = "Administrator";
|
||||
$text["admin_set_owner"] = "Only an Administrator may set a new owner";
|
||||
$text["admin_tools"] = "Administra‡ƒo";
|
||||
$text["all_documents"] = "All Documents";
|
||||
$text["all_users"] = "Todos os usußrios";
|
||||
$text["and"] = "e";
|
||||
$text["approval_group"] = "Approval Group";
|
||||
$text["approval_status"] = "Approval Status";
|
||||
$text["approval_summary"] = "Approval Summary";
|
||||
$text["approval_update_failed"] = "Error updating approval status. Update failed.";
|
||||
$text["approve_document"] = "Approve Document";
|
||||
$text["approve_document_complete"] = "Approve Document: Complete";
|
||||
$text["approve_document_complete_records_updated"] = "Document approval completed and records updated";
|
||||
$text["approver_added"] = "added as an approver";
|
||||
$text["approver_already_assigned"] = "is already assigned as an approver";
|
||||
$text["approver_already_removed"] = "has already been removed from approval process or has already submitted an approval";
|
||||
$text["approver_no_privilege"] = "is not sufficiently privileged to approve this document";
|
||||
$text["approver_removed"] = "removed from approval process";
|
||||
$text["approvers"] = "Approvers";
|
||||
$text["as_approver"] = "as an approver";
|
||||
$text["as_reviewer"] = "as a reviewer";
|
||||
$text["assign_privilege_insufficient"] = "Access denied. Privileges insufficient to assign reviewers or approvers to this document.";
|
||||
$text["assumed_released"] = "Assumed released";
|
||||
$text["back"] = "Voltar";
|
||||
$text["between"] = "entre";
|
||||
$text["cancel"] = "Cancelar";
|
||||
$text["cannot_approve_pending_review"] = "Document is currently pending review. Cannot submit an approval at this time.";
|
||||
$text["cannot_assign_invalid_state"] = "Cannot assign new reviewers to a document that is not pending review or pending approval.";
|
||||
$text["cannot_change_final_states"] = "Warning: Unable to alter document status for documents that have been rejected, marked obsolete or expired.";
|
||||
$text["cannot_delete_admin"] = "Unable to delete the primary administrative user.";
|
||||
$text["cannot_move_root"] = "Error: Cannot move root folder.";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "Unable to retrieve approval status snapshot for this document version.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "Unable to retrieve review status snapshot for this document version.";
|
||||
$text["cannot_rm_root"] = "Error: Cannot delete root folder.";
|
||||
$text["choose_category"] = "--Por favor escolha--";
|
||||
$text["choose_group"] = "--Escolher grupo--";
|
||||
$text["choose_target_document"] = "Escolha documento";
|
||||
$text["choose_target_folder"] = "Escolha pasta-alvo";
|
||||
$text["choose_user"] = "--Escolher usußrio--";
|
||||
$text["comment"] = "Comentßrio";
|
||||
$text["comment_for_current_version"] = "Comentßrio para versƒo atual";
|
||||
$text["confirm_pwd"] = "Confirme Senha";
|
||||
$text["confirm_rm_document"] = "Deseja realmente remover o documento \"[documentname]\"?<br>Por favor, tenha cuidado porque esta a‡ƒo nƒo poderß desfeita.";
|
||||
$text["confirm_rm_folder"] = "Deseja realmente remover a \"[foldername]\" e seu conte”do ?<br>Por favor, tenha cuidado porque esta a‡ƒo nƒo poderß desfeita.";
|
||||
$text["confirm_rm_version"] = "Deseja realmente remover versƒo [version] do documento \"[documentname]\"?<br>Por favor, tenha cuidado porque esta a‡ƒo nƒo poderß desfeita.";
|
||||
$text["content"] = "Conte”do";
|
||||
$text["continue"] = "Continue";
|
||||
$text["creating_new_default_keyword_category"] = "Adicionando categoria...";
|
||||
$text["creation_date"] = "Criado";
|
||||
$text["current_version"] = "Versƒo Atual";
|
||||
$text["default_access"] = "Modo de acesso Padrƒo";
|
||||
$text["default_keyword_category"] = "Categorias";
|
||||
$text["default_keyword_category_name"] = "Nome";
|
||||
$text["default_keywords"] = "Palavras-chave dispon<6F>veis";
|
||||
$text["delete"] = "Apagar";
|
||||
$text["delete_last_version"] = "Document has only one revision. Deleting entire document record...";
|
||||
$text["deleting_document_notify"] = "Removendo elemento da lista de notifica‡ƒo...";
|
||||
$text["deleting_folder_notify"] = "Removendo elemento da lista de notifica‡ƒo...";
|
||||
$text["details"] = "Details";
|
||||
$text["details_version"] = "Details for version: [version]";
|
||||
$text["document"] = "Document";
|
||||
$text["document_access_again"] = "Editar acesso ao documento novamente";
|
||||
$text["document_add_access"] = "Adicionando elemento € lista de acesso...";
|
||||
$text["document_already_locked"] = "Este documento jß estß travado";
|
||||
$text["document_del_access"] = "Removendo elemento a partir da lista de acesso...";
|
||||
$text["document_edit_access"] = "Mudando modo de acesso...";
|
||||
$text["document_infos"] = "Informa‡es";
|
||||
$text["document_is_not_locked"] = "Este documento nƒo estß travado";
|
||||
$text["document_link_by"] = "Ligado por";
|
||||
$text["document_link_public"] = "P”blico";
|
||||
$text["document_list"] = "Documentos";
|
||||
$text["document_notify_again"] = "Editar lista de notifica‡ƒo novamente";
|
||||
$text["document_overview"] = "Visualiza‡ƒo do Documento";
|
||||
$text["document_set_default_access"] = "Definindo acesso padrƒo para documento...";
|
||||
$text["document_set_inherit"] = "Removendo ACL. Documento herdarß acesso...";
|
||||
$text["document_set_not_inherit_copy"] = "Copiando lista de acesso...";
|
||||
$text["document_set_not_inherit_empty"] = "Removendo acessos herdados. Iniciando com ACL vazia...";
|
||||
$text["document_status"] = "Document Status";
|
||||
$text["document_title"] = "Documento [documentname]";
|
||||
$text["document_versions"] = "Todas as verses ";
|
||||
$text["documents_in_process"] = "Documents In Process";
|
||||
$text["documents_owned_by_user"] = "Documents Owned by User";
|
||||
$text["documents_to_approve"] = "Documents Awaiting User's Approval";
|
||||
$text["documents_to_review"] = "Documents Awaiting User's Review";
|
||||
$text["documents_user_requiring_attention"] = "Documents Owned by User That Require Attention";
|
||||
$text["does_not_expire"] = "Nƒo Expira";
|
||||
$text["does_not_inherit_access_msg"] = "Inherit access";
|
||||
$text["download"] = "Download";
|
||||
$text["draft_pending_approval"] = "Draft - pending approval";
|
||||
$text["draft_pending_review"] = "Draft - pending review";
|
||||
$text["edit"] = "edit";
|
||||
$text["edit_default_keyword_category"] = "Editar categorias";
|
||||
$text["edit_default_keywords"] = "Editar palavras-chave";
|
||||
$text["edit_document"] = "Editar documento";
|
||||
$text["edit_document_access"] = "Editar acesso";
|
||||
$text["edit_document_notify"] = "Lista de notifica‡ƒo";
|
||||
$text["edit_document_props"] = "Editar documento";
|
||||
$text["edit_document_props_again"] = "Editar documento novamente";
|
||||
$text["edit_existing_access"] = "Editar lista de acesso.";
|
||||
$text["edit_existing_notify"] = "Editar lista de notifica‡ƒo";
|
||||
$text["edit_folder"] = "Editar pasta";
|
||||
$text["edit_folder_access"] = "Editar pasta";
|
||||
$text["edit_folder_notify"] = "Lista de Notifica‡ƒo";
|
||||
$text["edit_folder_props"] = "Editar pasta";
|
||||
$text["edit_folder_props_again"] = "Editar pasta novamente";
|
||||
$text["edit_group"] = "Editar grupo";
|
||||
$text["edit_inherit_access"] = "Herda acesso";
|
||||
$text["edit_personal_default_keywords"] = "Editar palavras-chave pessoais";
|
||||
$text["edit_user"] = "Editar usußrio";
|
||||
$text["edit_user_details"] = "Edit User Details";
|
||||
$text["editing_default_keyword_category"] = "Mundando categoria...";
|
||||
$text["editing_default_keywords"] = "Mundando palavras-chave...";
|
||||
$text["editing_document_props"] = "Editando documento...";
|
||||
$text["editing_folder_props"] = "Editando pasta...";
|
||||
$text["editing_group"] = "Editando grupo...";
|
||||
$text["editing_user"] = "Editando usußrio...";
|
||||
$text["editing_user_data"] = "Edi‡ƒo defini‡es de usußrios...";
|
||||
$text["email"] = "Email";
|
||||
$text["email_err_group"] = "Error sending email to one or more members of this group.";
|
||||
$text["email_err_user"] = "Error sending email to user.";
|
||||
$text["email_sent"] = "Email sent";
|
||||
$text["empty_access_list"] = "Lista de acesso estß vazia";
|
||||
$text["empty_notify_list"] = "Sem entradas";
|
||||
$text["error_adding_session"] = "Error occured while creating session.";
|
||||
$text["error_occured"] = "Ocorreu um erro";
|
||||
$text["error_removing_old_sessions"] = "Error occured while removing old sessions";
|
||||
$text["error_updating_revision"] = "Error updating status of document revision.";
|
||||
$text["exp_date"] = "Expira";
|
||||
$text["expired"] = "Expired";
|
||||
$text["expires"] = "Expira";
|
||||
$text["file"] = "File";
|
||||
$text["file_info"] = "File Information";
|
||||
$text["file_size"] = "Tamanho";
|
||||
$text["folder_access_again"] = "Editar acesso da pasta novamente";
|
||||
$text["folder_add_access"] = "Adicionando elemento ß lista de acesso...";
|
||||
$text["folder_contents"] = "Folders";
|
||||
$text["folder_del_access"] = "Removendo elemento da lista de acesso...";
|
||||
$text["folder_edit_access"] = "Editando acesso...";
|
||||
$text["folder_infos"] = "Informa‡es";
|
||||
$text["folder_notify_again"] = "Editar lista de notifica‡ƒo novamente";
|
||||
$text["folder_overview"] = "Visualiza‡ƒo da Pasta";
|
||||
$text["folder_path"] = "Caminho";
|
||||
$text["folder_set_default_access"] = "Definindo modo de acesso padrƒo para a pasta...";
|
||||
$text["folder_set_inherit"] = "Removendo ACL. Pasta will inherit access...";
|
||||
$text["folder_set_not_inherit_copy"] = "Copiando lista de acesso...";
|
||||
$text["folder_set_not_inherit_empty"] = "Removendo inherited access. Starting with empty ACL...";
|
||||
$text["folder_title"] = "Pasta [foldername]";
|
||||
$text["folders_and_documents_statistic"] = "Overview de pastas e documentos";
|
||||
$text["foldertree"] = "Ârvore";
|
||||
$text["from_approval_process"] = "from approval process";
|
||||
$text["from_review_process"] = "from review process";
|
||||
$text["global_default_keywords"] = "palavras-chave globais";
|
||||
$text["goto"] = "Ir Para";
|
||||
$text["group"] = "Grupo";
|
||||
$text["group_already_approved"] = "An approval has already been submitted on behalf of group";
|
||||
$text["group_already_reviewed"] = "A review has already been submitted on behalf of group";
|
||||
$text["group_approvers"] = "Group Approvers";
|
||||
$text["group_email_sent"] = "Email sent to group members";
|
||||
$text["group_exists"] = "Group already exists.";
|
||||
$text["group_management"] = "Gropos";
|
||||
$text["group_members"] = "Grupo membros";
|
||||
$text["group_reviewers"] = "Group Reviewers";
|
||||
$text["group_unable_to_add"] = "Unable to add group";
|
||||
$text["group_unable_to_remove"] = "Unable to remove group";
|
||||
$text["groups"] = "Grupos";
|
||||
$text["guest_login"] = "Entre como convidado";
|
||||
$text["guest_login_disabled"] = "Guest login is disabled.";
|
||||
$text["individual_approvers"] = "Individual Approvers";
|
||||
$text["individual_reviewers"] = "Individual Reviewers";
|
||||
$text["individuals"] = "Individuals";
|
||||
$text["inherits_access_msg"] = "Acesso estß endo herdado.";
|
||||
$text["inherits_access_copy_msg"] = "Copy inherited access list";
|
||||
$text["inherits_access_empty_msg"] = "Inicie com a lista de acesso vazia";
|
||||
$text["internal_error"] = "Internal error";
|
||||
$text["internal_error_exit"] = "Internal error. Unable to complete request. Exiting.";
|
||||
$text["invalid_access_mode"] = "Invalid Access Mode";
|
||||
$text["invalid_action"] = "Invalid Action";
|
||||
$text["invalid_approval_status"] = "Invalid Approval Status";
|
||||
$text["invalid_create_date_end"] = "Invalid end date for creation date range.";
|
||||
$text["invalid_create_date_start"] = "Invalid start date for creation date range.";
|
||||
$text["invalid_doc_id"] = "Invalid Document ID";
|
||||
$text["invalid_folder_id"] = "Invalid Folder ID";
|
||||
$text["invalid_group_id"] = "Invalid Group ID";
|
||||
$text["invalid_link_id"] = "Invalid link identifier";
|
||||
$text["invalid_request_token"] = "Invalid Request Token";
|
||||
$text["invalid_review_status"] = "Invalid Review Status";
|
||||
$text["invalid_sequence"] = "Invalid sequence value";
|
||||
$text["invalid_status"] = "Invalid Document Status";
|
||||
$text["invalid_target_doc_id"] = "Invalid Target Document ID";
|
||||
$text["invalid_target_folder"] = "Invalid Target Folder ID";
|
||||
$text["invalid_user_id"] = "Invalid User ID";
|
||||
$text["invalid_version"] = "Invalid Document Version";
|
||||
$text["is_admin"] = "Administrator Privilege";
|
||||
$text["js_no_approval_group"] = "Please select a approval group";
|
||||
$text["js_no_approval_status"] = "Please select the approval status";
|
||||
$text["js_no_comment"] = "Nƒo hß comentßrio";
|
||||
$text["js_no_email"] = "Digite seu endere‡o de e-mail";
|
||||
$text["js_no_file"] = "Por favor selecione um arquivo";
|
||||
$text["js_no_keywords"] = "Especifique algumas palavras-chave";
|
||||
$text["js_no_login"] = "Por favor digite um usußrio";
|
||||
$text["js_no_name"] = "Por favor digite um nome";
|
||||
$text["js_no_pwd"] = "Ð necessßrio digitar sua senha";
|
||||
$text["js_no_query"] = "Digite uma solicita‡ƒo";
|
||||
$text["js_no_review_group"] = "Please select a review group";
|
||||
$text["js_no_review_status"] = "Please select the review status";
|
||||
$text["js_pwd_not_conf"] = "Senha e confirma‡ƒo de senha nƒo sƒo iguais";
|
||||
$text["js_select_user"] = "Por favor selecione um usußrio";
|
||||
$text["js_select_user_or_group"] = "Selecione, no m<>nimo, um usußrio ou grupo";
|
||||
$text["keyword_exists"] = "Keyword already exists";
|
||||
$text["keywords"] = "Palavras-chave";
|
||||
$text["language"] = "Linguagem";
|
||||
$text["last_update"] = "õltima versƒo";
|
||||
$text["last_updated_by"] = "Last updated by";
|
||||
$text["latest_version"] = "Latest Version";
|
||||
$text["linked_documents"] = "Documentos relacionados";
|
||||
$text["local_file"] = "Arquivo local";
|
||||
$text["lock_document"] = "Travar";
|
||||
$text["lock_message"] = "Este documento foi travado por <a href=\"mailto:[email]\">[username]</a>.<br>Somente usußrios autorizados podem remover a trava deste documento (veja no final da pßgina).";
|
||||
$text["lock_status"] = "Status";
|
||||
$text["locking_document"] = "Travando documento...";
|
||||
$text["logged_in_as"] = "Conectado";
|
||||
$text["login"] = "Login";
|
||||
$text["login_error_text"] = "Error signing in. User ID or password incorrect.";
|
||||
$text["login_error_title"] = "Sign in error";
|
||||
$text["login_not_found"] = "Este usußrio nƒo existe";
|
||||
$text["login_not_given"] = "No username has been supplied";
|
||||
$text["login_ok"] = "Sign in successful";
|
||||
$text["logout"] = "Sair";
|
||||
$text["mime_type"] = "Mime-Type";
|
||||
$text["move"] = "Move";
|
||||
$text["move_document"] = "Mover documento";
|
||||
$text["move_folder"] = "Mover Pasta";
|
||||
$text["moving_document"] = "Movendo documento...";
|
||||
$text["moving_folder"] = "Movendo pasta...";
|
||||
$text["msg_document_expired"] = "O documento \"[documentname]\" (Path: \"[path]\") tem expirado em [expires]";
|
||||
$text["msg_document_updated"] = "O documento \"[documentname]\" (Path: \"[path]\") foi criado ou atualizado em [updated]";
|
||||
$text["my_account"] = "Minha Conta";
|
||||
$text["my_documents"] = "My Documents";
|
||||
$text["name"] = "Nome";
|
||||
$text["new_default_keyword_category"] = "Adicionar categoria";
|
||||
$text["new_default_keywords"] = "Adicionar palavras-chave";
|
||||
$text["new_equals_old_state"] = "Warning: Proposed status and existing status are identical. No action required.";
|
||||
$text["new_user_image"] = "Nova imagem";
|
||||
$text["no"] = "No";
|
||||
$text["no_action"] = "No action required";
|
||||
$text["no_action_required"] = "n/a";
|
||||
$text["no_active_user_docs"] = "There are currently no documents owned by the user that require review or approval.";
|
||||
$text["no_approvers"] = "No approvers assigned.";
|
||||
$text["no_default_keywords"] = "Nƒo hß palavras-chave dispon<6F>veis";
|
||||
$text["no_docs_to_approve"] = "There are currently no documents that require approval.";
|
||||
$text["no_docs_to_review"] = "There are currently no documents that require review.";
|
||||
$text["no_document_links"] = "Sem documentos relacionados";
|
||||
$text["no_documents"] = "Sem documentos";
|
||||
$text["no_group_members"] = "Este grupo nƒo tem membros";
|
||||
$text["no_groups"] = "Sem grupos";
|
||||
$text["no_previous_versions"] = "No other versions found";
|
||||
$text["no_reviewers"] = "No reviewers assigned.";
|
||||
$text["no_subfolders"] = "Sem pastas";
|
||||
$text["no_update_cause_locked"] = "Por isso vocŠ nƒo pode atualizar este documento. Por favor contacte usußrio que possui a trava.";
|
||||
$text["no_user_image"] = "Nƒo foram encontardas imagens";
|
||||
$text["not_approver"] = "User is not currently assigned as an approver of this document revision.";
|
||||
$text["not_reviewer"] = "User is not currently assigned as a reviewer of this document revision.";
|
||||
$text["notify_subject"] = "Documentos novos ou expirados em seu DMS";
|
||||
$text["obsolete"] = "Obsolete";
|
||||
$text["old_folder"] = "old folder";
|
||||
$text["only_jpg_user_images"] = "Somente imagens jpg podem ser utilizadas como imagens de usußrios";
|
||||
$text["op_finished"] = "Feito";
|
||||
$text["operation_not_allowed"] = "VocŠ nƒo tem direitos suficientes para fazer isto";
|
||||
$text["override_content_status"] = "Override Status";
|
||||
$text["override_content_status_complete"] = "Override Status Complete";
|
||||
$text["override_privilege_insufficient"] = "Access denied. Privileges insufficient to override the status of this document.";
|
||||
$text["overview"] = "Overview";
|
||||
$text["owner"] = "Proprietßrio";
|
||||
$text["password"] = "Senha";
|
||||
$text["pending_approval"] = "Documents pending approval";
|
||||
$text["pending_review"] = "Documents pending review";
|
||||
$text["personal_default_keywords"] = "palavras-chave pessoais";
|
||||
$text["previous_versions"] = "Previous Versions";
|
||||
$text["rejected"] = "Rejected";
|
||||
$text["released"] = "Released";
|
||||
$text["remove_document_link"] = "Remove link";
|
||||
$text["remove_member"] = "Remove membro";
|
||||
$text["removed_approver"] = "has been removed from the list of approvers.";
|
||||
$text["removed_reviewer"] = "has been removed from the list of reviewers.";
|
||||
$text["removing_default_keyword_category"] = "Apagando categoria...";
|
||||
$text["removing_default_keywords"] = "Apagando palavras-chave...";
|
||||
$text["removing_document"] = "Removendo documento...";
|
||||
$text["removing_document_link"] = "Removendo link ao documento relacionado...";
|
||||
$text["removing_folder"] = "Removendo pasta...";
|
||||
$text["removing_group"] = "Removendo grupo do sistema...";
|
||||
$text["removing_member"] = "Removendo membro do grupo...";
|
||||
$text["removing_user"] = "Removendo usußrio do sistema ...";
|
||||
$text["removing_version"] = "Removendo versƒo [version]...";
|
||||
$text["review_document"] = "Review Document";
|
||||
$text["review_document_complete"] = "Review Document: Complete";
|
||||
$text["review_document_complete_records_updated"] = "Document review completed and records updated";
|
||||
$text["review_group"] = "Review Group";
|
||||
$text["review_status"] = "Review Status";
|
||||
$text["review_summary"] = "Review Summary";
|
||||
$text["review_update_failed"] = "Error updating review status. Update failed.";
|
||||
$text["reviewer_added"] = "added as a reviewer";
|
||||
$text["reviewer_already_assigned"] = "is already assigned as a reviewer";
|
||||
$text["reviewer_already_removed"] = "has already been removed from review process or has already submitted a review";
|
||||
$text["reviewer_no_privilege"] = "is not sufficiently privileged to review this document";
|
||||
$text["reviewer_removed"] = "removed from review process";
|
||||
$text["reviewers"] = "Reviewers";
|
||||
$text["rm_default_keyword_category"] = "Apague esta categoria";
|
||||
$text["rm_default_keywords"] = "Apagar palavras-chave";
|
||||
$text["rm_document"] = "Remove documento";
|
||||
$text["rm_folder"] = "Remove pasta";
|
||||
$text["rm_group"] = "Remove este grupo";
|
||||
$text["rm_user"] = "Remove este usußrio";
|
||||
$text["rm_version"] = "Remove versƒo";
|
||||
$text["root_folder"] = "Pasta Raiz";
|
||||
$text["save"] = "Salvar";
|
||||
$text["search"] = "Busca";
|
||||
$text["search_in"] = "Busca em ";
|
||||
$text["search_in_all"] = "todas as pastas";
|
||||
$text["search_in_current"] = "somente esta ([foldername]) incluindo sub-pastas";
|
||||
$text["search_mode"] = "Modo";
|
||||
$text["search_mode_and"] = "todas as palavras";
|
||||
$text["search_mode_or"] = "at least one word";
|
||||
$text["search_no_results"] = "Nƒo hß documento que satisfa‡am sua busca";
|
||||
$text["search_query"] = "Busca por";
|
||||
$text["search_report"] = "Encontrados [count] documentos";
|
||||
$text["search_result_pending_approval"] = "status 'pending approval'";
|
||||
$text["search_result_pending_review"] = "status 'pending review'";
|
||||
$text["search_results"] = "Resultados da busca";
|
||||
$text["search_results_access_filtered"] = "Search results may contain content to which access has been denied.";
|
||||
$text["search_time"] = "Tempo decorrido: [time] sec.";
|
||||
$text["select_one"] = "Selecione um";
|
||||
$text["selected_document"] = "Documento selecionado";
|
||||
$text["selected_folder"] = "Pasta selecionada";
|
||||
$text["selection"] = "Selection";
|
||||
$text["seq_after"] = "Depois \"[prevname]\"";
|
||||
$text["seq_end"] = "No final";
|
||||
$text["seq_keep"] = "Manter posi‡ƒo";
|
||||
$text["seq_start"] = "Primeira posi‡ƒo";
|
||||
$text["sequence"] = "Seq’Šncia";
|
||||
$text["set_default_access"] = "Set Default Access Mode";
|
||||
$text["set_expiry"] = "Set Expiry";
|
||||
$text["set_owner"] = "Define proprietßrio";
|
||||
$text["set_reviewers_approvers"] = "Assign Reviewers and Approvers";
|
||||
$text["setting_expires"] = "Definindo expira‡ƒo...";
|
||||
$text["setting_owner"] = "Definindo proprietßrio...";
|
||||
$text["setting_user_image"] = "<br>SDefinindo imagem para usußrio...";
|
||||
$text["show_all_versions"] = "Show All Revisions";
|
||||
$text["show_current_versions"] = "Show Current";
|
||||
$text["start"] = "Desde";
|
||||
$text["status"] = "Status";
|
||||
$text["status_approval_rejected"] = "Draft rejected";
|
||||
$text["status_approved"] = "Approved";
|
||||
$text["status_approver_removed"] = "Approver removed from process";
|
||||
$text["status_change_summary"] = "Document revision changed from status '[oldstatus]' to status '[newstatus]'.";
|
||||
$text["status_changed_by"] = "Status changed by";
|
||||
$text["status_not_approved"] = "Not approved";
|
||||
$text["status_not_reviewed"] = "Not reviewed";
|
||||
$text["status_reviewed"] = "Reviewed";
|
||||
$text["status_reviewer_rejected"] = "Draft rejected";
|
||||
$text["status_reviewer_removed"] = "Reviewer removed from process";
|
||||
$text["status_unknown"] = "Unknown";
|
||||
$text["subfolder_list"] = "Sub-pastas";
|
||||
$text["submit_approval"] = "Submit approval";
|
||||
$text["submit_login"] = "Sign in";
|
||||
$text["submit_review"] = "Submit review";
|
||||
$text["theme"] = "Tema";
|
||||
$text["unable_to_add"] = "Unable to add";
|
||||
$text["unable_to_remove"] = "Unable to remove";
|
||||
$text["under_folder"] = "Na pasta";
|
||||
$text["unknown_command"] = "Command not recognized.";
|
||||
$text["unknown_group"] = "Unknown group id";
|
||||
$text["unknown_keyword_category"] = "Unknown category";
|
||||
$text["unknown_owner"] = "Unknown owner id";
|
||||
$text["unknown_user"] = "Unknown user id";
|
||||
$text["unlock_cause_access_mode_all"] = "VocŠ pode atualizß-lo, porque voc tem mode de acesso \"all\". Trava serß automaticamente removida.";
|
||||
$text["unlock_cause_locking_user"] = "VocŠ pode pode atualizß-lo, porque vocŠ o travou tamb‰m. Trava serß automaticamente removida.";
|
||||
$text["unlock_document"] = "Remover trava";
|
||||
$text["unlocking_denied"] = "VocŠ nƒo tem permisses suficientes para remover a trava deste documento";
|
||||
$text["unlocking_document"] = "Destravando documento...";
|
||||
$text["update"] = "Update";
|
||||
$text["update_approvers"] = "Update List of Approvers";
|
||||
$text["update_document"] = "Atualizar";
|
||||
$text["update_info"] = "Update Information";
|
||||
$text["update_locked_msg"] = "Este documento estß trabado.";
|
||||
$text["update_reviewers"] = "Update List of Reviewers";
|
||||
$text["update_reviewers_approvers"] = "Update List of Reviewers and Approvers";
|
||||
$text["updated_by"] = "Updated by";
|
||||
$text["updating_document"] = "Atualizando documento...";
|
||||
$text["upload_date"] = "Data de inser‡ƒo";
|
||||
$text["uploaded"] = "Uploaded";
|
||||
$text["uploaded_by"] = "Inserido por";
|
||||
$text["uploading_failed"] = "Inser‡ƒo falhou. Por favor contacte o administrador";
|
||||
$text["use_default_keywords"] = "Use palavras-chave pr‰-definidas";
|
||||
$text["user"] = "Usußrio";
|
||||
$text["user_already_approved"] = "User has already submitted an approval of this document version";
|
||||
$text["user_already_reviewed"] = "User has already submitted a review of this document version";
|
||||
$text["user_approval_not_required"] = "No document approval required of user at this time.";
|
||||
$text["user_exists"] = "User already exists.";
|
||||
$text["user_image"] = "Imagem";
|
||||
$text["user_info"] = "User Information";
|
||||
$text["user_list"] = "Lista de Usußrios";
|
||||
$text["user_login"] = "Usußrio";
|
||||
$text["user_management"] = "Usußrios";
|
||||
$text["user_name"] = "Nome Completo";
|
||||
$text["user_removed_approver"] = "User has been removed from the list of individual approvers.";
|
||||
$text["user_removed_reviewer"] = "User has been removed from the list of individual reviewers.";
|
||||
$text["user_review_not_required"] = "No document review required of user at this time.";
|
||||
$text["users"] = "Usußrios";
|
||||
$text["version"] = "Versƒo";
|
||||
$text["version_info"] = "Version Information";
|
||||
$text["version_under_approval"] = "Version under approval";
|
||||
$text["version_under_review"] = "Version under review";
|
||||
$text["view_document"] = "View Document";
|
||||
$text["view_online"] = "Ver on-line";
|
||||
$text["warning"] = "Warning";
|
||||
$text["wrong_pwd"] = "Sua senha estß incorreta. Tente novamente.";
|
||||
$text["yes"] = "Yes";
|
||||
// New as of 1.7.1. Require updated translation.
|
||||
$text["documents"] = "Documents";
|
||||
$text["folders"] = "Folders";
|
||||
$text["no_folders"] = "No folders";
|
||||
$text["notification_summary"] = "Notification Summary";
|
||||
// New as of 1.7.2
|
||||
$text["all_pages"] = "All";
|
||||
$text["results_page"] = "Results Page";
|
||||
// New
|
||||
$text["sign_out"] = "sign out";
|
||||
$text["signed_in_as"] = "Signed in as";
|
||||
$text["assign_reviewers"] = "Assign Reviewers";
|
||||
$text["assign_approvers"] = "Assign Approvers";
|
||||
$text["override_status"] = "Override Status";
|
||||
$text["change_status"] = "Change Status";
|
||||
$text["change_assignments"] = "Change Assignments";
|
||||
$text["no_user_docs"] = "There are currently no documents owned by the user";
|
||||
$text["disclaimer"] = "This is a classified area. Access is permitted only to authorized personnel. Any violation will be prosecuted according to the english and international laws.";
|
||||
|
||||
$text["backup_tools"] = "Backup tools";
|
||||
$text["versioning_file_creation"] = "Versioning file creation";
|
||||
$text["archive_creation"] = "Archive creation";
|
||||
$text["files_deletion"] = "Files deletion";
|
||||
$text["folder"] = "Folder";
|
||||
|
||||
$text["unknown_id"] = "unknown id";
|
||||
$text["help"] = "Help";
|
||||
|
||||
$text["versioning_info"] = "Versioning info";
|
||||
$text["versioning_file_creation_warning"] = "With this operation you can create a file containing the versioning information of an entire DMS folder. After the creation every file will be saved inside the document folder.";
|
||||
$text["archive_creation_warning"] = "With this operation you can create achive containing the files of entire DMS folders. After the creation the archive will be saved in the data folder of your server.<br>WARNING: an archive created as human readable will be unusable as server backup.";
|
||||
$text["files_deletion_warning"] = "With this option you can delete all files of entire DMS folders. The versioning information will remain visible.";
|
||||
|
||||
$text["backup_list"] = "Existings backup list";
|
||||
$text["backup_remove"] = "Remove backup file";
|
||||
$text["confirm_rm_backup"] = "Do you really want to remove the file \"[arkname]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["document_deleted"] = "Document deleted";
|
||||
$text["linked_files"] = "Attachments";
|
||||
$text["invalid_file_id"] = "Invalid file ID";
|
||||
$text["rm_file"] = "Remove file";
|
||||
$text["confirm_rm_file"] = "Do you really want to remove file \"[name]\" of document \"[documentname]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["edit_comment"] = "Edit comment";
|
||||
|
||||
// new from 1.9
|
||||
|
||||
$text["is_hidden"] = "Hide from users list";
|
||||
$text["log_management"] = "Log files management";
|
||||
$text["confirm_rm_log"] = "Do you really want to remove log file \"[logname]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["include_subdirectories"] = "Include subdirectories";
|
||||
$text["include_documents"] = "Include documents";
|
||||
$text["manager"] = "Manager";
|
||||
$text["toggle_manager"] = "Toggle manager";
|
||||
|
||||
// new from 2.0
|
||||
|
||||
$text["calendar"] = "Calendar";
|
||||
$text["week_view"] = "Week view";
|
||||
$text["month_view"] = "Month view";
|
||||
$text["year_view"] = "Year View";
|
||||
$text["add_event"] = "Add event";
|
||||
$text["edit_event"] = "Edit event";
|
||||
|
||||
$text["january"] = "January";
|
||||
$text["february"] = "February";
|
||||
$text["march"] = "March";
|
||||
$text["april"] = "April";
|
||||
$text["may"] = "May";
|
||||
$text["june"] = "June";
|
||||
$text["july"] = "July";
|
||||
$text["august"] = "August";
|
||||
$text["september"] = "September";
|
||||
$text["october"] = "October";
|
||||
$text["november"] = "November";
|
||||
$text["december"] = "December";
|
||||
|
||||
$text["sunday"] = "Sunday";
|
||||
$text["monday"] = "Monday";
|
||||
$text["tuesday"] = "Tuesday";
|
||||
$text["wednesday"] = "Wednesday";
|
||||
$text["thursday"] = "Thursday";
|
||||
$text["friday"] = "Friday";
|
||||
$text["saturday"] = "Saturday";
|
||||
|
||||
$text["from"] = "From";
|
||||
$text["to"] = "To";
|
||||
|
||||
$text["event_details"] = "Event details";
|
||||
$text["confirm_rm_event"] = "Do you really want to remove event \"[name]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["dump_creation"] = "DB dump creation";
|
||||
$text["dump_creation_warning"] = "With this operation you can create a dump file of your database content. After the creation the dump file will be saved in the data folder of your server.";
|
||||
$text["dump_list"] = "Existings dump files";
|
||||
$text["dump_remove"] = "Remove dump file";
|
||||
$text["confirm_rm_dump"] = "Do you really want to remove the file \"[dumpname]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["confirm_rm_user"] = "Do you really want to remove the user \"[username]\"?<br>Be careful: This action cannot be undone.";
|
||||
$text["confirm_rm_group"] = "Do you really want to remove the group \"[groupname]\"?<br>Be careful: This action cannot be undone.";
|
||||
|
||||
$text["human_readable"] = "Human readable archive";
|
||||
|
||||
$text["email_header"] = "This is an automatic message from the DMS server.";
|
||||
$text["email_footer"] = "You can always change your e-mail settings using 'My Account' functions";
|
||||
|
||||
$text["add_multiple_files"] = "Add multiple files (will use filename as document name)";
|
||||
|
||||
// new from 2.0.1
|
||||
|
||||
$text["max_upload_size"] = "Maximum upload size for each file";
|
||||
|
||||
// new from 2.0.2
|
||||
|
||||
$text["space_used_on_data_folder"] = "Space used on data folder";
|
||||
$text["assign_user_property_to"] = "Assign user's properties to";
|
||||
|
||||
?>
|
|
@ -1,622 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Принять";
|
||||
$text["access_denied"] = "Доступ запрещен";
|
||||
$text["access_inheritance"] = "Наследование доступа";
|
||||
$text["access_mode"] = "Режим доступа";
|
||||
$text["access_mode_all"] = "Полный доступ";
|
||||
$text["access_mode_none"] = "Нет доступа";
|
||||
$text["access_mode_read"] = "Доступ для чтения";
|
||||
$text["access_mode_readwrite"] = "Доступ чтение-запись";
|
||||
$text["access_permission_changed_email"] = "Доступ изменен";
|
||||
$text["actions"] = "Действия";
|
||||
$text["add"] = "Добавить";
|
||||
$text["add_doc_reviewer_approver_warning"] = "Документ получает статус ДОПУЩЕН автоматически если не назначены ни рецензент ни утверждающий";
|
||||
$text["add_document"] = "Добавить документ";
|
||||
$text["add_document_link"] = "Добавить ссылку";
|
||||
$text["add_event"] = "Добавить событие";
|
||||
$text["add_group"] = "Добавить группу";
|
||||
$text["add_member"] = "Добавить члена";
|
||||
$text["add_multiple_documents"] = "Добавить несколько документов";
|
||||
$text["add_multiple_files"] = "Добавить несколько файлов (название файла будет использоана в качестве названия документа)";
|
||||
$text["add_subfolder"] = "Добавить подкаталог";
|
||||
$text["add_user"] = "Добавить пользователя";
|
||||
$text["add_user_to_group"] = "Добавить пользователя в группу";
|
||||
$text["admin"] = "Админ";
|
||||
$text["admin_tools"] = "Админка";
|
||||
$text["all_categories"] = "Все категории";
|
||||
$text["all_documents"] = "Все документы";
|
||||
$text["all_pages"] = "Все страницы";
|
||||
$text["all_users"] = "Все пользователи";
|
||||
$text["already_subscribed"] = "Уже подписан";
|
||||
$text["and"] = "и";
|
||||
$text["apply"] = "Применить";
|
||||
$text["approval_deletion_email"] = "Запрос на утверждение удален";
|
||||
$text["approval_group"] = "Утверждающая группа";
|
||||
$text["approval_request_email"] = "Запрос на утверждение";
|
||||
$text["approval_status"] = "Статус утверждения";
|
||||
$text["approval_submit_email"] = "Утверждено";
|
||||
$text["approval_summary"] = "Инфо об утверждении";
|
||||
$text["approval_update_failed"] = "Произошла ошибка при изменении статусаутверждения";
|
||||
$text["approvers"] = "Утверждающие";
|
||||
$text["april"] = "Апрель";
|
||||
$text["archive_creation"] = "Создание архива";
|
||||
$text["archive_creation_warning"] = "Эта операция создаст архив, содержащий все папки. После создания архив будет сохранен в папке анных сервера.<br>ВНИМАНИЕ: Архив созданый как понятный человеку, будет не пригоден в качестве бекапа!";
|
||||
$text["assign_approvers"] = "Назначить утверждающих";
|
||||
$text["assign_reviewers"] = "Назначить рецензентов";
|
||||
$text["assign_user_property_to"] = "Назначить свойства пользователя";
|
||||
$text["assumed_released"] = "Утвержден";
|
||||
$text["august"] = "Август";
|
||||
$text["automatic_status_update"] = "Автоматическое изменения статуса";
|
||||
$text["back"] = "Назад";
|
||||
$text["backup_list"] = "Список бекапов";
|
||||
$text["backup_remove"] = "Удалить бекап";
|
||||
$text["backup_tools"] = "Иструменты бекапа";
|
||||
$text["between"] = "между";
|
||||
$text["calendar"] = "Календарь";
|
||||
$text["cancel"] = "Отмена";
|
||||
$text["cannot_assign_invalid_state"] = "Невозможно изменить устаревший или отклоненный документ";
|
||||
$text["cannot_change_final_states"] = "Нельзя изменять статус у отклоненного, просроченого или ожидающего рецензии или утверждения";
|
||||
$text["cannot_delete_yourself"] = "Нельзя удалить себя";
|
||||
$text["cannot_move_root"] = "Нельзя переместить корневую папку";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "Невозможно получить утверждающий снимок для этой версии документа";
|
||||
$text["cannot_retrieve_review_snapshot"] = "Невозможно получить рецензирующий снимок для этой версии документа";
|
||||
$text["cannot_rm_root"] = "Нельзя удалить корневую папку";
|
||||
$text["category"] = "Категория";
|
||||
$text["category_exists"] = "Категория существует";
|
||||
$text["category_filter"] = "Только категории";
|
||||
$text["category_in_use"] = "Эта категория используется документами";
|
||||
$text["category_noname"] = "Введите название категории";
|
||||
$text["categories"] = "Категории";
|
||||
$text["change_assignments"] = "Изменить назначения";
|
||||
$text["change_password"] = "Изменить пароль";
|
||||
$text["change_password_message"] = "Пароль изменен";
|
||||
$text["change_status"] = "Сменить статус";
|
||||
$text["choose_category"] = "Выберите";
|
||||
$text["choose_group"] = "Выберите группу";
|
||||
$text["choose_target_category"] = "Выберите категорию";
|
||||
$text["choose_target_document"] = "Выберите документ";
|
||||
$text["choose_target_folder"] = "Выберите папку";
|
||||
$text["choose_user"] = "Выберите пользователя";
|
||||
$text["comment_changed_email"] = "Коментарий изменен";
|
||||
$text["comment"] = "Коментарий";
|
||||
$text["comment_for_current_version"] = "Коментарий версии";
|
||||
$text["confirm_create_fulltext_index"] = "Да, пересоздать полнотекстовый индекс!";
|
||||
$text["confirm_pwd"] = "Подтвердите пароль";
|
||||
$text["confirm_rm_backup"] = "Удалить файл \"[arkname]\"?<br>Действие перманентно";
|
||||
$text["confirm_rm_document"] = "Удалить документ \"[documentname]\"?<br>Действие перманентно";
|
||||
$text["confirm_rm_dump"] = "Удалить файл \"[dumpname]\"?<br>Действие перманентно";
|
||||
$text["confirm_rm_event"] = "Удалить событие \"[name]\"?<br>Действие перманентно";
|
||||
$text["confirm_rm_file"] = "Удалить файл \"[name]\" документа \"[documentname]\"?<br>Действие перманентно";
|
||||
$text["confirm_rm_folder"] = "Удалить папку \"[foldername]\" и ее содержимое?<br>Действие перманентно";
|
||||
$text["confirm_rm_folder_files"] = "Удалить все файлы в папке \"[foldername]\" и ее подпапок?<br>Действие перманентно";
|
||||
$text["confirm_rm_group"] = "Удалить группу \"[groupname]\"?<br>Действие перманентно";
|
||||
$text["confirm_rm_log"] = "Удалить лог \"[logname]\"?<br>Дествие перманентно";
|
||||
$text["confirm_rm_user"] = "Удалить пользователя \"[username]\"?<br>Действие перманентно";
|
||||
$text["confirm_rm_version"] = "Удалить версию [version] документа \"[documentname]\"?<br>Действие перманентно";
|
||||
$text["content"] = "Содержимое";
|
||||
$text["continue"] = "Продолжить";
|
||||
$text["create_fulltext_index"] = "Создать полнотекстовый индекс";
|
||||
$text["create_fulltext_index_warning"] = "Вы хотите пересодать полнотекстовый индекс. Это займет время и снизит производительность. Продолжить?";
|
||||
$text["creation_date"] = "Создан";
|
||||
$text["current_version"] = "Текущая версия";
|
||||
$text["daily"] = "Ежедневно";
|
||||
$text["databasesearch"] = "Поиск по БД";
|
||||
$text["december"] = "Декабрь";
|
||||
$text["default_access"] = "Доступ по-умолчанию";
|
||||
$text["default_keywords"] = "Доступные теги";
|
||||
$text["delete"] = "Удалить";
|
||||
$text["details"] = "Детали";
|
||||
$text["details_version"] = "Детали версии: [version]";
|
||||
$text["disclaimer"] = "Работаем аккуратно и вдумчиво. От этого зависит будущее нашей с вами страны и благополучие народа. Даешь пятилетку за три года!";
|
||||
$text["do_object_repair"] = "Исправить все папки и документы";
|
||||
$text["document_already_locked"] = "Документ уже заблокирован";
|
||||
$text["document_deleted"] = "Документ удален";
|
||||
$text["document_deleted_email"] = "Документ удален";
|
||||
$text["document"] = "Документ";
|
||||
$text["document_infos"] = "Информацию о документе";
|
||||
$text["document_is_not_locked"] = "Документ не заблокирован";
|
||||
$text["document_link_by"] = "Связан";
|
||||
$text["document_link_public"] = "Публичный";
|
||||
$text["document_moved_email"] = "Документ перемещен";
|
||||
$text["document_renamed_email"] = "Документ переименован";
|
||||
$text["documents"] = "Документы";
|
||||
$text["documents_in_process"] = "Документы в работе";
|
||||
$text["documents_locked_by_you"] = "Документы, заблокированые Вами";
|
||||
$text["document_status_changed_email"] = "Статус документа изменен";
|
||||
$text["documents_to_approve"] = "Документы, ожидающие Вашего утверждения";
|
||||
$text["documents_to_review"] = "Документы, ожидающие Вашей рецензии";
|
||||
$text["documents_user_requiring_attention"] = "Ваши документы, требующие внимания";
|
||||
$text["document_title"] = "Документ '[documentname]'";
|
||||
$text["document_updated_email"] = "Документ обновлен";
|
||||
$text["does_not_expire"] = "Без срока";
|
||||
$text["does_not_inherit_access_msg"] = "Наследовать уровень доступа";
|
||||
$text["download"] = "Скачать";
|
||||
$text["draft_pending_approval"] = "Черновик - ожидает утверждения";
|
||||
$text["draft_pending_review"] = "Черновик - ожидает рецензии";
|
||||
$text["dump_creation"] = "Создание дампа БД";
|
||||
$text["dump_creation_warning"] = "Эта операция создаст дамп базы данных. После создания, файл будет сохранен в каталоге данных сервера.";
|
||||
$text["dump_list"] = "Соществующие дампы";
|
||||
$text["dump_remove"] = "Удалить дамп";
|
||||
$text["edit_comment"] = "Редактировать коментарий";
|
||||
$text["edit_default_keywords"] = "Редактировать теги";
|
||||
$text["edit_document_access"] = "Редактировать доступ";
|
||||
$text["edit_document_notify"] = "Список уведомления документа";
|
||||
$text["edit_document_props"] = "Редактировать документ";
|
||||
$text["edit"] = "РЕдактировать";
|
||||
$text["edit_event"] = "Редактировать событие";
|
||||
$text["edit_existing_access"] = "Редактироват список доступа";
|
||||
$text["edit_existing_notify"] = "Редактироват список уведомления";
|
||||
$text["edit_folder_access"] = "РЕдактировать доступ";
|
||||
$text["edit_folder_notify"] = "Список уведомления папки";
|
||||
$text["edit_folder_props"] = "Редактировать папку";
|
||||
$text["edit_group"] = "Редактировать группу";
|
||||
$text["edit_user_details"] = "Редактировать данные пользователя";
|
||||
$text["edit_user"] = "Редаткировать пользователя";
|
||||
$text["email"] = "Email";
|
||||
$text["email_error_title"] = "Email не указан";
|
||||
$text["email_footer"] = "Вы всегда можете изменить e-mail исползуя функцию 'Моя учетка'";
|
||||
$text["email_header"] = "Это автоматическое уведомление сервера документооборота";
|
||||
$text["email_not_given"] = "Введите настоящий email.";
|
||||
$text["empty_notify_list"] = "Нет записей";
|
||||
$text["error"] = "Ошибка";
|
||||
$text["error_no_document_selected"] = "Нет выбраных документов";
|
||||
$text["error_no_folder_selected"] = "Нет выбраных папок";
|
||||
$text["error_occured"] = "Произошла ошибка";
|
||||
$text["event_details"] = "Детали события";
|
||||
$text["expired"] = "Истек";
|
||||
$text["expires"] = "Истекает";
|
||||
$text["expiry_changed_email"] = "Дата истечения изменена";
|
||||
$text["february"] = "Февраль";
|
||||
$text["file"] = "Файл";
|
||||
$text["files_deletion"] = "Удаление файлов";
|
||||
$text["files_deletion_warning"] = "Эта операция удалит все файлы во всех папках. Информация о версиях останется доступна";
|
||||
$text["files"] = "Файлы";
|
||||
$text["file_size"] = "Размер";
|
||||
$text["folder_contents"] = "Содержимое папки";
|
||||
$text["folder_deleted_email"] = "Папка удалена";
|
||||
$text["folder"] = "Папка";
|
||||
$text["folder_infos"] = "Информация о папке";
|
||||
$text["folder_moved_email"] = "Папка перемещена";
|
||||
$text["folder_renamed_email"] = "Папка переименована";
|
||||
$text["folders_and_documents_statistic"] = "Обзор содержимого";
|
||||
$text["folders"] = "Папки";
|
||||
$text["folder_title"] = "Папка '[foldername]'";
|
||||
$text["friday"] = "Пятница";
|
||||
$text["from"] = "От";
|
||||
$text["fullsearch"] = "Полнотекстовый поиск";
|
||||
$text["fullsearch_hint"] = "Использовать полнотекстовый индекс";
|
||||
$text["fulltext_info"] = "Информация о полнотекстовом индексе";
|
||||
$text["global_default_keywords"] = "Глобальные теги";
|
||||
$text["global_document_categories"] = "Категории";
|
||||
$text["group_approval_summary"] = "Сводка по утверждению группы";
|
||||
$text["group_exists"] = "Группа уже существует";
|
||||
$text["group"] = "Группа";
|
||||
$text["group_management"] = "Управление группами";
|
||||
$text["group_members"] = "Члены группы";
|
||||
$text["group_review_summary"] = "Сводка по рецензированию группы";
|
||||
$text["groups"] = "Группы";
|
||||
$text["guest_login_disabled"] = "Гостевой вход отключен";
|
||||
$text["guest_login"] = "Войти как гость";
|
||||
$text["help"] = "Помощь";
|
||||
$text["hourly"] = "Ежечасно";
|
||||
$text["human_readable"] = "Человекопонятный архив";
|
||||
$text["include_documents"] = "Включить документы";
|
||||
$text["include_subdirectories"] = "Включить подкаталоги";
|
||||
$text["individuals"] = "Личности";
|
||||
$text["inherits_access_msg"] = "Доступ унаследован.";
|
||||
$text["inherits_access_copy_msg"] = "Скопировать наследованный список";
|
||||
$text["inherits_access_empty_msg"] = "Начать с пустова списка доступа";
|
||||
$text["internal_error_exit"] = "Внутренняя ошибка. Невозможно выполнить запрос. Завершение.";
|
||||
$text["internal_error"] = "Внутренняя ошибка";
|
||||
$text["invalid_access_mode"] = "Неверный уровень доступа";
|
||||
$text["invalid_action"] = "Неверное действие";
|
||||
$text["invalid_approval_status"] = "Неверный статус утверждения";
|
||||
$text["invalid_create_date_end"] = "Неверная конечная дата для диапазаона даты создания";
|
||||
$text["invalid_create_date_start"] = "Неверная начальная дата для диапазаона даты создания";
|
||||
$text["invalid_doc_id"] = "Неверный идентификатор документа";
|
||||
$text["invalid_file_id"] = "Неверный идентификатор файла";
|
||||
$text["invalid_folder_id"] = "Неверный идентификатор папки";
|
||||
$text["invalid_group_id"] = "Неверный идентификатор группы";
|
||||
$text["invalid_link_id"] = "Неверный идентификатор ссылки";
|
||||
$text["invalid_request_token"] = "Invalid Request Token";
|
||||
$text["invalid_review_status"] = "Неверный статус рецензирования";
|
||||
$text["invalid_sequence"] = "Неверное значение последовательности";
|
||||
$text["invalid_status"] = "Неверный статус документа";
|
||||
$text["invalid_target_doc_id"] = "Неверный идентификатор целевого документа";
|
||||
$text["invalid_target_folder"] = "Неверный идентификатор целевой папки";
|
||||
$text["invalid_user_id"] = "Неверный идентификатор пользователя";
|
||||
$text["invalid_version"] = "Неверная версия документа";
|
||||
$text["is_hidden"] = "Не показывать в списке пользователей";
|
||||
$text["january"] = "Январь";
|
||||
$text["js_no_approval_group"] = "Выберите утверждающую группу";
|
||||
$text["js_no_approval_status"] = "Выберите статус утверждения";
|
||||
$text["js_no_comment"] = "Нет коментария";
|
||||
$text["js_no_email"] = "Введите свой Email";
|
||||
$text["js_no_file"] = "Выберите файл";
|
||||
$text["js_no_keywords"] = "Укажите теги";
|
||||
$text["js_no_login"] = "Введите логин";
|
||||
$text["js_no_name"] = "Введите имя";
|
||||
$text["js_no_override_status"] = "Выберите новый [override] статус";
|
||||
$text["js_no_pwd"] = "Введите пароль";
|
||||
$text["js_no_query"] = "Введите запрос";
|
||||
$text["js_no_review_group"] = "Выберите рецензирующую группу";
|
||||
$text["js_no_review_status"] = "Выберите статус рецензии";
|
||||
$text["js_pwd_not_conf"] = "Пароль и его подтверждение не совпадают";
|
||||
$text["js_select_user_or_group"] = "Выберите хотя бы пользователя или группу";
|
||||
$text["js_select_user"] = "Выберите пользователя";
|
||||
$text["july"] = "Июль";
|
||||
$text["june"] = "Июнь";
|
||||
$text["keyword_exists"] = "Тег существует";
|
||||
$text["keywords"] = "Теги";
|
||||
$text["language"] = "Язык";
|
||||
$text["last_update"] = "Последнее обновление";
|
||||
$text["link_alt_updatedocument"] = "Если Вы хотите загрузить файлы больше текущего лимита, используйте другой <a href=\"%s\">способ</a>.";
|
||||
$text["linked_documents"] = "Связаные документы";
|
||||
$text["linked_files"] = "Приложения";
|
||||
$text["local_file"] = "Локальный файл";
|
||||
$text["locked_by"] = "Заблокирован";
|
||||
$text["lock_document"] = "Заблокировать";
|
||||
$text["lock_message"] = "Документ заблокирован <a href=\"mailto:[email]\">[username]</a>. Только имеющие права могут его разблокировать.";
|
||||
$text["lock_status"] = "Статус";
|
||||
$text["login"] = "Логин";
|
||||
$text["login_error_text"] = "Ошибка входа. Проверьте логин и пароль.";
|
||||
$text["login_error_title"] = "Ошибка входа";
|
||||
$text["login_not_given"] = "Не указан пользователь";
|
||||
$text["login_ok"] = "Вход успешен";
|
||||
$text["log_management"] = "Управление логами";
|
||||
$text["logout"] = "Выход";
|
||||
$text["manager"] = "Менеджер";
|
||||
$text["march"] = "Март";
|
||||
$text["max_upload_size"] = "Лимит размера файла";
|
||||
$text["may"] = "Май";
|
||||
$text["monday"] = "Понедельник";
|
||||
$text["month_view"] = "Вид месяца";
|
||||
$text["monthly"] = "Ежемесячно";
|
||||
$text["move_document"] = "Переместить документ";
|
||||
$text["move_folder"] = "Переместить папку";
|
||||
$text["move"] = "Переместить";
|
||||
$text["my_account"] = "Моя учетка";
|
||||
$text["my_documents"] = "Мои документы";
|
||||
$text["name"] = "Имя";
|
||||
$text["new_default_keyword_category"] = "Добавить категорию";
|
||||
$text["new_default_keywords"] = "Добавить теги";
|
||||
$text["new_document_category"] = "Добавить категорию";
|
||||
$text["new_document_email"] = "Новый документ";
|
||||
$text["new_file_email"] = "Новое приложение";
|
||||
$text["new_folder"] = "Новая папка";
|
||||
$text["new"] = "Новый";
|
||||
$text["new_subfolder_email"] = "Новая папка";
|
||||
$text["new_user_image"] = "Новое изображение";
|
||||
$text["no_action"] = "Действие не требуется";
|
||||
$text["no_approval_needed"] = "Утверждение не требуется";
|
||||
$text["no_attached_files"] = "Нет прикрепленных файлов";
|
||||
$text["no_default_keywords"] = "Нет тегов";
|
||||
$text["no_docs_locked"] = "Нет заблокированых документов";
|
||||
$text["no_docs_to_approve"] = "Нет документов, нуждающихся в утверждении";
|
||||
$text["no_docs_to_look_at"] = "Нет документов, нуждающихся во внимании";
|
||||
$text["no_docs_to_review"] = "Нет документов, нуждающихся в рецензии";
|
||||
$text["no_group_members"] = "Группа не имеет членов";
|
||||
$text["no_groups"] = "Нет групп";
|
||||
$text["no"] = "Нет";
|
||||
$text["no_linked_files"] = "Нет прикрепленных файлов";
|
||||
$text["no_previous_versions"] = "Нет других версий";
|
||||
$text["no_review_needed"] = "Рецензия не требуется";
|
||||
$text["notify_added_email"] = "Вы добавлены в список уведомлений";
|
||||
$text["notify_deleted_email"] = "Выудалены из списка уведомлений";
|
||||
$text["no_update_cause_locked"] = "Вы не можете обновить документ. Свяжитесь с заблокировавшим пользователем.";
|
||||
$text["no_user_image"] = "Изображение не найдено";
|
||||
$text["november"] = "Ноябрь";
|
||||
$text["objectcheck"] = "Проверка Папки/Документа";
|
||||
$text["obsolete"] = "Устарел";
|
||||
$text["october"] = "Октябрь";
|
||||
$text["old"] = "Старый";
|
||||
$text["only_jpg_user_images"] = "Разрешены только .jpg-изображения";
|
||||
$text["owner"] = "Владелец";
|
||||
$text["ownership_changed_email"] = "Владелец изменен";
|
||||
$text["password"] = "Пароль";
|
||||
$text["password_repeat"] = "Повторите пароль";
|
||||
$text["password_forgotten"] = "Забыл пароль";
|
||||
$text["password_forgotten_email_subject"] = "Забыл пароль";
|
||||
$text["password_forgotten_email_body"] = "Уважаемый юзверь,\n\nмы получили запрос на изменение Вашего пароля.\n\nЧто бы это сделать, перейдите по ссылке:\n\n###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###\n\nЕсли вы и после этого не сможете войти, свяжитесь с админом.";
|
||||
$text["password_forgotten_send_hash"] = "Инструкции высланы на email";
|
||||
$text["password_forgotten_text"] = "Заполниет форму и следуйте инструкциям в письме";
|
||||
$text["password_forgotten_title"] = "Пароль выслан";
|
||||
$text["personal_default_keywords"] = "Личный список тегов";
|
||||
$text["previous_versions"] = "Предыдущие версии";
|
||||
$text["refresh"] = "Обновить";
|
||||
$text["rejected"] = "Отклонен";
|
||||
$text["released"] = "Утвержден";
|
||||
$text["removed_approver"] = "удален из списка утверждающих";
|
||||
$text["removed_file_email"] = "Удалить приложение";
|
||||
$text["removed_reviewer"] = "удален из списка рецензирующих";
|
||||
$text["repairing_objects"] = "Восстановление папок и документов";
|
||||
$text["results_page"] = "Страница результатов";
|
||||
$text["review_deletion_email"] = "ЗАпрос на рецензию удален";
|
||||
$text["reviewer_already_assigned"] = "уже назначет на рецензирование";
|
||||
$text["reviewer_already_removed"] = "уже удален из списка рецензирующих или уже оставил рецензию";
|
||||
$text["reviewers"] = "Рецензирующие";
|
||||
$text["review_group"] = "Рецензирующая группа";
|
||||
$text["review_request_email"] = "Запрос на рецензию";
|
||||
$text["review_status"] = "Статус рецензии";
|
||||
$text["review_submit_email"] = "Отправленная рецензия";
|
||||
$text["review_summary"] = "Сводка по рецензии";
|
||||
$text["review_update_failed"] = "Ошибка обновления статуса рецензии";
|
||||
$text["rm_default_keyword_category"] = "Удалить категорию";
|
||||
$text["rm_document"] = "Удалить документ";
|
||||
$text["rm_document_category"] = "Удалить категорию";
|
||||
$text["rm_file"] = "Удалить файл";
|
||||
$text["rm_folder"] = "Удалить папку";
|
||||
$text["rm_group"] = "Удалить группу";
|
||||
$text["rm_user"] = "Удалить этого пользователя";
|
||||
$text["rm_version"] = "Удалить версию";
|
||||
$text["role_admin"] = "Админ";
|
||||
$text["role_guest"] = "Гость";
|
||||
$text["role_user"] = "Пользователь";
|
||||
$text["role"] = "Роль";
|
||||
$text["saturday"] = "Суббота";
|
||||
$text["save"] = "Сохранить";
|
||||
$text["search_fulltext"] = "Полнотекстовый поиск";
|
||||
$text["search_in"] = "Поиск";
|
||||
$text["search_mode_and"] = "все слова";
|
||||
$text["search_mode_or"] = "хотя бы одно слово";
|
||||
$text["search_no_results"] = "Нет документов, соответствующих запросу";
|
||||
$text["search_query"] = "Искать";
|
||||
$text["search_report"] = "Найдено [doccount] документов и [foldercount] папок";
|
||||
$text["search_report_fulltext"] = "Найдено [doccount] документов";
|
||||
$text["search_results_access_filtered"] = "Результаты поиска могут содержать объекты к которым у вас нет доступа";
|
||||
$text["search_results"] = "Результаты поиска";
|
||||
$text["search"] = "Поиск";
|
||||
$text["search_time"] = "Прошло: [time] sec.";
|
||||
$text["selection"] = "Выбор";
|
||||
$text["select_one"] = "Выбрать один";
|
||||
$text["september"] = "Сентябрь";
|
||||
$text["seq_after"] = "После \"[prevname]\"";
|
||||
$text["seq_end"] = "В конце";
|
||||
$text["seq_keep"] = "Сохранить позицию";
|
||||
$text["seq_start"] = "Первая позиция";
|
||||
$text["sequence"] = "Последовательность";
|
||||
$text["set_expiry"] = "Установить истечение";
|
||||
$text["set_owner_error"] = "Ошибка при установке владельца";
|
||||
$text["set_owner"] = "Установить владельца";
|
||||
$text["settings_install_welcome_title"] = "Добро пожаловать в установку letoDMS";
|
||||
$text["settings_install_welcome_text"] = "<p>Прежде чем начать, убедитесь что вы создали файл 'ENABLE_INSTALL_TOOL' в каталоге конфигурации, иначе установка не будет работать. На NIX-подобных это можно сделать командой 'touch conf/ENABLE_INSTALL_TOOL'. После установки удалите файл.</p><p>letoDMS имеет минимальные требования. Нужна mysql БД и веб-сервер с php. Для того что бы работал полнотекстовый поиск lucene, также необходима Zend framework, установленая там где ее видит php. Начиная с версии 3.2.0 letoDMS, ADOdb не будет частью дистрибутива. Скачайте ее с <a href=\"http://adodb.sourceforge.net/\">http://adodb.sourceforge.net</a> и установите. Путь к ней может быть указан позднее при установке.</p><p>Если Вы хотите создать БД до установки, тогда создайте ее ручками (тут так и было написано)))), опционально создайте юзера с правами на бд и импортируйте дамп из папки конфигурации. Установочный скрипт это может сделать и сам, но понадобится доступ к БД с правами для создания базы данных.</p>";
|
||||
$text["settings_start_install"] = "Начать установку";
|
||||
$text["settings_activate_module"] = "Активировать модуль";
|
||||
$text["settings_activate_php_extension"] = "Активировать расширение PHP";
|
||||
$text["settings_adminIP"] = "Админский IP";
|
||||
$text["settings_adminIP_desc"] = "Если установить, то админ сможет зайти только с этого IP. Оставьте пустым во избежании апокалипсиса. Не работает с LDAP";
|
||||
$text["settings_ADOdbPath"] = "Путь к ADOdb";
|
||||
$text["settings_ADOdbPath_desc"] = "Папка содержащая ПАПКУ ADOdb";
|
||||
$text["settings_Advanced"] = "Дополнительно";
|
||||
$text["settings_apache_mod_rewrite"] = "Apache - Module Rewrite";
|
||||
$text["settings_Authentication"] = "Настройки авторизации";
|
||||
$text["settings_Calendar"] = "Настройки календаря";
|
||||
$text["settings_calendarDefaultView"] = "Вид календаря по-умолчанию";
|
||||
$text["settings_calendarDefaultView_desc"] = "Вид календаря по-умолчанию";
|
||||
$text["settings_contentDir"] = "Каталог контента";
|
||||
$text["settings_contentDir_desc"] = "Куда сохраняются загруженые файлы (лучше выбрать каталог, недоступный веб-серверу)";
|
||||
$text["settings_contentOffsetDir"] = "Content Offset Directory";
|
||||
$text["settings_contentOffsetDir_desc"] = "Во избежании проблем с файловой системой была введена новая структура папок в каталоге контента. Необходима базовая папка, откуда начать. Впрочем оставьте тут все как есть, 1048576, но может быть любым числом или строкой, не существующей уже в папке контента";
|
||||
$text["settings_coreDir"] = "Папка Core letoDMS";
|
||||
$text["settings_coreDir_desc"] = "Путь к SeedDMS_Core (не обязательно)";
|
||||
$text["settings_luceneClassDir"] = "Папка Lucene SeedDMS";
|
||||
$text["settings_luceneClassDir_desc"] = "Путь к SeedDMS_Lucene (не обязательно)";
|
||||
$text["settings_luceneDir"] = "Папка индекса Lucene";
|
||||
$text["settings_luceneDir_desc"] = "Путь, куда Lucene будет писать свой индекс";
|
||||
$text["settings_cannot_disable"] = "Невозможно удлить ENABLE_INSTALL_TOOL";
|
||||
$text["settings_install_disabled"] = "ENABLE_INSTALL_TOOL удален. Теперь можно залогиниться для последующей конфигурации системы.";
|
||||
$text["settings_createdatabase"] = "Создать таблицы БД";
|
||||
$text["settings_createdirectory"] = "Создать папку";
|
||||
$text["settings_currentvalue"] = "Текущее значение";
|
||||
$text["settings_Database"] = "Настройки БД";
|
||||
$text["settings_dbDatabase"] = "БД";
|
||||
$text["settings_dbDatabase_desc"] = "Название БД, введенное в ходе установки. Не изменять без необходимости, только, например, если БД перемещена.";
|
||||
$text["settings_dbDriver"] = "Тип БД";
|
||||
$text["settings_dbDriver_desc"] = "Тип БД, введенный в ходе установки. Не изменять без необходимости, только, например, если БД изменила движок. Драйвер adodb (читать мануал adodb)";
|
||||
$text["settings_dbHostname_desc"] = "Хост БД, введенный в ходе установки. Не изменять без необходимости, только, например, если БД перемещена.";
|
||||
$text["settings_dbHostname"] = "Хост";
|
||||
$text["settings_dbPass_desc"] = "Пароль, введенный в ходе установки";
|
||||
$text["settings_dbPass"] = "Пароль";
|
||||
$text["settings_dbUser_desc"] = "Логин, введенный в ходе установки. Не изменять без необходимости, например если БД была перемещена.";
|
||||
$text["settings_dbUser"] = "Логин";
|
||||
$text["settings_dbVersion"] = "Схема БД утсрала";
|
||||
$text["settings_delete_install_folder"] = "Удалите ENABLE_INSTALL_TOOL в каталоге конфигурации, для того что бы начать использовать систему";
|
||||
$text["settings_disable_install"] = "Удалить ENABLE_INSTALL_TOOL есди возможно";
|
||||
$text["settings_disableSelfEdit_desc"] = "Если включить, пользователи не смогут редактировать свою информацию";
|
||||
$text["settings_disableSelfEdit"] = "Отключить собстенное редактирование";
|
||||
$text["settings_Display"] = "Отключить настройки";
|
||||
$text["settings_Edition"] = "Настройки редакции";
|
||||
$text["settings_enableAdminRevApp_desc"] = "Отключить, что бы скрыть админа из списка рецензирующих/утверждающих";
|
||||
$text["settings_enableAdminRevApp"] = "Админ рулит)))";
|
||||
$text["settings_enableCalendar_desc"] = "Включить/отключить календарь";
|
||||
$text["settings_enableCalendar"] = "Включить календарь";
|
||||
$text["settings_enableConverting_desc"] = "Включить/отключить конвертацию файлов";
|
||||
$text["settings_enableConverting"] = "Включить конвертацию";
|
||||
$text["settings_enableEmail_desc"] = "Включить/отключить автоматическое уведомление по email";
|
||||
$text["settings_enableEmail"] = "Включить E-mail";
|
||||
$text["settings_enableFolderTree_desc"] = "Отключено - не показывать дерево папок";
|
||||
$text["settings_enableFolderTree"] = "Включить дерево папок";
|
||||
$text["settings_enableFullSearch"] = "Включить полнотекстовы поиск";
|
||||
$text["settings_enableFullSearch_desc"] = "Включить полнотекстовый поиск";
|
||||
$text["settings_enableGuestLogin_desc"] = "Что бы разрешить гостевой вход, включите эту опцию. Гостевой вход должен использоваться только в довереной среде.";
|
||||
$text["settings_enableGuestLogin"] = "Включить гостевой вход";
|
||||
$text["settings_enableLargeFileUpload_desc"] = "Если включено, загрузка файлов дуступна так же через ява-апплет, называемый jumploader, без лимита на размер файла. Это так же позволит загружать несколько файлов за раз.";
|
||||
$text["settings_enableLargeFileUpload"] = "Включить ява-загрузчик файлов";
|
||||
$text["settings_enablePasswordForgotten_desc"] = "Если включено, разрешает юзерам восстанавливать пароль на email.";
|
||||
$text["settings_enablePasswordForgotten"] = "Включить восстановление пароля";
|
||||
$text["settings_enableUserImage_desc"] = "Включить аватары пользователей";
|
||||
$text["settings_enableUserImage"] = "Включить аватары";
|
||||
$text["settings_enableUsersView_desc"] = "Включить/отключить просмотр групп/пользователей для всех пользователей";
|
||||
$text["settings_enableUsersView"] = "Включить просмотр пользователей";
|
||||
$text["settings_error"] = "Ошибка";
|
||||
$text["settings_expandFolderTree_desc"] = "Разворачивать дерево папок";
|
||||
$text["settings_expandFolderTree"] = "Разворачивать дерево папок";
|
||||
$text["settings_expandFolderTree_val0"] = "начинать со свернутого дерева";
|
||||
$text["settings_expandFolderTree_val1"] = "начинать с развернутого дерева с развернутым первым уровнем";
|
||||
$text["settings_expandFolderTree_val2"] = "начинать с полностью развернутого дерева";
|
||||
$text["settings_firstDayOfWeek_desc"] = "Первый день недели";
|
||||
$text["settings_firstDayOfWeek"] = "Первый день недели";
|
||||
$text["settings_footNote_desc"] = "Сообщение, показываемое внизу каждой страницы";
|
||||
$text["settings_footNote"] = "Футер";
|
||||
$text["settings_guestID_desc"] = "Идентификатор гостя (можно не изменять)";
|
||||
$text["settings_guestID"] = "Идентификатор гостя";
|
||||
$text["settings_httpRoot_desc"] = "Относительный путь в URL, после доменной части. Без http://. Например если полный URL http://www.example.com/letodms/, то нам нужно указать '/letodms/'. Если URL http://www.example.com/, то '/'";
|
||||
$text["settings_httpRoot"] = "Корень Http";
|
||||
$text["settings_installADOdb"] = "Установить ADOdb";
|
||||
$text["settings_install_success"] = "Установка успешно завершена.";
|
||||
$text["settings_install_pear_package_log"] = "Установите пакет Pear 'Log'";
|
||||
$text["settings_install_pear_package_webdav"] = "Установите пакет Pear 'HTTP_WebDAV_Server', если собираетесь использовать этот протокол";
|
||||
$text["settings_install_zendframework"] = "Установите Zend Framework, если собираетесь использовать полнотекстовый поиск";
|
||||
$text["settings_language"] = "Язык по-умолчанию";
|
||||
$text["settings_language_desc"] = "Язык по-умолчанию (название подпапки в папке \"languages\")";
|
||||
$text["settings_logFileEnable_desc"] = "Включить/отключить лог";
|
||||
$text["settings_logFileEnable"] = "Включить лог";
|
||||
$text["settings_logFileRotation_desc"] = "Прокрутка лога";
|
||||
$text["settings_logFileRotation"] = "Прокрутка лога";
|
||||
$text["settings_luceneDir"] = "Каталог для полнотекстового индекса";
|
||||
$text["settings_maxDirID_desc"] = "Максимум подпапок в родительской папке. По-умолчанию: 32700.";
|
||||
$text["settings_maxDirID"] = "Максимальный ID папки";
|
||||
$text["settings_maxExecutionTime_desc"] = "Устанавливает максимальное время выполнения скрипта, перед тем как он будет прибит парсером";
|
||||
$text["settings_maxExecutionTime"] = "Максимальное время выполнения (с)";
|
||||
$text["settings_more_settings"] = "Еще настройки. Дефолтный логин: admin/admin";
|
||||
$text["settings_no_content_dir"] = "Каталог контента";
|
||||
$text["settings_notfound"] = "Не найден";
|
||||
$text["settings_notwritable"] = "Конфигурация не может быть сохранена, потому что файл конфигурации только для чтения.";
|
||||
$text["settings_partitionSize"] = "Частичный размер файла";
|
||||
$text["settings_partitionSize_desc"] = "Размер частичных файлов в байтах, загружаемых через jumploader. Не устанавливать выше максимально возможного размера, установленного на сервере.";
|
||||
$text["settings_perms"] = "Разрешения";
|
||||
$text["settings_pear_log"] = "Пакет Pear : Log";
|
||||
$text["settings_pear_webdav"] = "Пакет Pear : HTTP_WebDAV_Server";
|
||||
$text["settings_php_dbDriver"] = "PHP extension : php_'see current value'";
|
||||
$text["settings_php_gd2"] = "PHP extension : php_gd2";
|
||||
$text["settings_php_mbstring"] = "PHP extension : php_mbstring";
|
||||
$text["settings_printDisclaimer_desc"] = "Если включенно, то дисклаймер из lang.inc будет выводится внизу каждой страницы";
|
||||
$text["settings_printDisclaimer"] = "Выводить дисклаймер";
|
||||
$text["settings_restricted_desc"] = "Разрешать вход пользователям, только если у них есть соответствующая учетка в БД (независимо от успешного входа через LDAP)";
|
||||
$text["settings_restricted"] = "Ограниченый доступ";
|
||||
$text["settings_rootDir_desc"] = "Путь к letoDMS";
|
||||
$text["settings_rootDir"] = "Корневая папка";
|
||||
$text["settings_rootFolderID_desc"] = "ID каждой корневой папки (можно не менять)";
|
||||
$text["settings_rootFolderID"] = "ID корневой папки";
|
||||
$text["settings_SaveError"] = "Ошибка при сохранении конфигурации";
|
||||
$text["settings_Server"] = "Настройки сервера";
|
||||
$text["settings"] = "Настройки";
|
||||
$text["settings_siteDefaultPage_desc"] = "Страница,показываемая после входа. Есди пусто, то out/out.ViewFolder.php";
|
||||
$text["settings_siteDefaultPage"] = "Страница по-умолчанию";
|
||||
$text["settings_siteName_desc"] = "Название сайта, используемое в заголовках. По-умолчанию: letoDMS";
|
||||
$text["settings_siteName"] = "Название сайта";
|
||||
$text["settings_Site"] = "Сайт";
|
||||
$text["settings_smtpPort_desc"] = "Порт сервера SMTP, по-умолчанию 25";
|
||||
$text["settings_smtpPort"] = "SMTP порт";
|
||||
$text["settings_smtpSendFrom_desc"] = "Отправлено от";
|
||||
$text["settings_smtpSendFrom"] = "От";
|
||||
$text["settings_smtpServer_desc"] = "Хост SMTP";
|
||||
$text["settings_smtpServer"] = "Хост SMTP";
|
||||
$text["settings_SMTP"] = "Настройки SMTP";
|
||||
$text["settings_stagingDir"] = "Папка для частичных загрузок";
|
||||
$text["settings_strictFormCheck_desc"] = "Если включить, то все поля формы будут проверяться на заполненость. Если выключить, то коментарии и теги станут опциональными. Коментарий всегда обезателен при рецензировании или изменении статуса.";
|
||||
$text["settings_strictFormCheck"] = "Полная проверка форм";
|
||||
$text["settings_suggestionvalue"] = "Предлагаемое значение";
|
||||
$text["settings_System"] = "Система";
|
||||
$text["settings_theme"] = "Тема по-умолчанию";
|
||||
$text["settings_theme_desc"] = "Стиль по-умолчанию (подпапка в папке \"styles\")";
|
||||
$text["settings_titleDisplayHack_desc"] = "Костяль для заголовков длиннее двух строк";
|
||||
$text["settings_titleDisplayHack"] = "Костыль для заголовков";
|
||||
$text["settings_updateDatabase"] = "Запустить обновление схемы БД";
|
||||
$text["settings_updateNotifyTime_desc"] = "Пользователи уведомляются об измененях в документах за последние 'Update Notify Time' секунд";
|
||||
$text["settings_updateNotifyTime"] = "Вермя уведомлений об изменениях";
|
||||
$text["settings_versioningFileName_desc"] = "Названия файла версий, создаваемого инструментом бекапа";
|
||||
$text["settings_versioningFileName"] = "Название файла версий";
|
||||
$text["settings_viewOnlineFileTypes_desc"] = "Файлы с одним из следующих расширений могут просматриваться онлайн (только маленькие буквы)";
|
||||
$text["settings_viewOnlineFileTypes"] = "Типы файлов для просмотра онлайн";
|
||||
$text["settings_zendframework"] = "Zend Framework";
|
||||
$text["signed_in_as"] = "Вход под";
|
||||
$text["sign_in"] = "вход";
|
||||
$text["sign_out"] = "выход";
|
||||
$text["space_used_on_data_folder"] = "Размер каталога данных";
|
||||
$text["status_approval_rejected"] = "Черновик отклонен";
|
||||
$text["status_approved"] = "Утвержден";
|
||||
$text["status_approver_removed"] = "Утверждающий удален из процесса";
|
||||
$text["status_not_approved"] = "Не утвержден";
|
||||
$text["status_not_reviewed"] = "Не рецензирован";
|
||||
$text["status_reviewed"] = "Рецензирован";
|
||||
$text["status_reviewer_rejected"] = "Черновик отклонен";
|
||||
$text["status_reviewer_removed"] = "Рецензирующий удален из процесса";
|
||||
$text["status"] = "Статус";
|
||||
$text["status_unknown"] = "Неизвестный";
|
||||
$text["storage_size"] = "Размер хранилища";
|
||||
$text["submit_approval"] = "Утвердить";
|
||||
$text["submit_login"] = "Войти";
|
||||
$text["submit_password"] = "Установить новый пароль";
|
||||
$text["submit_password_forgotten"] = "Начать процесс";
|
||||
$text["submit_review"] = "Рецензировать";
|
||||
$text["sunday"] = "Воскресенье";
|
||||
$text["theme"] = "Тема";
|
||||
$text["thursday"] = "Четверг";
|
||||
$text["toggle_manager"] = "Включить менеджер";
|
||||
$text["to"] = "к";
|
||||
$text["tuesday"] = "Вторник";
|
||||
$text["under_folder"] = "В папке";
|
||||
$text["unknown_command"] = "Команда не опознана.";
|
||||
$text["unknown_document_category"] = "Неизвестная категория";
|
||||
$text["unknown_group"] = "Неизвестный идентификатор группы";
|
||||
$text["unknown_id"] = "неизвестный идентификатор";
|
||||
$text["unknown_keyword_category"] = "Неизвестная категория";
|
||||
$text["unknown_owner"] = "Неизвестный идентификатор собственника";
|
||||
$text["unknown_user"] = "Неизвестный идентификатор пользователя";
|
||||
$text["unlock_cause_access_mode_all"] = "Вы все еще можете его обновить, потому что имеете уровень доступа \"all\". Блокировка будет снята автоматически.";
|
||||
$text["unlock_cause_locking_user"] = "Вы все еще можете его обновить, потому что вы один из тех кто его заблокировал. Блокировка будет снята автоматически.";
|
||||
$text["unlock_document"] = "Разблокировать";
|
||||
$text["update_approvers"] = "Обновить список утверждающих";
|
||||
$text["update_document"] = "Обновить документ";
|
||||
$text["update_fulltext_index"] = "Обновить полнотекстовый индекс";
|
||||
$text["update_info"] = "Обновить информацию";
|
||||
$text["update_locked_msg"] = "Этот документ заблокирован";
|
||||
$text["update_reviewers"] = "Обновить список рецензирующих";
|
||||
$text["update"] = "Обновить";
|
||||
$text["uploaded_by"] = "Загружен";
|
||||
$text["uploading_failed"] = "Загрузка не удалась. Свяжитесь с админом";
|
||||
$text["use_default_categories"] = "Использовать предопределенные категории";
|
||||
$text["use_default_keywords"] = "Использовать предопределенные теги";
|
||||
$text["user_exists"] = "Пользователь существует";
|
||||
$text["user_image"] = "Изображение";
|
||||
$text["user_info"] = "Информация о пользователе";
|
||||
$text["user_list"] = "Список пользователей";
|
||||
$text["user_login"] = "Идентификатор пользователя";
|
||||
$text["user_management"] = "Управление пользователями";
|
||||
$text["user_name"] = "Полное имя";
|
||||
$text["users"] = "Пользователи";
|
||||
$text["user"] = "Пользователь";
|
||||
$text["version_deleted_email"] = "Версия удалена";
|
||||
$text["version_info"] = "Информация о версии";
|
||||
$text["versioning_file_creation"] = "Создание файла версий";
|
||||
$text["versioning_file_creation_warning"] = "Эта операция создаст файл версий для всей папки. После создания файл будет сохранен в каталоге документов.";
|
||||
$text["versioning_info"] = "Информация о версиях";
|
||||
$text["version"] = "Версия";
|
||||
$text["view_online"] = "Просмотреть";
|
||||
$text["warning"] = "Внимание";
|
||||
$text["wednesday"] = "Среда";
|
||||
$text["week_view"] = "Неделя";
|
||||
$text["year_view"] = "Год";
|
||||
$text["yes"] = "Да";
|
||||
?>
|
|
@ -1,417 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006 Malcolm Cowe
|
||||
// Copyright (C) 2008 Ivan Masár
|
||||
// Copyright (C) 2010 Peter Nemšák
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Prijať";
|
||||
$text["access_denied"] = "Prístup zamietnutý.";
|
||||
$text["access_inheritance"] = "Dedičnosť prístupu";
|
||||
$text["access_mode"] = "Režim prístupu";
|
||||
$text["access_mode_all"] = "Každý";
|
||||
$text["access_mode_none"] = "Žiadny prístup";
|
||||
$text["access_mode_read"] = "Na čítanie";
|
||||
$text["access_mode_readwrite"] = "Na čítanie aj zápis";
|
||||
$text["access_permission_changed_email"] = "Pristupové prava zmenene";
|
||||
$text["actions"] = "Činnosti";
|
||||
$text["add"] = "Pridať";
|
||||
$text["add_doc_reviewer_approver_warning"] = "Pozn.: Dokumenty sa automaticky označia ako vydané ak nie je pridelený žiadny kontrolór alebo schvaľovateľ.";
|
||||
$text["add_document"] = "Pridať dokument";
|
||||
$text["add_document_link"] = "Pridať odkaz";
|
||||
$text["add_event"] = "Pridať udalosť";
|
||||
$text["add_group"] = "Pridať novú skupinu";
|
||||
$text["add_member"] = "Pridať člena";
|
||||
$text["add_multiple_files"] = "Pridať viacero súborov (názov súboru sa použije ako názov dokumentu)";
|
||||
$text["add_subfolder"] = "Pridať podzložku";
|
||||
$text["add_user"] = "Pridať nového používatela";
|
||||
$text["admin"] = "Správca";
|
||||
$text["admin_tools"] = "Nástroje správcu";
|
||||
$text["all_documents"] = "Všetky dokumenty";
|
||||
$text["all_pages"] = "Všetky";
|
||||
$text["all_users"] = "Všetci používatelia";
|
||||
//$text["already_subscribed"] = "Already subscribed";
|
||||
$text["and"] = "a";
|
||||
$text["approval_deletion_email"] = "Poziadavka na schvalenie zmazana";
|
||||
$text["approval_group"] = "Skupina schválenia";
|
||||
$text["approval_request_email"] = "Poziadavka na schvalenie";
|
||||
$text["approval_status"] = "Stav schválenia";
|
||||
$text["approval_submit_email"] = "Poslane schvalenie";
|
||||
$text["approval_summary"] = "Zhrnutie schválenia";
|
||||
$text["approval_update_failed"] = "Chyba pri aktualizácii stavu schválenia. Aktualizácia zlyhala.";
|
||||
$text["approvers"] = "Schvaľovatelia";
|
||||
$text["april"] = "Apríl";
|
||||
$text["archive_creation"] = "Vytvorenie archívu";
|
||||
$text["archive_creation_warning"] = "Touto akciou môžete vytvoriť archív obsahujúci celú DMS zložku. Po vytvorení bude každý súbor uložený do dátovej zložky súborov na vašom serveri.<br>UPOZORNENIE: uživateľsky prístupný archív nie je možné použiť ako zálohu servera.";
|
||||
$text["assign_approvers"] = "Určiť schvaľovateľov";
|
||||
$text["assign_reviewers"] = "Určiť recenzentov";
|
||||
$text["assign_user_property_to"] = "Assign user's properties to";
|
||||
$text["assumed_released"] = "Pokladá sa za zverejnené";
|
||||
$text["august"] = "August";
|
||||
$text["automatic_status_update"] = "Automaticka zmena stavu";
|
||||
$text["back"] = "Prejsť späť";
|
||||
$text["backup_list"] = "Zoznam záloh";
|
||||
$text["backup_remove"] = "Odstrániť zálohu";
|
||||
$text["backup_tools"] = "Zálohovacie nástroje";
|
||||
$text["between"] = "medzi";
|
||||
$text["calendar"] = "Kalendár";
|
||||
$text["cancel"] = "Zrušiť";
|
||||
$text["cannot_assign_invalid_state"] = "Nie je možné prideliť schvaľovateľov dokumentu, ktorý nečaká na kontrolu alebo schválenie.";
|
||||
$text["cannot_change_final_states"] = "Upozornenie: Nebolo možné zmeniť stav dokumentov, ktoré boli odmietnuté, označené ako zastaralé alebo platnosť vypršala.";
|
||||
//$text["cannot_delete_yourself"] = "Cannot delete yourself";
|
||||
$text["cannot_move_root"] = "Chyba: Nie je možné presunúť koreňovú zložku.";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "Nie je možné získať informáciu o stave schválenia tejto verzie dokumentu.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "Nie je možné získať informáciu o stave kontroly tejto verzie dokumentu.";
|
||||
$text["cannot_rm_root"] = "Chyba: Nie je možné zmazať koreňovú zložku.";
|
||||
$text["change_assignments"] = "Zmeniť úlohy";
|
||||
$text["change_status"] = "Zmeniť stav";
|
||||
$text["choose_category"] = "--Vyberte prosím--";
|
||||
$text["choose_group"] = "--Vyberte skupinu--";
|
||||
$text["choose_target_document"] = "Vyberte dokument";
|
||||
$text["choose_target_folder"] = "Vyberte cieľovú zložku";
|
||||
$text["choose_user"] = "--Vyberte používateľa--";
|
||||
$text["comment_changed_email"] = "Komentar zmeneny";
|
||||
$text["comment"] = "Komentár";
|
||||
$text["comment_for_current_version"] = "Version comment";
|
||||
$text["confirm_pwd"] = "Potvrdenie hesla";
|
||||
$text["confirm_rm_backup"] = "Skutočne si prajete odstrániť zálohu \"[arkname]\"?<br>Buďte opatrní, táto akcia je nezvratná.";
|
||||
$text["confirm_rm_document"] = "Naozaj chcete odstrániť dokument \"[documentname]\"?<br>Buďte opatrní: Túto činnosť nemožno vrátiť späť.";
|
||||
$text["confirm_rm_dump"] = "Skutočne si prajete odstrániť \"[dumpname]\"?<br>Buďte opatrní, táto akcia je nezvratná.";
|
||||
$text["confirm_rm_event"] = "Skutočne si prajete odstrániť udalosť \"[name]\"?<br>Buďte opatrní, táto akcia je nezvratná.";
|
||||
$text["confirm_rm_file"] = "Skutočne si prajete odstrániť súbor \"[name]\" z dokumentu \"[documentname]\"?<br>Buďte opatrní, táto akcia je nezvratná.";
|
||||
$text["confirm_rm_folder"] = "Naozaj chcete odstrániť \"[foldername]\" a jeho obsah?<br>Buďte opatrní: Túto činnosť nemožno vrátiť späť.";
|
||||
$text["confirm_rm_folder_files"] = "Skutočne si prajete odstrániť všetky súbory zložky \"[foldername]\" a všetkých jej podzložiek?<br>Buďte opatrní, táto akcia je nezvratná.";
|
||||
$text["confirm_rm_group"] = "Skutočne si prajete odstrániť skupinu \"[groupname]\"?<br>Buďte opatrní, táto akcia je nezvratná.";
|
||||
$text["confirm_rm_log"] = "Skutočne si prajete zmazať protokol \"[logname]\"?<br>Buďte opatrní, táto akcia je nezvratná.";
|
||||
$text["confirm_rm_user"] = "Skutočne si prajete odstrániť používateľa \"[username]\"?<br>Buďte opatrní, táto akcia je nezvratná.";
|
||||
$text["confirm_rm_version"] = "Naozaj chcete odstrániť verziu [version] dokumentu \"[documentname]\"?<br>Buďte opatrní: Túto činnosť nemožno vrátiť späť.";
|
||||
$text["content"] = "Obsah";
|
||||
$text["continue"] = "Pokračovať";
|
||||
$text["creation_date"] = "Vytvorené";
|
||||
$text["current_version"] = "Aktuálna verzia";
|
||||
$text["december"] = "December";
|
||||
$text["default_access"] = "Štandardný režim prístupu";
|
||||
$text["default_keywords"] = "Dostupné kľúčové slová";
|
||||
$text["delete"] = "Zmazať";
|
||||
$text["details"] = "Podrobnosti";
|
||||
$text["details_version"] = "Podrobnosti verzie: [version]";
|
||||
$text["disclaimer"] = "Toto je zabezpečená zóna. Prístup je povolený len autorizovaným osobám.";
|
||||
$text["document_already_locked"] = "Tento dokument je už zamknutý";
|
||||
$text["document_deleted"] = "Dokument zmazaný";
|
||||
$text["document_deleted_email"] = "Dokument zmazany";
|
||||
$text["document"] = "Dokument";
|
||||
$text["document_infos"] = "Informácie o dokumente";
|
||||
$text["document_is_not_locked"] = "Tento dokument nie je zamknutý";
|
||||
$text["document_link_by"] = "Odkazuje sem";
|
||||
$text["document_link_public"] = "Verejný";
|
||||
$text["document_moved_email"] = "Dokument presunuty";
|
||||
$text["document_renamed_email"] = "Dokument premenovany";
|
||||
$text["documents"] = "Dokumenty";
|
||||
$text["documents_in_process"] = "Dokumenty v spracovaní";
|
||||
$text["documents_locked_by_you"] = "Vami uzamknuté dokumenty";
|
||||
$text["document_status_changed_email"] = "Stav dokumentu zmeneny";
|
||||
$text["documents_to_approve"] = "Dokumenty čakajúce na schválenie používateľa";
|
||||
$text["documents_to_review"] = "Dokumenty čakajúce na kontrolu používateľa";
|
||||
$text["documents_user_requiring_attention"] = "Dokumenty, ktoré používateľ vlastní a vyžadujú pozornosť";
|
||||
$text["document_title"] = "Dokument '[documentname]'";
|
||||
$text["document_updated_email"] = "Dokument aktualizovany";
|
||||
$text["does_not_expire"] = "Platnosť nikdy nevyprší";
|
||||
$text["does_not_inherit_access_msg"] = "Zdediť prístup";
|
||||
$text["download"] = "Stiahnuť";
|
||||
$text["draft_pending_approval"] = "Návrh - čaká na schválenie";
|
||||
$text["draft_pending_review"] = "Návrh - čaká na kontrolu";
|
||||
$text["dump_creation"] = "Vytvorenie výstupu DB";
|
||||
$text["dump_creation_warning"] = "Touto akciou môžete vytvoriť výstup obsahu Vašej databázy. Po vytvorení bude výstup uložený v dátovej zložke vášho servera.";
|
||||
$text["dump_list"] = "Existujúce výstupy";
|
||||
$text["dump_remove"] = "Odstrániť vystup";
|
||||
$text["edit_comment"] = "Upraviť komentár";
|
||||
$text["edit_default_keyword_category"] = "Upraviť kategórie";
|
||||
$text["edit_document_access"] = "Upraviť prístup";
|
||||
$text["edit_document_notify"] = "Zoznam upozornení";
|
||||
$text["edit_document_props"] = "Upraviť dokument";
|
||||
$text["edit"] = "upraviť";
|
||||
$text["edit_event"] = "Upraviť udalosť";
|
||||
$text["edit_existing_access"] = "Upraviť zoznam riadenia prístupu";
|
||||
$text["edit_existing_notify"] = "Upraviť zoznam upozornení";
|
||||
$text["edit_folder_access"] = "Upraviť prístup";
|
||||
$text["edit_folder_notify"] = "Zoznam upozornení";
|
||||
$text["edit_folder_props_again"] = "Znova upraviť vlastnosti zložky";
|
||||
$text["edit_group"] = "Upraviť skupinu";
|
||||
$text["edit_user_details"] = "Upraviť podrobnosti používateľa";
|
||||
$text["edit_user"] = "Upraviť používateľa";
|
||||
$text["email"] = "Email";
|
||||
$text["email_footer"] = "Nastavenia e-mailu si kedykoľvek môžete zmeniť cez 'Môj účet'";
|
||||
$text["email_header"] = "Toto je automatická správa od DMS servera.";
|
||||
$text["empty_notify_list"] = "Žiadne položky";
|
||||
$text["error_occured"] = "Vyskytla sa chyba";
|
||||
$text["event_details"] = "Detail udalosti";
|
||||
$text["expired"] = "Platnosť vypršala";
|
||||
$text["expires"] = "Platnosť vyprší";
|
||||
$text["expiry_changed_email"] = "Datum platnosti zmeneny";
|
||||
$text["february"] = "Február";
|
||||
$text["file"] = "Súbor";
|
||||
$text["files_deletion"] = "Odstránenie súboru";
|
||||
$text["files_deletion_warning"] = "Touto akciou môžete odstrániť celú DMS zložku. Verziovacie informácie zostanú viditeľné.";
|
||||
$text["files"] = "Súbory";
|
||||
$text["file_size"] = "Veľkosť súboru";
|
||||
$text["folder_contents"] = "Obsah zložky";
|
||||
$text["folder_deleted_email"] = "Zlozka zmazana";
|
||||
$text["folder"] = "Zlozka";
|
||||
$text["folder_infos"] = "Informácie o zložke";
|
||||
$text["folder_moved_email"] = "Zlozka presunuta";
|
||||
$text["folder_renamed_email"] = "Zlozka premenovana";
|
||||
$text["folders_and_documents_statistic"] = "Prehľad zložiek a dokumentov";
|
||||
$text["folders"] = "Zložky";
|
||||
$text["folder_title"] = "Zložka '[foldername]'";
|
||||
$text["friday"] = "Piatok";
|
||||
$text["from"] = "Od";
|
||||
$text["global_default_keywords"] = "Globálne kľúčové slová";
|
||||
$text["group_approval_summary"] = "Zhrnutie skupinového schválenia";
|
||||
$text["group_exists"] = "Skupina už existuje.";
|
||||
$text["group"] = "Skupina";
|
||||
$text["group_management"] = "Skupiny";
|
||||
$text["group_members"] = "Členovia skupiny";
|
||||
$text["group_review_summary"] = "Zhrnutie skupinovej recenzie";
|
||||
$text["groups"] = "Skupiny";
|
||||
$text["guest_login_disabled"] = "Prihlásenie ako hosť je vypnuté.";
|
||||
$text["guest_login"] = "Prihlásiť sa ako hosť";
|
||||
$text["help"] = "Pomoc";
|
||||
$text["human_readable"] = "Použivateľský archív";
|
||||
$text["include_documents"] = "Vrátane súborov";
|
||||
$text["include_subdirectories"] = "Vrátane podzložiek";
|
||||
$text["individuals"] = "Jednotlivci";
|
||||
$text["inherits_access_msg"] = "Prístup sa dedí.";
|
||||
$text["inherits_access_copy_msg"] = "Skopírovať zdedený zoznam riadenia prístupu";
|
||||
$text["inherits_access_empty_msg"] = "Založiť nový zoznam riadenia prístupu";
|
||||
$text["internal_error_exit"] = "Vnútorná chyba. Nebolo možné dokončiť požiadavku. Ukončuje sa.";
|
||||
$text["internal_error"] = "Vnútorná chyba";
|
||||
$text["invalid_access_mode"] = "Neplatný režim prístupu";
|
||||
$text["invalid_action"] = "Neplatná činnosť";
|
||||
$text["invalid_approval_status"] = "Neplatný stav schválenia";
|
||||
$text["invalid_create_date_end"] = "Neplatný koncový dátum vytvorenia.";
|
||||
$text["invalid_create_date_start"] = "Neplatný počiatočný dátum vytvorenia.";
|
||||
$text["invalid_doc_id"] = "Neplatný ID dokumentu";
|
||||
$text["invalid_file_id"] = "Nesprávne ID súboru";
|
||||
$text["invalid_folder_id"] = "Neplatný ID zložky";
|
||||
$text["invalid_group_id"] = "Neplatný ID skupiny";
|
||||
$text["invalid_link_id"] = "Neplatný ID odkazu";
|
||||
$text["invalid_request_token"] = "Invalid Request Token";
|
||||
$text["invalid_review_status"] = "Neplatný stav kontroly";
|
||||
$text["invalid_sequence"] = "Neplatná hodnota postupnosti";
|
||||
$text["invalid_status"] = "Neplatný stav dokumentu";
|
||||
$text["invalid_target_doc_id"] = "Neplatné cieľové ID dokumentu";
|
||||
$text["invalid_target_folder"] = "Neplatné cieľové ID zložky";
|
||||
$text["invalid_user_id"] = "Neplatné ID používateľa";
|
||||
$text["invalid_version"] = "Neplatná verzia dokumentu";
|
||||
$text["is_hidden"] = "Nezobrazovať v zozname používateľov";
|
||||
$text["january"] = "Január";
|
||||
$text["js_no_approval_group"] = "Prosím, vyberte skupinu pre schválenie";
|
||||
$text["js_no_approval_status"] = "Prosím, vyberte stav schválenia";
|
||||
$text["js_no_comment"] = "Žiadny komentár";
|
||||
$text["js_no_email"] = "Napíšte svoju emailovú adresu";
|
||||
$text["js_no_file"] = "Prosím, vyberte súbor";
|
||||
$text["js_no_keywords"] = "Zadajte nejaké kľúčové slová";
|
||||
$text["js_no_login"] = "Prosím, napíšte meno používateľa";
|
||||
$text["js_no_name"] = "Prosím, napíšte meno";
|
||||
$text["js_no_override_status"] = "Prosím, vyberte nový stav [prepíše sa]";
|
||||
$text["js_no_pwd"] = "Budete musieť napísať svoje heslo";
|
||||
$text["js_no_query"] = "Napíšte požiadavku";
|
||||
$text["js_no_review_group"] = "Prosím, vyberte skupinu pre kontrolu";
|
||||
$text["js_no_review_status"] = "Prosím, vyberte stav kontroly";
|
||||
$text["js_pwd_not_conf"] = "Heslo a potvrdenie hesla sa nezhodujú";
|
||||
$text["js_select_user_or_group"] = "Vyberte aspoň používateľa alebo skupinu";
|
||||
$text["js_select_user"] = "Prosím, vyberte používateľa";
|
||||
$text["july"] = "Júl";
|
||||
$text["june"] = "Jún";
|
||||
$text["keyword_exists"] = "Kľúčové slovo už existuje";
|
||||
$text["keywords"] = "Kľúčové slová";
|
||||
$text["language"] = "Jazyk";
|
||||
$text["last_update"] = "Posledná aktualizácia";
|
||||
$text["linked_documents"] = "Súvisiace dokumenty";
|
||||
$text["linked_files"] = "Prílohy";
|
||||
$text["local_file"] = "Lokálny súbor";
|
||||
$text["lock_document"] = "Zamknúť";
|
||||
$text["lock_message"] = "Tento dokument zamkol <a href=\"mailto:[email]\">[username]</a>.<br>Iba oprávnení používatelia ho môžu odomknúť (pozri koniec stránky).";
|
||||
$text["lock_status"] = "Stav";
|
||||
$text["login_error_text"] = "Chyba pri prihlasovaní. ID používateľa alebo heslo je nesprávne.";
|
||||
$text["login_error_title"] = "Chyba pri prihlasovaní";
|
||||
$text["login_not_given"] = "Nebolo zadané používateľské meno";
|
||||
$text["login_ok"] = "Prihlásenie prebehlo úspešne";
|
||||
$text["log_management"] = "Správa protokolov";
|
||||
$text["logout"] = "Odhlásenie";
|
||||
$text["manager"] = "Manager";
|
||||
$text["march"] = "Marec";
|
||||
$text["max_upload_size"] = "Maximálna veľkosť každého súboru";
|
||||
$text["may"] = "Máj";
|
||||
$text["monday"] = "Pondelok";
|
||||
$text["month_view"] = "Mesiac";
|
||||
$text["move_document"] = "Presunúť dokument";
|
||||
$text["move_folder"] = "Presunúť zložku";
|
||||
$text["move"] = "Presunúť";
|
||||
$text["my_account"] = "Môj účet";
|
||||
$text["my_documents"] = "Moje dokumenty";
|
||||
$text["name"] = "Meno";
|
||||
$text["new_default_keyword_category"] = "Pridať kategóriu";
|
||||
$text["new_default_keywords"] = "Pridať kľúčové slová";
|
||||
$text["new_document_email"] = "Novy dokument";
|
||||
$text["new_file_email"] = "Nova priloha";
|
||||
//$text["new_folder"] = "New folder";
|
||||
$text["new"] = "Nove";
|
||||
$text["new_subfolder_email"] = "Nova zlozka";
|
||||
$text["new_user_image"] = "Nový obrázok";
|
||||
$text["no_action"] = "Nič sa nevykoná";
|
||||
//$text["no_approval_needed"] = "No approval pending.";
|
||||
//$text["no_attached_files"] = "No attached files";
|
||||
$text["no_default_keywords"] = "Nie sú dostupné žiadne kľúčové slová.";
|
||||
//$text["no_docs_locked"] = "No documents locked.";
|
||||
$text["no_docs_to_approve"] = "Momentálne neexistujú žiadne dokumenty, ktoré vyžadujú schválenie.";
|
||||
//$text["no_docs_to_look_at"] = "No documents that need attention.";
|
||||
$text["no_docs_to_review"] = "Momentálne neexistujú žiadne dokumenty, ktoré vyžadujú kontrolu.";
|
||||
$text["no_group_members"] = "Táto skupina nemá žiadnych členov";
|
||||
$text["no_groups"] = "Žiadne skupiny";
|
||||
$text["no_linked_files"] = "No linked files";
|
||||
$text["no"] = "Nie";
|
||||
$text["no_previous_versions"] = "Neboli nájdené žiadne iné verzie";
|
||||
$text["no_review_needed"] = "No review pending.";
|
||||
$text["notify_added_email"] = "Boli ste pridani do notifikacneho zoznamu";
|
||||
$text["notify_deleted_email"] = "Boli ste odstraneni do notifikacneho zoznamu";
|
||||
$text["no_update_cause_locked"] = "Preto nemôžete aktualizovať tento dokument. Prosím, kontaktujte používateľa, ktorý ho zamkol.";
|
||||
$text["no_user_image"] = "nebol nájdený žiadny obrázok";
|
||||
$text["november"] = "November";
|
||||
$text["obsolete"] = "Zastaralé";
|
||||
$text["october"] = "Október";
|
||||
$text["old"] = "Stare";
|
||||
$text["only_jpg_user_images"] = "Ako obrázky používateľov je možné použiť iba obrázky .jpg";
|
||||
$text["owner"] = "Vlastník";
|
||||
$text["ownership_changed_email"] = "Majitel zmeneny";
|
||||
$text["password"] = "Heslo";
|
||||
$text["personal_default_keywords"] = "Osobné kľúčové slová";
|
||||
$text["previous_versions"] = "Predošlé verzie";
|
||||
$text["rejected"] = "Odmietnuté";
|
||||
$text["released"] = "Vydané";
|
||||
$text["removed_approver"] = "bol odstránený zo zoznamu schvaľovateľov.";
|
||||
$text["removed_file_email"] = "Odstranena priloha";
|
||||
$text["removed_reviewer"] = "bol odstránený zo zoznamu kontrolórov.";
|
||||
$text["results_page"] = "Výsledky";
|
||||
$text["review_deletion_email"] = "Poziadavka na recenziu zmazana";
|
||||
$text["reviewer_already_assigned"] = "je už poverený ako kontrolór";
|
||||
$text["reviewer_already_removed"] = "už bol odstránený z procesu kontroly alebo poslal kontrolu";
|
||||
$text["reviewers"] = "Kontrolóri";
|
||||
$text["review_group"] = "Skupina kontroly";
|
||||
$text["review_request_email"] = "Poziadavka na recenziu";
|
||||
$text["review_status"] = "Stav kontroly";
|
||||
$text["review_submit_email"] = "Poslana recenzia";
|
||||
$text["review_summary"] = "Zhrnutie kontroly";
|
||||
$text["review_update_failed"] = "Chyba pri aktualizácii stavu kontroly. Aktualizácia zlyhala.";
|
||||
$text["rm_default_keyword_category"] = "Zmazať kategóriu";
|
||||
$text["rm_document"] = "Odstrániť dokument";
|
||||
$text["rm_file"] = "Odstrániť súbor";
|
||||
$text["rm_folder"] = "Odstrániť zložku";
|
||||
$text["rm_group"] = "Odstrániť túto skupinu";
|
||||
$text["rm_user"] = "Odstrániť tohto používateľa";
|
||||
$text["rm_version"] = "Odstrániť verziu";
|
||||
//$text["role_admin"] = "Administrator";
|
||||
//$text["role_guest"] = "Guest";
|
||||
//$text["role"] = "Role";
|
||||
$text["saturday"] = "Sobota";
|
||||
$text["save"] = "Uložiť";
|
||||
$text["search_in"] = "Prehľadávať";
|
||||
$text["search_mode_and"] = "všetky slová";
|
||||
$text["search_mode_or"] = "aspoň jedno zo slov";
|
||||
$text["search_no_results"] = "Vašej požiadavke nevyhovujú žiadne dokumenty ";
|
||||
$text["search_query"] = "Hľadať";
|
||||
$text["search_report"] = "Nájdených [count] dokumentov";
|
||||
$text["search_results_access_filtered"] = "Výsledky hľadania môžu obsahovať obsah, ku ktorému bol zamietnutý prístup.";
|
||||
$text["search_results"] = "Výsledky hľadania";
|
||||
$text["search"] = "Hľadať";
|
||||
$text["search_time"] = "Uplynulý čas: [time] sek";
|
||||
$text["selection"] = "Výber";
|
||||
$text["select_one"] = "Vyberte jeden";
|
||||
$text["september"] = "September";
|
||||
$text["seq_after"] = "Po \"[prevname]\"";
|
||||
$text["seq_end"] = "Na koniec";
|
||||
$text["seq_keep"] = "Ponechať pozíciu";
|
||||
$text["seq_start"] = "Prvá pozícia";
|
||||
$text["sequence"] = "Postupnosť";
|
||||
$text["set_expiry"] = "Nastaviť vypršanie";
|
||||
//$text["set_owner_error"] = "Error setting owner";
|
||||
$text["set_owner"] = "Nastaviť vlastníka";
|
||||
$text["signed_in_as"] = "Prihlásený ako";
|
||||
$text["sign_out"] = "odhlásiť";
|
||||
$text["space_used_on_data_folder"] = "Space used on data folder";
|
||||
$text["status_approval_rejected"] = "Návrh zamietnutý";
|
||||
$text["status_approved"] = "Schválený";
|
||||
$text["status_approver_removed"] = "Schvaľovateľ odstránený z procesu";
|
||||
$text["status_not_approved"] = "Neschválený";
|
||||
$text["status_not_reviewed"] = "Neskontrolovaný";
|
||||
$text["status_reviewed"] = "Skontrolovaný";
|
||||
$text["status_reviewer_rejected"] = "Návrh zamietnutý";
|
||||
$text["status_reviewer_removed"] = "Kontrolór odstránený z procesu";
|
||||
$text["status"] = "Stav";
|
||||
$text["status_unknown"] = "Neznámy";
|
||||
$text["storage_size"] = "Objem dát";
|
||||
$text["submit_approval"] = "Poslať schválenie";
|
||||
$text["submit_login"] = "Prihlásiť sa";
|
||||
$text["submit_review"] = "Poslať kontrolu";
|
||||
$text["sunday"] = "Nedeľa";
|
||||
$text["theme"] = "Vzhľad";
|
||||
$text["thursday"] = "Štvrtok";
|
||||
$text["toggle_manager"] = "Prepnúť stav manager";
|
||||
$text["to"] = "Do";
|
||||
$text["tuesday"] = "Utorok";
|
||||
$text["under_folder"] = "V zložke";
|
||||
$text["unknown_command"] = "Príkaz nebol rozpoznaný.";
|
||||
$text["unknown_group"] = "Neznámy ID skupiny";
|
||||
$text["unknown_id"] = "Neznáme ID";
|
||||
$text["unknown_keyword_category"] = "Neznáma kategória";
|
||||
$text["unknown_owner"] = "Neznámy ID vlastníka";
|
||||
$text["unknown_user"] = "Neznámy ID používateľa";
|
||||
$text["unlock_cause_access_mode_all"] = "Môžete ho stále aktualizovať, pretože máte režim prístupu \"all\". Zámok bude automaticky odstránený.";
|
||||
$text["unlock_cause_locking_user"] = "Môžete ho stále aktualizovať, pretože ste ten, kto ho aj zamkol. Zámok bude automaticky odstránený.";
|
||||
$text["unlock_document"] = "Odomknúť";
|
||||
$text["update_approvers"] = "Aktualizovať zoznam schvaľovateľov";
|
||||
$text["update_document"] = "Aktualizovať";
|
||||
$text["update_info"] = "Aktualizovať informácie";
|
||||
$text["update_locked_msg"] = "Tento dokument je zamknutý.";
|
||||
$text["update_reviewers"] = "Aktualizovať zoznam kontrolórov";
|
||||
$text["update"] = "Aktualizovať";
|
||||
$text["uploaded_by"] = "Nahral";
|
||||
$text["uploading_failed"] = "Nahranie zlyhalo. Prosám, kontaktujte správcu.";
|
||||
$text["use_default_keywords"] = "Použiť preddefinované kľúčové slová";
|
||||
$text["user_exists"] = "Používateľ už existuje.";
|
||||
$text["user_image"] = "Obrázok";
|
||||
$text["user_info"] = "Informácie o používateľovi";
|
||||
$text["user_list"] = "Zoznam používateľov";
|
||||
$text["user_login"] = "ID používateľa";
|
||||
$text["user_management"] = "Používatelia";
|
||||
$text["user_name"] = "Plné meno";
|
||||
$text["users"] = "Používateľ";
|
||||
$text["user"] = "Používateľ";
|
||||
$text["version_deleted_email"] = "Verzia zmazana";
|
||||
$text["version_info"] = "Informácie o verzii";
|
||||
$text["versioning_file_creation"] = "Vytvorenie verziovacieho súboru";
|
||||
$text["versioning_file_creation_warning"] = "Touto akciou môžete vytvoriť súbor, obsahujúci verziovaciu informáciu celej DMS zložky. Po vytvorení bude každý súbor uložený do zložky súborov.";
|
||||
$text["versioning_info"] = "Informácie o verziách";
|
||||
$text["version"] = "Verzia";
|
||||
$text["view_online"] = "Zobraziť online";
|
||||
$text["warning"] = "Upozornenie";
|
||||
$text["wednesday"] = "Streda";
|
||||
$text["week_view"] = "Týždeň";
|
||||
$text["year_view"] = "Rok";
|
||||
$text["yes"] = "Áno";
|
||||
?>
|
|
@ -1,694 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
// Copyright (C) 2012 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
//
|
||||
// Translation updated by Francisco Manuel Garcia Claramonte
|
||||
// <francisco@debian.org> for SeedDMS-3.0. 2-feb-2011
|
||||
// Reviewed : 15-sept-2011. Francisco M. Garcia Claramonte
|
||||
// Reviewed (for 3.2.0) : 22-sept-2011. Francisco M. Garcia Claramonte
|
||||
// Reviewed (for 3.3.0) : 3-mar-2012. Francisco M. Garcia Claramonte
|
||||
// Reviewed (for 3.3.7) : 04-sept-2012. Francisco M. Garcia Claramonte
|
||||
// Reviewed (for 3.3.8) : 13 sept-2012. Francisco M. García Claramonte
|
||||
// 18 sept 2012. Francisco M. García Claramonte
|
||||
// Reviewed (for 3.4.0RC1): 15 oct 2012. Francisco M. García Claramonte
|
||||
// Reviewed (for 3.4.0RC3): 6 nov 2012. Francisco M. García Claramonte
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Aceptar";
|
||||
$text["access_denied"] = "Acceso denegado";
|
||||
$text["access_inheritance"] = "Acceso heredado";
|
||||
$text["access_mode"] = "Modo de acceso";
|
||||
$text["access_mode_all"] = "Todos los permisos";
|
||||
$text["access_mode_none"] = "No hay acceso";
|
||||
$text["access_mode_read"] = "Leer";
|
||||
$text["access_mode_readwrite"] = "Lectura-Escritura";
|
||||
$text["access_permission_changed_email"] = "Permisos cambiados";
|
||||
$text["according_settings"] = "Conforme a configuración";
|
||||
$text["actions"] = "Acciones";
|
||||
$text["add"] = "Añadir";
|
||||
$text["add_doc_reviewer_approver_warning"] = "Documentos N.B. se marcan automáticamente como publicados si no hay revisores o aprobadores asignados.";
|
||||
$text["add_document"] = "Añadir documento";
|
||||
$text["add_document_link"] = "Añadir vínculo";
|
||||
$text["add_event"] = "Añadir evento";
|
||||
$text["add_group"] = "Añadir nuevo grupo";
|
||||
$text["add_member"] = "Añadir miembro";
|
||||
$text["add_multiple_documents"] = "Añadir múltiples documentos";
|
||||
$text["add_multiple_files"] = "Añadir múltiples ficheros (Se usará el nombre de fichero como nombre de documento)";
|
||||
$text["add_subfolder"] = "Añadir subdirectorio";
|
||||
$text["add_user"] = "Añadir nuevo usuario";
|
||||
$text["add_user_to_group"] = "Añadir usuario a grupo";
|
||||
$text["admin"] = "Administrador";
|
||||
$text["admin_tools"] = "Herramientas de administración";
|
||||
$text["all_categories"] = "Todas las categorías";
|
||||
$text["all_documents"] = "Todos los documentos";
|
||||
$text["all_pages"] = "Todo";
|
||||
$text["all_users"] = "Todos los usuarios";
|
||||
$text["already_subscribed"] = "Ya está suscrito";
|
||||
$text["and"] = "y";
|
||||
$text["apply"] = "Aplicar";
|
||||
$text["approval_deletion_email"] = "Petición de aprobación eliminada";
|
||||
$text["approval_group"] = "Grupo aprobador";
|
||||
$text["approval_request_email"] = "Petición de aprobación";
|
||||
$text["approval_status"] = "Estado de aprobación";
|
||||
$text["approval_submit_email"] = "Aprobación enviada";
|
||||
$text["approval_summary"] = "Resumen de aprobación";
|
||||
$text["approval_update_failed"] = "Error actualizando el estado de aprobación. Actualización fallida.";
|
||||
$text["approvers"] = "Aprobadores";
|
||||
$text["april"] = "Abril";
|
||||
$text["archive_creation"] = "Creación de archivo";
|
||||
$text["archive_creation_warning"] = "Con esta operación usted puede crear un archivo que contenga los ficheros de las carpetas del DMS completo. Después de crearlo el archivo se guardará en la carpeta de datos de su servidor.<br>CUIDADO: un fichero creado como legible por humanos no podrá usarse como copia de seguridad del servidor.";
|
||||
$text["assign_approvers"] = "Asignar aprobadores";
|
||||
$text["assign_reviewers"] = "Asignar revisores";
|
||||
$text["assign_user_property_to"] = "Asignar propiedades de usuario a";
|
||||
$text["assumed_released"] = "Supuestamente publicado";
|
||||
$text["attrdef_management"] = "Gestión de definición de atributos";
|
||||
$text["attrdef_in_use"] = "Definición de atributo todavía en uso";
|
||||
$text["attrdef_name"] = "Nombre";
|
||||
$text["attrdef_multiple"] = "Permitir múltiples valores";
|
||||
$text["attrdef_objtype"] = "Tipo de objeto";
|
||||
$text["attrdef_type"] = "Tipo";
|
||||
$text["attrdef_minvalues"] = "Núm. mínimo de valores";
|
||||
$text["attrdef_maxvalues"] = "Núm. máximo de valores";
|
||||
$text["attrdef_valueset"] = "Conjunto de valores";
|
||||
$text["attributes"] = "Atributos";
|
||||
$text["august"] = "Agosto";
|
||||
$text["automatic_status_update"] = "Cambio automático de estado";
|
||||
$text["back"] = "Atrás";
|
||||
$text["backup_list"] = "Lista de copias de seguridad existentes";
|
||||
$text["backup_remove"] = "Eliminar fichero de copia de seguridad";
|
||||
$text["backup_tools"] = "Herramientas de copia de seguridad";
|
||||
$text["between"] = "entre";
|
||||
$text["calendar"] = "Calendario";
|
||||
$text["cancel"] = "Cancelar";
|
||||
$text["cannot_assign_invalid_state"] = "No se puede modificar un documento obsoleto o rechazado";
|
||||
$text["cannot_change_final_states"] = "Cuidado: No se puede cambiar el estado de documentos que han sido rechazados, marcados como obsoletos o expirado.";
|
||||
$text["cannot_delete_yourself"] = "No es posible eliminarse a sí mismo";
|
||||
$text["cannot_move_root"] = "Error: No es posible mover la carpeta raíz.";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "No es posible recuperar la instantánea del estado de aprobación para esta versión de documento.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "No es posible recuperar la instantánea de revisión para esta versión de documento.";
|
||||
$text["cannot_rm_root"] = "Error: No es posible eliminar la carpeta raíz.";
|
||||
$text["category"] = "Categoría";
|
||||
$text["category_exists"] = "La categoría ya existe.";
|
||||
$text["category_filter"] = "Solo categorías";
|
||||
$text["category_in_use"] = "Esta categoría está en uso por documentos.";
|
||||
$text["category_noname"] = "No ha proporcionado un nombre de categoría.";
|
||||
$text["categories"] = "Categorías";
|
||||
$text["change_assignments"] = "Cambiar asignaciones";
|
||||
$text["change_password"] = "Cambiar contraseña";
|
||||
$text["change_password_message"] = "Su contraseña se ha modificado.";
|
||||
$text["change_status"] = "Cambiar estado";
|
||||
$text["choose_attrdef"] = "Por favor, seleccione definición de atributo";
|
||||
$text["choose_category"] = "Seleccione categoría";
|
||||
$text["choose_group"] = "Seleccione grupo";
|
||||
$text["choose_target_category"] = "Seleccione categoría";
|
||||
$text["choose_target_document"] = "Escoger documento";
|
||||
$text["choose_target_folder"] = "Escoger directorio destino";
|
||||
$text["choose_user"] = "Seleccione usuario";
|
||||
$text["comment_changed_email"] = "Comentario modificado";
|
||||
$text["comment"] = "Comentarios";
|
||||
$text["comment_for_current_version"] = "Comentario de la versión actual";
|
||||
$text["confirm_create_fulltext_index"] = "¡Sí, quiero regenerar el índice te texto completo¡";
|
||||
$text["confirm_pwd"] = "Confirmar contraseña";
|
||||
$text["confirm_rm_backup"] = "¿Desea realmente eliminar el fichero \"[arkname]\"?<br />Atención: Esta acción no se puede deshacer.";
|
||||
$text["confirm_rm_document"] = "¿Desea realmente eliminar el documento \"[documentname]\"?<br />Atención: Esta acción no se puede deshacer.";
|
||||
$text["confirm_rm_dump"] = "¿Desea realmente eliminar el fichero \"[dumpname]\"?<br />Atención: Esta acción no se puede deshacer.";
|
||||
$text["confirm_rm_event"] = "¿Desea realmente eliminar el evento \"[name]\"?<br />Atención: Esta acción no se puede deshacer.";
|
||||
$text["confirm_rm_file"] = "¿Desea realmente eliminar el fichero \"[name]\" del documento \"[documentname]\"?<br />Atención: Esta acción no se puede deshacer.";
|
||||
$text["confirm_rm_folder"] = "¿Desea realmente eliminar el directorio \"[foldername]\" y su contenido?<br />Atención: Esta acción no se puede deshacer.";
|
||||
$text["confirm_rm_folder_files"] = "¿Desea realmente eliminar todos los ficheros de la carpeta \"[foldername]\" y de sus subcarpetas?<br />Atención: Esta acción no se puede deshacer.";
|
||||
$text["confirm_rm_group"] = "¿Desea realmente eliminar el grupo \"[groupname]\"?<br />Atención: Esta acción no se puede deshacer.";
|
||||
$text["confirm_rm_log"] = "¿Desea realmente eliminar el fichero de registro \"[logname]\"?<br />Atención: Esta acción no se puede deshacer.";
|
||||
$text["confirm_rm_user"] = "¿Desea realmente eliminar el usuario \"[username]\"?<br />Atención: Esta acción no se puede deshacer.";
|
||||
$text["confirm_rm_version"] = "¿Desea realmente eliminar la versión [version] del documento \"[documentname]\"?<br />Atención: esta acción no se puede deshacer.";
|
||||
$text["content"] = "Contenido";
|
||||
$text["continue"] = "Continuar";
|
||||
$text["create_fulltext_index"] = "Crear índice de texto completo";
|
||||
$text["create_fulltext_index_warning"] = "Usted va a regenerar el índice te texto completo. Esto puede tardar un tiempo considerable y consumir capacidad de su equipo. Si realmente quiere regenerar el índice, por favor confirme la operación.";
|
||||
$text["creation_date"] = "Creación";
|
||||
$text["current_password"] = "Contraseña actual";
|
||||
$text["current_version"] = "Versión actual";
|
||||
$text["daily"] = "Diaria";
|
||||
$text["databasesearch"] = "Búsqueda en base de datos";
|
||||
$text["december"] = "Diciembre";
|
||||
$text["default_access"] = "Modo de acceso predefinido";
|
||||
$text["default_keywords"] = "Palabras clave disponibles";
|
||||
$text["delete"] = "Eliminar";
|
||||
$text["details"] = "Detalles";
|
||||
$text["details_version"] = "Detalles de la versión: [version]";
|
||||
$text["disclaimer"] = "Esta es un área restringida. Se permite el acceso únicamente a personal autorizado. Cualquier intrusión se perseguirá conforme a las leyes internacionales.";
|
||||
$text["do_object_repair"] = "Reparar todas las carpetas y documentos.";
|
||||
$text["document_already_locked"] = "Este documento ya está bloqueado";
|
||||
$text["document_deleted"] = "Documento eliminado";
|
||||
$text["document_deleted_email"] = "Documento eliminado";
|
||||
$text["document"] = "Documento";
|
||||
$text["document_infos"] = "Informaciones";
|
||||
$text["document_is_not_locked"] = "Este documento no está bloqueado";
|
||||
$text["document_link_by"] = "Vinculado por";
|
||||
$text["document_link_public"] = "Público";
|
||||
$text["document_moved_email"] = "Documento reubicado";
|
||||
$text["document_renamed_email"] = "Documento renombrado";
|
||||
$text["documents"] = "Documentos";
|
||||
$text["documents_in_process"] = "Documentos en proceso";
|
||||
$text["documents_locked_by_you"] = "Documentos bloqueados por usted";
|
||||
$text["documents_only"] = "Solo documentos";
|
||||
$text["document_status_changed_email"] = "Estado del documento modificado";
|
||||
$text["documents_to_approve"] = "Documentos en espera de aprobación de usuarios";
|
||||
$text["documents_to_review"] = "Documentos en espera de revisión de usuarios";
|
||||
$text["documents_user_requiring_attention"] = "Documentos de su propiedad que requieren atención";
|
||||
$text["document_title"] = "Documento '[documentname]'";
|
||||
$text["document_updated_email"] = "Documento actualizado";
|
||||
$text["does_not_expire"] = "No caduca";
|
||||
$text["does_not_inherit_access_msg"] = "heredar el acceso";
|
||||
$text["download"] = "Descargar";
|
||||
$text["draft_pending_approval"] = "Borador - pendiente de aprobación";
|
||||
$text["draft_pending_review"] = "Borrador - pendiente de revisión";
|
||||
$text["dump_creation"] = "Creación de volcado de BDD";
|
||||
$text["dump_creation_warning"] = "Con esta operación se creará un volcado a fichero del contenido de la base de datos. Después de la creación del volcado el fichero se guardará en la carpeta de datos de su servidor.";
|
||||
$text["dump_list"] = "Ficheros de volcado existentes";
|
||||
$text["dump_remove"] = "Eliminar fichero de volcado";
|
||||
$text["edit_attributes"] = "Editar atributos";
|
||||
$text["edit_comment"] = "Editar comentario";
|
||||
$text["edit_default_keywords"] = "Editar palabras clave";
|
||||
$text["edit_document_access"] = "Editar acceso";
|
||||
$text["edit_document_notify"] = "Lista de notificación";
|
||||
$text["edit_document_props"] = "Editar propiedades de documento";
|
||||
$text["edit"] = "editar";
|
||||
$text["edit_event"] = "Editar evento";
|
||||
$text["edit_existing_access"] = "Editar lista de acceso";
|
||||
$text["edit_existing_notify"] = "Editar lista de notificación";
|
||||
$text["edit_folder_access"] = "Editar acceso";
|
||||
$text["edit_folder_notify"] = "Lista de notificación";
|
||||
$text["edit_folder_props"] = "Editar directorio";
|
||||
$text["edit_group"] = "Editar grupo...";
|
||||
$text["edit_user_details"] = "Editar detalles de usuario";
|
||||
$text["edit_user"] = "Editar usuario...";
|
||||
$text["email"] = "Email";
|
||||
$text["email_error_title"] = "No ha introducido un correo";
|
||||
$text["email_footer"] = "Siempre se puede cambiar la configuración de correo electrónico utilizando las funciones de «Mi cuenta»";
|
||||
$text["email_header"] = "Este es un mensaje automático del servidor de DMS.";
|
||||
$text["email_not_given"] = "Por favor, introduzca una dirección de correo válida.";
|
||||
$text["empty_notify_list"] = "No hay entradas";
|
||||
$text["error"] = "Error";
|
||||
$text["error_no_document_selected"] = "Ningún documento seleccionado";
|
||||
$text["error_no_folder_selected"] = "Ninguna carpeta seleccionada";
|
||||
$text["error_occured"] = "Ha ocurrido un error";
|
||||
$text["event_details"] = "Detalles del evento";
|
||||
$text["expired"] = "Caducado";
|
||||
$text["expires"] = "Caduca";
|
||||
$text["expiry_changed_email"] = "Fecha de caducidad modificada";
|
||||
$text["february"] = "Febrero";
|
||||
$text["file"] = "Fichero";
|
||||
$text["files_deletion"] = "Eliminación de ficheros";
|
||||
$text["files_deletion_warning"] = "Con esta opción se puede eliminar todos los ficheros del DMS completo. La información de versionado permanecerá visible.";
|
||||
$text["files"] = "Ficheros";
|
||||
$text["file_size"] = "Tamaño";
|
||||
$text["folder_contents"] = "Carpetas";
|
||||
$text["folder_deleted_email"] = "Carpeta eliminada";
|
||||
$text["folder"] = "Carpeta";
|
||||
$text["folder_infos"] = "Informaciones";
|
||||
$text["folder_moved_email"] = "Carpeta reubicada";
|
||||
$text["folder_renamed_email"] = "Carpeta renombrada";
|
||||
$text["folders_and_documents_statistic"] = "Vista general de contenidos";
|
||||
$text["folders"] = "Carpetas";
|
||||
$text["folder_title"] = "Carpeta '[foldername]'";
|
||||
$text["friday"] = "Viernes";
|
||||
$text["from"] = "Desde";
|
||||
$text["fullsearch"] = "Búsqueda en texto completo";
|
||||
$text["fullsearch_hint"] = "Utilizar índice de texto completo";
|
||||
$text["fulltext_info"] = "Información de índice de texto completo";
|
||||
$text["global_attributedefinitions"] = "Definición de atributos";
|
||||
$text["global_default_keywords"] = "Palabras clave globales";
|
||||
$text["global_document_categories"] = "Categorías";
|
||||
$text["group_approval_summary"] = "Resumen del grupo aprobador";
|
||||
$text["group_exists"] = "El grupo ya existe.";
|
||||
$text["group"] = "Grupo";
|
||||
$text["group_management"] = "Grupos";
|
||||
$text["group_members"] = "Miembros del grupo";
|
||||
$text["group_review_summary"] = "Resumen del grupo revisor";
|
||||
$text["groups"] = "Grupos";
|
||||
$text["guest_login_disabled"] = "La cuenta de invitado está deshabilitada.";
|
||||
$text["guest_login"] = "Acceso como invitado";
|
||||
$text["help"] = "Ayuda";
|
||||
$text["hourly"] = "Horaria";
|
||||
$text["human_readable"] = "Archivo legible por humanos";
|
||||
$text["include_documents"] = "Incluir documentos";
|
||||
$text["include_subdirectories"] = "Incluir subdirectorios";
|
||||
$text["index_converters"] = "Conversión de índice de documentos";
|
||||
$text["individuals"] = "Individuales";
|
||||
$text["inherits_access_msg"] = "Acceso heredado.";
|
||||
$text["inherits_access_copy_msg"] = "Copiar lista de acceso heredado";
|
||||
$text["inherits_access_empty_msg"] = "Empezar con una lista de acceso vacía";
|
||||
$text["internal_error_exit"] = "Error interno. No es posible terminar la solicitud. Terminado.";
|
||||
$text["internal_error"] = "Error interno";
|
||||
$text["invalid_access_mode"] = "Modo de acceso no válido";
|
||||
$text["invalid_action"] = "Acción no válida";
|
||||
$text["invalid_approval_status"] = "Estado de aprobación no válido";
|
||||
$text["invalid_create_date_end"] = "Fecha de fin no válida para creación de rango de fechas.";
|
||||
$text["invalid_create_date_start"] = "Fecha de inicio no válida para creación de rango de fechas.";
|
||||
$text["invalid_doc_id"] = "ID de documento no válida";
|
||||
$text["invalid_file_id"] = "ID de fichero no válida";
|
||||
$text["invalid_folder_id"] = "ID de carpeta no válida";
|
||||
$text["invalid_group_id"] = "ID de grupo no válida";
|
||||
$text["invalid_link_id"] = "Identificador de enlace no válido";
|
||||
$text["invalid_request_token"] = "Translate: Invalid Request Token";
|
||||
$text["invalid_review_status"] = "Estado de revisión no válido";
|
||||
$text["invalid_sequence"] = "Valor de secuencia no válido";
|
||||
$text["invalid_status"] = "Estado de documento no válido";
|
||||
$text["invalid_target_doc_id"] = "ID de documento destino no válido";
|
||||
$text["invalid_target_folder"] = "ID de carpeta destino no válido";
|
||||
$text["invalid_user_id"] = "ID de usuario no válido";
|
||||
$text["invalid_version"] = "Versión de documento no válida";
|
||||
$text["is_disabled"] = "Deshabilitar cuenta";
|
||||
$text["is_hidden"] = "Ocultar de la lista de usuarios";
|
||||
$text["january"] = "Enero";
|
||||
$text["js_no_approval_group"] = "Por favor, seleccione grupo de aprobación";
|
||||
$text["js_no_approval_status"] = "Por favor, seleccione el estado de aprobación";
|
||||
$text["js_no_comment"] = "No hay comentarios";
|
||||
$text["js_no_email"] = "Escriba su dirección de correo electrónico";
|
||||
$text["js_no_file"] = "Por favor, seleccione un archivo";
|
||||
$text["js_no_keywords"] = "Especifique palabras clave";
|
||||
$text["js_no_login"] = "Por favor, escriba un nombre de usuario";
|
||||
$text["js_no_name"] = "Por favor, escriba un nombre";
|
||||
$text["js_no_override_status"] = "Por favor, seleccione el nuevo [override] estado";
|
||||
$text["js_no_pwd"] = "Necesita escribir su contraseña";
|
||||
$text["js_no_query"] = "Escriba una búsqueda";
|
||||
$text["js_no_review_group"] = "Por favor, seleccione un grupo de revisión";
|
||||
$text["js_no_review_status"] = "Por favor, seleccione el estado de revisión";
|
||||
$text["js_pwd_not_conf"] = "La contraseña y la confirmación de la contraseña no coinciden";
|
||||
$text["js_select_user_or_group"] = "Seleccione al menos un usuario o un grupo";
|
||||
$text["js_select_user"] = "Por favor, seleccione un usuario";
|
||||
$text["july"] = "Julio";
|
||||
$text["june"] = "Junio";
|
||||
$text["keyword_exists"] = "La palabra clave ya existe";
|
||||
$text["keywords"] = "Palabras clave";
|
||||
$text["language"] = "Lenguaje";
|
||||
$text["last_update"] = "Última modificación";
|
||||
$text["link_alt_updatedocument"] = "Si desea subir archivos mayores que el tamaño máximo actualmente permitido, por favor, utilice la <a href=\"%s\">página de subida</a> alternativa.";
|
||||
$text["linked_documents"] = "Documentos relacionados";
|
||||
$text["linked_files"] = "Adjuntos";
|
||||
$text["local_file"] = "Archivo local";
|
||||
$text["locked_by"] = "Bloqueado por";
|
||||
$text["lock_document"] = "Bloquear";
|
||||
$text["lock_message"] = "Este documento ha sido bloqueado por <a href=\"mailto:[email]\">[username]</a>.<br />Solo usuarios autorizados pueden desbloquear este documento (vea el final de la página).";
|
||||
$text["lock_status"] = "Estado";
|
||||
$text["login"] = "Iniciar sesión";
|
||||
$text["login_disabled_text"] = "Su cuenta está deshabilitada, probablemente es debido a demasiados intentos de acceso fallidos.";
|
||||
$text["login_disabled_title"] = "La cuenta está deshabilitada";
|
||||
$text["login_error_text"] = "Error de acceso. ID de usuario o contraseña incorrectos.";
|
||||
$text["login_error_title"] = "Error de acceso";
|
||||
$text["login_not_given"] = "Nombre de usuario no facilitado.";
|
||||
$text["login_ok"] = "Acceso con éxito";
|
||||
$text["log_management"] = "Gestión de ficheros de registro";
|
||||
$text["logout"] = "Desconectar";
|
||||
$text["manager"] = "Manager";
|
||||
$text["march"] = "Marzo";
|
||||
$text["max_upload_size"] = "Tamaño máximo de subida para cada fichero";
|
||||
$text["may"] = "Mayo";
|
||||
$text["monday"] = "Lunes";
|
||||
$text["month_view"] = "Vista de Mes";
|
||||
$text["monthly"] = "Mensual";
|
||||
$text["move_document"] = "Mover documento";
|
||||
$text["move_folder"] = "Mover directorio";
|
||||
$text["move"] = "Mover";
|
||||
$text["my_account"] = "Mi cuenta";
|
||||
$text["my_documents"] = "Mis documentos";
|
||||
$text["name"] = "Nombre";
|
||||
$text["new_attrdef"] = "Nueva definición de atributo";
|
||||
$text["new_default_keyword_category"] = "Nueva categoría";
|
||||
$text["new_default_keywords"] = "Agregar palabras claves";
|
||||
$text["new_document_category"] = "Añadir categoría";
|
||||
$text["new_document_email"] = "Nuevo documento";
|
||||
$text["new_file_email"] = "Nuevo adjunto";
|
||||
$text["new_folder"] = "Nueva carpeta";
|
||||
$text["new_password"] = "Nueva contraseña";
|
||||
$text["new"] = "Nuevo";
|
||||
$text["new_subfolder_email"] = "Nueva carpeta";
|
||||
$text["new_user_image"] = "Nueva imagen";
|
||||
$text["no_action"] = "No es necesaria ninguna acción";
|
||||
$text["no_approval_needed"] = "No hay aprobaciones pendientes.";
|
||||
$text["no_attached_files"] = "No hay ficheros adjuntos";
|
||||
$text["no_default_keywords"] = "No hay palabras clave disponibles";
|
||||
$text["no_docs_locked"] = "No hay documentos bloqueados.";
|
||||
$text["no_docs_to_approve"] = "Actualmente no hay documentos que necesiten aprobación.";
|
||||
$text["no_docs_to_look_at"] = "No hay documentos que necesiten atención.";
|
||||
$text["no_docs_to_review"] = "Actualmente no hay documentos que necesiten revisión.";
|
||||
$text["no_group_members"] = "Este grupo no tiene miembros";
|
||||
$text["no_groups"] = "No hay grupos";
|
||||
$text["no"] = "No";
|
||||
$text["no_linked_files"] = "No hay ficheros enlazados";
|
||||
$text["no_previous_versions"] = "No se han encontrado otras versiones";
|
||||
$text["no_review_needed"] = "No hay revisiones pendientes.";
|
||||
$text["notify_added_email"] = "Se le ha añadido a la lista de notificación";
|
||||
$text["notify_deleted_email"] = "Se le ha eliminado de la lista de notificación";
|
||||
$text["no_update_cause_locked"] = "No puede actualizar este documento. Contacte con el usuario que lo bloqueó.";
|
||||
$text["no_user_image"] = "No se encontró imagen";
|
||||
$text["november"] = "Noviembre";
|
||||
$text["now"] = "ahora";
|
||||
$text["objectcheck"] = "Chequeo de carpeta/documento";
|
||||
$text["obsolete"] = "Obsoleto";
|
||||
$text["october"] = "Octubre";
|
||||
$text["old"] = "Viejo";
|
||||
$text["only_jpg_user_images"] = "Solo puede usar imágenes .jpg como imágenes de usuario";
|
||||
$text["owner"] = "Propietario";
|
||||
$text["ownership_changed_email"] = "Propietario cambiado";
|
||||
$text["password"] = "Contraseña";
|
||||
$text["password_already_used"] = "La contraseña ya está en uso";
|
||||
$text["password_repeat"] = "Repetir contraseña";
|
||||
$text["password_expiration"] = "Caducidad de la contraseña";
|
||||
$text["password_expiration_text"] = "Su contraseña ha caducado. Por favor seleccione una nueva para seguir usando SeedDMS.";
|
||||
$text["password_forgotten"] = "Recordar contraseña";
|
||||
$text["password_forgotten_email_subject"] = "Recordatorio de contraseña";
|
||||
$text["password_forgotten_email_body"] = "Estimado usuario de SeedDMS,\n\nhemos recibido una petición para cambiar su contraseña.\n\nPuede modificarla haciendo click en el siguiente enlace:\n\n###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###\n\nSi continua teniendo problemas de acceso, por favor contacte con el administrador del sistema.";
|
||||
$text["password_forgotten_send_hash"] = "Las instrucciones para proceder al cambio se han enviado a la dirección de correo de usuario";
|
||||
$text["password_forgotten_text"] = "Rellene el siguiente formulario y siga las instrucciones del correo que se le enviará.";
|
||||
$text["password_forgotten_title"] = "Envío de contraseña";
|
||||
$text["password_wrong"] = "Contraseña incorrecta";
|
||||
$text["password_strength_insuffient"] = "Fortaleza de la contraseña insuficiente";
|
||||
$text["personal_default_keywords"] = "Listas de palabras clave personales";
|
||||
$text["previous_versions"] = "Versiones anteriores";
|
||||
$text["refresh"] = "Actualizar";
|
||||
$text["rejected"] = "Rechazado";
|
||||
$text["released"] = "Publicado";
|
||||
$text["removed_approver"] = "Ha sido eliminado de la lista de aprobadores.";
|
||||
$text["removed_file_email"] = "Adjuntos eliminados";
|
||||
$text["removed_reviewer"] = "Ha sido eliminado de la lista de revisores.";
|
||||
$text["repairing_objects"] = "Reparando documentos y carpetas.";
|
||||
$text["results_page"] = "Página de resultados";
|
||||
$text["review_deletion_email"] = "Petición de revisión eliminada";
|
||||
$text["reviewer_already_assigned"] = "Ya está asignado como revisor";
|
||||
$text["reviewer_already_removed"] = "Ya ha sido eliminado del proceso de revisión o ya ha enviado una revisión";
|
||||
$text["reviewers"] = "Revisores";
|
||||
$text["review_group"] = "Grupo de revisión";
|
||||
$text["review_request_email"] = "Petición de revisión";
|
||||
$text["review_status"] = "Estado de revisión";
|
||||
$text["review_submit_email"] = "Revisión enviada";
|
||||
$text["review_summary"] = "Resumen de revisión";
|
||||
$text["review_update_failed"] = "Error actualizando el estado de la revisión. La actualización ha fallado.";
|
||||
$text["rm_attrdef"] = "Eliminar definición de atributo";
|
||||
$text["rm_default_keyword_category"] = "Eliminar categoría";
|
||||
$text["rm_document"] = "Eliminar documento";
|
||||
$text["rm_document_category"] = "Eliminar categoría";
|
||||
$text["rm_file"] = "Eliminar fichero";
|
||||
$text["rm_folder"] = "Eliminar carpeta";
|
||||
$text["rm_group"] = "Eliminar este grupo";
|
||||
$text["rm_user"] = "Eliminar este usuario";
|
||||
$text["rm_version"] = "Eliminar versión";
|
||||
$text["role_admin"] = "Administrador";
|
||||
$text["role_guest"] = "Invitado";
|
||||
$text["role_user"] = "Usuario";
|
||||
$text["role"] = "Rol";
|
||||
$text["saturday"] = "Sábado";
|
||||
$text["save"] = "Guardar";
|
||||
$text["search_fulltext"] = "Buscar en texto completo";
|
||||
$text["search_in"] = "Buscar en";
|
||||
$text["search_mode_and"] = "todas las palabras";
|
||||
$text["search_mode_or"] = "al menos una palabra";
|
||||
$text["search_no_results"] = "No hay documentos que coinciden con su búsqueda";
|
||||
$text["search_query"] = "Buscar";
|
||||
$text["search_report"] = "Encontrados [doccount] documentos y [foldercount] carpetas en [searchtime] s.";
|
||||
$text["search_report_fulltext"] = "Encontrados [doccount] documentos";
|
||||
$text["search_results_access_filtered"] = "Los resultados de la búsqueda podrían incluir contenidos cuyo acceso ha sido denegado.";
|
||||
$text["search_results"] = "Resultados de la búsqueda";
|
||||
$text["search"] = "Buscar";
|
||||
$text["search_time"] = "Tiempo transcurrido: [time] seg.";
|
||||
$text["selection"] = "Selección";
|
||||
$text["select_one"] = "Seleccionar uno";
|
||||
$text["september"] = "Septiembre";
|
||||
$text["seq_after"] = "Después \"[prevname]\"";
|
||||
$text["seq_end"] = "Al final";
|
||||
$text["seq_keep"] = "Mantener posición";
|
||||
$text["seq_start"] = "Primera posición";
|
||||
$text["sequence"] = "Secuencia";
|
||||
$text["set_expiry"] = "Establecer caducidad";
|
||||
$text["set_owner_error"] = "Error estableciendo propietario";
|
||||
$text["set_owner"] = "Establecer propietario";
|
||||
$text["set_password"] = "Establecer contraseña";
|
||||
$text["settings_install_welcome_title"] = "Bienvenido a la instalación de SeedDMS";
|
||||
$text["settings_install_welcome_text"] = "<p>Antes de instalar SeedDMS asegúrese de haber creado un archivo «ENABLE_INSTALL_TOOL» en su directorio de instalación, en otro caso la instalación no funcionará. En sistemas Unix puede hacerse fácilmente con «touch conf/ENABLE_INSTALL_TOOL». Después de terminar la instalación elimine el archivo.</p><p>SeedDMS tiene unos requisitos mínimos. Necesitará una base de datos y un servidor web con soporte para php. Para la búsqueda de texto completo lucene, necesitará tener instalado también el framework Zend donde pueda ser utilizado por php. Desde la versión 3.2.0 de SeedDMS ADObd ya no forma parte de la distribución. Consiga una copia de él desde <a href=\"http://adodb.sourceforge.net/\">http://adodb.sourceforge.net</a> e instálelo. La ruta hacia él podrá ser establecida durante la instalación.</p><p> Si prefiere crear la base de datos antes de comenzar la instalación, simplemente créela manualmente con su herramienta preferida, opcionalmente cree un usuario de base de datos con acceso a esta base de datos e importe uno de los volcados del directorio de configuración. El script de instalación puede hacer esto también, pero necesitará acceso con privilegios suficientes para crear bases de datos.</p>";
|
||||
$text["settings_start_install"] = "Comenzar instalación";
|
||||
$text["settings_sortUsersInList"] = "Ordenar los usuarios en la lista";
|
||||
$text["settings_sortUsersInList_desc"] = "Establecer si los menús de selección de usuarios se ordenan por nombre de acceso o por nombre completo";
|
||||
$text["settings_sortUsersInList_val_login"] = "Ordenar por nombre de acceso";
|
||||
$text["settings_sortUsersInList_val_fullname"] = "Ordernar por nombre completo";
|
||||
$text["settings_stopWordsFile"] = "Ruta al fichero de palabras comunes";
|
||||
$text["settings_stopWordsFile_desc"] = "Si la búsqueda de texto completo está habilitada, este fichero contendrá palabras comunes que no se indexarán";
|
||||
$text["settings_activate_module"] = "Activar módulo";
|
||||
$text["settings_activate_php_extension"] = "Activar extensión PHP";
|
||||
$text["settings_adminIP"] = "IP de administración";
|
||||
$text["settings_adminIP_desc"] = "Si establece que el administrador solo puede conectar desde una dirección IP específica, deje en blanco para evitar el control. NOTA: funciona únicamente con autenticación local (no LDAP).";
|
||||
$text["settings_ADOdbPath"] = "Ruta de ADOdb";
|
||||
$text["settings_ADOdbPath_desc"] = "Ruta a adodb. Este es el directorio que contiene el directorio de adodb";
|
||||
$text["settings_Advanced"] = "Avanzado";
|
||||
$text["settings_apache_mod_rewrite"] = "Apache - Módulo Rewrite";
|
||||
$text["settings_Authentication"] = "Configuración de autenticación";
|
||||
$text["settings_Calendar"] = "Configuración de calendario";
|
||||
$text["settings_calendarDefaultView"] = "Vista por omisión de calendario";
|
||||
$text["settings_calendarDefaultView_desc"] = "Vista por omisión de calendario";
|
||||
$text["settings_contentDir"] = "Directorio de contenidos";
|
||||
$text["settings_contentDir_desc"] = "Donde se almacenan los archivos subidos (es preferible seleccionar un directorio que no sea accesible a través del servidor web)";
|
||||
$text["settings_contentOffsetDir"] = "Directorio de contenidos de desplazamiento";
|
||||
$text["settings_contentOffsetDir_desc"] = "Para tratar las limitaciones del sistema de ficheros subyacente, se ha ideado una estructura de directorios dentro del directorio de contenido. Esto requiere un directorio base desde el que comenzar. Normalmente puede dejar este valor por omisión, 1048576, pero puede ser cualquier número o cadena que no exista ya dentro él (directorio de contenido).";
|
||||
$text["settings_coreDir"] = "Directorio de SeedDMS Core";
|
||||
$text["settings_coreDir_desc"] = "Ruta hacia SeedDMS_Core (opcional)";
|
||||
$text["settings_loginFailure_desc"] = "Deshabilitar cuenta después de n intentos de acceso.";
|
||||
$text["settings_loginFailure"] = "Fallo de acceso";
|
||||
$text["settings_luceneClassDir"] = "Directorio de SeedDMS Lucene";
|
||||
$text["settings_luceneClassDir_desc"] = "Ruta hacia SeedDMS_Lucene (opcional)";
|
||||
$text["settings_luceneDir"] = "Directorio índice de Lucene";
|
||||
$text["settings_luceneDir_desc"] = "Ruta hacia el índice Lucene";
|
||||
$text["settings_cannot_disable"] = "No es posible eliminar el archivo ENABLE_INSTALL_TOOL";
|
||||
$text["settings_install_disabled"] = "El archivo ENABLE_INSTALL_TOOL ha sido eliminado. Ahora puede conectarse a SeedDMS y seguir con la configuración.";
|
||||
$text["settings_createdatabase"] = "Crear tablas de base de datos";
|
||||
$text["settings_createdirectory"] = "Crear directorio";
|
||||
$text["settings_currentvalue"] = "Valor actual";
|
||||
$text["settings_Database"] = "Configuración de Base de datos";
|
||||
$text["settings_dbDatabase"] = "Base de datos";
|
||||
$text["settings_dbDatabase_desc"] = "Nombre para su base de datos introducido durante el proceso de instalación. No edite este campo a menos que sea necesario, por ejemplo si la base de datos se traslada.";
|
||||
$text["settings_dbDriver"] = "Tipo de Base de datos";
|
||||
$text["settings_dbDriver_desc"] = "Tipo de base de datos introducido durante el proceso de instalación. No edite este campo a menos que tenga que migrar a un tipo diferente de base de datos quizá cambiando de servidor. El tipo de DB-Driver lo utiliza adodb (lea adodb-readme)";
|
||||
$text["settings_dbHostname_desc"] = "Servidor para su base de datos introducido durante el proceso de instalación. No edite este campo a menos que sea necesario, por ejemplo si la base de datos se transfiere a un nuevo servidor.";
|
||||
$text["settings_dbHostname"] = "Nombre de servidor";
|
||||
$text["settings_dbPass_desc"] = "Contraseña para acceder a la base de datos introducida durante el proceso de instalación.";
|
||||
$text["settings_dbPass"] = "Contraseña";
|
||||
$text["settings_dbUser_desc"] = "Nombre de usuario de acceso a su base de datos introducido durante el proceso de instalación. No edite este campo a menos que sea necesario, por ejemplo si la base de datos se transfiere a un nuevo servidor.";
|
||||
$text["settings_dbUser"] = "Nombre de usuario";
|
||||
$text["settings_dbVersion"] = "Esquema de base de datos demasiado antiguo";
|
||||
$text["settings_delete_install_folder"] = "Para utilizar SeedDMS, debe eliminar el archivo ENABLE_INSTALL_TOOL del directorio de configuración";
|
||||
$text["settings_disable_install"] = "Eliminar el archivo ENABLE_INSTALL_TOOL se es posible";
|
||||
$text["settings_disableSelfEdit_desc"] = "Si está seleccionado el usuario no podrá editar su propio perfil";
|
||||
$text["settings_disableSelfEdit"] = "Deshabilitar autoedición";
|
||||
$text["settings_Display"] = "Mostrar configuración";
|
||||
$text["settings_Edition"] = "Configuración de edición";
|
||||
$text["settings_enableAdminRevApp_desc"] = "Deseleccione para no mostrar al administrador como revisor/aprobador";
|
||||
$text["settings_enableAdminRevApp"] = "Habilitar Administrador Rev Apr";
|
||||
$text["settings_enableCalendar_desc"] = "Habilitar/Deshabilitar calendario";
|
||||
$text["settings_enableCalendar"] = "Habilitar calendario";
|
||||
$text["settings_enableConverting_desc"] = "Habilitar/Deshabilitar conversión de ficheros";
|
||||
$text["settings_enableConverting"] = "Habilitar conversión";
|
||||
$text["settings_enableNotificationAppRev_desc"] = "Habilitar para enviar notificación a revisor/aprobador cuando se añade una nueva versión de documento";
|
||||
$text["settings_enableNotificationAppRev"] = "Habilitar notificación a revisor/aprobador";
|
||||
$text["settings_enableVersionModification_desc"] = "Habilitar/Deshabilitar la modificación de versiones de documentos por parte de usuarios después de añadir una nueva versión. El administrador siempre podrá modificar la versión después de añadida.";
|
||||
$text["settings_enableVersionModification"] = "Habilitar la modificación de versiones";
|
||||
$text["settings_enableVersionDeletion_desc"] = "Habilitar/Deshabilitar la eliminación de versiones anteriores de documentos por parte de usuarios. El administrador siempre podrá eliminar versiones antiguas.";
|
||||
$text["settings_enableVersionDeletion"] = "Habilitar la eliminación de versiones anteriores";
|
||||
$text["settings_enableEmail_desc"] = "Habilitar/Deshabilitar notificación automática por correo electrónico";
|
||||
$text["settings_enableEmail"] = "Habilitar E-mail";
|
||||
$text["settings_enableFolderTree_desc"] = "Falso para no mostrar el árbol de carpetas";
|
||||
$text["settings_enableFolderTree"] = "Habilitar árbol de carpetas";
|
||||
$text["settings_enableFullSearch"] = "Habilitar búsqueda de texto completo";
|
||||
$text["settings_enableFullSearch_desc"] = "Habilitar búsqueda de texto completo";
|
||||
$text["settings_enableGuestLogin_desc"] = "Si quiere que cualquiera acceda como invitado, chequee esta opción. Nota: El acceso de invitado debería permitirse solo en entornos de confianza";
|
||||
$text["settings_enableGuestLogin"] = "Habilitar acceso de invitado";
|
||||
$text["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.";
|
||||
$text["settings_enableLargeFileUpload"] = "Habilitar la carga de ficheros grandes";
|
||||
$text["settings_enablePasswordForgotten_desc"] = "Si quiere permitir a los usuarios fijar una nueva contraseña recibiendo un correo electrónico, active esta opción.";
|
||||
$text["settings_enableOwnerNotification_desc"] = "Marcar para añadir una notificación al propietario del documento cuando es añadido.";
|
||||
$text["settings_enableOwnerNotification"] = "Habilitar notificación al propietario por omisión";
|
||||
$text["settings_enablePasswordForgotten"] = "Habilitar recordatorio de contraseña";
|
||||
$text["settings_enableUserImage_desc"] = "Habilitar imágenes de usuario";
|
||||
$text["settings_enableUserImage"] = "Habilitar imágenes de usuario";
|
||||
$text["settings_enableUsersView_desc"] = "Habilitar/Deshabilitar vista de usuario y grupo por todos los usuarios";
|
||||
$text["settings_enableUsersView"] = "Habilitar vista de usuarios";
|
||||
$text["settings_encryptionKey"] = "Clave de cifrado";
|
||||
$text["settings_encryptionKey_desc"] = "Esta cadena se utiliza para crear un identificador único añadido como campo oculto a formularios para prevenir ataques CSRF.";
|
||||
$text["settings_error"] = "Error";
|
||||
$text["settings_expandFolderTree_desc"] = "Expandir árbol de carpetas";
|
||||
$text["settings_expandFolderTree"] = "Expandir árbol de carpetas";
|
||||
$text["settings_expandFolderTree_val0"] = "Comenzar con el árbol oculto";
|
||||
$text["settings_expandFolderTree_val1"] = "comentar con el árbol visible y el primer nivel de expansión";
|
||||
$text["settings_expandFolderTree_val2"] = "comentar con el árbol visible y completamente expandido";
|
||||
$text["settings_firstDayOfWeek_desc"] = "Primer día de la semana";
|
||||
$text["settings_firstDayOfWeek"] = "Primer día de la semana";
|
||||
$text["settings_footNote_desc"] = "Mensaje para mostrar en la parte inferior de cada página";
|
||||
$text["settings_footNote"] = "Nota del pie";
|
||||
$text["settings_guestID_desc"] = "ID del usuario invitado cuando se conecta como invitado (mayormente no necesita cambiarlo)";
|
||||
$text["settings_guestID"] = "ID de invitado";
|
||||
$text["settings_httpRoot_desc"] = "La ruta relativa de la URL, después de la parte del servidor. No incluir el prefijo http:// o el nombre del servidor. Por ejemplo, si la URL completa es http://www.example.com/seeddms/, configure «/seeddms/». Si la URL completa es http://www.example.com/, configure «/»";
|
||||
$text["settings_httpRoot"] = "Raíz Http";
|
||||
$text["settings_installADOdb"] = "Instalar ADOdb";
|
||||
$text["settings_install_success"] = "La instalación ha terminado con éxito";
|
||||
$text["settings_install_pear_package_log"] = "Instale el paquete Pear 'Log'";
|
||||
$text["settings_install_pear_package_webdav"] = "Instale el paquete Pear 'HTTP_WebDAV_Server', si quiere utilizar el interfaz webdav";
|
||||
$text["settings_install_zendframework"] = "Instale Zend Framework, si quiere usar el sistema de búsqueda de texto completo";
|
||||
$text["settings_language"] = "Idioma por omisión";
|
||||
$text["settings_language_desc"] = "Idioma por omisión (nombre de un subdirectorio en el directorio \"languages\")";
|
||||
$text["settings_logFileEnable_desc"] = "Habilitar/Deshabilitar archivo de registro";
|
||||
$text["settings_logFileEnable"] = "Archivo de registro habilitado";
|
||||
$text["settings_logFileRotation_desc"] = "Rotación del archivo de registro";
|
||||
$text["settings_logFileRotation"] = "Rotación del archivo de registro";
|
||||
$text["settings_luceneDir"] = "Directorio del índice de texto completo";
|
||||
$text["settings_maxDirID_desc"] = "Número máximo de subdirectorios por directorio padre. Por omisión: 32700.";
|
||||
$text["settings_maxDirID"] = "ID máximo de directorio";
|
||||
$text["settings_maxExecutionTime_desc"] = "Esto configura el tiempo máximo en segundos que un script puede estar ejectutándose antes de que el analizador lo pare";
|
||||
$text["settings_maxExecutionTime"] = "Tiempo máximo de ejecución (s)";
|
||||
$text["settings_more_settings"] = "Configure más parámetros. Acceso por omisión: admin/admin";
|
||||
$text["settings_Notification"] = "Parámetros de notificación";
|
||||
$text["settings_no_content_dir"] = "Directorio de contenidos";
|
||||
$text["settings_notfound"] = "No encontrado";
|
||||
$text["settings_notwritable"] = "La configuración no se puede guardar porque el fichero de configuración no es escribible.";
|
||||
$text["settings_partitionSize"] = "Tamaño de fichero parcial";
|
||||
$text["settings_partitionSize_desc"] = "Tamaño de ficheros parciales en bytes, subidos por jumploader. No configurar un valor mayor que el tamaño máximo de subida configurado en el servidor.";
|
||||
$text["settings_passwordExpiration"] = "Caducidad de contraseña";
|
||||
$text["settings_passwordExpiration_desc"] = "El número de días tras los cuales una contraseña caduca y debe configurarse. 0 deshabilita la caducidad de contraseña.";
|
||||
$text["settings_passwordHistory"] = "Historial de contraseñas";
|
||||
$text["settings_passwordHistory_desc"] = "El número de contraseñas que un usuario debe usar antes de que una contraseña pueda volver a ser utilizada. 0 deshabilita el historial de contraseñas.";
|
||||
$text["settings_passwordStrength"] = "Min. fortaleza de contraseña";
|
||||
$text["settings_passwordЅtrength_desc"] = "La fortaleza mínima de contraseña es un valor numérico de 0 a 100. Configurándolo a 0 deshabilita la validación de fortaleza mínima.";
|
||||
$text["settings_passwordStrengthAlgorithm"] = "Algoritmo de fortaleza de contraseña";
|
||||
$text["settings_passwordStrengthAlgorithm_desc"] = "El algoritmo utilizado para calcular la fortaleza de contraseña. El algoritmo «simple» solo chequea que haya al menos 8 caracteres en total, una letra minúscula y una mayúscula, un número y un caracter especial. Si se cumplen estas condiciones la puntuación devuelta es 100 de otro modo es 0.";
|
||||
$text["settings_passwordStrengthAlgorithm_valsimple"] = "simple";
|
||||
$text["settings_passwordStrengthAlgorithm_valadvanced"] = "avanzada";
|
||||
$text["settings_perms"] = "Permisos";
|
||||
$text["settings_pear_log"] = "Paquete Pear : Log";
|
||||
$text["settings_pear_webdav"] = "Paquete Pear : HTTP_WebDAV_Server";
|
||||
$text["settings_php_dbDriver"] = "Extensión PHP : php_'vea el valor actual'";
|
||||
$text["settings_php_gd2"] = "Extensión PHP : php_gd2";
|
||||
$text["settings_php_mbstring"] = "Extensión PHP : php_mbstring";
|
||||
$text["settings_printDisclaimer_desc"] = "Si es Verdadero el mensaje de renuncia de los ficheros lang.inc se mostratá al final de la página";
|
||||
$text["settings_printDisclaimer"] = "Mostrar renuncia";
|
||||
$text["settings_restricted_desc"] = "Solo permitir conectar a usuarios si tienen alguna entrada en la base de datos local (independientemente de la autenticación correcta con LDAP)";
|
||||
$text["settings_restricted"] = "Acceso restringido";
|
||||
$text["settings_rootDir_desc"] = "Ruta hacía la ubicación de SeedDMS";
|
||||
$text["settings_rootDir"] = "Directorio raíz";
|
||||
$text["settings_rootFolderID_desc"] = "ID de la carpeta raíz (normalmente no es necesario cambiar)";
|
||||
$text["settings_rootFolderID"] = "ID de la carpeta raíz";
|
||||
$text["settings_SaveError"] = "Error guardando archivo de configuración";
|
||||
$text["settings_Server"] = "Configuración del servidor";
|
||||
$text["settings"] = "Configuración";
|
||||
$text["settings_siteDefaultPage_desc"] = "Página por omisión al conectar. Si está vacío se dirige a out/out.ViewFolder.php";
|
||||
$text["settings_siteDefaultPage"] = "Página por omisión del sitio";
|
||||
$text["settings_siteName_desc"] = "Nombre del sitio usado en los títulos de página. Por omisión: SeedDMS";
|
||||
$text["settings_siteName"] = "Nombre del sitio";
|
||||
$text["settings_Site"] = "Sitio";
|
||||
$text["settings_smtpPort_desc"] = "Puerto del servidor SMTP, por omisión 25";
|
||||
$text["settings_smtpPort"] = "Puerto del servidor SMTP";
|
||||
$text["settings_smtpSendFrom_desc"] = "Enviar desde";
|
||||
$text["settings_smtpSendFrom"] = "Enviar desde";
|
||||
$text["settings_smtpServer_desc"] = "Nombre de servidor SMTP";
|
||||
$text["settings_smtpServer"] = "Nombre de servidor SMTP";
|
||||
$text["settings_SMTP"] = "Configuración del servidor SMTP";
|
||||
$text["settings_stagingDir"] = "Directorio para descargas parciales";
|
||||
$text["settings_strictFormCheck_desc"] = "Comprobación estricta de formulario. Si se configura como cierto, entonces se comprobará el valor de todos los campos del formulario. Si se configura como false, entonces (la mayor parte) de los comentarios y campos de palabras clave se convertirán en opcionales. Los comentarios siempre son obligatorios al enviar una revisión o sobreescribir el estado de un documento";
|
||||
$text["settings_strictFormCheck"] = "Comprobación estricta de formulario";
|
||||
$text["settings_suggestionvalue"] = "Valor sugerido";
|
||||
$text["settings_System"] = "Sistema";
|
||||
$text["settings_theme"] = "Tema por omisión";
|
||||
$text["settings_theme_desc"] = "Estilo por omisión (nombre de una subcarpeta de la carpeta \"styles\")";
|
||||
$text["settings_titleDisplayHack_desc"] = "Solución para los títulos de página que tienen más de 2 lineas.";
|
||||
$text["settings_titleDisplayHack"] = "Arreglo para mostrar título";
|
||||
$text["settings_updateDatabase"] = "Lanzar scripts de actualización de esquema en la base de datos";
|
||||
$text["settings_updateNotifyTime_desc"] = "Se notificará a los usuarios sobre los cambios en documentos que tengan lugar en los próximos segundos de «Tiempo de notificación de actualización»";
|
||||
$text["settings_updateNotifyTime"] = "Tiempo de notificación de actualización";
|
||||
$text["settings_versioningFileName_desc"] = "Nombre de archivo de información de versionado creado por la herramienta de copia de respaldo";
|
||||
$text["settings_versioningFileName"] = "Archivo de versionado";
|
||||
$text["settings_viewOnlineFileTypes_desc"] = "Archivos con una de las siguientes extensiones se pueden visualizar en linea (UTILICE SOLAMENTE CARACTERES EN MINÚSCULA)";
|
||||
$text["settings_viewOnlineFileTypes"] = "Ver en lineas las extensiones de fichero";
|
||||
$text["settings_zendframework"] = "Zend Framework";
|
||||
$text["signed_in_as"] = "Conectado como";
|
||||
$text["sign_in"] = "Conectar";
|
||||
$text["sign_out"] = "desconectar";
|
||||
$text["space_used_on_data_folder"] = "Espacio usado en la carpeta de datos";
|
||||
$text["status_approval_rejected"] = "Borrador rechazado";
|
||||
$text["status_approved"] = "Aprobado";
|
||||
$text["status_approver_removed"] = "Aprobador eliminado del proceso";
|
||||
$text["status_not_approved"] = "Sin aprobar";
|
||||
$text["status_not_reviewed"] = "Sin revisar";
|
||||
$text["status_reviewed"] = "Revisado";
|
||||
$text["status_reviewer_rejected"] = "Borrador rechazado";
|
||||
$text["status_reviewer_removed"] = "Revisor eliminado del proceso";
|
||||
$text["status"] = "Estado";
|
||||
$text["status_unknown"] = "Desconocido";
|
||||
$text["storage_size"] = "Tamaño de almacenamiento";
|
||||
$text["submit_approval"] = "Enviar aprobación";
|
||||
$text["submit_login"] = "Conectar";
|
||||
$text["submit_password"] = "Fijar nueva contraseña";
|
||||
$text["submit_password_forgotten"] = "Comenzar el proceso";
|
||||
$text["submit_review"] = "Enviar revisión";
|
||||
$text["submit_userinfo"] = "Enviar información";
|
||||
$text["sunday"] = "Domingo";
|
||||
$text["theme"] = "Tema gráfico";
|
||||
$text["thursday"] = "Jueves";
|
||||
$text["toggle_manager"] = "Intercambiar mánager";
|
||||
$text["to"] = "Hasta";
|
||||
$text["tuesday"] = "Martes";
|
||||
$text["under_folder"] = "En carpeta";
|
||||
$text["unknown_command"] = "Orden no reconocida.";
|
||||
$text["unknown_document_category"] = "Categoría desconocida";
|
||||
$text["unknown_group"] = "Id de grupo desconocido";
|
||||
$text["unknown_id"] = "Id desconocido";
|
||||
$text["unknown_keyword_category"] = "Categoría desconocida";
|
||||
$text["unknown_owner"] = "Id de propietario desconocido";
|
||||
$text["unknown_user"] = "ID de usuario desconocido";
|
||||
$text["unlock_cause_access_mode_all"] = "Puede actualizarlo porque tiene modo de acceso \"all\". El bloqueo será automaticamente eliminado.";
|
||||
$text["unlock_cause_locking_user"] = "Puede actualizarlo porque fue quién lo bloqueó. El bloqueo será automáticamente eliminado.";
|
||||
$text["unlock_document"] = "Desbloquear";
|
||||
$text["update_approvers"] = "Actualizar lista de aprobadores";
|
||||
$text["update_document"] = "Actualizar documento";
|
||||
$text["update_fulltext_index"] = "Actualizar índice de texto completo";
|
||||
$text["update_info"] = "Actualizar información";
|
||||
$text["update_locked_msg"] = "Este documento está bloqueado.";
|
||||
$text["update_reviewers"] = "Actualizar lista de revisores";
|
||||
$text["update"] = "Actualizar";
|
||||
$text["uploaded_by"] = "Enviado por";
|
||||
$text["uploading_failed"] = "Envío (Upload) fallido. Por favor contacte con el Administrador.";
|
||||
$text["use_default_categories"] = "Utilizar categorías predefinidas";
|
||||
$text["use_default_keywords"] = "Utilizar palabras claves por omisión";
|
||||
$text["user_exists"] = "El usuario ya existe.";
|
||||
$text["user_image"] = "Imagen";
|
||||
$text["user_info"] = "Información de usuario";
|
||||
$text["user_list"] = "Lista de usuarios";
|
||||
$text["user_login"] = "Nombre de usuario";
|
||||
$text["user_management"] = "Usuarios";
|
||||
$text["user_name"] = "Nombre completo";
|
||||
$text["users"] = "Usuarios";
|
||||
$text["user"] = "Usuario";
|
||||
$text["version_deleted_email"] = "Versión eliminada";
|
||||
$text["version_info"] = "Información de versión";
|
||||
$text["versioning_file_creation"] = "Creación de fichero de versiones";
|
||||
$text["versioning_file_creation_warning"] = "Con esta operación usted puede crear un fichero que contenga la información de versiones de una carpeta del DMS completa. Después de la creación todos los ficheros se guardarán en la carpeta de documentos.";
|
||||
$text["versioning_info"] = "Información de versiones";
|
||||
$text["version"] = "Versión";
|
||||
$text["view_online"] = "Ver online";
|
||||
$text["warning"] = "Advertencia";
|
||||
$text["wednesday"] = "Miércoles";
|
||||
$text["week_view"] = "Vista de semana";
|
||||
$text["year_view"] = "Vista de año";
|
||||
$text["yes"] = "Sí";
|
||||
?>
|
|
@ -1,793 +0,0 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array();
|
||||
$text["accept"] = "Godkänn";
|
||||
$text["access_denied"] = "Åtkomst nekas.";
|
||||
$text["access_inheritance"] = "Ärv åtkomst";
|
||||
$text["access_mode"] = "Åtkomstnivå";
|
||||
$text["access_mode_all"] = "Full behörighet";
|
||||
$text["access_mode_none"] = "Inga rättigheter";
|
||||
$text["access_mode_read"] = "Läsrättighet";
|
||||
$text["access_mode_readwrite"] = "Läs/Skriv-rättigheter";
|
||||
$text["access_permission_changed_email"] = "Ändrade rättigheter";
|
||||
$text["according_settings"] = "enl. inställningarna";
|
||||
$text["action"] = "Åtgärd";
|
||||
$text["action_approve"] = "Godkänn";
|
||||
$text["action_complete"] = "Färdigställ";
|
||||
$text["action_is_complete"] = "Är färdigställt";
|
||||
$text["action_is_not_complete"] = "Är inte färdigställt";
|
||||
$text["action_reject"] = "Avvisa";
|
||||
$text["action_review"] = "Granska";
|
||||
$text["action_revise"] = "Revidera";
|
||||
$text["actions"] = "Åtgärder";
|
||||
$text["add"] = "Lägg till";
|
||||
$text["add_doc_reviewer_approver_warning"] = "OBS! Dokumentet kommer automatiskt att markeras klart för användning, om ingen person anges för granskning eller godkännande av dokumentet.";
|
||||
$text["add_doc_workflow_warning"] = "OBS! Dokumentet kommer automatiskt att markeras klart för användning, om inget arbetsflöde anges.";
|
||||
$text["add_document"] = "Lägg till dokument";
|
||||
$text["add_document_link"] = "Lägg till länkat dokument";
|
||||
$text["add_event"] = "Lägg till händelse";
|
||||
$text["add_group"] = "Lägg till ny grupp";
|
||||
$text["add_member"] = "Lägg till användare";
|
||||
$text["add_multiple_documents"] = "Lägg till flera dokument";
|
||||
$text["add_multiple_files"] = "Lägg till flera dokument (använder filnamnet som dokumentnamn)";
|
||||
$text["add_subfolder"] = "Lägg till katalog";
|
||||
$text["add_to_clipboard"] = "Flytta till Urklipp";
|
||||
$text["add_user"] = "Lägg till ny användare";
|
||||
$text["add_user_to_group"] = "Lägg till användare till grupp";
|
||||
$text["add_workflow"] = "Lägg till nytt arbetsflöde";
|
||||
$text["add_workflow_state"] = "Lägg till ny status";
|
||||
$text["add_workflow_action"] = "Lägg till ny åtgärd";
|
||||
$text["admin"] = "Administratör";
|
||||
$text["admin_tools"] = "Admin-verktyg";
|
||||
$text["all"] = "Alla";
|
||||
$text["all_categories"] = "Alla kategorier";
|
||||
$text["all_documents"] = "Alla dokument";
|
||||
$text["all_pages"] = "Alla";
|
||||
$text["all_users"] = "Alla användare";
|
||||
$text["already_subscribed"] = "Prenumererar redan";
|
||||
$text["and"] = "och";
|
||||
$text["apply"] = "Använd";
|
||||
$text["approval_deletion_email"] = "Begäran om godkännande har raderats";
|
||||
$text["approval_group"] = "Grupp av personer som godkänner";
|
||||
$text["approval_request_email"] = "Begäran om godkännande";
|
||||
$text["approval_status"] = "Status för godkännande";
|
||||
$text["approval_submit_email"] = "Skicka godkännande";
|
||||
$text["approval_summary"] = "Sammanfattning av godkännande";
|
||||
$text["approval_update_failed"] = "Fel vid uppdatering av godkännande-status. Status uppdaterades inte.";
|
||||
$text["approvers"] = "Personer som godkänner";
|
||||
$text["april"] = "april";
|
||||
$text["archive_creation"] = "Skapa arkiv";
|
||||
$text["archive_creation_warning"] = "Med denna funktion kan du skapa ett arkiv som innehåller filer från hela DMS-kataloger. När arkivet har skapats, kommer det att sparas i data-mappen på din server.<br>OBS! Skapas ett arkiv som är läsbart för användare, kan det inte användas för att återställa systemet.";
|
||||
$text["assign_approvers"] = "Ge uppdrag till personer/grupper att godkänna dokumentet";
|
||||
$text["assign_reviewers"] = "Ge uppdrag till personer/grupper att granska dokumentet";
|
||||
$text["assign_user_property_to"] = "Sätt användarens egenskaper till";
|
||||
$text["assumed_released"] = "Antas klart för användning";
|
||||
$text["attrdef_management"] = "Hantering av attributdefinitioner";
|
||||
$text["attrdef_exists"] = "Attributdefinitionen finns redan";
|
||||
$text["attrdef_in_use"] = "Attributdefinitionen används";
|
||||
$text["attrdef_name"] = "Namn";
|
||||
$text["attrdef_multiple"] = "Tillåt flera värden";
|
||||
$text["attrdef_objtype"] = "Objekttyp";
|
||||
$text["attrdef_type"] = "Typ";
|
||||
$text["attrdef_minvalues"] = "Min tillåtna värde";
|
||||
$text["attrdef_maxvalues"] = "Max tillåtna värde";
|
||||
$text["attrdef_valueset"] = "Värden";
|
||||
$text["attributes"] = "Attribut";
|
||||
$text["august"] = "augusti";
|
||||
$text["automatic_status_update"] = "Automatisk ändring av status";
|
||||
$text["back"] = "Tillbaka";
|
||||
$text["backup_list"] = "Befintliga backup-filer";
|
||||
$text["backup_remove"] = "Ta bort backup-fil";
|
||||
$text["backup_tools"] = "Backup-verktyg";
|
||||
$text["backup_log_management"] = "Backup/Loggning";
|
||||
$text["between"] = "mellan";
|
||||
$text["calendar"] = "Kalender";
|
||||
$text["cancel"] = "Avbryt";
|
||||
$text["cannot_assign_invalid_state"] = "Kan inte ändra ett dokument som har gått ut eller avvisats.";
|
||||
$text["cannot_change_final_states"] = "OBS: Du kan inte ändra statusen för ett dokument som har avvisats eller gått ut eller som väntar på att bli godkänt.";
|
||||
$text["cannot_delete_yourself"] = "Du kan inte ta bort dig själv.";
|
||||
$text["cannot_move_root"] = "Fel: Det går inte att flytta root-katalogen.";
|
||||
$text["cannot_retrieve_approval_snapshot"] = "Det är inte möjligt att skapa en snapshot av godkännande-statusen för denna version av dokumentet.";
|
||||
$text["cannot_retrieve_review_snapshot"] = "Det är inte möjligt att skapa en snapshot för denna version av dokumentet.";
|
||||
$text["cannot_rm_root"] = "Fel: Det går inte att ta bort root-katalogen.";
|
||||
$text["category"] = "Kategori";
|
||||
$text["category_exists"] = "Kategorin finns redan.";
|
||||
$text["category_filter"] = "Bara kategorier";
|
||||
$text["category_in_use"] = "Denna kategori används av ett dokument.";
|
||||
$text["category_noname"] = "Inget kategorinamn angivet";
|
||||
$text["categories"] = "Kategorier";
|
||||
$text["change_assignments"] = "Ändra uppdrag";
|
||||
$text["change_password"] = "Ändra lösenord";
|
||||
$text["change_password_message"] = "Ditt lösenord har ändrats.";
|
||||
$text["change_status"] = "Ändra status";
|
||||
$text["choose_attrdef"] = "Välj attributdefinition";
|
||||
$text["choose_category"] = "Välj";
|
||||
$text["choose_group"] = "Välj grupp";
|
||||
$text["choose_target_category"] = "Välj kategori";
|
||||
$text["choose_target_document"] = "Välj dokument";
|
||||
$text["choose_target_file"] = "Välj fil";
|
||||
$text["choose_target_folder"] = "Välj katalog";
|
||||
$text["choose_user"] = "Välj användare";
|
||||
$text["choose_workflow"] = "Välj arbetsflöde";
|
||||
$text["choose_workflow_state"] = "Välj status för arbetsflödet";
|
||||
$text["choose_workflow_action"] = "Välj åtgärd för arbetsflödet";
|
||||
$text["comment_changed_email"] = "Ändrad kommentar";
|
||||
$text["comment"] = "Kommentar";
|
||||
$text["comment_for_current_version"] = "Kommentar till versionen";
|
||||
$text["confirm_create_fulltext_index"] = "Ja, jag vill återskapa fulltext-sökindex !";
|
||||
$text["confirm_pwd"] = "Bekräfta lösenord";
|
||||
$text["confirm_rm_backup"] = "Vill du verkligen ta bort filen \"[arkname]\"?<br>OBS! Om filen tas bort, kan den inte återskapas!";
|
||||
$text["confirm_rm_document"] = "Vill du verkligen ta bort dokumentet \"[documentname]\"?<br>OBS! Om dokumentet tas bort, kan det inte återskapas!";
|
||||
$text["confirm_rm_dump"] = "Vill du verkligen ta bort filen \"[dumpname]\"?<br>OBS! Om filen tas bort, kan den inte återskapas!";
|
||||
$text["confirm_rm_event"] = "Vill du verkligen ta bort händelsen \"[name]\"?<br>OBS! Om händelsen tas bort, kan den inte återskapas!";
|
||||
$text["confirm_rm_file"] = "Vill du verkligen ta bort filen \"[name]\" i dokumentet \"[documentname]\"?<br>OBS! Om filen tas bort, kan den inte återskapas!";
|
||||
$text["confirm_rm_folder"] = "Vill du verkligen ta bort katalogen \"[foldername]\" och katalogens innehåll?<br>OBS! Katalogen och innehållet kan inte återskapas!";
|
||||
$text["confirm_rm_folder_files"] = "Vill du verkligen ta bort alla filer i katalogen \"[foldername]\" och i katalogens undermappar?<br>OBS! Filerna kan inte återskapas!";
|
||||
$text["confirm_rm_group"] = "Vill du verkligen ta bort gruppen \"[groupname]\"?<br>OBS! Gruppen kan inte återskapas!";
|
||||
$text["confirm_rm_log"] = "Vill du verkligen ta bort loggfilen \"[logname]\"?<br>OBS! Loggfilen kan inte återskapas!";
|
||||
$text["confirm_rm_user"] = "Vill du verkligen ta bort användaren \"[username]\"?<br>OBS! Användaren kan inte återskapas!";
|
||||
$text["confirm_rm_version"] = "Vill du verkligen ta bort versionen [version] av dokumentet \"[documentname]\"?<br>OBS! Versionen kan inte återskapas!";
|
||||
$text["content"] = "Innehåll";
|
||||
$text["continue"] = "Fortsätt";
|
||||
$text["create_fulltext_index"] = "Skapa fulltext-sökindex";
|
||||
$text["create_fulltext_index_warning"] = "Du håller på att skapa fulltext-sökindex. Detta kan ta mycket lång tid och sakta ner den allmänna systemprestandan. Om du verkligen vill skapa indexet, bekräfta åtgärden.";
|
||||
$text["creation_date"] = "Skapat";
|
||||
$text["current_password"] = "Nuvarande lösenord";
|
||||
$text["current_version"] = "Aktuell version";
|
||||
$text["daily"] = "dagligen";
|
||||
$text["days"] = "dagar";
|
||||
$text["databasesearch"] = "Sök databas";
|
||||
$text["date"] = "Datum";
|
||||
$text["december"] = "december";
|
||||
$text["default_access"] = "Standardrättigheter";
|
||||
$text["default_keywords"] = "Möjliga nyckelord";
|
||||
$text["definitions"] = "Definitioner";
|
||||
$text["delete"] = "Ta bort";
|
||||
$text["details"] = "Detaljer";
|
||||
$text["details_version"] = "Detaljer för version: [version]";
|
||||
$text["disclaimer"] = "Detta är ett sekretessbelagt område. Bara auktoriserade personer äger tillträde. Vid överträdelse kommer åtal att väckas i enlighet med nationella och internationella lagar.";
|
||||
$text["do_object_repair"] = "Försök att laga kataloger och dokument.";
|
||||
$text["do_object_setfilesize"] = "Ange filstorlek";
|
||||
$text["document_already_locked"] = "Detta dokument är redan låst";
|
||||
$text["document_deleted"] = "Dokumentet raderades";
|
||||
$text["document_deleted_email"] = "Dokument har raderats";
|
||||
$text["document_duplicate_name"] = "Dubbelt dokumentnamn";
|
||||
$text["document"] = "Dokument";
|
||||
$text["document_has_no_workflow"] = "Dokumentet har inget arbetsflöde";
|
||||
$text["document_infos"] = "Dokumentinformation";
|
||||
$text["document_is_not_locked"] = "Detta dokument är inte låst";
|
||||
$text["document_link_by"] = "Länkat av";
|
||||
$text["document_link_public"] = "Offentlig länk";
|
||||
$text["document_moved_email"] = "Dokument har flyttats";
|
||||
$text["document_renamed_email"] = "Dokument har bytt namn";
|
||||
$text["documents"] = "Dokument";
|
||||
$text["documents_in_process"] = "Dokument i bearbetning";
|
||||
$text["documents_locked_by_you"] = "Dokument som du har låst";
|
||||
$text["documents_only"] = "Bara dokument";
|
||||
$text["document_status_changed_email"] = "Dokumentstatus ändrad";
|
||||
$text["documents_to_approve"] = "Dokument som du behöver godkänna";
|
||||
$text["documents_to_review"] = "Dokument som du behöver granska";
|
||||
$text["documents_user_requiring_attention"] = "Dokument som du äger och som behöver din uppmärksamhet";
|
||||
$text["document_title"] = "Dokument '[documentname]'";
|
||||
$text["document_updated_email"] = "Dokument har uppdaterats";
|
||||
$text["does_not_expire"] = "Löper aldrig ut";
|
||||
$text["does_not_inherit_access_msg"] = "Ärv behörighet";
|
||||
$text["download"] = "Ladda ner";
|
||||
$text["draft_pending_approval"] = "Utkast: väntar på godkännande";
|
||||
$text["draft_pending_review"] = "Utkast: väntar på granskning";
|
||||
$text["dropfolder_file"] = "Fil från mellanlagrings-mappen";
|
||||
$text["dump_creation"] = "Skapa DB-dump";
|
||||
$text["dump_creation_warning"] = "Med denna funktion kan du skapa en dumpfil av innehållet i din databas. När dumpfilen har skapats, kommer den att sparas i datamappen på servern.";
|
||||
$text["dump_list"] = "Befintliga dumpfiler";
|
||||
$text["dump_remove"] = "Ta bort dumpfil";
|
||||
$text["edit_attributes"] = "Ändra attribut";
|
||||
$text["edit_comment"] = "Ändra kommentar";
|
||||
$text["edit_default_keywords"] = "Ändra nyckelord";
|
||||
$text["edit_document_access"] = "Ändra behörighet";
|
||||
$text["edit_document_notify"] = "Dokument-meddelandelista";
|
||||
$text["edit_document_props"] = "Ändra dokumentet";
|
||||
$text["edit"] = "Ändrat";
|
||||
$text["edit_event"] = "Ändra händelse";
|
||||
$text["edit_existing_access"] = "Ändra lista med behörigheter";
|
||||
$text["edit_existing_notify"] = "Ändra lista med meddelanden";
|
||||
$text["edit_folder_access"] = "Ändra behörighet";
|
||||
$text["edit_folder_notify"] = "Katalog-meddelandelista";
|
||||
$text["edit_folder_props"] = "Ändra katalog";
|
||||
$text["edit_group"] = "Ändra grupp";
|
||||
$text["edit_user_details"] = "Ändra användarens information";
|
||||
$text["edit_user"] = "Ändra användare";
|
||||
$text["email"] = "E-post";
|
||||
$text["email_error_title"] = "E-post saknas";
|
||||
$text["email_footer"] = "Du kan alltid ändra dina e-postinställningar genom att gå till 'Min Sida'";
|
||||
$text["email_header"] = "Detta meddelande skapades automatiskt från dokumentservern.";
|
||||
$text["email_not_given"] = "Skriv in en giltig e-postadress.";
|
||||
$text["empty_folder_list"] = "Inga dokument eller mappar";
|
||||
$text["empty_notify_list"] = "Inga meddelanden";
|
||||
$text["equal_transition_states"] = "Start and slut status är lika";
|
||||
$text["error"] = "Fel";
|
||||
$text["error_no_document_selected"] = "Inget dokument har valts";
|
||||
$text["error_no_folder_selected"] = "Ingen katalog har valts";
|
||||
$text["error_occured"] = "Ett fel har inträffat.";
|
||||
$text["event_details"] = "Händelseinställningar";
|
||||
$text["expired"] = "Har gått ut";
|
||||
$text["expires"] = "Kommer att gå ut";
|
||||
$text["expiry_changed_email"] = "Utgångsdatum ändrat";
|
||||
$text["february"] = "februari";
|
||||
$text["file"] = "Fil";
|
||||
$text["files_deletion"] = "Ta bort alla filer";
|
||||
$text["files_deletion_warning"] = "Med detta alternativ kan du ta bort alla filer i en dokumentkatalog. Versionsinformationen kommer fortfarande att visas.";
|
||||
$text["files"] = "Filer";
|
||||
$text["file_size"] = "Filstorlek";
|
||||
$text["folder_contents"] = "Kataloginnehåll";
|
||||
$text["folder_deleted_email"] = "Katalog har tagits bort";
|
||||
$text["folder"] = "Katalog";
|
||||
$text["folder_infos"] = "Kataloginformation";
|
||||
$text["folder_moved_email"] = "Katalog har flyttats";
|
||||
$text["folder_renamed_email"] = "Katalog har bytt namn";
|
||||
$text["folders_and_documents_statistic"] = "Innehållsöversikt";
|
||||
$text["folders"] = "Kataloger";
|
||||
$text["folder_title"] = "Katalog '[foldername]'";
|
||||
$text["friday"] = "fredag";
|
||||
$text["from"] = "från";
|
||||
$text["fullsearch"] = "Fulltext-sökning";
|
||||
$text["fullsearch_hint"] = "Använd fulltext-index";
|
||||
$text["fulltext_info"] = "Fulltext-indexinfo";
|
||||
$text["global_attributedefinitions"] = "Attributdefinitioner";
|
||||
$text["global_default_keywords"] = "Globala nyckelord";
|
||||
$text["global_document_categories"] = "Kategorier";
|
||||
$text["global_workflows"] = "Arbetsflöden";
|
||||
$text["global_workflow_actions"] = "Åtgärder för arbetsflödet";
|
||||
$text["global_workflow_states"] = "Status för arbetsflödet";
|
||||
$text["group_approval_summary"] = "Sammanfattning av gruppgodkännande";
|
||||
$text["group_exists"] = "Grupp finns redan.";
|
||||
$text["group"] = "Grupp";
|
||||
$text["group_management"] = "Grupphantering";
|
||||
$text["group_members"] = "Gruppmedlemmar";
|
||||
$text["group_review_summary"] = "Sammanfattning av gruppgranskning";
|
||||
$text["groups"] = "Grupper";
|
||||
$text["guest_login_disabled"] = "Gästinloggningen är inaktiverad.";
|
||||
$text["guest_login"] = "Gästinloggning";
|
||||
$text["help"] = "Hjälp";
|
||||
$text["hourly"] = "timvis";
|
||||
$text["hours"] = "timmar";
|
||||
$text["human_readable"] = "Arkiv som är läsbart av användare";
|
||||
$text["id"] = "ID";
|
||||
$text["identical_version"] = "Ny version är lika med den aktuella versionen.";
|
||||
$text["include_documents"] = "Inkludera dokument";
|
||||
$text["include_subdirectories"] = "Inkludera under-kataloger";
|
||||
$text["index_converters"] = "Omvandling av indexdokument";
|
||||
$text["individuals"] = "Personer";
|
||||
$text["inherited"] = "ärvd";
|
||||
$text["inherits_access_msg"] = "Behörigheten har ärvts.";
|
||||
$text["inherits_access_copy_msg"] = "Kopiera behörighetsarvslista";
|
||||
$text["inherits_access_empty_msg"] = "Börja med tom behörighetslista";
|
||||
$text["internal_error_exit"] = "Internt fel. Förfrågan kunde inte utföras. Avslutar.";
|
||||
$text["internal_error"] = "Internt fel";
|
||||
$text["invalid_access_mode"] = "Ogiltig behörighetsnivå";
|
||||
$text["invalid_action"] = "Ogiltig handling";
|
||||
$text["invalid_approval_status"] = "Ogiltig godkännandestatus";
|
||||
$text["invalid_create_date_end"] = "Ogiltigt slutdatum för intervall.";
|
||||
$text["invalid_create_date_start"] = "Ogiltigt startdatum för intervall.";
|
||||
$text["invalid_doc_id"] = "Ogiltigt dokument-ID";
|
||||
$text["invalid_file_id"] = "Ogiltigt fil-ID";
|
||||
$text["invalid_folder_id"] = "Ogiltigt katalog-ID";
|
||||
$text["invalid_group_id"] = "Ogiltigt grupp-ID";
|
||||
$text["invalid_link_id"] = "Ogiltigt länk-ID";
|
||||
$text["invalid_request_token"] = "Ogiltig förfrågan";
|
||||
$text["invalid_review_status"] = "Ogiltig granskningsstatus";
|
||||
$text["invalid_sequence"] = "Ogiltigt sekvensvärde";
|
||||
$text["invalid_status"] = "Ogiltig dokumentstatus";
|
||||
$text["invalid_target_doc_id"] = "Ogiltigt ID för måldokumentet";
|
||||
$text["invalid_target_folder"] = "Ogiltigt ID för målkatalogen";
|
||||
$text["invalid_user_id"] = "Ogiltigt användar-ID";
|
||||
$text["invalid_version"] = "Ogiltig dokumentversion";
|
||||
$text["in_workflow"] = "Utkast: under bearbetning";
|
||||
$text["is_disabled"] = "Inaktivera kontot";
|
||||
$text["is_hidden"] = "Dölj från listan med användare";
|
||||
$text["january"] = "januari";
|
||||
$text["js_no_approval_group"] = "Välj en grupp som ska godkänna";
|
||||
$text["js_no_approval_status"] = "Välj godkännandestatus";
|
||||
$text["js_no_comment"] = "Det finns inga kommentarer";
|
||||
$text["js_no_email"] = "Ange din e-postadress";
|
||||
$text["js_no_file"] = "Välj en fil";
|
||||
$text["js_no_keywords"] = "Skriv några nyckelord";
|
||||
$text["js_no_login"] = "Skriv ett användarnamn";
|
||||
$text["js_no_name"] = "Skriv ett namn";
|
||||
$text["js_no_override_status"] = "Välj ny [override] status";
|
||||
$text["js_no_pwd"] = "Du måste ange ditt lösenord";
|
||||
$text["js_no_query"] = "Skriv en fråga";
|
||||
$text["js_no_review_group"] = "Välj en grupp som ska utföra granskningen";
|
||||
$text["js_no_review_status"] = "Välj status för granskningen";
|
||||
$text["js_pwd_not_conf"] = "Lösenord och bekräftat lösenord stämmer inte överens";
|
||||
$text["js_select_user_or_group"] = "Välj minst en användare eller en grupp";
|
||||
$text["js_select_user"] = "Välj en användare";
|
||||
$text["july"] = "juli";
|
||||
$text["june"] = "juni";
|
||||
$text["keep_doc_status"] = "Bibehåll dokumentstatus";
|
||||
$text["keyword_exists"] = "Nyckelordet finns redan";
|
||||
$text["keywords"] = "Nyckelord";
|
||||
$text["language"] = "Språk";
|
||||
$text["last_update"] = "Senast uppdaterat";
|
||||
$text["legend"] = "Förteckning";
|
||||
$text["link_alt_updatedocument"] = "Om du vill ladda upp filer som är större än den aktuella största tillåtna storleken, använd dig av den alternativa metoden att ladda upp filer <a href=\"%s\">Alternativ uppladdning</a>.";
|
||||
$text["linked_documents"] = "Relaterade dokument";
|
||||
$text["linked_files"] = "Bilagor";
|
||||
$text["local_file"] = "Lokal fil";
|
||||
$text["locked_by"] = "Låst av";
|
||||
$text["lock_document"] = "Lås dokumentet";
|
||||
$text["lock_message"] = "Detta dokument har låsts av <a href=\"mailto:[email]\">[username]</a>. Bara auktoriserade användare kan låsa upp dokumentet.";
|
||||
$text["lock_status"] = "Status";
|
||||
$text["login"] = "Inloggning";
|
||||
$text["login_disabled_text"] = "Ditt konto är inaktivt, förmodligen för att du har överskridit tillåtna antal inloggningsförsök.";
|
||||
$text["login_disabled_title"] = "Kontot är inaktivt";
|
||||
$text["login_error_text"] = "Fel vid inloggningen. Användar-ID eller lösenord är felaktigt.";
|
||||
$text["login_error_title"] = "Fel vid inloggningen";
|
||||
$text["login_not_given"] = "Användarnamn saknas";
|
||||
$text["login_ok"] = "Inloggningen lyckades";
|
||||
$text["log_management"] = "Loggfilshantering";
|
||||
$text["logout"] = "Logga ut";
|
||||
$text["manager"] = "Manager";
|
||||
$text["march"] = "mars";
|
||||
$text["max_upload_size"] = "Maximal storlek för uppladdning";
|
||||
$text["may"] = "maj";
|
||||
$text["mimetype"] = "Mimetyp";
|
||||
$text["misc"] = "Diverse";
|
||||
$text["missing_filesize"] = "Filstorlek saknas";
|
||||
$text["missing_transition_user_group"] = "Användare/grupp saknas för övergång";
|
||||
$text["minutes"] = "minuter";
|
||||
$text["monday"] = "måndag";
|
||||
$text["month_view"] = "månadsvisning";
|
||||
$text["monthly"] = "månadsvis";
|
||||
$text["move_document"] = "Flytta dokumentet";
|
||||
$text["move_folder"] = "Flytta katalog";
|
||||
$text["move"] = "Flytta";
|
||||
$text["my_account"] = "Min Sida";
|
||||
$text["my_documents"] = "Mina dokument";
|
||||
$text["name"] = "Namn";
|
||||
$text["new_attrdef"] = "Lägg till attributdefinition";
|
||||
$text["new_default_keyword_category"] = "Lägg till nyckelordskategori";
|
||||
$text["new_default_keywords"] = "Lägg till nyckelord";
|
||||
$text["new_document_category"] = "Lägg till kategori";
|
||||
$text["new_document_email"] = "Nytt dokument";
|
||||
$text["new_file_email"] = "Ny bilaga";
|
||||
$text["new_folder"] = "Ny katalog";
|
||||
$text["new_password"] = "Nytt lösenord";
|
||||
$text["new"] = "Ny";
|
||||
$text["new_subfolder_email"] = "Ny katalog";
|
||||
$text["new_user_image"] = "Ny användarbild";
|
||||
$text["next_state"] = "Ny status";
|
||||
$text["no_action"] = "Ingen åtgärd behövs.";
|
||||
$text["no_approval_needed"] = "Inget godkännande behövs.";
|
||||
$text["no_attached_files"] = "Inga filer har bifogats.";
|
||||
$text["no_default_keywords"] = "Inga nyckelord tillgängliga";
|
||||
$text["no_docs_locked"] = "Inga dokument är låsta.";
|
||||
$text["no_docs_to_approve"] = "Det finns inga dokument som du behöver godkänna.";
|
||||
$text["no_docs_to_look_at"] = "Det finns inga dokument som behöver din uppmärksamhet.";
|
||||
$text["no_docs_to_review"] = "Det finns inga dokument som du behöver granska.";
|
||||
$text["no_fulltextindex"] = "Fulltext-index saknas";
|
||||
$text["no_group_members"] = "Denna grupp har inga medlemmar";
|
||||
$text["no_groups"] = "Inga grupper";
|
||||
$text["no"] = "Nej";
|
||||
$text["no_linked_files"] = "Inga länkade dokumenter";
|
||||
$text["no_previous_versions"] = "Inga andra versioner hittades.";
|
||||
$text["no_review_needed"] = "Det finns inga dokument som du behöver granska.";
|
||||
$text["notify_added_email"] = "Du har lagts till för att få meddelanden";
|
||||
$text["notify_deleted_email"] = "Du har tagits bort från att få meddelanden";
|
||||
$text["no_update_cause_locked"] = "Därför kan du inte uppdatera detta dokument. Ta kontakt med användaren som låst dokumentet.";
|
||||
$text["no_user_image"] = "Ingen bild hittades";
|
||||
$text["november"] = "november";
|
||||
$text["now"] = "nu";
|
||||
$text["objectcheck"] = "Katalog/Dokument-kontroll";
|
||||
$text["obsolete"] = "Föråldrat";
|
||||
$text["october"] = "oktober";
|
||||
$text["old"] = "gammalt";
|
||||
$text["only_jpg_user_images"] = "Bara .jpg-bilder kan användas som användarbild";
|
||||
$text["original_filename"] = "Ursprungligt filnamn";
|
||||
$text["owner"] = "Ägare";
|
||||
$text["ownership_changed_email"] = "Ägare har ändrats";
|
||||
$text["password"] = "Lösenord";
|
||||
$text["password_already_used"] = "Lösenordet används redan";
|
||||
$text["password_repeat"] = "Upprepa lösenord";
|
||||
$text["password_expiration"] = "Lösenord utgår";
|
||||
$text["password_expiration_text"] = "Ditt lösenord har gått ut. Vänligen välj ett nytt för att fortsätta använda DMS.";
|
||||
$text["password_forgotten"] = "Glömt lösenord";
|
||||
$text["password_forgotten_email_subject"] = "Glömt lösenord";
|
||||
$text["password_forgotten_email_body"] = "Bästa användare av dokumenthanteringssystemet,\n\nvi fick en förfrågan om att ändra ditt lösenord.\n\nDu kan göra det genom att klicka på följande länk:\n\n###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###\n\nOm du fortfarande har problem med inloggningen, kontakta administratören.";
|
||||
$text["password_forgotten_send_hash"] = "En beskrivning av vad du måste göra har nu skickats till din e-postadress.";
|
||||
$text["password_forgotten_text"] = "Fyll i formuläret nedan och följ instruktionerna som skickas till din e-postadress.";
|
||||
$text["password_forgotten_title"] = "Glömt lösenord";
|
||||
$text["password_strength"] = "Lösenordskvalitet";
|
||||
$text["password_strength_insuffient"] = "För låg kvalitet på lösenordet";
|
||||
$text["password_wrong"] = "Fel lösenord";
|
||||
$text["personal_default_keywords"] = "Personlig nyckelordslista";
|
||||
$text["previous_state"] = "Föregående status";
|
||||
$text["previous_versions"] = "Föregående versioner";
|
||||
$text["quota"] = "Kvot";
|
||||
$text["quota_exceeded"] = "Din minneskvot har överskridits med [bytes].";
|
||||
$text["quota_warning"] = "Din maximala minneskvot har överskridits med [bytes]. Ta bort dokument eller tidigare versioner.";
|
||||
$text["refresh"] = "Uppdatera";
|
||||
$text["rejected"] = "Avvisat";
|
||||
$text["released"] = "Klart för användning";
|
||||
$text["removed_approver"] = "har tagits bort från listan med personer som ska godkänna dokumentet.";
|
||||
$text["removed_file_email"] = "Borttagen bilaga";
|
||||
$text["removed_reviewer"] = "har tagits bort från listan med personer som ska granska dokumentet.";
|
||||
$text["repairing_objects"] = "Förbereder dokument och kataloger.";
|
||||
$text["results_page"] = "Resultatsida";
|
||||
$text["review_deletion_email"] = "Förfrågan om granskning borttagen";
|
||||
$text["reviewer_already_assigned"] = "ska redan granska dokumentet";
|
||||
$text["reviewer_already_removed"] = "har redan tagits bort från granskningen eller har redan skickat en granskning";
|
||||
$text["reviewers"] = "Personer som granskar";
|
||||
$text["review_group"] = "Grupp som granskar";
|
||||
$text["review_request_email"] = "Förfrågan om granskning";
|
||||
$text["review_status"] = "Status för granskningen";
|
||||
$text["review_submit_email"] = "Skickat granskning";
|
||||
$text["review_summary"] = "Sammanfattning av granskningen";
|
||||
$text["review_update_failed"] = "Fel vid uppdatering av granskningsstatus. Kunde inte uppdatera.";
|
||||
$text["rewind_workflow"] = "Återställ arbetsflödet";
|
||||
$text["rewind_workflow_warning"] = "Om du återställer ett arbetsflöde till sin ursprungliga status, kommer hela loggboken för dokumentets arbetsflöde att raderas och kan då inte återställas.";
|
||||
$text["rm_attrdef"] = "Ta bort attributdefinition";
|
||||
$text["rm_default_keyword_category"] = "Ta bort kategori";
|
||||
$text["rm_document"] = "Ta bort dokumentet";
|
||||
$text["rm_document_category"] = "Ta bort kategori";
|
||||
$text["rm_file"] = "Ta bort fil";
|
||||
$text["rm_folder"] = "Ta bort katalog";
|
||||
$text["rm_from_clipboard"] = "Ta bort från Urklipp";
|
||||
$text["rm_group"] = "Ta bort denna grupp";
|
||||
$text["rm_user"] = "Ta bort denna användare";
|
||||
$text["rm_version"] = "Ta bort version";
|
||||
$text["rm_workflow"] = "Ta bort arbetsflöde";
|
||||
$text["rm_workflow_state"] = "Ta bort status från arbetsflödet";
|
||||
$text["rm_workflow_action"] = "Ta bort åtgärd från arbetsflödet";
|
||||
$text["rm_workflow_warning"] = "Du håller på att ta bort arbetsflödet från dokumentet. Denna åtgärd kan inte ångras.";
|
||||
$text["role_admin"] = "Administratör";
|
||||
$text["role_guest"] = "Gäst";
|
||||
$text["role_user"] = "Användare";
|
||||
$text["role"] = "Roll";
|
||||
$text["return_from_subworkflow"] = "Tillbaka från under-arbetsflöde";
|
||||
$text["run_subworkflow"] = "Utför under-arbetsflöde";
|
||||
$text["saturday"] = "lördag";
|
||||
$text["save"] = "Spara";
|
||||
$text["search_fulltext"] = "Fulltext-sökning";
|
||||
$text["search_in"] = "Sök i";
|
||||
$text["search_mode_and"] = "alla ord";
|
||||
$text["search_mode_or"] = "minst ett ord";
|
||||
$text["search_no_results"] = "Det finns inga dokument som matchar din sökning";
|
||||
$text["search_query"] = "Sök efter";
|
||||
$text["search_report"] = "Hittat [doccount] dokument och [foldercount] kataloger";
|
||||
$text["search_report_fulltext"] = "Hittat [doccount] dokument";
|
||||
$text["search_results_access_filtered"] = "Sökresultatet kan innehålla filer/dokument som du inte har behörighet att öppna.";
|
||||
$text["search_results"] = "Sökresultat";
|
||||
$text["search"] = "Sök";
|
||||
$text["search_time"] = "Förfluten tid: [time] sek";
|
||||
$text["seconds"] = "sekunder";
|
||||
$text["selection"] = "Urval";
|
||||
$text["select_groups"] = "Välj grupper";
|
||||
$text["select_ind_reviewers"] = "Välj en person som ska granska";
|
||||
$text["select_ind_approvers"] = "Välj en person som ska godkänna";
|
||||
$text["select_grp_reviewers"] = "Välj en grupp som ska granska";
|
||||
$text["select_grp_approvers"] = "Välj en grupp som ska godkänna";
|
||||
$text["select_one"] = "Välj";
|
||||
$text["select_users"] = "Välj användare";
|
||||
$text["select_workflow"] = "Välj arbetsflöde";
|
||||
$text["september"] = "september";
|
||||
$text["seq_after"] = "efter \"[prevname]\"";
|
||||
$text["seq_end"] = "på slutet";
|
||||
$text["seq_keep"] = "behåll positionen";
|
||||
$text["seq_start"] = "första positionen";
|
||||
$text["sequence"] = "Position";
|
||||
$text["set_expiry"] = "Sätt utgångstid";
|
||||
$text["set_owner_error"] = "Fel vid val av ägare";
|
||||
$text["set_owner"] = "Ange dokumentägare";
|
||||
$text["set_password"] = "Ändra lösenord";
|
||||
$text["set_workflow"] = "Välj arbetsflöde";
|
||||
$text["settings_install_welcome_title"] = "Välkommen till installationen av letoDMS";
|
||||
$text["settings_install_welcome_text"] = "<p>Innan du börjar installationen av letoDMS, se till att du har skapat en fil med namnet 'ENABLE_INSTALL_TOOL' i konfigurationsmappen, annars kommer installationen inte att fungera. På Unix-system kan detta göras med 'touch conf/ENABLE_INSTALL_TOOL'. När du har avslutat installationen måste filen tas bort.</p><p>letoDMS har bara minimala krav. Du behöver en mysql-databas och php måste finnas på din webbserver. För lucene fulltext-sökning måste du lägga Zend framework på servern, så att det kan hittas av php. Från och med version 3.2.0 av letoDMS, är ADOdb inte längre del av distributionen. En kopia kan laddas ner från <a href=\"http://adodb.sourceforge.net/\">http://adodb.sourceforge.net</a>. Installera detta. Sökvägen kan sättas senare i samband med installationsprocessen.</p><p>Om du vill skapa en databas innan du börjar installationen, kan den skapas manuellt med ett valfritt verktyg. Alternativt, skapa en databas med en användare som har tillgång till databasen och importera en av databasdumparna som ligger i konfigurationsmappen. Installationsskriptet kan göra detta automatiskt, men det behöver tillgång till databasen och tillräckliga rättigheter för att skapa databasen.</p>";
|
||||
$text["settings_start_install"] = "Börja installationen";
|
||||
$text["settings_sortUsersInList"] = "Sortera användare i listan";
|
||||
$text["settings_sortUsersInList_desc"] = "Sortering av användare i urvalsmenyer efter person- eller inloggningsnamn";
|
||||
$text["settings_sortUsersInList_val_login"] = "Sortera efter inloggning";
|
||||
$text["settings_sortUsersInList_val_fullname"] = "Sortera efter namn";
|
||||
$text["settings_stopWordsFile"] = "Sökväg till filen med förbjudna ord";
|
||||
$text["settings_stopWordsFile_desc"] = "Om fulltextsökning är aktiverad, kommer denna fil innehålla förbjudna ord som inte är indexerade.";
|
||||
$text["settings_activate_module"] = "Aktivera modul";
|
||||
$text["settings_activate_php_extension"] = "Aktivera PHP-extension";
|
||||
$text["settings_adminIP"] = "Admin-IP";
|
||||
$text["settings_adminIP_desc"] = "Om den har satts, kan administratören bara logga in från den angivna IP-adressen. Lämna detta fält tomt för att undvika begränsningar. OBS! Fungerar bara med lokal autentisering (ingen LDAP).";
|
||||
$text["settings_ADOdbPath"] = "ADOdb Sökväg";
|
||||
$text["settings_ADOdbPath_desc"] = "Sökväg till ADOdb. Detta är mappen som innehåller ADOdb-mappen";
|
||||
$text["settings_Advanced"] = "Avancerat";
|
||||
$text["settings_apache_mod_rewrite"] = "Apache - Module Rewrite";
|
||||
$text["settings_Authentication"] = "Autentiseringsinställningar";
|
||||
$text["settings_cacheDir"] = "Cache-mapp";
|
||||
$text["settings_cacheDir_desc"] = "Här kommer bilder för förhandsvisning att sparas. (Det är bäst att använda en mapp som inte är tillgänglig från webbservern)";
|
||||
$text["settings_Calendar"] = "Kalenderinställningar";
|
||||
$text["settings_calendarDefaultView"] = "Standardvy kalender";
|
||||
$text["settings_calendarDefaultView_desc"] = "Standardvy kalender";
|
||||
$text["settings_cookieLifetime"] = "Livslängd för cookies";
|
||||
$text["settings_cookieLifetime_desc"] = "Livslängd för en cookie i sekunder. Om värdet sätts till 0, kommer cookien att tas bort efter att webbläsaren har stängts ner.";
|
||||
$text["settings_contentDir"] = "Mapp för innehållet";
|
||||
$text["settings_contentDir_desc"] = "Mappen där alla uppladdade filer kommer att sparas. (Det bästa är att välja en mapp som inte är tillgänglig från webbservern)";
|
||||
$text["settings_contentOffsetDir"] = "Innehåll offset-mapp";
|
||||
$text["settings_contentOffsetDir_desc"] = "För att undvika begränsningar i det underliggande filsystemet har en ny mappstruktur skapats inom innehållsmappen (Content Directory). Detta behöver en bas-mapp att utgå ifrån. Vanligtvis är default-inställningen 1048576 men det kan vara vilket nummer eller vilken sträng som helst som inte redan finns i mappen (Content Directory)";
|
||||
$text["settings_coreDir"] = "SeedDMS_Core-mapp";
|
||||
$text["settings_coreDir_desc"] = "Sökväg till SeedDMS_Core (valfritt)";
|
||||
$text["settings_loginFailure_desc"] = "Inaktivera kontot efter n antal misslyckade inloggningar.";
|
||||
$text["settings_loginFailure"] = "Fel vid inloggning";
|
||||
$text["settings_luceneClassDir"] = "Lucene SeedDMS-mapp";
|
||||
$text["settings_luceneClassDir_desc"] = "Sökväg till SeedDMS_Lucene (valfritt)";
|
||||
$text["settings_luceneDir"] = "Lucene index-mapp";
|
||||
$text["settings_luceneDir_desc"] = "Sökväg till Lucene-index";
|
||||
$text["settings_cannot_disable"] = "Filen ENABLE_INSTALL_TOOL kunde inte tas bort";
|
||||
$text["settings_install_disabled"] = "Filen ENABLE_INSTALL_TOOL har tagits bort. Du kan nu logga in till SeedDMS och göra ytterligare inställningar.";
|
||||
$text["settings_createdatabase"] = "Skapa databastabeller";
|
||||
$text["settings_createdirectory"] = "Skapa katalog";
|
||||
$text["settings_currentvalue"] = "Aktuellt värde";
|
||||
$text["settings_Database"] = "Databasinställningar";
|
||||
$text["settings_dbDatabase"] = "Databas";
|
||||
$text["settings_dbDatabase_desc"] = "Namnet på din databas som angavs under installationsprocessen. Ändra inte om det inte är nödvändigt, t.ex. om databasen har flyttats.";
|
||||
$text["settings_dbDriver"] = "Databastyp";
|
||||
$text["settings_dbDriver_desc"] = "Typ av databas som används. Angavs under installationsprocessen. Ändra inte om det inte är nödvändigt. Typ av DB-drivrutin som används av ADOdb (se ADOdb-readme)";
|
||||
$text["settings_dbHostname_desc"] = "Host-namnet för databasen som angavs under installationsprocessen. Ändra inte om det inte är nödvändigt.";
|
||||
$text["settings_dbHostname"] = "Servernamn";
|
||||
$text["settings_dbPass_desc"] = "Lösenordet för tillgång till databasen. Lösenordet angavs under installationsprocessen.";
|
||||
$text["settings_dbPass"] = "Lösenord";
|
||||
$text["settings_dbUser_desc"] = "Användarnamnet för tillgång till databasen. Användarnamnet angavs under installationsprocessen.";
|
||||
$text["settings_dbUser"] = "Användarnamn";
|
||||
$text["settings_dbVersion"] = "Databasschemat för gammalt";
|
||||
$text["settings_delete_install_folder"] = "För att kunna använda SeedDMS måste du ta bort filen ENABLE_INSTALL_TOOL som finns i konfigurationsmappen.";
|
||||
$text["settings_disable_install"] = "Ta bort filen ENABLE_INSTALL_TOOL, om det är möjligt.";
|
||||
$text["settings_disableSelfEdit_desc"] = "Om utvald, kan användare inte ändra sin egen profil.";
|
||||
$text["settings_disableSelfEdit"] = "Inaktivera själveditering";
|
||||
$text["settings_dropFolderDir_desc"] = "Denna mapp kan användas för att mellanlagra filer på serverns filsystem och den kan importeras därifrån istället för att filen laddas upp via webbläsaren. Mappen måste innehålla en undermapp för varje användare som har tillstånd att importera filer denna vägen.";
|
||||
$text["settings_dropFolderDir"] = "Mapp för mellanlagring av filer";
|
||||
$text["settings_Display"] = "Sidinställningar";
|
||||
$text["settings_Edition"] = "Redigeringsinställningar";
|
||||
$text["settings_enableAdminRevApp_desc"] = "Ta bort utval, så att administratören inte visas som person som granskar/godkänner";
|
||||
$text["settings_enableAdminRevApp"] = "Visa Admin i granskning/godkänn";
|
||||
$text["settings_enableCalendar_desc"] = "Aktivera/Inaktivera kalendar";
|
||||
$text["settings_enableCalendar"] = "Aktivera kalendern";
|
||||
$text["settings_enableConverting_desc"] = "Aktivera/Inaktivera konvertering av filer";
|
||||
$text["settings_enableConverting"] = "Aktivera filkonvertering";
|
||||
$text["settings_enableDuplicateDocNames_desc"] = "Tillåter att det finns dokument med samma namn i en mapp.";
|
||||
$text["settings_enableDuplicateDocNames"] = "Tillåter samma dokumentnamn";
|
||||
$text["settings_enableNotificationAppRev_desc"] = "Kryssa i, för att skicka ett meddelande till personer som granskar/godkänner när en ny version av dokumentet har lagts till";
|
||||
$text["settings_enableNotificationAppRev"] = "Aktivera meddelande till personer som granskar/godkänner";
|
||||
$text["settings_enableVersionModification_desc"] = "Aktivera/Inaktivera modifiering av en dokumentversionen genom användare efter att en version har laddats upp. Administratören kan alltid ändra versionen efter att den har laddats upp.";
|
||||
$text["settings_enableVersionModification"] = "Aktivera modifiering av versionen";
|
||||
$text["settings_enableVersionDeletion_desc"] = "Aktivera/Inaktivera möjlighet att ta bort äldre dokumentversioner genom användare. Administratorn kan alltid ta bort äldre versioner.";
|
||||
$text["settings_enableVersionDeletion"] = "Aktivera möjligheten att ta bort äldre versioner";
|
||||
$text["settings_enableEmail_desc"] = "Aktivera/Inaktivera automatiska e-postmeddelanden";
|
||||
$text["settings_enableEmail"] = "Använd e-postmeddelanden";
|
||||
$text["settings_enableFolderTree_desc"] = "Av för att inte visa katalogernas trädstruktur";
|
||||
$text["settings_enableFolderTree"] = "Visa katalogers trädstruktur";
|
||||
$text["settings_enableFullSearch"] = "Aktivera fulltext-sökning";
|
||||
$text["settings_enableFullSearch_desc"] = "Aktivera fulltext-sökning";
|
||||
$text["settings_enableGuestLogin"] = "Tillåt gäst-inloggning";
|
||||
$text["settings_enableGuestLogin_desc"] = "Om du vill att alla ska kunna logga in som gäst, aktivera denna option. OBS! Gästinloggning bör endast användas i en säker omgivning";
|
||||
$text["settings_enableLanguageSelector"] = "Aktivera språkval";
|
||||
$text["settings_enableLanguageSelector_desc"] = "Visa språkurval i användargränssnittet efter inloggning. Detta påverkar inte språkurval på inloggningssidan.";
|
||||
$text["settings_enableLargeFileUpload_desc"] = "Om aktiverad, kan filer laddas upp via javaapplet med namnet jumploader, utan begränsningar i filstorlek. Flera filer kan även laddas upp samtidigt i ett steg.";
|
||||
$text["settings_enableLargeFileUpload"] = "Aktivera uppladdning av stora filer";
|
||||
$text["settings_enableOwnerNotification_desc"] = "Kryssa i, för att skapa ett meddelande till ägaren av dokumentet, när en ny version av dokumentet har laddats upp.";
|
||||
$text["settings_enableOwnerNotification"] = "Aktivera meddelande till dokumentägaren";
|
||||
$text["settings_enablePasswordForgotten_desc"] = "Om du vill tillåta att användare kan få nytt lösenord genom att skicka e-post, aktivera denna option.";
|
||||
$text["settings_enablePasswordForgotten"] = "Aktivera glömt lösenord";
|
||||
$text["settings_enableUserImage_desc"] = "Aktivera användarbilder";
|
||||
$text["settings_enableUserImage"] = "Aktivera användarbilder";
|
||||
$text["settings_enableUsersView_desc"] = "Aktivera/Inaktivera visning av grupp och användare för alla användare";
|
||||
$text["settings_enableUsersView"] = "Aktivera visning av användare";
|
||||
$text["settings_encryptionKey"] = "Krypteringsnyckel";
|
||||
$text["settings_encryptionKey_desc"] = "Denna sträng används för att generera en unik identifierare, som är inrymd som ett dolt fält i ett formulär. Det används för att förhindra CSRF-attacker.";
|
||||
$text["settings_error"] = "Fel";
|
||||
$text["settings_expandFolderTree_desc"] = "Expandera katalogträd";
|
||||
$text["settings_expandFolderTree"] = "Expandera katalogträd";
|
||||
$text["settings_expandFolderTree_val0"] = "Börja med dolt träd";
|
||||
$text["settings_expandFolderTree_val1"] = "Börja med att visa trädet och första nivån";
|
||||
$text["settings_expandFolderTree_val2"] = "Börja med att visa hela trädet";
|
||||
$text["settings_firstDayOfWeek_desc"] = "Första dagen i veckan";
|
||||
$text["settings_firstDayOfWeek"] = "Första dagen i veckan";
|
||||
$text["settings_footNote_desc"] = "Meddelande som visas på slutet av varje sida";
|
||||
$text["settings_footNote"] = "Fotnot";
|
||||
$text["settings_guestID_desc"] = "ID som används för inloggad gästanvändare (behöver oftast inte ändras)";
|
||||
$text["settings_guestID"] = "Gäst-ID";
|
||||
$text["settings_httpRoot_desc"] = "Den relativa sökvägen i URL, efter domänen. Ta inte med http:// eller web host-namnet. t.ex. om hela URLen är http://www.example.com/letodms/, sätt '/letodms/'. Om URLen är http://www.example.com/, sätt '/'";
|
||||
$text["settings_httpRoot"] = "Http-Root";
|
||||
$text["settings_installADOdb"] = "Installera ADOdb";
|
||||
$text["settings_install_success"] = "Installationen har avslutats utan problem.";
|
||||
$text["settings_install_pear_package_log"] = "Installera Pear-paketet 'Log'";
|
||||
$text["settings_install_pear_package_webdav"] = "Installera Pear-paketet 'HTTP_WebDAV_Server', om du tänker använda webdav-gränssnittet";
|
||||
$text["settings_install_zendframework"] = "Installera Zend Framework, om du tänker använda fulltext-sökningen";
|
||||
$text["settings_language"] = "Standardspråk";
|
||||
$text["settings_language_desc"] = "Standardspråk (namn på sub-mappen i mappen \"languages\")";
|
||||
$text["settings_logFileEnable_desc"] = "Aktivera/Inaktivera loggfil";
|
||||
$text["settings_logFileEnable"] = "Aktivera loggfil";
|
||||
$text["settings_logFileRotation_desc"] = "Loggfils-rotation";
|
||||
$text["settings_logFileRotation"] = "Loggfils-rotation";
|
||||
$text["settings_luceneDir"] = "Mapp för fulltext-index";
|
||||
$text["settings_maxDirID_desc"] = "Högsta antal undermappar per överliggande mapp. Standard: 32700.";
|
||||
$text["settings_maxDirID"] = "Max. mapp-ID";
|
||||
$text["settings_maxExecutionTime_desc"] = "Detta sätter hösta tillåtna tiden i sekunder som ett skript får på sig att utföras innan det avslutas.";
|
||||
$text["settings_maxExecutionTime"] = "Max. exekveringstid (s)";
|
||||
$text["settings_more_settings"] = "Konfigurera flera inställningar. Standard-inloggning: admin/admin";
|
||||
$text["settings_Notification"] = "Meddelandeinställningar";
|
||||
$text["settings_no_content_dir"] = "Mapp för innehåll";
|
||||
$text["settings_notfound"] = "Hittades inte";
|
||||
$text["settings_notwritable"] = "Konfigurationen kunde inte sparas, eftersom konfigurationsfilen inte är skrivbar.";
|
||||
$text["settings_partitionSize"] = "Uppdelad filstorlek";
|
||||
$text["settings_partitionSize_desc"] = "Storlek hos uppdelade filer i bytes som laddades upp med jumploader. Sätt inte ett värde som är större än den högsta tillåtna storleken på servern.";
|
||||
$text["settings_passwordExpiration"] = "Lösenord utgångsdatum";
|
||||
$text["settings_passwordExpiration_desc"] = "Antal dagar efter vilka det nuvarande lösenordet går ut och måste anges på nytt. 0 stänger av utgångsdatumet.";
|
||||
$text["settings_passwordHistory"] = "Lösenordshistoria";
|
||||
$text["settings_passwordHistory_desc"] = "Antalet lösenord som användaren ska ha använt innan användaren får använda samma lösenord igen. 0 stänger av lösenordshistoria.";
|
||||
$text["settings_passwordStrength"] = "Lägsta kvalitet på lösenord";
|
||||
$text["settings_passwordЅtrength_desc"] = "Den lägsta kvaliteten som ett lösenord måste ha. Det är ett värde från 0 till 100. Inställningen 0 stränger av övervakningen av lösenordets minimala kvalitet.";
|
||||
$text["settings_passwordStrengthAlgorithm"] = "Algoritm för lösenordets kvalitet";
|
||||
$text["settings_passwordStrengthAlgorithm_desc"] = "Algoritmen används för att beräkna lösenordets kvalitet. Den 'enkla' algoritmen kollar att det finns minst 8 tecken, minst en liten bokstav, minst en stor bokstav, en siffra och ett specialtecken. Om alla dessa delar används, räknas kvaliteten som 100, annars 0.";
|
||||
$text["settings_passwordStrengthAlgorithm_valsimple"] = "enkel";
|
||||
$text["settings_passwordStrengthAlgorithm_valadvanced"] = "avancerad";
|
||||
$text["settings_perms"] = "Behörigheter";
|
||||
$text["settings_pear_log"] = "Pear-paketet : Logg";
|
||||
$text["settings_pear_webdav"] = "Pear-paketet : HTTP_WebDAV_Server";
|
||||
$text["settings_php_dbDriver"] = "PHP-extension : php_'see current value'";
|
||||
$text["settings_php_gd2"] = "PHP-extension : php_gd2";
|
||||
$text["settings_php_mbstring"] = "PHP-extension : php_mbstring";
|
||||
$text["settings_printDisclaimer_desc"] = "Om denna inställning sätts till ja, används meddelande som finns i lang.inc-filen och skrivs ut på slutet av sidan";
|
||||
$text["settings_printDisclaimer"] = "Visa disclaimer-meddelande";
|
||||
$text["settings_quota"] = "Användarens kvot";
|
||||
$text["settings_quota_desc"] = "Maximala storlek av minnet i bytes som en användare har tillgång till. Storlek 0 bytes betyder obegränsad minne. Detta värde kan sättas individuellt för varje användare i dess profil.";
|
||||
$text["settings_restricted_desc"] = "Tillåt användare att logga in bara om det finns en inloggning för användaren i den lokala databasen (irrespective of successful authentication with LDAP)";
|
||||
$text["settings_restricted"] = "Begränsad behörighet";
|
||||
$text["settings_rootDir_desc"] = "Sökväk där letoDMS befinner sig";
|
||||
$text["settings_rootDir"] = "Root-mapp";
|
||||
$text["settings_rootFolderID_desc"] = "ID för root-mappen (oftast behövs ingen ändring här)";
|
||||
$text["settings_rootFolderID"] = "ID för root-mappen";
|
||||
$text["settings_SaveError"] = "Fel när konfigurationsfilen sparades";
|
||||
$text["settings_Server"] = "Server-inställningar";
|
||||
$text["settings"] = "Inställningar";
|
||||
$text["settings_siteDefaultPage_desc"] = "Standardsida efter inloggning. Om fältet är tomt, används standard-out/out.ViewFolder.php";
|
||||
$text["settings_siteDefaultPage"] = "Standardsida";
|
||||
$text["settings_siteName_desc"] = "Sidans namn som visas i sidhuvud. Standard: letoDMS";
|
||||
$text["settings_siteName"] = "Sidans namn";
|
||||
$text["settings_Site"] = "Sida";
|
||||
$text["settings_smtpPort_desc"] = "SMTP server-port, default 25";
|
||||
$text["settings_smtpPort"] = "SMTP server-port";
|
||||
$text["settings_smtpSendFrom_desc"] = "Skickat från";
|
||||
$text["settings_smtpSendFrom"] = "Skickat från";
|
||||
$text["settings_smtpServer_desc"] = "SMTP server-hostname";
|
||||
$text["settings_smtpServer"] = "SMTP server-hostname";
|
||||
$text["settings_SMTP"] = "SMTP server-inställningar";
|
||||
$text["settings_stagingDir"] = "Mapp för i delar uppladdade filer";
|
||||
$text["settings_strictFormCheck_desc"] = "Noggrann format-kontroll. Om ja, kontrolleras alla fält i ett formulär på att de innehåller ett värde. Om nej, blir de flesta kommentar- och nyckelordsfält frivilliga. Kommentarer måste alltid anges när en granskning skickas eller när dokumentstatus skrivs över.";
|
||||
$text["settings_strictFormCheck"] = "Noggrann format-kontroll";
|
||||
$text["settings_suggestionvalue"] = "Föreslå ett värde";
|
||||
$text["settings_System"] = "System";
|
||||
$text["settings_theme"] = "Standardtema";
|
||||
$text["settings_theme_desc"] = "Standardtema (namn på undermappar i mappen \"styles\")";
|
||||
$text["settings_titleDisplayHack_desc"] = "Speciallösning för sidor med titlar som går över två rader.";
|
||||
$text["settings_titleDisplayHack"] = "Titelvisningshack";
|
||||
$text["settings_updateDatabase"] = "Kör schemauppdateringsskript på databasen";
|
||||
$text["settings_updateNotifyTime_desc"] = "Användare meddelas om att ändringar i dokumentet har genomförts inom de senaste 'Uppdateringsmeddelandetid' sekunder.";
|
||||
$text["settings_updateNotifyTime"] = "Uppdateringsmeddelandetid";
|
||||
$text["settings_versioningFileName_desc"] = "Namnet på versionsinfo-fil som skapas med backup-verktyget";
|
||||
$text["settings_versioningFileName"] = "Versionsinfo-filnamn";
|
||||
$text["settings_viewOnlineFileTypes_desc"] = "Filer av en av de följande filtyperna kan visas online. OBS! ANVÄND BARA SMÅ BOKSTÄVER";
|
||||
$text["settings_viewOnlineFileTypes"] = "Visa online-filtyper";
|
||||
$text["settings_workflowMode_desc"] = "Det avancerade arbetsflödet gör det möjligt att lägga upp ett eget definerat gransknings- och godkännandeflöde för dokumentversioner.";
|
||||
$text["settings_workflowMode"] = "Typ av arbetsflöde";
|
||||
$text["settings_workflowMode_valtraditional"] = "traditionellt";
|
||||
$text["settings_workflowMode_valadvanced"] = "avancerat";
|
||||
$text["settings_zendframework"] = "Zend Framework";
|
||||
$text["signed_in_as"] = "Inloggad som";
|
||||
$text["sign_in"] = "logga in";
|
||||
$text["sign_out"] = "logga ut";
|
||||
$text["space_used_on_data_folder"] = "Plats använd i datamappen";
|
||||
$text["status_approval_rejected"] = "Utkast avvisat";
|
||||
$text["status_approved"] = "Godkänt";
|
||||
$text["status_approver_removed"] = "Person som godkänner har tagits bort från processen";
|
||||
$text["status_not_approved"] = "Ej godkänt";
|
||||
$text["status_not_reviewed"] = "Ej granskat";
|
||||
$text["status_reviewed"] = "Granskat";
|
||||
$text["status_reviewer_rejected"] = "Utkast avvisat";
|
||||
$text["status_reviewer_removed"] = "Person som granskar har tagits bort från processen";
|
||||
$text["status"] = "Status";
|
||||
$text["status_unknown"] = "Okänd";
|
||||
$text["storage_size"] = "Platsstorlek";
|
||||
$text["submit_approval"] = "Skicka godkännande";
|
||||
$text["submit_login"] = "Logga in";
|
||||
$text["submit_password"] = "Sätt nytt lösenord";
|
||||
$text["submit_password_forgotten"] = "Starta process";
|
||||
$text["submit_review"] = "Skicka granskning";
|
||||
$text["submit_userinfo"] = "Skicka info";
|
||||
$text["sunday"] = "söndag";
|
||||
$text["theme"] = "Visningstema";
|
||||
$text["thursday"] = "torsdag";
|
||||
$text["toggle_manager"] = "Byt manager";
|
||||
$text["to"] = "till";
|
||||
$text["transition_triggered_email"] = "Arbetsflödesövergång utlöstes";
|
||||
$text["trigger_workflow"] = "Arbetsflöde";
|
||||
$text["tuesday"] = "tisdag";
|
||||
$text["type_to_search"] = "Skriv för att söka";
|
||||
$text["under_folder"] = "I katalogen";
|
||||
$text["unknown_command"] = "Okänt kommando.";
|
||||
$text["unknown_document_category"] = "Okänd kategori";
|
||||
$text["unknown_group"] = "Okänt grupp-ID";
|
||||
$text["unknown_id"] = "Okänt ID";
|
||||
$text["unknown_keyword_category"] = "Okänd kategori";
|
||||
$text["unknown_owner"] = "Okänt ägar-ID";
|
||||
$text["unknown_user"] = "Okänt användar-ID";
|
||||
$text["unlinked_content"] = "Olänkat innehåll";
|
||||
$text["unlock_cause_access_mode_all"] = "Du kan fortfarande uppdatera, eftersom du har behörighetsnivå \"all\". Låsningen kommer automatiskt att tas bort.";
|
||||
$text["unlock_cause_locking_user"] = "Du kan fortfarande uppdatera, eftersom du är samma person som låste dokumentet. Låsningen kommer automatiskt att tas bort.";
|
||||
$text["unlock_document"] = "Lås upp";
|
||||
$text["update_approvers"] = "Uppdatera lista med personer som godkänner";
|
||||
$text["update_document"] = "Uppdatera dokument";
|
||||
$text["update_fulltext_index"] = "Uppdatera fulltext-index";
|
||||
$text["update_info"] = "Uppdatera information";
|
||||
$text["update_locked_msg"] = "Dokumentet är låst.";
|
||||
$text["update_reviewers"] = "Uppdatera listan med personer som granskar";
|
||||
$text["update"] = "Uppdatera";
|
||||
$text["uploaded_by"] = "Uppladdat av";
|
||||
$text["uploading_failed"] = "Fel vid uppladdningen. Kontakta administratören.";
|
||||
$text["uploading_zerosize"] = "Uppladdning av tom fil. Uppladdningen avbryts.";
|
||||
$text["use_default_categories"] = "Använd fördefinerade kategorier";
|
||||
$text["use_default_keywords"] = "Använd fördefinerade nyckelord";
|
||||
$text["used_discspace"] = "Använt minne";
|
||||
$text["user_exists"] = "Användaren finns redan.";
|
||||
$text["user_group_management"] = "Hantering av användare/grupper";
|
||||
$text["user_image"] = "Bild";
|
||||
$text["user_info"] = "Användarinformation";
|
||||
$text["user_list"] = "Lista med användare";
|
||||
$text["user_login"] = "Användarnamn";
|
||||
$text["user_management"] = "Användar-hantering";
|
||||
$text["user_name"] = "Fullt namn";
|
||||
$text["users"] = "Användare";
|
||||
$text["user"] = "Användare";
|
||||
$text["version_deleted_email"] = "Version borttagen";
|
||||
$text["version_info"] = "Versionsinformation";
|
||||
$text["versioning_file_creation"] = "Skapa versionsfil";
|
||||
$text["versioning_file_creation_warning"] = "Med denna funktion kan du skapa en fil som innehåller versionsinformationen för hela DMS-mappen. Efter skapandet kommer alla filer att sparas inom dokumentets mapp.";
|
||||
$text["versioning_info"] = "Versionsinformation";
|
||||
$text["version"] = "Version";
|
||||
$text["view"] = "Vy";
|
||||
$text["view_online"] = "Visa online";
|
||||
$text["warning"] = "Varning";
|
||||
$text["wednesday"] = "onsdag";
|
||||
$text["week_view"] = "veckovy";
|
||||
$text["weeks"] = "veckor";
|
||||
$text["workflow"] = "Arbetsflöde";
|
||||
$text["workflow_action_in_use"] = "Denna åtgärd används i ett arbetsflöde.";
|
||||
$text["workflow_action_name"] = "Namn";
|
||||
$text["workflow_editor"] = "Arbetsflöde Editor";
|
||||
$text["workflow_group_summary"] = "Sammanfattning grupp";
|
||||
$text["workflow_name"] = "Namn";
|
||||
$text["workflow_in_use"] = "Detta arbetsflöde används i ett dokument.";
|
||||
$text["workflow_initstate"] = "Ursprungsstatus";
|
||||
$text["workflow_management"] = "Arbetsflöden";
|
||||
$text["workflow_states_management"] = "Status för arbetsflöde";
|
||||
$text["workflow_actions_management"] = "Åtgärder för arbetsflöde";
|
||||
$text["workflow_state_docstatus"] = "Dokumentstatus";
|
||||
$text["workflow_state_in_use"] = "Detta status används i ett arbetsflöde.";
|
||||
$text["workflow_state_name"] = "Namn";
|
||||
$text["workflow_summary"] = "Sammanfattning arbetsflöde";
|
||||
$text["workflow_user_summary"] = "Sammanfattning användare";
|
||||
$text["year_view"] = "årsvy";
|
||||
$text["yes"] = "Ja";
|
||||
?>
|
576
languages/ca_ES/lang.inc
Normal file
576
languages/ca_ES/lang.inc
Normal file
|
@ -0,0 +1,576 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "Acceptar",
|
||||
'access_denied' => "Accés denegat",
|
||||
'access_inheritance' => "Accés heretat",
|
||||
'access_mode' => "Mode d'accés",
|
||||
'access_mode_all' => "Tots els permisos",
|
||||
'access_mode_none' => "No hi ha accés",
|
||||
'access_mode_read' => "Llegir",
|
||||
'access_mode_readwrite' => "Lectura-escriptura",
|
||||
'access_permission_changed_email' => "Permisos canviats",
|
||||
'actions' => "Accions",
|
||||
'add' => "Afegir",
|
||||
'add_doc_reviewer_approver_warning' => "Els documents N.B. es marquen automàticament com a publicats si no hi ha revisors o aprovadors assignats",
|
||||
'add_document' => "Afegir document",
|
||||
'add_document_link' => "Afegir vincle",
|
||||
'add_event' => "Afegir esdeveniment",
|
||||
'add_group' => "Afegir nou grup",
|
||||
'add_member' => "Afegir membre",
|
||||
'add_multiple_documents' => "Add multiple documents",
|
||||
'add_multiple_files' => "Afegir múltiples fitxers (s'utilitzarà el nom de fitxer com a nom del document)",
|
||||
'add_subfolder' => "Afegir subdirectori",
|
||||
'add_user' => "Afegir nou usuari",
|
||||
'admin' => "Administrador",
|
||||
'admin_tools' => "Eines d'administració",
|
||||
'all_categories' => "All categories",
|
||||
'all_documents' => "Tots els documents",
|
||||
'all_pages' => "Tot",
|
||||
'all_users' => "Tots els usuaris",
|
||||
'already_subscribed' => "Ja està subscrit",
|
||||
'and' => "i",
|
||||
'apply' => "Apply",
|
||||
'approval_deletion_email' => "Demanda d'aprovació esborrada",
|
||||
'approval_group' => "Grup aprovador",
|
||||
'approval_request_email' => "Petició d'aprovació",
|
||||
'approval_status' => "Estat d'aprovació",
|
||||
'approval_submit_email' => "Aprovació enviada",
|
||||
'approval_summary' => "Resum d'aprovació",
|
||||
'approval_update_failed' => "Error actualitzant l'estat d'aprovació. Actualització fallada.",
|
||||
'approvers' => "Aprovadors",
|
||||
'april' => "Abril",
|
||||
'archive_creation' => "Creació d'arxiu",
|
||||
'archive_creation_warning' => "Amb aquesta operació pot crear un arxiu que contingui els fitxers de les carpetes del DMS complet. Després de crear-lo, l'arxiu es guardarà a la carpeta de dades del servidor. <br>ATENCIÓ: un fitxer creat com llegible per humans no es podrà usar com a còpia de seguretat del servidor.",
|
||||
'assign_approvers' => "Assignar aprovadors",
|
||||
'assign_reviewers' => "Assignar revisors",
|
||||
'assign_user_property_to' => "Assignar propietats d'usuari a",
|
||||
'assumed_released' => "Se suposa com a publicat",
|
||||
'august' => "Agost",
|
||||
'automatic_status_update' => "Canvi automátic d'estat",
|
||||
'back' => "Endarrere",
|
||||
'backup_list' => "Llista de còpies de seguretat existents",
|
||||
'backup_remove' => "Eliminar fitxer de còpia de seguretat",
|
||||
'backup_tools' => "Eines de còpia de seguretat",
|
||||
'between' => "entre",
|
||||
'calendar' => "Calendari",
|
||||
'cancel' => "Cancel.lar",
|
||||
'cannot_assign_invalid_state' => "No es poden assignar nous revisors a un document que no està pendent de revisió o d'aprovació.",
|
||||
'cannot_change_final_states' => "Atenció: No es pot canviar l'estat de documents que han estat rebutjats, marcats com a obsolets o expirats.",
|
||||
'cannot_delete_yourself' => "No és possible eliminar-se un mateix",
|
||||
'cannot_move_root' => "Error: No és possible moure la carpeta root.",
|
||||
'cannot_retrieve_approval_snapshot' => "No és possible recuperar la instantànea de l'estat d'aprovació per a aquesta versió de document.",
|
||||
'cannot_retrieve_review_snapshot' => "No és possible recuperar la instantània de revisió per a aquesta versió de document.",
|
||||
'cannot_rm_root' => "Error: No és possible eliminar la carpeta root.",
|
||||
'category' => "Category",
|
||||
'category_filter' => "Only categories",
|
||||
'category_in_use' => "This category is currently used by documents.",
|
||||
'categories' => "Categories",
|
||||
'change_assignments' => "Canviar assignacions",
|
||||
'change_status' => "Canviar estat",
|
||||
'choose_category' => "--Elegir categoria--",
|
||||
'choose_group' => "--Seleccionar grup--",
|
||||
'choose_target_category' => "Choose category",
|
||||
'choose_target_document' => "Escollir document",
|
||||
'choose_target_folder' => "Escollir directori de destinació",
|
||||
'choose_user' => "--Seleccionar usuari--",
|
||||
'comment_changed_email' => "Comentari modificat",
|
||||
'comment' => "Comentaris",
|
||||
'comment_for_current_version' => "Comentari de la versió actual",
|
||||
'confirm_create_fulltext_index' => "Yes, I would like to recreate the fulltext index!",
|
||||
'confirm_pwd' => "Confirmar contrasenya",
|
||||
'confirm_rm_backup' => "¿Vol realment eliminar el fitxer \"[arkname]\"?<br />Atenció: aquesta acció no es pot desfer.",
|
||||
'confirm_rm_document' => "¿Vol realment eliminar el document \"[documentname]\"?<br/>Atenció: aquesta acció no es pot desfer.",
|
||||
'confirm_rm_dump' => "¿Vol realment eliminar el fitxer \"[dumpname]\"?<br />Atenció: aquesta acció no es pot desfer.",
|
||||
'confirm_rm_event' => "¿Vol realment eliminar l'event \"[name]\"?<br />Atenció: aquesta acció no es pot desfer.",
|
||||
'confirm_rm_file' => "¿Vol realment eliminar el fitxer \"[name]\" del document \"[documentname]\"?<br />Atenció: aquesta acció no es pot desfer.",
|
||||
'confirm_rm_folder' => "¿Vol realment eliminar el directori \"[foldername]\" i tot el seu contingut?<br />Atenció: aquesta acció no es pot desfer.",
|
||||
'confirm_rm_folder_files' => "¿Vol realment eliminar tots els fitxers de la carpeta \"[foldername]\" i de les seves subcarpetes?<br />Atenció: aquesta acció no es pot desfer.",
|
||||
'confirm_rm_group' => "¿Vol realment eliminar el grup \"[groupname]\"?<br />atenció: aquesta acció no es pot desfer.",
|
||||
'confirm_rm_log' => "¿Vol realment eliminar el fitxer de registre \"[logname]\"?<br />Atenció: aquesta acció no es pot desfer.",
|
||||
'confirm_rm_user' => "¿Vol realment eliminar l'usuari \"[username]\"?<br />Atenció: aquesta acció no es pot desfer.",
|
||||
'confirm_rm_version' => "¿Vol realment eliminar la versió [version] del document \"[documentname]\"?<br />Atenció: aquesta acció no es pot desfer.",
|
||||
'content' => "Contingut",
|
||||
'continue' => "Continuar",
|
||||
'create_fulltext_index' => "Create fulltext index",
|
||||
'create_fulltext_index_warning' => "You are to recreate the fulltext index. This can take a considerable amount of time and reduce your overall system performance. If you really want to recreate the index, please confirm your operation.",
|
||||
'creation_date' => "Creació",
|
||||
'current_version' => "Versió actual",
|
||||
'daily' => "Daily",
|
||||
'databasesearch' => "Database search",
|
||||
'december' => "Desembre",
|
||||
'default_access' => "Mode d'accés predeterminat",
|
||||
'default_keyword_category' => "Categories predeterminades",
|
||||
'delete' => "Eliminar",
|
||||
'details' => "Detalls",
|
||||
'details_version' => "Detalls de la versió: [version]",
|
||||
'disclaimer' => "Aquesta és una àrea restringida. Només es permet l'accés a usuaris autoritzats. Qualsevol intrusió es perseguirà d'acord amb les lleis internacionals.",
|
||||
'document_already_locked' => "Aquest document ja està bloquejat",
|
||||
'document_deleted' => "Document eliminat",
|
||||
'document_deleted_email' => "Document eliminat",
|
||||
'document' => "Document",
|
||||
'document_infos' => "Informacions",
|
||||
'document_is_not_locked' => "Aquest document no està bloquejat",
|
||||
'document_link_by' => "Vinculat per",
|
||||
'document_link_public' => "Públic",
|
||||
'document_moved_email' => "Document reubicat",
|
||||
'document_renamed_email' => "Document reanomenat",
|
||||
'documents' => "Documents",
|
||||
'documents_in_process' => "Documents en procés",
|
||||
'documents_locked_by_you' => "Documents bloquejats per vostè",
|
||||
'document_status_changed_email' => "Estat del document modificat",
|
||||
'documents_to_approve' => "Documents en espera d'aprovació d'usuaris",
|
||||
'documents_to_review' => "Documents en espera de revisió d'usuaris",
|
||||
'documents_user_requiring_attention' => "Documents de la seva propietat que requereixen atenció",
|
||||
'document_title' => "Document '[documentname]'",
|
||||
'document_updated_email' => "Document actualizat",
|
||||
'does_not_expire' => "No caduca",
|
||||
'does_not_inherit_access_msg' => "heretar l'accés",
|
||||
'download' => "Descarregar",
|
||||
'draft_pending_approval' => "Esborrany - pendent d'aprovació",
|
||||
'draft_pending_review' => "Esborrany - pendent de revisió",
|
||||
'dump_creation' => "Creació de bolcat de BDD",
|
||||
'dump_creation_warning' => "Amb aquesta operació es crearà un bolcat a fitxer del contingut de la base de dades. Després de la creació del bolcat, el fitxer es guardarà a la carpeta de dades del seu servidor.",
|
||||
'dump_list' => "Fitxers de bolcat existents",
|
||||
'dump_remove' => "Eliminar fitxer de bolcat",
|
||||
'edit_comment' => "Editar comentari",
|
||||
'edit_default_keywords' => "Editar mots clau",
|
||||
'edit_document_access' => "Editar accés",
|
||||
'edit_document_notify' => "Llista de notificació",
|
||||
'edit_document_props' => "Editar document",
|
||||
'edit' => "editar",
|
||||
'edit_event' => "Editar event",
|
||||
'edit_existing_access' => "Editar llista d'accés",
|
||||
'edit_existing_notify' => "Editar llista de notificació",
|
||||
'edit_folder_access' => "Editar accés",
|
||||
'edit_folder_notify' => "Llista de notificació",
|
||||
'edit_folder_props' => "Editar directori",
|
||||
'edit_group' => "Editar grup...",
|
||||
'edit_user_details' => "Editar detalls d'usuari",
|
||||
'edit_user' => "Editar usuari...",
|
||||
'email' => "Email",
|
||||
'email_footer' => "Sempre es pot canviar la configuració de correu electrònic utilitzant les funcions de «El meu compte»",
|
||||
'email_header' => "Aquest es un missatge automàtic del servidor de DMS.",
|
||||
'empty_notify_list' => "No hi ha entrades",
|
||||
'error_no_document_selected' => "No document selected",
|
||||
'error_no_folder_selected' => "No folder selected",
|
||||
'error_occured' => "Ha succeït un error",
|
||||
'event_details' => "Detalls de l'event",
|
||||
'expired' => "Caducat",
|
||||
'expires' => "Caduca",
|
||||
'expiry_changed_email' => "Data de caducitat modificada",
|
||||
'february' => "Febrer",
|
||||
'file' => "Fitxer",
|
||||
'files_deletion' => "Eliminació de fitxers",
|
||||
'files_deletion_warning' => "Amb aquesta opció es poden eliminar tots els fitxers del DMS complet. La informació de versionat romandrà visible.",
|
||||
'files' => "Fitxers",
|
||||
'file_size' => "Mida",
|
||||
'folder_contents' => "Carpetes",
|
||||
'folder_deleted_email' => "Carpeta eliminada",
|
||||
'folder' => "Carpeta",
|
||||
'folder_infos' => "Informacions",
|
||||
'folder_moved_email' => "Carpeta reubicada",
|
||||
'folder_renamed_email' => "Carpeta reanomenada",
|
||||
'folders_and_documents_statistic' => "Vista general de continguts",
|
||||
'folders' => "Carpetes",
|
||||
'folder_title' => "Carpeta '[foldername]'",
|
||||
'friday' => "Divendres",
|
||||
'from' => "Des de",
|
||||
'fullsearch' => "Full text search",
|
||||
'fullsearch_hint' => "Use fulltext index",
|
||||
'fulltext_info' => "Fulltext index info",
|
||||
'global_default_keywords' => "Mots clau globals",
|
||||
'global_document_categories' => "Categories",
|
||||
'group_approval_summary' => "Resum del grup aprovador",
|
||||
'group_exists' => "El grup ja existeix",
|
||||
'group' => "Grup",
|
||||
'group_management' => "Grups",
|
||||
'group_members' => "Membres del grup",
|
||||
'group_review_summary' => "Resum del grup revisor",
|
||||
'groups' => "Grups",
|
||||
'guest_login_disabled' => "El compte d'invitat està deshabilitat.",
|
||||
'guest_login' => "Accés com a invitat",
|
||||
'help' => "Ajuda",
|
||||
'hourly' => "Hourly",
|
||||
'human_readable' => "Arxiu llegible per humans",
|
||||
'include_documents' => "Incloure documents",
|
||||
'include_subdirectories' => "Incloure subdirectoris",
|
||||
'individuals' => "Individuals",
|
||||
'inherits_access_msg' => "Accés heretat",
|
||||
'inherits_access_copy_msg' => "Copiar llista d'accés heretat",
|
||||
'inherits_access_empty_msg' => "Començar amb una llista d'accés buida",
|
||||
'internal_error_exit' => "Error intern. No és possible acabar la sol.licitud. Acabat.",
|
||||
'internal_error' => "Error intern",
|
||||
'invalid_access_mode' => "No és valid el mode d'accés",
|
||||
'invalid_action' => "L'acció no és vàlida",
|
||||
'invalid_approval_status' => "L'estat d'aprovació no és válid",
|
||||
'invalid_create_date_end' => "La data de final no és vàlida per a la creació de rangs de dates.",
|
||||
'invalid_create_date_start' => "La data d'inici no és vàlida per a la creació de rangs de dates.",
|
||||
'invalid_doc_id' => "ID de document no vàlid",
|
||||
'invalid_file_id' => "ID de fitxer no vàlid",
|
||||
'invalid_folder_id' => "ID de carpeta no vàlid",
|
||||
'invalid_group_id' => "ID de grup no vàlid",
|
||||
'invalid_link_id' => "L'identificador d'enllaç no és válid",
|
||||
'invalid_review_status' => "L'estat de revisió no és válid",
|
||||
'invalid_sequence' => "El valor de seqüència no és válid",
|
||||
'invalid_status' => "L'estat del document no és vàlid",
|
||||
'invalid_target_doc_id' => "ID de document destinació no válid",
|
||||
'invalid_target_folder' => "ID de carpeta destinació no válid",
|
||||
'invalid_user_id' => "ID d'usuari no vàlid",
|
||||
'invalid_version' => "La versión de documento no és vàlida",
|
||||
'is_hidden' => "Amagar de la llista d'usuaris",
|
||||
'january' => "Gener",
|
||||
'js_no_approval_group' => "Si us plau, seleccioneu grup d'aprovació",
|
||||
'js_no_approval_status' => "Si us plau, seleccioneu l'estat d'aprovació",
|
||||
'js_no_comment' => "No hi ha comentaris",
|
||||
'js_no_email' => "Si us plau, escriviu la vostra adreça de correu electrònic",
|
||||
'js_no_file' => "Si us plau, seleccioneu un arxiu",
|
||||
'js_no_keywords' => "Si us plau, especifiqueu mots clau",
|
||||
'js_no_login' => "Si us plau, escriviu un nom d'usuari",
|
||||
'js_no_name' => "Si us plau, escriviu un nom",
|
||||
'js_no_override_status' => "Si us plau, seleccioneu el nou [override] estat",
|
||||
'js_no_pwd' => "Si us plau, escriviu la vostra contrasenya",
|
||||
'js_no_query' => "Si us plau, escriviu una cerca",
|
||||
'js_no_review_group' => "Si us plau, seleccioneu un grup de revisió",
|
||||
'js_no_review_status' => "Si us plau, seleccioneu l'estat de revisió",
|
||||
'js_pwd_not_conf' => "La contrasenya i la confirmació de la contrasenya no coincideixen",
|
||||
'js_select_user_or_group' => "Seleccioneu, si més no, un usuari o un grup",
|
||||
'js_select_user' => "Si us plau, seleccioneu un usuari",
|
||||
'july' => "Juliol",
|
||||
'june' => "Juny",
|
||||
'keyword_exists' => "El mot clau ja existeix",
|
||||
'keywords' => "Mots clau",
|
||||
'language' => "Llenguatge",
|
||||
'last_update' => "Última modificació",
|
||||
'link_alt_updatedocument' => "If you would like to upload files bigger than the current maximum upload size, please use the alternative <a href=\"%s\">upload page</a>.",
|
||||
'linked_documents' => "Documents relacionats",
|
||||
'linked_files' => "Adjunts",
|
||||
'local_file' => "Arxiu local",
|
||||
'locked_by' => "Locked by",
|
||||
'lock_document' => "Bloquejar",
|
||||
'lock_message' => "Aquest document ha estat bloquejat per <a href=\"mailto:[email]\">[username]</a>.<br />Només els usuaris autoritzats poden desbloquejar aquest document (vegeu al final de la pàgina).",
|
||||
'lock_status' => "Estat",
|
||||
'login_error_text' => "Error d'accés. ID d'usuari o contrasenya incorrectes.",
|
||||
'login_error_title' => "Error d'accés",
|
||||
'login_not_given' => "Nom d'usuari no facilitat.",
|
||||
'login_ok' => "Accés amb èxit",
|
||||
'log_management' => "Gestió de fitxers de registre",
|
||||
'logout' => "Desconnectar",
|
||||
'manager' => "Manager",
|
||||
'march' => "Març",
|
||||
'max_upload_size' => "Mida màxima de pujada de cada fitxer",
|
||||
'may' => "Maig",
|
||||
'monday' => "Dilluns",
|
||||
'month_view' => "Vista de mes",
|
||||
'monthly' => "Monthly",
|
||||
'move_document' => "Moure document",
|
||||
'move_folder' => "Moure directori",
|
||||
'move' => "Moure",
|
||||
'my_account' => "El meu compte",
|
||||
'my_documents' => "Els meus documents",
|
||||
'name' => "Nom",
|
||||
'new_default_keyword_category' => "Nova categoria",
|
||||
'new_default_keywords' => "Afegir mots clau",
|
||||
'new_document_category' => "Add category",
|
||||
'new_document_email' => "Nou document",
|
||||
'new_file_email' => "Nou adjunt",
|
||||
'new_folder' => "Nova carpeta",
|
||||
'new' => "Nou",
|
||||
'new_subfolder_email' => "Nova subcarpeta",
|
||||
'new_user_image' => "Nova imatge",
|
||||
'no_action' => "No és necessària cap acció",
|
||||
'no_approval_needed' => "No hi ha aprovacions pendents.",
|
||||
'no_attached_files' => "No hi ha fitxers adjunts",
|
||||
'no_default_keywords' => "No hi ha mots clau disponibles",
|
||||
'no_docs_locked' => "No hi ha documents bloquejats.",
|
||||
'no_docs_to_approve' => "Actualmente no hi ha documents que necessitin aprovació.",
|
||||
'no_docs_to_look_at' => "No hi ha documents que necessitin atenció.",
|
||||
'no_docs_to_review' => "Actualmente no hi ha documents que necessitin revisió.",
|
||||
'no_group_members' => "Aquest grup no té membres",
|
||||
'no_groups' => "No hi ha grups",
|
||||
'no' => "No",
|
||||
'no_linked_files' => "No hi ha fitxers enllaçats",
|
||||
'no_previous_versions' => "No s'han trobat altres versions",
|
||||
'no_review_needed' => "No hi ha revisions pendents.",
|
||||
'notify_added_email' => "Se us ha afegit a la llista de notificació",
|
||||
'notify_deleted_email' => "Se us ha eliminat de la llista de notificació",
|
||||
'no_update_cause_locked' => "Aquest document no es pot actualitzar. Si us plau, contacteu amb l'usuari que l'ha bloquejat.",
|
||||
'no_user_image' => "No es troba la imatge",
|
||||
'november' => "Novembre",
|
||||
'obsolete' => "Obsolet",
|
||||
'october' => "Octubre",
|
||||
'old' => "Vell",
|
||||
'only_jpg_user_images' => "Només pot utilitzar imatges .jpg com imatges d'usuari",
|
||||
'owner' => "Propietari/a",
|
||||
'ownership_changed_email' => "Propietari/a canviat",
|
||||
'password' => "Contrasenya",
|
||||
'personal_default_keywords' => "Mots clau personals",
|
||||
'previous_versions' => "Versions anteriors",
|
||||
'refresh' => "Refresh",
|
||||
'rejected' => "Rebutjat",
|
||||
'released' => "Publicat",
|
||||
'removed_approver' => "Ha estat eliminat de la llista d'aprovadors.",
|
||||
'removed_file_email' => "Adjunts eliminats",
|
||||
'removed_reviewer' => "Ha estat eliminat de la llista de revisors",
|
||||
'results_page' => "Pàgina de resultats",
|
||||
'review_deletion_email' => "Petició de revisió eliminada",
|
||||
'reviewer_already_assigned' => "Ja està asignat com revisor",
|
||||
'reviewer_already_removed' => "Ja ha estat eliminat del procés de revisió o ja ha enviat una revisió",
|
||||
'reviewers' => "Revisors",
|
||||
'review_group' => "Grup de revisió",
|
||||
'review_request_email' => "Petició de revisió",
|
||||
'review_status' => "Estat de revisió",
|
||||
'review_submit_email' => "Revisió enviada",
|
||||
'review_summary' => "Resum de revisió",
|
||||
'review_update_failed' => "Error actualitzant l'estat de la revisió. L'actualizació ha fallat.",
|
||||
'rm_default_keyword_category' => "Eliminar categoria",
|
||||
'rm_document' => "Eliminar document",
|
||||
'rm_document_category' => "Delete category",
|
||||
'rm_file' => "Eliminar fitxer",
|
||||
'rm_folder' => "Eliminar carpeta",
|
||||
'rm_group' => "Eliminar aquest grup",
|
||||
'rm_user' => "Eliminar aquest usuari",
|
||||
'rm_version' => "Eliminar versió",
|
||||
'role_admin' => "Administrador",
|
||||
'role_guest' => "Invitat",
|
||||
'role_user' => "User",
|
||||
'role' => "Rol",
|
||||
'saturday' => "Dissabte",
|
||||
'save' => "Guardar",
|
||||
'search_fulltext' => "Search in fulltext",
|
||||
'search_in' => "Buscar a",
|
||||
'search_mode_and' => "tots els mots",
|
||||
'search_mode_or' => "si més no, un mot",
|
||||
'search_no_results' => "No hi ha documents que coincideixn amb la seva cerca",
|
||||
'search_query' => "Cercar",
|
||||
'search_report' => "Trobats [count] documents",
|
||||
'search_results_access_filtered' => "Els resultats de la cerca podrien incloure continguts amb l'accés denegat.",
|
||||
'search_results' => "Resultats de la cerca",
|
||||
'search' => "Cercar",
|
||||
'search_time' => "Temps transcorregut: [time] seg.",
|
||||
'selection' => "Selecció",
|
||||
'select_one' => "Seleccionar un",
|
||||
'september' => "Setembre",
|
||||
'seq_after' => "Després \"[prevname]\"",
|
||||
'seq_end' => "Al final",
|
||||
'seq_keep' => "Mantenir posició",
|
||||
'seq_start' => "Primera posició",
|
||||
'sequence' => "Seqüència",
|
||||
'set_expiry' => "Establir caducitad",
|
||||
'set_owner_error' => "Error a l'establir el propietari/a",
|
||||
'set_owner' => "Establir propietari/a",
|
||||
'settings_activate_module' => "Activate module",
|
||||
'settings_activate_php_extension' => "Activate PHP extension",
|
||||
'settings_adminIP' => "Admin IP",
|
||||
'settings_adminIP_desc' => "If enabled admin can login only by specified IP addres, leave empty to avoid the control. NOTE: works only with local autentication (no LDAP)",
|
||||
'settings_ADOdbPath' => "ADOdb Path",
|
||||
'settings_ADOdbPath_desc' => "Path to adodb. This is the directory containing the adodb directory",
|
||||
'settings_Advanced' => "Advanced",
|
||||
'settings_apache_mod_rewrite' => "Apache - Module Rewrite",
|
||||
'settings_Authentication' => "Authentication settings",
|
||||
'settings_Calendar' => "Calendar settings",
|
||||
'settings_calendarDefaultView' => "Calendar Default View",
|
||||
'settings_calendarDefaultView_desc' => "Calendar default view",
|
||||
'settings_contentDir' => "Content directory",
|
||||
'settings_contentDir_desc' => "Where the uploaded files are stored (best to choose a directory that is not accessible through your web-server)",
|
||||
'settings_contentOffsetDir' => "Content Offset Directory",
|
||||
'settings_contentOffsetDir_desc' => "To work around limitations in the underlying file system, a new directory structure has been devised that exists within the content directory (Content Directory). This requires a base directory from which to begin. Usually leave this to the default setting, 1048576, but can be any number or string that does not already exist within (Content Directory)",
|
||||
'settings_coreDir' => "Core letoDMS directory",
|
||||
'settings_coreDir_desc' => "Path to LetoDMS_Core (optional)",
|
||||
'settings_luceneClassDir' => "Lucene LetoDMS directory",
|
||||
'settings_luceneClassDir_desc' => "Path to LetoDMS_Lucene (optional)",
|
||||
'settings_luceneDir' => "Lucene letoDMS directory",
|
||||
'settings_luceneDir_desc' => "Path to LetoDMS_Lucene (optional)",
|
||||
'settings_createdatabase' => "Create database",
|
||||
'settings_createdirectory' => "Create directory",
|
||||
'settings_currentvalue' => "Current value",
|
||||
'settings_Database' => "Database settings",
|
||||
'settings_dbDatabase' => "Database",
|
||||
'settings_dbDatabase_desc' => "The name for your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.",
|
||||
'settings_dbDriver' => "Database Type",
|
||||
'settings_dbDriver_desc' => "The type of database in use entered during the installation process. Do not edit this field unless you are having to migrate to a different type of database perhaps due to changing hosts. Type of DB-Driver used by adodb (see adodb-readme)",
|
||||
'settings_dbHostname_desc' => "The hostname for your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.",
|
||||
'settings_dbHostname' => "Server name",
|
||||
'settings_dbPass_desc' => "The password for access to your database entered during the installation process.",
|
||||
'settings_dbPass' => "Password",
|
||||
'settings_dbUser_desc' => "The username for access to your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.",
|
||||
'settings_dbUser' => "Username",
|
||||
'settings_delete_install_folder' => "To use LetoDMS, you must delete the install directory",
|
||||
'settings_disableSelfEdit_desc' => "If checked user cannot edit his own profile",
|
||||
'settings_disableSelfEdit' => "Disable Self Edit",
|
||||
'settings_Display' => "Display settings",
|
||||
'settings_Edition' => "Edition settings",
|
||||
'settings_enableAdminRevApp_desc' => "Uncheck to don't list administrator as reviewer/approver",
|
||||
'settings_enableAdminRevApp' => "Enable Admin Rev App",
|
||||
'settings_enableCalendar_desc' => "Enable/disable calendar",
|
||||
'settings_enableCalendar' => "Enable Calendar",
|
||||
'settings_enableConverting_desc' => "Enable/disable converting of files",
|
||||
'settings_enableConverting' => "Enable Converting",
|
||||
'settings_enableEmail_desc' => "Enable/disable automatic email notification",
|
||||
'settings_enableEmail' => "Enable E-mail",
|
||||
'settings_enableFolderTree_desc' => "False to don't show the folder tree",
|
||||
'settings_enableFolderTree' => "Enable Folder Tree",
|
||||
'settings_enableFullSearch' => "Enable Full text search",
|
||||
'settings_enableGuestLogin_desc' => "If you want anybody to login as guest, check this option. Note: guest login should be used only in a trusted environment",
|
||||
'settings_enableGuestLogin' => "Enable Guest Login",
|
||||
'settings_enableUserImage_desc' => "Enable users images",
|
||||
'settings_enableUserImage' => "Enable User Image",
|
||||
'settings_enableUsersView_desc' => "Enable/disable group and user view for all users",
|
||||
'settings_enableUsersView' => "Enable Users View",
|
||||
'settings_error' => "Error",
|
||||
'settings_expandFolderTree_desc' => "Expand Folder Tree",
|
||||
'settings_expandFolderTree' => "Expand Folder Tree",
|
||||
'settings_expandFolderTree_val0' => "start with tree hidden",
|
||||
'settings_expandFolderTree_val1' => "start with tree shown and first level expanded",
|
||||
'settings_expandFolderTree_val2' => "start with tree shown fully expanded",
|
||||
'settings_firstDayOfWeek_desc' => "First day of the week",
|
||||
'settings_firstDayOfWeek' => "First day of the week",
|
||||
'settings_footNote_desc' => "Message to display at the bottom of every page",
|
||||
'settings_footNote' => "Foot Note",
|
||||
'settings_guestID_desc' => "ID of guest-user used when logged in as guest (mostly no need to change)",
|
||||
'settings_guestID' => "Guest ID",
|
||||
'settings_httpRoot_desc' => "The relative path in the URL, after the domain part. Do not include the http:// prefix or the web host name. e.g. If the full URL is http://www.example.com/letodms/, set '/letodms/'. If the URL is http://www.example.com/, set '/'",
|
||||
'settings_httpRoot' => "Http Root",
|
||||
'settings_installADOdb' => "Install ADOdb",
|
||||
'settings_install_success' => "The installation is completed successfully",
|
||||
'settings_language' => "Default language",
|
||||
'settings_language_desc' => "Default language (name of a subfolder in folder \"languages\")",
|
||||
'settings_logFileEnable_desc' => "Enable/disable log file",
|
||||
'settings_logFileEnable' => "Log File Enable",
|
||||
'settings_logFileRotation_desc' => "The log file rotation",
|
||||
'settings_logFileRotation' => "Log File Rotation",
|
||||
'settings_luceneDir' => "Directory for full text index",
|
||||
'settings_maxDirID_desc' => "Maximum number of sub-directories per parent directory. Default: 32700.",
|
||||
'settings_maxDirID' => "Max Directory ID",
|
||||
'settings_maxExecutionTime_desc' => "This sets the maximum time in seconds a script is allowed to run before it is terminated by the parse",
|
||||
'settings_maxExecutionTime' => "Max Execution Time (s)",
|
||||
'settings_more_settings' => "Configure more settings. Default login: admin/admin",
|
||||
'settings_notfound' => "Not found",
|
||||
'settings_partitionSize' => "Size of partial files uploaded by jumploader",
|
||||
'settings_php_dbDriver' => "PHP extension : php_'see current value'",
|
||||
'settings_php_gd2' => "PHP extension : php_gd2",
|
||||
'settings_php_mbstring' => "PHP extension : php_mbstring",
|
||||
'settings_printDisclaimer_desc' => "If true the disclaimer message the lang.inc files will be print on the bottom of the page",
|
||||
'settings_printDisclaimer' => "Print Disclaimer",
|
||||
'settings_restricted_desc' => "Only allow users to log in if they have an entry in the local database (irrespective of successful authentication with LDAP)",
|
||||
'settings_restricted' => "Restricted access",
|
||||
'settings_rootDir_desc' => "Path to where letoDMS is located",
|
||||
'settings_rootDir' => "Root directory",
|
||||
'settings_rootFolderID_desc' => "ID of root-folder (mostly no need to change)",
|
||||
'settings_rootFolderID' => "Root Folder ID",
|
||||
'settings_SaveError' => "Configuration file save error",
|
||||
'settings_Server' => "Server settings",
|
||||
'settings' => "Settings",
|
||||
'settings_siteDefaultPage_desc' => "Default page on login. If empty defaults to out/out.ViewFolder.php",
|
||||
'settings_siteDefaultPage' => "Site Default Page",
|
||||
'settings_siteName_desc' => "Name of site used in the page titles. Default: letoDMS",
|
||||
'settings_siteName' => "Site Name",
|
||||
'settings_Site' => "Site",
|
||||
'settings_smtpPort_desc' => "SMTP Server port, default 25",
|
||||
'settings_smtpPort' => "SMTP Server port",
|
||||
'settings_smtpSendFrom_desc' => "Send from",
|
||||
'settings_smtpSendFrom' => "Send from",
|
||||
'settings_smtpServer_desc' => "SMTP Server hostname",
|
||||
'settings_smtpServer' => "SMTP Server hostname",
|
||||
'settings_SMTP' => "SMTP Server settings",
|
||||
'settings_stagingDir' => "Directory for partial uploads",
|
||||
'settings_strictFormCheck_desc' => "Strict form checking. If set to true, then all fields in the form will be checked for a value. If set to false, then (most) comments and keyword fields become optional. Comments are always required when submitting a review or overriding document status",
|
||||
'settings_strictFormCheck' => "Strict Form Check",
|
||||
'settings_suggestionvalue' => "Suggestion value",
|
||||
'settings_System' => "System",
|
||||
'settings_theme' => "Default theme",
|
||||
'settings_theme_desc' => "Default style (name of a subfolder in folder \"styles\")",
|
||||
'settings_titleDisplayHack_desc' => "Workaround for page titles that go over more than 2 lines.",
|
||||
'settings_titleDisplayHack' => "Title Display Hack",
|
||||
'settings_updateNotifyTime_desc' => "Users are notified about document-changes that took place within the last 'Update Notify Time' seconds",
|
||||
'settings_updateNotifyTime' => "Update Notify Time",
|
||||
'settings_versioningFileName_desc' => "The name of the versioning info file created by the backup tool",
|
||||
'settings_versioningFileName' => "Versioning FileName",
|
||||
'settings_viewOnlineFileTypes_desc' => "Files with one of the following endings can be viewed online (USE ONLY LOWER CASE CHARACTERS)",
|
||||
'settings_viewOnlineFileTypes' => "View Online File Types",
|
||||
'signed_in_as' => "Connectat com",
|
||||
'sign_in' => "sign in",
|
||||
'sign_out' => "desconnectar",
|
||||
'space_used_on_data_folder' => "Espai utilitzat a la carpeta de dades",
|
||||
'status_approval_rejected' => "Esborrany rebutjat",
|
||||
'status_approved' => "Aprovat",
|
||||
'status_approver_removed' => "Aprovador eliminat del procés",
|
||||
'status_not_approved' => "Sense aprovar",
|
||||
'status_not_reviewed' => "Sense revisar",
|
||||
'status_reviewed' => "Revisat",
|
||||
'status_reviewer_rejected' => "Esborrany rebutjat",
|
||||
'status_reviewer_removed' => "Revisor eliminat del procés",
|
||||
'status' => "Estat",
|
||||
'status_unknown' => "Desconegut",
|
||||
'storage_size' => "Storage size",
|
||||
'submit_approval' => "Enviar aprovació",
|
||||
'submit_login' => "Connectat",
|
||||
'submit_review' => "Enviar revisiót",
|
||||
'sunday' => "Diumenge",
|
||||
'theme' => "Tema gràfic",
|
||||
'thursday' => "Dijous",
|
||||
'toggle_manager' => "Intercanviar manager",
|
||||
'to' => "Fins",
|
||||
'tuesday' => "Dimarts",
|
||||
'under_folder' => "A carpeta",
|
||||
'unknown_command' => "Ordre no reconeguda.",
|
||||
'unknown_document_category' => "Unknown category",
|
||||
'unknown_group' => "Id de grup desconegut",
|
||||
'unknown_id' => "Id desconegut",
|
||||
'unknown_keyword_category' => "Categoria desconeguda",
|
||||
'unknown_owner' => "Id de propietari/a desconegut",
|
||||
'unknown_user' => "ID d'usuari desconegut",
|
||||
'unlock_cause_access_mode_all' => "Pot actualitzar-lo perquè té mode d'accés \"all\". El bloqueig s¡eliminarà automàticament.",
|
||||
'unlock_cause_locking_user' => "Pot actualitzar-lo perquè és qui el va bloquejar. El bloqueig s'eliminarà automàticament.",
|
||||
'unlock_document' => "Desbloquejar",
|
||||
'update_approvers' => "Actualitzar llista d'aprovadors",
|
||||
'update_document' => "Actualitzar",
|
||||
'update_fulltext_index' => "Update fulltext index",
|
||||
'update_info' => "Actualitzar informació",
|
||||
'update_locked_msg' => "Aquest document està bloquejat.",
|
||||
'update_reviewers' => "Actualitzar llista de revisors",
|
||||
'update' => "Actualitzar",
|
||||
'uploaded_by' => "Enviat per",
|
||||
'uploading_failed' => "Enviament (Upload) fallat. Si us plau, contacteu amb l'administrador.",
|
||||
'use_default_categories' => "Use predefined categories",
|
||||
'use_default_keywords' => "Utilitzar els mots clau per omisió",
|
||||
'user_exists' => "L'usuari ja existeix.",
|
||||
'user_image' => "Imatge",
|
||||
'user_info' => "Informació d'usuari",
|
||||
'user_list' => "Llista d'usuaris",
|
||||
'user_login' => "Nom d'usuari",
|
||||
'user_management' => "Usuaris",
|
||||
'user_name' => "Nom complet",
|
||||
'users' => "Usuaris",
|
||||
'user' => "Usuari",
|
||||
'version_deleted_email' => "Versió eliminada",
|
||||
'version_info' => "Informació de versió",
|
||||
'versioning_file_creation' => "Creació de fitxer de versions",
|
||||
'versioning_file_creation_warning' => "Amb aquesta operació podeu crear un fitxer que contingui la informació de versions d'una carpeta del DMS completa. Després de la creació, tots els fitxers es guardaran a la carpeta de documents.",
|
||||
'versioning_info' => "Informació de versions",
|
||||
'version' => "Versió",
|
||||
'view_online' => "Veure online",
|
||||
'warning' => "Advertència",
|
||||
'wednesday' => "Dimecres",
|
||||
'week_view' => "Vista de setmana",
|
||||
'year_view' => "Vista d'any",
|
||||
'yes' => "Sí",
|
||||
);
|
||||
?>
|
630
languages/cs_CZ/lang.inc
Normal file
630
languages/cs_CZ/lang.inc
Normal file
|
@ -0,0 +1,630 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
// Copyright (C) 2012 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "Přijmout",
|
||||
'access_denied' => "Přístup zamítnut.",
|
||||
'access_inheritance' => "Dědičnost přístupu",
|
||||
'access_mode' => "Režim přístupu",
|
||||
'access_mode_all' => "Všechno",
|
||||
'access_mode_none' => "Žádný přístup",
|
||||
'access_mode_read' => "Na čtení",
|
||||
'access_mode_readwrite' => "Na čtení i zápis",
|
||||
'access_permission_changed_email' => "Povolení upraveno",
|
||||
'actions' => "Činnosti",
|
||||
'add' => "Přidat",
|
||||
'add_doc_reviewer_approver_warning' => "Pozn.: Dokumenty se automaticky označí jako vydané, když není přidělen žádný kontrolor nebo schvalovatel.",
|
||||
'add_document_link' => "Přidat odkaz",
|
||||
'add_document' => "Přidat dokument",
|
||||
'add_event' => "Přidat akci",
|
||||
'add_group' => "Přidat novou skupinu",
|
||||
'add_member' => "Přidat člena",
|
||||
'add_multiple_documents' => "Přidat více dokumentů",
|
||||
'add_multiple_files' => "Přidat více souborů (název souboru použijte jako název dokumentu)",
|
||||
'add_subfolder' => "Přidat podadresář",
|
||||
'add_user' => "Přidat nového uživatele",
|
||||
'add_user_to_group' => "Přidat uživatele do skupiny",
|
||||
'admin' => "Správce",
|
||||
'admin_tools' => "Nástroje správce",
|
||||
'all_categories' => "Všechny kategorie",
|
||||
'all_documents' => "Všechny dokumenty",
|
||||
'all_pages' => "Vše",
|
||||
'all_users' => "Všichni uživatelé",
|
||||
'already_subscribed' => "Již odebráno",
|
||||
'and' => "a",
|
||||
'apply' => "Použít",
|
||||
'approval_deletion_email' => "Zrušení schválení požadavku",
|
||||
'approval_group' => "Skupina schválení",
|
||||
'approval_request_email' => "Schválení požadavku",
|
||||
'approval_status' => "Stav schválení",
|
||||
'approval_submit_email' => "Předložit ke schválení",
|
||||
'approval_summary' => "Souhrn schválení",
|
||||
'approval_update_failed' => "Chyba při aktualizaci stavu schválení. Aktualizace selhala.",
|
||||
'approvers' => "Schvalovatelé",
|
||||
'april' => "Duben",
|
||||
'archive_creation' => "Archivování",
|
||||
'archive_creation_warning' => "Pomocí této operace můžete vytvořit archiv obsahující soubory z celé složky DMS. Po jeho vytvoøení bude archiv ulžen v datové složce serveru. POZOR: archiv bude vytvořen jako běžně čitelný, nelze jej použít jako záložní server.",
|
||||
'assign_approvers' => "Přiřazení schvalující",
|
||||
'assign_reviewers' => "Přiřazení kontroloři",
|
||||
'assign_user_property_to' => "Přiřazení uživatelských vlastností",
|
||||
'assumed_released' => "Pokládá se za zveřejněné",
|
||||
'august' => "Srpen",
|
||||
'automatic_status_update' => "Automatická změna stavu",
|
||||
'back' => "Přejít zpět",
|
||||
'backup_list' => "Existující záložní seznam",
|
||||
'backup_remove' => "Odstranit soubor zálohy",
|
||||
'backup_tools' => "Nástroje pro zálohování",
|
||||
'between' => "mezi",
|
||||
'calendar' => "Kalendář",
|
||||
'cancel' => "Zrušit",
|
||||
'cannot_assign_invalid_state' => "Není možné přidělit schvalovatele dokumentu, který nečeká na kontrolu nebo na schválení.",
|
||||
'cannot_change_final_states' => "Upozornění: Nebylo možné změnit stav dokumentů, které byly odmítnuty, označené jako zastaralé nebo platnost vypršela.",
|
||||
'cannot_delete_yourself' => "Nelze odstranit vlastní",
|
||||
'cannot_move_root' => "Chyba: Není možné přesunout kořenový adresář.",
|
||||
'cannot_retrieve_approval_snapshot' => "Není možné získat informaci o stavu schválení této verze dokumentu.",
|
||||
'cannot_retrieve_review_snapshot' => "Není možné získat informaci o stavu kontroly této verze dokumentu.",
|
||||
'cannot_rm_root' => "Chyba: Není možné smazat kořenový adresář.",
|
||||
'category' => "Kategorie",
|
||||
'category_exists' => "Kategorie již existuje.",
|
||||
'category_filter' => "Pouze kategorie",
|
||||
'category_in_use' => "Tato kategorie je používána v dokumentech.",
|
||||
'category_noname' => "Není zadáno jméno kategorie.",
|
||||
'categories' => "Kategorie",
|
||||
'change_assignments' => "Změnit přiřazení",
|
||||
'change_password' => "Změnit heslo",
|
||||
'change_password_message' => "Vaše heslo bylo změněno.",
|
||||
'change_status' => "Změna stavu",
|
||||
'choose_category' => "--Vyberte prosím--",
|
||||
'choose_group' => "--Vyberte skupinu--",
|
||||
'choose_target_category' => "Vyberte kategorii",
|
||||
'choose_target_document' => "Vyberte dokument",
|
||||
'choose_target_folder' => "Vyberte cílový adresář",
|
||||
'choose_user' => "--Vyberte uživatele--",
|
||||
'comment_changed_email' => "Změna komentáře",
|
||||
'comment' => "Komentář",
|
||||
'comment_for_current_version' => "Komentář k aktuální verzi",
|
||||
'confirm_create_fulltext_index' => "Ano, chci znovu vytvořit fulltext indes!",
|
||||
'confirm_pwd' => "Potvrzení hesla",
|
||||
'confirm_rm_backup' => "Skutečně chcete odstranit soubor \"[arkname]\"?<br>Pozor: Akci nelze vrátit zpět.",
|
||||
'confirm_rm_document' => "Skutečně chcete odstranit dokument \"[documentname]\"?<br>Buďte opatrní: Tuto činnost není možné vrátit zpět.",
|
||||
'confirm_rm_dump' => "Skutečně chcete odstranit soubor \"[dumpname]\"?<br>Pozor: Akce je nevratná.",
|
||||
'confirm_rm_event' => "Skutečně chcete odstranit akci \"[name]\"?<br>Pozor: Akci nelze vrátit zpìt.",
|
||||
'confirm_rm_file' => "Skutečně chcete odstranit soubor \"[name]\" - \"[documentname]\"?<br>Pozor: Akci nelze vrátit zpět.",
|
||||
'confirm_rm_folder' => "Skutečně chcete odstranit \"[foldername]\" a jeho obsah?<br>Buďte opatrní: Tuto činnost nené možné vrátit zpět.",
|
||||
'confirm_rm_folder_files' => "Skutečně chcete odstranit všechny soubory podadresáře z \"[foldername]\" ?<br>Buďte opatrní: Tuto akci nelze vrátit zpět.",
|
||||
'confirm_rm_group' => "Skutečně chcete odstranit skupinu \"[groupname]\"?<br>Pozor: Akce je nevratná.",
|
||||
'confirm_rm_log' => "Skutečně chcete odstranit LOG soubor \"[logname]\"?<br>Pozor: Akci nelze vrátit zpět.",
|
||||
'confirm_rm_user' => "Skutečně chcete odstranit uživatele \"[username]\"?<br>Pozor: Akce je nevratná.",
|
||||
'confirm_rm_version' => "Skutečně chcete odstranit verzi [version] dokumentu \"[documentname]\"?<br>Buďte opatrní: Tuto činnost není možné vrátit zpět.",
|
||||
'content' => "Domů",
|
||||
'continue' => "Pokračovat",
|
||||
'create_fulltext_index' => "Vytvořit fulltext index",
|
||||
'create_fulltext_index_warning' => "Hodláte znovu vytvořit fulltext index. Může to trvat dlouho a zpomalit běh systému. Pokud víte, co děláte, potvďte operaci.",
|
||||
'creation_date' => "Vytvořeno",
|
||||
'current_password' => "Současné heslo",
|
||||
'current_version' => "Aktuální verze",
|
||||
'daily' => "Denně",
|
||||
'databasesearch' => "Vyhledání v databázi",
|
||||
'december' => "Prosinec",
|
||||
'default_access' => "Standardní režim přístupu",
|
||||
'default_keywords' => "Dostupná klíčová slova",
|
||||
'delete' => "Smazat",
|
||||
'details' => "Podrobnosti",
|
||||
'details_version' => "Podrobnosti verze: [version]",
|
||||
'disclaimer' => "Toto je neveřejná oblast. Přístup povolen pouze oprávněným uživatelům. Jakékoliv narušení bude stíháno podle platných právních norem.",
|
||||
'do_object_repair' => "Opravit všechny složky a dokumenty.",
|
||||
'document_already_locked' => "Tento dokument je už zamčený",
|
||||
'document_deleted' => "Dokument odstraněn",
|
||||
'document_deleted_email' => "Dokument odstraněn",
|
||||
'document' => "Dokument",
|
||||
'document_infos' => "Informace o dokumentu",
|
||||
'document_is_not_locked' => "Tento dokument není zamčený",
|
||||
'document_link_by' => "Odkazuje sem",
|
||||
'document_link_public' => "Veřejný",
|
||||
'document_moved_email' => "Dokument přesunut",
|
||||
'document_renamed_email' => "Dokument přejmenován",
|
||||
'documents' => "Dokumenty",
|
||||
'documents_in_process' => "Dokumenty ve zpracování",
|
||||
'documents_locked_by_you' => "Dokument Vámi uzamčen",
|
||||
'document_status_changed_email' => "Stav dokumentu změněn",
|
||||
'documents_to_approve' => "Dokumenty čekající na schválení uživatele",
|
||||
'documents_to_review' => "Dokumenty čekající na kontrolu uživatele",
|
||||
'documents_user_requiring_attention' => "Dokumenty, které uživatel vlastní a vyžadují pozornost",
|
||||
'document_title' => "Dokument '[documentname]'",
|
||||
'document_updated_email' => "Dokument aktualizován",
|
||||
'does_not_expire' => "Platnost nikdy nevyprší",
|
||||
'does_not_inherit_access_msg' => "Zdědit přístup",
|
||||
'download' => "Stáhnout",
|
||||
'draft_pending_approval' => "Návrh - čeká na schválení",
|
||||
'draft_pending_review' => "Návrh - čeká na kontrolu",
|
||||
'dump_creation' => "Vytvoření zálohy databáze",
|
||||
'dump_creation_warning' => "Pomocí této operace můžete vytvořit soubor se zálohou databáze. Po vytvoření bude soubor zálohy uložen ve složce data vašeho serveru.",
|
||||
'dump_list' => "Existující soubory záloh",
|
||||
'dump_remove' => "Odstranit soubor zálohy",
|
||||
'edit_comment' => "Upravit komentář",
|
||||
'edit_default_keywords' => "Upravit klíčová slova",
|
||||
'edit_document_access' => "Upravit přístup",
|
||||
'edit_document_notify' => "Seznam upozornění",
|
||||
'edit_document_props' => "Upravit dokument",
|
||||
'edit' => "upravit",
|
||||
'edit_event' => "Upravit akci",
|
||||
'edit_existing_access' => "Upravit seznam řízení přístupu",
|
||||
'edit_existing_notify' => "Upravit seznam upozornění",
|
||||
'edit_folder_access' => "Upravit přístup",
|
||||
'edit_folder_notify' => "Seznam upozornění",
|
||||
'edit_folder_props' => "Upravit adresář",
|
||||
'edit_group' => "Upravit skupinu",
|
||||
'edit_user_details' => "Upravit podrobnosti uživatele",
|
||||
'edit_user' => "Upravit uživatele",
|
||||
'email' => "E-mail",
|
||||
'email_error_title' => "Není zadána emailová adresa",
|
||||
'email_footer' => "Změnu nastavení e-mailu můžete kdykoliv provést pomocí funkce'Můj účet'",
|
||||
'email_header' => "Toto je automatická zpráva ze serveru DMS.",
|
||||
'email_not_given' => "Zadejte prosím platnou emailovou adresu.",
|
||||
'empty_notify_list' => "Žádné položky",
|
||||
'error' => "Error",
|
||||
'error_no_document_selected' => "Není vybrán žádný dokument.",
|
||||
'error_no_folder_selected' => "Není vybrána žádná složka",
|
||||
'error_occured' => "Vyskytla se chyba",
|
||||
'event_details' => "Údaje akce",
|
||||
'expired' => "Platnost vypršela",
|
||||
'expires' => "Platnost vyprší",
|
||||
'expiry_changed_email' => "Datum expirace změněno",
|
||||
'february' => "Únor",
|
||||
'file' => "Soubor",
|
||||
'files_deletion' => "Soubor odstraněn",
|
||||
'files_deletion_warning' => "Pomocí této volby můžete odstranit všechny soubory z celé složky DMS. Verzovací informace zůstanou viditelné.",
|
||||
'files' => "Soubory",
|
||||
'file_size' => "Velikost souboru",
|
||||
'folder_contents' => "Adresáře",
|
||||
'folder_deleted_email' => "Adresář odstraněn",
|
||||
'folder' => "Adresář",
|
||||
'folder_infos' => "Informace o adresáři",
|
||||
'folder_moved_email' => "Adresář přesunut",
|
||||
'folder_renamed_email' => "Adresář přejmenován",
|
||||
'folders_and_documents_statistic' => "Přehled adresářů a dokumentů",
|
||||
'folders' => "Adresáře",
|
||||
'folder_title' => "Adresář '[foldername]'",
|
||||
'friday' => "Patek",
|
||||
'from' => "Od",
|
||||
'fullsearch' => "Fulltextové vyhledávání",
|
||||
'fullsearch_hint' => "Použijte fultext index",
|
||||
'fulltext_info' => "Fulltext index info",
|
||||
'global_default_keywords' => "Globální klíčová slova",
|
||||
'global_document_categories' => "Globální kategorie",
|
||||
'group_approval_summary' => "Souhrn schválení skupiny",
|
||||
'group_exists' => "Skupina již existuje.",
|
||||
'group' => "Skupina",
|
||||
'group_management' => "Skupiny",
|
||||
'group_members' => "Členové skupiny",
|
||||
'group_review_summary' => "Souhrn revizí skupiny",
|
||||
'groups' => "Skupiny",
|
||||
'guest_login_disabled' => "Přihlášení jako host je vypnuté.",
|
||||
'guest_login' => "Přihlásit se jako host",
|
||||
'help' => "Pomoc",
|
||||
'hourly' => "Hodinově",
|
||||
'human_readable' => "Bežně čitelný archív",
|
||||
'include_documents' => "Včetně dokumentů",
|
||||
'include_subdirectories' => "Včetně podadresářů",
|
||||
'individuals' => "Jednotlivci",
|
||||
'inherits_access_msg' => "Přístup se dědí.",
|
||||
'inherits_access_copy_msg' => "Zkopírovat zděděný seznam řízení přístupu",
|
||||
'inherits_access_empty_msg' => "Založit nový seznam řízení přístupu",
|
||||
'internal_error_exit' => "Vnitřní chyba. Nebylo možné dokončit požadavek. Ukončuje se.",
|
||||
'internal_error' => "Vnitřní chyba",
|
||||
'invalid_access_mode' => "Neplatný režim přístupu",
|
||||
'invalid_action' => "Neplatná činnost",
|
||||
'invalid_approval_status' => "Neplatný stav schválení",
|
||||
'invalid_create_date_end' => "Neplatné koncové datum vytvoření.",
|
||||
'invalid_create_date_start' => "Neplatné počáteční datum vytvoření.",
|
||||
'invalid_doc_id' => "Neplatný ID dokumentu",
|
||||
'invalid_file_id' => "Nevalidní ID souboru",
|
||||
'invalid_folder_id' => "Neplatné ID adresáře",
|
||||
'invalid_group_id' => "Neplatné ID skupiny",
|
||||
'invalid_link_id' => "Neplatné ID odkazu",
|
||||
'invalid_request_token' => "Neplatný token Požadavku",
|
||||
'invalid_review_status' => "Neplatný stav kontroly",
|
||||
'invalid_sequence' => "Neplatná hodnota posloupnosti",
|
||||
'invalid_status' => "Neplatný stav dokumentu",
|
||||
'invalid_target_doc_id' => "Neplatné cílové ID dokumentu",
|
||||
'invalid_target_folder' => "Neplatné cílové ID adresáře",
|
||||
'invalid_user_id' => "Neplatné ID uživatele",
|
||||
'invalid_version' => "Neplatná verze dokumentu",
|
||||
'is_hidden' => "Utajit v seznamu uživatelů",
|
||||
'january' => "Leden",
|
||||
'js_no_approval_group' => "Prosím, vyberte skupinu pro schválení",
|
||||
'js_no_approval_status' => "Prosím, vyberte stav schválení",
|
||||
'js_no_comment' => "Žádný komentář",
|
||||
'js_no_email' => "Napište svou emailovou adresu",
|
||||
'js_no_file' => "Prosím, vyberte soubor",
|
||||
'js_no_keywords' => "Zadejte nějaká klíčová slova",
|
||||
'js_no_login' => "Prosím, napište jméno uživatele",
|
||||
'js_no_name' => "Prosím, napište jméno",
|
||||
'js_no_override_status' => "Prosím, vyberte nový stav [přepíše se]",
|
||||
'js_no_pwd' => "Budete muset napsat své heslo",
|
||||
'js_no_query' => "Napište požadavek",
|
||||
'js_no_review_group' => "Prosím, vyberte skupinu pro kontrolu",
|
||||
'js_no_review_status' => "Prosím, vyberte stav kontroly",
|
||||
'js_pwd_not_conf' => "Heslo a potvrzení hesla se neshodují",
|
||||
'js_select_user_or_group' => "Vyberte aspoň uživatele nebo skupinu",
|
||||
'js_select_user' => "Prosím, vyberte uživatele",
|
||||
'july' => "Červenec",
|
||||
'june' => "Červen",
|
||||
'keyword_exists' => "Klíčové slovo už existuje",
|
||||
'keywords' => "Klíčová slova",
|
||||
'language' => "Jazyk",
|
||||
'last_update' => "Naposledy aktualizoval",
|
||||
'link_alt_updatedocument' => "Hodláte-li nahrát soubory větší než je maximální velikost pro nahrávání, použijte prosím <a href=\"%s\">alternativní stránku</a>.",
|
||||
'linked_documents' => "Související dokumenty",
|
||||
'linked_files' => "Přílohy",
|
||||
'local_file' => "Lokální soubor",
|
||||
'locked_by' => "Zamčeno kým",
|
||||
'lock_document' => "Zamknout",
|
||||
'lock_message' => "Tento dokument zamknul <a href=\"mailto:[email]\">[username]</a>.<br>Pouze oprávnění uživatelé ho mohou odemknout (viz konec stránky).",
|
||||
'lock_status' => "Stav",
|
||||
'login' => "Login",
|
||||
'login_error_text' => "Chyba při přihlašování. ID uživatele nebo heslo je nesprávné.",
|
||||
'login_error_title' => "Chyba při přihlašování",
|
||||
'login_not_given' => "Nebylo zadané uživatelské jméno",
|
||||
'login_ok' => "Přihlášení proběhlo úspěšně",
|
||||
'log_management' => "Správa LOG souborů",
|
||||
'logout' => "Odhlášení",
|
||||
'manager' => "Správce",
|
||||
'march' => "Březen",
|
||||
'max_upload_size' => "Max. délka pro nahrání jednoho souboru",
|
||||
'may' => "Květen",
|
||||
'monday' => "Pondělí",
|
||||
'month_view' => "Zobrazení měsíce",
|
||||
'monthly' => "Měsíčně",
|
||||
'move_document' => "Přesunout dokument",
|
||||
'move_folder' => "Přesunout adresář",
|
||||
'move' => "Přesunout",
|
||||
'my_account' => "Můj účet",
|
||||
'my_documents' => "Moje dokumenty",
|
||||
'name' => "Jméno",
|
||||
'new_default_keyword_category' => "Přidat kategorii",
|
||||
'new_default_keywords' => "Přidat klíčová slova",
|
||||
'new_document_category' => "Přidat kategorii dokumentů",
|
||||
'new_document_email' => "Nový dokument",
|
||||
'new_file_email' => "Nová příloha",
|
||||
'new_folder' => "Nový adresář",
|
||||
'new' => "Nový",
|
||||
'new_subfolder_email' => "Nový adresář",
|
||||
'new_user_image' => "Nový obrázek",
|
||||
'no_action' => "Nic se nevykoná",
|
||||
'no_approval_needed' => "Nic nečeká na schválení.",
|
||||
'no_attached_files' => "Žádné přiložené soubory",
|
||||
'no_default_keywords' => "Nejsou dostupná žádná klíčová slova.",
|
||||
'no_docs_locked' => "Žádné uzamčené dokumenty",
|
||||
'no_docs_to_approve' => "Momentálně neexistují žádné dokumenty, které vyžadují schválení.",
|
||||
'no_docs_to_look_at' => "Žádné dokumenty, které vyžadují pozornost.",
|
||||
'no_docs_to_review' => "Momentálně neexistují žádné dokumenty, které vyžadují kontrolu.",
|
||||
'no_group_members' => "Tato skupina nemá žádné členy",
|
||||
'no_groups' => "Žádné skupiny",
|
||||
'no' => "Ne",
|
||||
'no_linked_files' => "Žádné propojené soubory",
|
||||
'no_previous_versions' => "Nebyly nalezeny žádné jiné verze",
|
||||
'no_review_needed' => "Nic nečeká k revizi.",
|
||||
'notify_added_email' => "Byl/a jste přidán/a do seznamu pro oznámení",
|
||||
'notify_deleted_email' => "Byl/a jste odstraněn/a ze seznamu pro oznámení",
|
||||
'no_update_cause_locked' => "Proto nemůžete aktualizovat tento dokument. Prosím, kontaktujte uživatele, který ho zamknul.",
|
||||
'no_user_image' => "nebyl nalezen žádný obrázek",
|
||||
'november' => "Listopad",
|
||||
'objectcheck' => "kontrola adresáře/dokumentu ",
|
||||
'obsolete' => "Zastaralé",
|
||||
'october' => "Říjen",
|
||||
'old' => "Starý",
|
||||
'only_jpg_user_images' => "Pro obrázky uživatelů je možné použít pouze obrázky .jpg",
|
||||
'owner' => "Vlastník",
|
||||
'ownership_changed_email' => "Vlastník změněn",
|
||||
'password' => "Heslo",
|
||||
'password_repeat' => "Opakujte heslo",
|
||||
'password_forgotten' => "Zapomenuté heslo",
|
||||
'password_forgotten_email_subject' => "Obnova zapomenutého hesla",
|
||||
'password_forgotten_email_body' => "Uživateli Sportplex DMS,\n\nobdrželi jsme vaši žádost o změnu hesla.\n\nToto bude učiněno kliknutím na následující odkaz:\n\n###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###\n\nPokud budete mít problém s přihlášením i po změně hesla, kontaktujte Administrátora.",
|
||||
'password_forgotten_send_hash' => "Instrukce byly poslány uživateli na emailovou adresu.",
|
||||
'password_forgotten_text' => "Vyplňte následující formulář a následujte instrukce v emailu, který vám bude odeslán.",
|
||||
'password_forgotten_title' => "Heslo odesláno",
|
||||
'password_wrong' => "Špatné heslo",
|
||||
'personal_default_keywords' => "Osobní klíčová slova",
|
||||
'previous_versions' => "Předešlé verze",
|
||||
'refresh' => "Obnovit",
|
||||
'rejected' => "Odmítnuty",
|
||||
'released' => "Vydáno",
|
||||
'removed_approver' => "byl odstraněn ze seznamu schvalovatelů.",
|
||||
'removed_file_email' => "Příloha odstraněna",
|
||||
'removed_reviewer' => "byl odstraněn ze seznamu kontrolorů.",
|
||||
'repairing_objects' => "Opravuji dokumenty a složky.",
|
||||
'results_page' => "Stránka s výsledky",
|
||||
'review_deletion_email' => "Žádost na revizi odstraněn",
|
||||
'reviewer_already_assigned' => "je už pověřen jako kontrolor",
|
||||
'reviewer_already_removed' => "už byl odstraněn z procesu kontroly nebo poslal kontrolu",
|
||||
'reviewers' => "Kontroloři",
|
||||
'review_group' => "Skupina kontroly",
|
||||
'review_request_email' => "Požadavek na kontrolu",
|
||||
'review_status' => "Stav kontroly",
|
||||
'review_submit_email' => "Předložit ke kontrole",
|
||||
'review_summary' => "Souhrn kontroly",
|
||||
'review_update_failed' => "Chyba při aktualizaci stavu kontroly. Aktualizace selhala.",
|
||||
'rm_default_keyword_category' => "Smazat kategorii",
|
||||
'rm_document' => "Odstranit dokument",
|
||||
'rm_document_category' => "Vymazat kategorii",
|
||||
'rm_file' => "Odstranit soubor",
|
||||
'rm_folder' => "Odstranit adresář",
|
||||
'rm_group' => "Odstranit tuto skupinu",
|
||||
'rm_user' => "Odstranit tohoto uživatele",
|
||||
'rm_version' => "Odstranit verzi",
|
||||
'role_admin' => "Administrátor",
|
||||
'role_guest' => "Host",
|
||||
'role_user' => "Uživatel",
|
||||
'role' => "Role",
|
||||
'saturday' => "Sobota",
|
||||
'save' => "Uložit",
|
||||
'search_fulltext' => "Vyhledat fulltextově",
|
||||
'search_in' => "Prohledávat",
|
||||
'search_mode_and' => "všechna slova",
|
||||
'search_mode_or' => "alespoň jedno ze slov",
|
||||
'search_no_results' => "Vašemu dotazu nevyhovují žádné dokumenty",
|
||||
'search_query' => "Hledat",
|
||||
'search_report' => "Nalezených [count] dokumentů odpovídajících dotazu",
|
||||
'search_report_fulltext' => "Found [doccount] documents",
|
||||
'search_results_access_filtered' => "Výsledky hledání můžou obsahovat obsah, ke kterému byl zamítnut přístup.",
|
||||
'search_results' => "Výsledky hledání",
|
||||
'search' => "Hledat",
|
||||
'search_time' => "Uplynulý čas: [time] sek",
|
||||
'selection' => "Výběr",
|
||||
'select_one' => "Vyberte jeden",
|
||||
'september' => "Září",
|
||||
'seq_after' => "Po \"[prevname]\"",
|
||||
'seq_end' => "Na konec",
|
||||
'seq_keep' => "Ponechat pozici",
|
||||
'seq_start' => "První pozice",
|
||||
'sequence' => "Posloupnost",
|
||||
'set_expiry' => "Nastavit expiraci",
|
||||
'set_owner_error' => "Chybné nastavení vlastníka",
|
||||
'set_owner' => "Nastavit vlastníka",
|
||||
'settings_install_welcome_title' => "Welcome to the installation of letoDMS",
|
||||
'settings_install_welcome_text' => "<p>Before you start to install letoDMS make sure you have created a file 'ENABLE_INSTALL_TOOL' in your configuration directory, otherwise the installation will not work. On Unix-System this can easily be done with 'touch conf/ENABLE_INSTALL_TOOL'. After you have finished the installation delete the file.</p><p>letoDMS has very minimal requirements. You will need a mysql database and a php enabled web server. For the lucene full text search, you will also need the Zend framework installed on disk where it can be found by php. Starting with version 3.2.0 of letoDMS ADOdb will not be part of the distribution anymore. Get a copy of it from <a href=\"http://adodb.sourceforge.net/\">http://adodb.sourceforge.net</a> and install it. The path to it can later be set during installation.</p><p>If you like to create the database before you start installation, then just create it manually with your favorite tool, optionally create a database user with access on the database and import one of the database dumps in the configuration directory. The installation script can do that for you as well, but it will need database access with sufficient rights to create databases.</p>",
|
||||
'settings_start_install' => "Start installation",
|
||||
'settings_stopWordsFile' => "Path to stop words file",
|
||||
'settings_stopWordsFile_desc' => "If fulltext search is enabled, this file will contain stop words not being indexed",
|
||||
'settings_activate_module' => "Activate module",
|
||||
'settings_activate_php_extension' => "Activate PHP extension",
|
||||
'settings_adminIP' => "Admin IP",
|
||||
'settings_adminIP_desc' => "If set admin can login only by specified IP addres, leave empty to avoid the control. NOTE: works only with local autentication (no LDAP)",
|
||||
'settings_ADOdbPath' => "ADOdb Path",
|
||||
'settings_ADOdbPath_desc' => "Path to adodb. This is the directory containing the adodb directory",
|
||||
'settings_Advanced' => "Advanced",
|
||||
'settings_apache_mod_rewrite' => "Apache - Module Rewrite",
|
||||
'settings_Authentication' => "Authentication settings",
|
||||
'settings_Calendar' => "Calendar settings",
|
||||
'settings_calendarDefaultView' => "Calendar Default View",
|
||||
'settings_calendarDefaultView_desc' => "Calendar default view",
|
||||
'settings_contentDir' => "Content directory",
|
||||
'settings_contentDir_desc' => "Where the uploaded files are stored (best to choose a directory that is not accessible through your web-server)",
|
||||
'settings_contentOffsetDir' => "Content Offset Directory",
|
||||
'settings_contentOffsetDir_desc' => "To work around limitations in the underlying file system, a new directory structure has been devised that exists within the content directory (Content Directory). This requires a base directory from which to begin. Usually leave this to the default setting, 1048576, but can be any number or string that does not already exist within (Content Directory)",
|
||||
'settings_coreDir' => "Core letoDMS directory",
|
||||
'settings_coreDir_desc' => "Path to SeedDMS_Core (optional)",
|
||||
'settings_luceneClassDir' => "Lucene SeedDMS directory",
|
||||
'settings_luceneClassDir_desc' => "Path to SeedDMS_Lucene (optional)",
|
||||
'settings_luceneDir' => "Lucene index directory",
|
||||
'settings_luceneDir_desc' => "Path to Lucene index",
|
||||
'settings_cannot_disable' => "File ENABLE_INSTALL_TOOL could not deleted",
|
||||
'settings_install_disabled' => "File ENABLE_INSTALL_TOOL was deleted. You can now log into SeedDMS and do further configuration.",
|
||||
'settings_createdatabase' => "Create database tables",
|
||||
'settings_createdirectory' => "Create directory",
|
||||
'settings_currentvalue' => "Current value",
|
||||
'settings_Database' => "Database settings",
|
||||
'settings_dbDatabase' => "Database",
|
||||
'settings_dbDatabase_desc' => "The name for your database entered during the installation process. Do not edit this field unless necessary, if for example the database has been moved.",
|
||||
'settings_dbDriver' => "Database Type",
|
||||
'settings_dbDriver_desc' => "The type of database in use entered during the installation process. Do not edit this field unless you are having to migrate to a different type of database perhaps due to changing hosts. Type of DB-Driver used by adodb (see adodb-readme)",
|
||||
'settings_dbHostname_desc' => "The hostname for your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.",
|
||||
'settings_dbHostname' => "Server name",
|
||||
'settings_dbPass_desc' => "The password for access to your database entered during the installation process.",
|
||||
'settings_dbPass' => "Password",
|
||||
'settings_dbUser_desc' => "The username for access to your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.",
|
||||
'settings_dbUser' => "Username",
|
||||
'settings_dbVersion' => "Database schema too old",
|
||||
'settings_delete_install_folder' => "In order to use SeedDMS, you must delete the file ENABLE_INSTALL_TOOL in the configuration directory",
|
||||
'settings_disable_install' => "Delete file ENABLE_INSTALL_TOOL if possible",
|
||||
'settings_disableSelfEdit_desc' => "If checked user cannot edit his own profile",
|
||||
'settings_disableSelfEdit' => "Disable Self Edit",
|
||||
'settings_Display' => "Display settings",
|
||||
'settings_Edition' => "Edition settings",
|
||||
'settings_enableAdminRevApp_desc' => "Uncheck to don't list administrator as reviewer/approver",
|
||||
'settings_enableAdminRevApp' => "Enable Admin Rev App",
|
||||
'settings_enableCalendar_desc' => "Enable/disable calendar",
|
||||
'settings_enableCalendar' => "Enable Calendar",
|
||||
'settings_enableConverting_desc' => "Enable/disable converting of files",
|
||||
'settings_enableConverting' => "Enable Converting",
|
||||
'settings_enableEmail_desc' => "Enable/disable automatic email notification",
|
||||
'settings_enableEmail' => "Enable E-mail",
|
||||
'settings_enableFolderTree_desc' => "False to don't show the folder tree",
|
||||
'settings_enableFolderTree' => "Enable Folder Tree",
|
||||
'settings_enableFullSearch' => "Enable Full text search",
|
||||
'settings_enableFullSearch_desc' => "Enable Full text search",
|
||||
'settings_enableGuestLogin_desc' => "If you want anybody to login as guest, check this option. Note: guest login should be used only in a trusted environment",
|
||||
'settings_enableGuestLogin' => "Enable Guest Login",
|
||||
'settings_enableLargeFileUpload_desc' => "If set, file upload is also available through a java applet called jumploader without a file size limit set by the browser. It also allows to upload several files in one step.",
|
||||
'settings_enableLargeFileUpload' => "Enable large file upload",
|
||||
'settings_enablePasswordForgotten_desc' => "If you want to allow user to set a new password and send it by mail, check this option.",
|
||||
'settings_enablePasswordForgotten' => "Enable Password forgotten",
|
||||
'settings_enableUserImage_desc' => "Enable users images",
|
||||
'settings_enableUserImage' => "Enable User Image",
|
||||
'settings_enableUsersView_desc' => "Enable/disable group and user view for all users",
|
||||
'settings_enableUsersView' => "Enable Users View",
|
||||
'settings_encryptionKey' => "Encryption key",
|
||||
'settings_encryptionKey_desc' => "This string is used for creating a unique identifier being added as a hidden field to a formular in order to prevent CSRF attacks.",
|
||||
'settings_error' => "Error",
|
||||
'settings_expandFolderTree_desc' => "Expand Folder Tree",
|
||||
'settings_expandFolderTree' => "Expand Folder Tree",
|
||||
'settings_expandFolderTree_val0' => "start with tree hidden",
|
||||
'settings_expandFolderTree_val1' => "start with tree shown and first level expanded",
|
||||
'settings_expandFolderTree_val2' => "start with tree shown fully expanded",
|
||||
'settings_firstDayOfWeek_desc' => "First day of the week",
|
||||
'settings_firstDayOfWeek' => "First day of the week",
|
||||
'settings_footNote_desc' => "Message to display at the bottom of every page",
|
||||
'settings_footNote' => "Foot Note",
|
||||
'settings_guestID_desc' => "ID of guest-user used when logged in as guest (mostly no need to change)",
|
||||
'settings_guestID' => "Guest ID",
|
||||
'settings_httpRoot_desc' => "The relative path in the URL, after the domain part. Do not include the http:// prefix or the web host name. e.g. If the full URL is http://www.example.com/letodms/, set '/letodms/'. If the URL is http://www.example.com/, set '/'",
|
||||
'settings_httpRoot' => "Http Root",
|
||||
'settings_installADOdb' => "Install ADOdb",
|
||||
'settings_install_success' => "The installation has been successfully completed.",
|
||||
'settings_install_pear_package_log' => "Install Pear package 'Log'",
|
||||
'settings_install_pear_package_webdav' => "Install Pear package 'HTTP_WebDAV_Server', if you intend to use the webdav interface",
|
||||
'settings_install_zendframework' => "Install Zend Framework, if you intend to use the full text search engine",
|
||||
'settings_language' => "Default language",
|
||||
'settings_language_desc' => "Default language (name of a subfolder in folder \"languages\")",
|
||||
'settings_logFileEnable_desc' => "Enable/disable log file",
|
||||
'settings_logFileEnable' => "Log File Enable",
|
||||
'settings_logFileRotation_desc' => "The log file rotation",
|
||||
'settings_logFileRotation' => "Log File Rotation",
|
||||
'settings_luceneDir' => "Directory for full text index",
|
||||
'settings_maxDirID_desc' => "Maximum number of sub-directories per parent directory. Default: 32700.",
|
||||
'settings_maxDirID' => "Max Directory ID",
|
||||
'settings_maxExecutionTime_desc' => "This sets the maximum time in seconds a script is allowed to run before it is terminated by the parse",
|
||||
'settings_maxExecutionTime' => "Max Execution Time (s)",
|
||||
'settings_more_settings' => "Configure more settings. Default login: admin/admin",
|
||||
'settings_no_content_dir' => "Content directory",
|
||||
'settings_notfound' => "Not found",
|
||||
'settings_notwritable' => "The configuration cannot be saved because the configuration file is not writable.",
|
||||
'settings_partitionSize' => "Partial filesize",
|
||||
'settings_partitionSize_desc' => "Size of partial files in bytes, uploaded by jumploader. Do not set a value larger than the maximum upload size set by the server.",
|
||||
'settings_perms' => "Permissions",
|
||||
'settings_pear_log' => "Pear package : Log",
|
||||
'settings_pear_webdav' => "Pear package : HTTP_WebDAV_Server",
|
||||
'settings_php_dbDriver' => "PHP extension : php_'see current value'",
|
||||
'settings_php_gd2' => "PHP extension : php_gd2",
|
||||
'settings_php_mbstring' => "PHP extension : php_mbstring",
|
||||
'settings_printDisclaimer_desc' => "If true the disclaimer message the lang.inc files will be print on the bottom of the page",
|
||||
'settings_printDisclaimer' => "Print Disclaimer",
|
||||
'settings_restricted_desc' => "Only allow users to log in if they have an entry in the local database (irrespective of successful authentication with LDAP)",
|
||||
'settings_restricted' => "Restricted access",
|
||||
'settings_rootDir_desc' => "Path to where letoDMS is located",
|
||||
'settings_rootDir' => "Root directory",
|
||||
'settings_rootFolderID_desc' => "ID of root-folder (mostly no need to change)",
|
||||
'settings_rootFolderID' => "Root Folder ID",
|
||||
'settings_SaveError' => "Configuration file save error",
|
||||
'settings_Server' => "Server settings",
|
||||
'settings' => "Settings",
|
||||
'settings_siteDefaultPage_desc' => "Default page on login. If empty defaults to out/out.ViewFolder.php",
|
||||
'settings_siteDefaultPage' => "Site Default Page",
|
||||
'settings_siteName_desc' => "Name of site used in the page titles. Default: letoDMS",
|
||||
'settings_siteName' => "Site Name",
|
||||
'settings_Site' => "Site",
|
||||
'settings_smtpPort_desc' => "SMTP Server port, default 25",
|
||||
'settings_smtpPort' => "SMTP Server port",
|
||||
'settings_smtpSendFrom_desc' => "Send from",
|
||||
'settings_smtpSendFrom' => "Send from",
|
||||
'settings_smtpServer_desc' => "SMTP Server hostname",
|
||||
'settings_smtpServer' => "SMTP Server hostname",
|
||||
'settings_SMTP' => "SMTP Server settings",
|
||||
'settings_stagingDir' => "Directory for partial uploads",
|
||||
'settings_strictFormCheck_desc' => "Strict form checking. If set to true, then all fields in the form will be checked for a value. If set to false, then (most) comments and keyword fields become optional. Comments are always required when submitting a review or overriding document status",
|
||||
'settings_strictFormCheck' => "Strict Form Check",
|
||||
'settings_suggestionvalue' => "Suggestion value",
|
||||
'settings_System' => "System",
|
||||
'settings_theme' => "Default theme",
|
||||
'settings_theme_desc' => "Default style (name of a subfolder in folder \"styles\")",
|
||||
'settings_titleDisplayHack_desc' => "Workaround for page titles that go over more than 2 lines.",
|
||||
'settings_titleDisplayHack' => "Title Display Hack",
|
||||
'settings_updateDatabase' => "Run schema update scripts on database",
|
||||
'settings_updateNotifyTime_desc' => "Users are notified about document-changes that took place within the last 'Update Notify Time' seconds",
|
||||
'settings_updateNotifyTime' => "Update Notify Time",
|
||||
'settings_versioningFileName_desc' => "The name of the versioning info file created by the backup tool",
|
||||
'settings_versioningFileName' => "Versioning FileName",
|
||||
'settings_viewOnlineFileTypes_desc' => "Files with one of the following endings can be viewed online (USE ONLY LOWER CASE CHARACTERS)",
|
||||
'settings_viewOnlineFileTypes' => "View Online File Types",
|
||||
'settings_zendframework' => "Zend Framework",
|
||||
'signed_in_as' => "Přihlášen jako",
|
||||
'sign_in' => "Přihlásit",
|
||||
'sign_out' => "Odhlásit",
|
||||
'space_used_on_data_folder' => "Použité místo pro data složky",
|
||||
'status_approval_rejected' => "Návrh zamítnut",
|
||||
'status_approved' => "Schválen",
|
||||
'status_approver_removed' => "Schvalovatel odstraněn z procesu",
|
||||
'status_not_approved' => "Neschválený",
|
||||
'status_not_reviewed' => "Nezkontrolovaný",
|
||||
'status_reviewed' => "Zkontrolovaný",
|
||||
'status_reviewer_rejected' => "Návrh zamítnut",
|
||||
'status_reviewer_removed' => "Kontrolor odstraněn z procesu",
|
||||
'status' => "Stav",
|
||||
'status_unknown' => "Neznámý",
|
||||
'storage_size' => "Velikost úložiště",
|
||||
'submit_approval' => "Poslat ke schválení",
|
||||
'submit_login' => "Přihlásit se",
|
||||
'submit_password' => "Zadat nové heslo",
|
||||
'submit_password_forgotten' => "Zahájit proces",
|
||||
'submit_review' => "Poslat ke kontrole",
|
||||
'sunday' => "Neděle",
|
||||
'theme' => "Vzhled",
|
||||
'thursday' => "Čtvrtek",
|
||||
'toggle_manager' => "Přepnout správce",
|
||||
'to' => "Do",
|
||||
'tuesday' => "Úterý",
|
||||
'under_folder' => "V adresáři",
|
||||
'unknown_command' => "Příkaz nebyl rozpoznán.",
|
||||
'unknown_document_category' => "Neznámá kategorie",
|
||||
'unknown_group' => "Neznámé ID skupiny",
|
||||
'unknown_id' => "neznámé id",
|
||||
'unknown_keyword_category' => "Neznámá kategorie",
|
||||
'unknown_owner' => "Neznámé ID vlastníka",
|
||||
'unknown_user' => "Neznámé ID uživatele",
|
||||
'unlock_cause_access_mode_all' => "Můžete ho pořád aktualizovat, protože máte režim přístupu \"all\". Zámek bude automaticky odstraněn.",
|
||||
'unlock_cause_locking_user' => "Můžete ho pořád aktualizovat, protože jste ten, kdo ho zamknul. Zámek bude automaticky odstraněn.",
|
||||
'unlock_document' => "Odemknout",
|
||||
'update_approvers' => "Aktualizovat seznam schvalovatelů",
|
||||
'update_document' => "Aktualizovat",
|
||||
'update_fulltext_index' => "Aktualizovat fulltext index",
|
||||
'update_info' => "Aktualizovat informace",
|
||||
'update_locked_msg' => "Tento dokument je zamčený.",
|
||||
'update_reviewers' => "Aktualizovat seznam kontrolorů",
|
||||
'update' => "Aktualizovat",
|
||||
'uploaded_by' => "Nahrál",
|
||||
'uploading_failed' => "Nahrání selhalo. Prosím, kontaktujte správce.",
|
||||
'use_default_categories' => "Use predefined categories",
|
||||
'use_default_keywords' => "Použít předdefinovaná klíčová slova",
|
||||
'user_exists' => "Uživatel už existuje.",
|
||||
'user_image' => "Obrázek",
|
||||
'user_info' => "Informace o uživateli",
|
||||
'user_list' => "Seznam uživatelů",
|
||||
'user_login' => "ID uživatele",
|
||||
'user_management' => "Uživatelé",
|
||||
'user_name' => "Plné jméno",
|
||||
'users' => "Uživatel",
|
||||
'user' => "Uživatel",
|
||||
'version_deleted_email' => "Verze smazána",
|
||||
'version_info' => "Informace o verzi",
|
||||
'versioning_file_creation' => "Vytvoření verzování souboru",
|
||||
'versioning_file_creation_warning' => "Pomocí této operace můžete vytvořit soubor obsahující informace o verzování celé složky DMS. Po vytvoření bude každý soubor uložen uvnitř složky dokumentů.",
|
||||
'versioning_info' => "Info verzování",
|
||||
'version' => "Verze",
|
||||
'view_online' => "Zobrazit online",
|
||||
'warning' => "Upozornění",
|
||||
'wednesday' => "Středa",
|
||||
'week_view' => "Zobrazení týdne",
|
||||
'year_view' => "Zobrazení roku",
|
||||
'yes' => "Ano",
|
||||
);
|
||||
?>
|
889
languages/de_DE/lang.inc
Normal file
889
languages/de_DE/lang.inc
Normal file
|
@ -0,0 +1,889 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
// Copyright (C) 2012 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "Übernehmen",
|
||||
'access_denied' => "Zugriff verweigert",
|
||||
'access_inheritance' => "Zugriff vererben",
|
||||
'access_mode' => "Berechtigung",
|
||||
'access_mode_all' => "Keine Beschränkung",
|
||||
'access_mode_none' => "Kein Zugriff",
|
||||
'access_mode_read' => "Lesen",
|
||||
'access_mode_readwrite' => "Lesen+Schreiben",
|
||||
'access_permission_changed_email' => "Zugriffsrechte geändert",
|
||||
'access_permission_changed_email_subject' => "[sitename]: [name] - Zugriffsrechte geändert",
|
||||
'access_permission_changed_email_body' => "Zugriffsrechte geändert\r\nDokument: [name]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'according_settings' => "Gemäß Einstellungen",
|
||||
'action' => "Aktivität",
|
||||
'action_approve' => "Freigeben",
|
||||
'action_complete' => "Komplett",
|
||||
'action_is_complete' => "Ist komplett",
|
||||
'action_is_not_complete' => "Ist Nicht komplett",
|
||||
'action_reject' => "Ablehnen",
|
||||
'action_review' => "Prüfen",
|
||||
'action_revise' => "Erneut prüfen",
|
||||
'actions' => "Aktivitäten",
|
||||
'add' => "Anlegen",
|
||||
'add_doc_reviewer_approver_warning' => "Anmerkung: Dokumente werden automatisch geprüft und freigegeben markiert, wenn kein Prüfer oder keine Freigabe zugewiesen wird.",
|
||||
'add_doc_workflow_warning' => "Anmerkung: Dokumente werden automatisch freigegeben, wenn kein Workflow gewählt wird.",
|
||||
'add_document' => "Dokument anlegen",
|
||||
'add_document_link' => "Verweis hinzufügen",
|
||||
'add_event' => "Ereignis hinzufügen",
|
||||
'add_group' => "Neue Gruppe anlegen",
|
||||
'add_member' => "Gruppenmitglied anlegen",
|
||||
'add_multiple_documents' => "Mehrere Dokumente anlegen",
|
||||
'add_multiple_files' => "Mehrere Dateien hochladen (Dateiname wird als Dokumentenname verwendet)",
|
||||
'add_subfolder' => "Unterordner anlegen",
|
||||
'add_to_clipboard' => "Zur Zwischenablage hinzufügen",
|
||||
'add_user' => "Neuen Benutzer anlegen",
|
||||
'add_user_to_group' => "Benutzer in Gruppe einfügen",
|
||||
'add_workflow' => "Neuen Workflow anlegen",
|
||||
'add_workflow_state' => "Neuen Workflow-Status anlegen",
|
||||
'add_workflow_action' => "Neue Workflow-Aktion anlegen",
|
||||
'admin' => "Administrator",
|
||||
'admin_tools' => "Administration",
|
||||
'all' => "Alle",
|
||||
'all_categories' => "Alle Kategorien",
|
||||
'all_documents' => "alle Dokumente",
|
||||
'all_pages' => "Alle",
|
||||
'all_users' => "Alle Benutzer",
|
||||
'already_subscribed' => "Bereits aboniert",
|
||||
'and' => "und",
|
||||
'apply' => "Anwenden",
|
||||
'approval_deletion_email' => "Genehmigungsaufforderung gelöscht",
|
||||
'approval_group' => "Berechtigungsgruppe",
|
||||
'approval_request_email' => "Aufforderung zur Genehmigung",
|
||||
'approval_request_email_subject' => "[sitename]: [name] - Aufforderung zur Genehmigung",
|
||||
'approval_request_email_body' => "Aufforderung zur Genehmigung\r\nDokument: [name]\r\nVersion: [version]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'approval_status' => "Freigabestatus",
|
||||
'approval_submit_email' => "Genehmigung erteilen",
|
||||
'approval_summary' => "Übersicht Freigaben",
|
||||
'approval_update_failed' => "Störung bei der Aktualisierung des Berechtigungsstatus. Aktualisierung gescheitert",
|
||||
'approvers' => "Freigebender",
|
||||
'april' => "April",
|
||||
'archive_creation' => "Archiv erzeugen",
|
||||
'archive_creation_warning' => "Mit dieser Operation können Sie ein Archiv mit allen Dokumenten des DMS erzeugen. Nach der Erstellung wird das Archiv im Datenordner Ihres Servers gespeichert.<br />Warning: ein menschenlesbares Archiv ist als Server-Backup unbrauchbar.",
|
||||
'assign_approvers' => "Freigebende zuweisen",
|
||||
'assign_reviewers' => "Prüfer zuweisen",
|
||||
'assign_user_property_to' => "Dokumente einem anderen Benutzer zuweisen",
|
||||
'assumed_released' => "Angenommen, freigegeben",
|
||||
'attrdef_management' => "Attributdefinitions-Management",
|
||||
'attrdef_exists' => "Attributdefinition existiert bereits",
|
||||
'attrdef_in_use' => "Definition des Attributs noch in Gebrauch",
|
||||
'attrdef_name' => "Name",
|
||||
'attrdef_multiple' => "Mehrfachwerte erlaubt",
|
||||
'attrdef_objtype' => "Objekttyp",
|
||||
'attrdef_type' => "Typ",
|
||||
'attrdef_minvalues' => "Min. Anzahl Werte",
|
||||
'attrdef_maxvalues' => "Max. Anzahl Werte",
|
||||
'attrdef_valueset' => "Werteauswahl",
|
||||
'attribute_changed_email_subject' => "[sitename]: [name] - Attribut geändert",
|
||||
'attribute_changed_email_body' => "Attribut geändert\r\nDokument: [name]\r\nVersion: [version]\r\nAttribut: [attribute]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'attributes' => "Attribute",
|
||||
'august' => "August",
|
||||
'automatic_status_update' => "Automatischer Statuswechsel",
|
||||
'back' => "Zurück",
|
||||
'backup_list' => "Liste vorhandener Backups",
|
||||
'backup_remove' => "Backup löschen",
|
||||
'backup_tools' => "Backup tools",
|
||||
'backup_log_management' => "Backup/Logging",
|
||||
'between' => "zwischen",
|
||||
'calendar' => "Kalender",
|
||||
'cancel' => "Abbrechen",
|
||||
'cannot_assign_invalid_state' => "Die Zuweisung eines neuen Prüfers zu einem Dokument, welches noch nachbearbeitet oder überprüft wird ist nicht möglich",
|
||||
'cannot_change_final_states' => "Warnung: Nicht imstande, Dokumentstatus für Dokumente, die zurückgewiesen worden sind, oder als abgelaufen bzw. überholt markiert wurden zu ändern",
|
||||
'cannot_delete_yourself' => "Sie können nicht Ihr eigenes Login löschen",
|
||||
'cannot_move_root' => "Störung: Verschieben des Hauptordners nicht möglich",
|
||||
'cannot_retrieve_approval_snapshot' => "Nicht imstande, für diese Dokumentenversion die Freigabe für den Status Snapshot zurückzuholen.",
|
||||
'cannot_retrieve_review_snapshot' => "Nicht imstande, Berichtstatus Snapshot für diese Dokumentversion zurückzuholen",
|
||||
'cannot_rm_root' => "Störung: Löschen des Hauptordners nicht möglich",
|
||||
'category' => "Kategorie",
|
||||
'category_exists' => "Kategorie existiert bereits.",
|
||||
'category_filter' => "Nur Kategorien",
|
||||
'category_in_use' => "Diese Kategorie wird zur Zeit von Dokumenten verwendet.",
|
||||
'category_noname' => "Kein Kategoriename eingetragen.",
|
||||
'categories' => "Kategorien",
|
||||
'change_assignments' => "Zuweisungen ändern",
|
||||
'change_password' => "Password ändern",
|
||||
'change_password_message' => "Ihr Passwort wurde geändert.",
|
||||
'change_status' => "Status ändern",
|
||||
'choose_attrdef' => "--Attributdefinition wählen--",
|
||||
'choose_category' => "--Kategorie wählen--",
|
||||
'choose_group' => "--Gruppe wählen--",
|
||||
'choose_target_category' => "Kategorie wählen",
|
||||
'choose_target_document' => "Dokument wählen",
|
||||
'choose_target_file' => "Datei wählen",
|
||||
'choose_target_folder' => "Zielordner wählen",
|
||||
'choose_user' => "--Benutzer wählen--",
|
||||
'choose_workflow' => "Workflow wählen",
|
||||
'choose_workflow_state' => "Workflow-Status wählen",
|
||||
'choose_workflow_action' => "Workflow-Aktion wählen",
|
||||
'close' => "Schließen",
|
||||
'comment' => "Kommentar",
|
||||
'comment_for_current_version' => "Kommentar zur aktuellen Version",
|
||||
'confirm_create_fulltext_index' => "Ja, Ich möchte den Volltextindex neu erzeugen!.",
|
||||
'confirm_pwd' => "Passwort-Bestätigung",
|
||||
'confirm_rm_backup' => "Möchten Sie wirklich das Backup \"[arkname]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.",
|
||||
'confirm_rm_document' => "Wollen Sie das Dokument \"[documentname]\" wirklich löschen?<br>Achtung: Dieser Vorgang kann nicht rückgängig gemacht werden.",
|
||||
'confirm_rm_dump' => "Möchten Sie wirklich den DB dump \"[dumpname]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.",
|
||||
'confirm_rm_event' => "Möchten Sie wirklich das Ereignis \"[name]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.",
|
||||
'confirm_rm_file' => "Möchten Sie wirklich die Datei \"[name]\" des Dokuments \"[documentname]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.",
|
||||
'confirm_rm_folder' => "Wollen Sie den Ordner \"[foldername]\" mitsamt seines Inhalts wirklich löschen?<br>Achtung: Dieser Vorgang kann nicht rückgängig gemacht werden.",
|
||||
'confirm_rm_folder_files' => "Möchten Sie wirklich alle Dateien und Unterordner des Ordner \"[foldername]\" löschen?<br>Vorsicht: Diese Operation kann nicht rückgängig gemacht werden.",
|
||||
'confirm_rm_group' => "Möchten Sie wirklich die Gruppe \"[groupname]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.",
|
||||
'confirm_rm_log' => "Möchten Sie wirklich die Log-Datei \"[logname]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.",
|
||||
'confirm_rm_user' => "Möchten Sie wirklich den Benutzer \"[username]\" löschen?<br />Beachten Sie, dass diese Operation nicht rückgängig gemacht werden kann.",
|
||||
'confirm_rm_version' => "Wollen Sie die Version [version] des Dokumentes \"[documentname]\" wirklich löschen?<br>Achtung: Dieser Vorgang kann nicht rückgängig gemacht werden.",
|
||||
'content' => "Inhalt",
|
||||
'continue' => "fortführen",
|
||||
'create_fulltext_index' => "Erzeuge Volltextindex",
|
||||
'create_fulltext_index_warning' => "Sie möchten den Volltextindex neu erzeugen. Dies kann beträchtlich Zeit in Anspruch nehmen und Gesamtleistung Ihres System beeinträchtigen. Bestätigen Sie bitte diese Operation.",
|
||||
'creation_date' => "Erstellt am",
|
||||
'current_password' => "Aktuelles Passwort",
|
||||
'current_version' => "Aktuelle Version",
|
||||
'daily' => "täglich",
|
||||
'days' => "Tage",
|
||||
'databasesearch' => "Datenbanksuche",
|
||||
'date' => "Date",
|
||||
'december' => "Dezember",
|
||||
'default_access' => "Standardberechtigung",
|
||||
'default_keywords' => "Verfügbare Schlüsselworte",
|
||||
'definitions' => "Definitionen",
|
||||
'delete' => "Löschen",
|
||||
'details' => "Details",
|
||||
'details_version' => "Details für Version: [version]",
|
||||
'disclaimer' => "Dies ist ein geschützter Bereich. Nur authorisiertes Personal hat Zugriff. Jegliche Verstöße werden nach geltendem Recht (Englisch und International) verfolgt.",
|
||||
'do_object_repair' => "Repariere alle Ordner und Dokumente.",
|
||||
'do_object_setfilesize' => "Setze Dateigröße",
|
||||
'do_object_setchecksum' => "Setze Check-Summe",
|
||||
'do_object_unlink' => "Lösche Dokumentenversion",
|
||||
'document_already_locked' => "Dieses Dokument ist bereits gesperrt",
|
||||
'document_comment_changed_email' => "Kommentar geändert",
|
||||
'document_comment_changed_email_subject' => "[sitename]: [name] - Comment changed",
|
||||
'document_comment_changed_email_body' => "Comment changed\r\nDokument: [name]\r\nOld comment: [old_comment]\r\nComment: [new_comment]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'document_deleted' => "Dokument gelöscht",
|
||||
'document_deleted_email' => "Dokument gelöscht",
|
||||
'document_deleted_email_subject' => "[sitename]: [name] - Dokument gelöscht",
|
||||
'document_deleted_email_body' => "Dokument gelöscht\r\nDokument: [name]\r\nElternordner: [folder_path]\r\nBenutzer: [username]",
|
||||
'document_duplicate_name' => "Doppelter Dokumentenname",
|
||||
'document' => "Dokument",
|
||||
'document_has_no_workflow' => "Dokument hat keinen Workflow",
|
||||
'document_infos' => "Informationen",
|
||||
'document_is_not_locked' => "Dieses Dokument ist nicht gesperrt",
|
||||
'document_link_by' => "Verweis erstellt von",
|
||||
'document_link_public' => "Für alle sichtbar",
|
||||
'document_moved_email' => "Dokument verschoben",
|
||||
'document_moved_email_subject' => "[sitename]: [name] - Dokument verschoben",
|
||||
'document_moved_email_body' => "Dokument verschoben\r\nDokument: [name]\r\nAlter Ordner: [old_folder_path]\r\nNeuer Ordner: [new_folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'document_renamed_email' => "Dokument umbenannt",
|
||||
'document_renamed_email_subject' => "[sitename]: [name] - Dokument umbenannt",
|
||||
'document_renamed_email_body' => "Dokument umbenannt\r\nDokument: [name]\r\nElternordner: [folder_path]\r\nOld name: [old_name]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'documents' => "Dokumente",
|
||||
'documents_in_process' => "Dokumente in Bearbeitung",
|
||||
'documents_locked_by_you' => "Von mir gesperrte Dokumente",
|
||||
'documents_only' => "Nur Dokumente",
|
||||
'document_status_changed_email' => "Dokumentenstatus geändert",
|
||||
'document_status_changed_email_subject' => "[sitename]: [name] - Dokumentenstatus geändert",
|
||||
'document_status_changed_email_body' => "Dokumentenstatus geändert\r\nDokument: [name]\r\nStatus: [status]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'documents_to_approve' => "Freigabe erforderlich",
|
||||
'documents_to_review' => "Prüfung erforderlich",
|
||||
'documents_user_requiring_attention' => "Diese Dokumente sollte ich mal nachsehen",
|
||||
'document_title' => "Dokument '[documentname]'",
|
||||
'document_updated_email' => "Dokument aktualisiert",
|
||||
'document_updated_email_subject' => "[sitename]: [name] - Dokument aktualisiert",
|
||||
'document_updated_email_body' => "Dokument aktualisiert\r\nDokument: [name]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'does_not_expire' => "Kein Ablaufdatum",
|
||||
'does_not_inherit_access_msg' => "Berechtigungen wieder erben",
|
||||
'download' => "Download",
|
||||
'drag_icon_here' => "Icon eines Ordners oder Dokuments hier hin ziehen!",
|
||||
'draft_pending_approval' => "Entwurf - bevorstehende Freigabe",
|
||||
'draft_pending_review' => "Entwurf - bevorstehende Prüfung",
|
||||
'dropfolder_file' => "Datei aus Ablageordner",
|
||||
'dump_creation' => "DB dump erzeugen",
|
||||
'dump_creation_warning' => "Mit dieser Operation können Sie einen Dump der Datenbank erzeugen. Nach der Erstellung wird der Dump im Datenordner Ihres Servers gespeichert.",
|
||||
'dump_list' => "Vorhandene DB dumps",
|
||||
'dump_remove' => "DB dump löschen",
|
||||
'edit_attributes' => "Edit attributes",
|
||||
'edit_comment' => "Kommentar bearbeiten",
|
||||
'edit_default_keywords' => "Schlüsselworte bearbeiten",
|
||||
'edit_document_access' => "Zugriffsrechte bearbeiten",
|
||||
'edit_document_notify' => "Benachrichtigungen",
|
||||
'edit_document_props' => "Bearbeiten",
|
||||
'edit' => "Bearbeiten",
|
||||
'edit_event' => "Ereignis editieren",
|
||||
'edit_existing_access' => "Bestehende Berechtigungen bearbeiten",
|
||||
'edit_existing_notify' => "Benachrichtigungen bearbeiten",
|
||||
'edit_folder_access' => "Zugriffsrechte bearbeiten",
|
||||
'edit_folder_notify' => "Ordner Benachrichtigungen bearbeiten",
|
||||
'edit_folder_props' => "Ordner bearbeiten",
|
||||
'edit_group' => "Gruppe bearbeiten",
|
||||
'edit_user_details' => "Benutzerdetails bearbeiten",
|
||||
'edit_user' => "Benutzer bearbeiten",
|
||||
'email' => "Email",
|
||||
'email_error_title' => "Keine E-Mail-Adresse eingegeben",
|
||||
'email_footer' => "Sie können zu jeder Zeit Ihre E-Mail-Adresse über 'Mein Profil' ändern.",
|
||||
'email_header' => "Dies ist eine automatische Nachricht des DMS-Servers.",
|
||||
'email_not_given' => "Bitte geben Sie eine gültige E-Mail-Adresse ein.",
|
||||
'empty_folder_list' => "Keine Dokumente oder Ordner",
|
||||
'empty_notify_list' => "Keine Benachrichtigungen",
|
||||
'equal_transition_states' => "Start- und Endstatus ѕind gleich",
|
||||
'error' => "Fehler",
|
||||
'error_no_document_selected' => "Kein Dokument ausgewählt",
|
||||
'error_no_folder_selected' => "Kein Ordner ausgewählt",
|
||||
'error_occured' => "Ein Fehler ist aufgetreten.<br />Bitte Administrator benachrichtigen.<p>",
|
||||
'event_details' => "Ereignisdetails",
|
||||
'expired' => "abgelaufen",
|
||||
'expires' => "Ablaufdatum",
|
||||
'expiry_changed_email' => "Ablaufdatum geändert",
|
||||
'expiry_changed_email_subject' => "[sitename]: [name] - Expiry date changed",
|
||||
'expiry_changed_email_body' => "Expiry date changed\r\nDokument: [name]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'february' => "Februar",
|
||||
'file' => "Datei",
|
||||
'files_deletion' => "Dateien löschen",
|
||||
'files_deletion_warning' => "Durch diese Operation können Sie Dokumente des DMS löschen. Die Versions-Information bleibt erhalten.",
|
||||
'files' => "Dateien",
|
||||
'file_size' => "Dateigröße",
|
||||
'folder_comment_changed_email' => "Kommentar geändert",
|
||||
'folder_comment_changed_email_subject' => "[sitename]: [folder] - Comment changed",
|
||||
'folder_comment_changed_email_body' => "Comment changed\r\nOrdner: [name]\r\nVersion: [version]\r\nOld comment: [old_comment]\r\nComment: [new_comment]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'folder_contents' => "Ordner enthält",
|
||||
'folder_deleted_email' => "Ordner gelöscht",
|
||||
'folder_deleted_email_subject' => "[sitename]: [name] - Ordner gelöscht",
|
||||
'folder_deleted_email_body' => "Ordner gelöscht\r\nOrdner: [name]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'folder' => "Ordner",
|
||||
'folder_infos' => "Informationen",
|
||||
'folder_moved_email' => "Ordner verschoben",
|
||||
'folder_moved_email_subject' => "[sitename]: [name] - Ordner verschoben",
|
||||
'folder_moved_email_body' => "Ordner verschoben\r\nOrdner: [name]\r\nOld folder: [old_folder_path]\r\nNeuer Ordner: [new_folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'folder_renamed_email' => "Ordner umbenannt",
|
||||
'folder_renamed_email_subject' => "[sitename]: [name] - Ordner umbenannt",
|
||||
'folder_renamed_email_body' => "Ordner umbenannt\r\nOrdner: [name]\r\nElternordner: [folder_path]\r\nOld name: [old_name]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'folders_and_documents_statistic' => "Ordner- und Dokumentenübersicht",
|
||||
'folders' => "Verzeichnisse",
|
||||
'folder_title' => "SeedDMS - Ordner: [foldername]",
|
||||
'friday' => "Freitag",
|
||||
'friday_abbr' => "Fr",
|
||||
'from' => "von",
|
||||
'fullsearch' => "Volltext",
|
||||
'fullsearch_hint' => "Volltextindex benutzen",
|
||||
'fulltext_info' => "Volltext-Index Info",
|
||||
'global_attributedefinitions' => "Attribute",
|
||||
'global_default_keywords' => "Globale Stichwortlisten",
|
||||
'global_document_categories' => "Kategorien",
|
||||
'global_workflows' => "Workflows",
|
||||
'global_workflow_actions' => "Workflow-Aktionen",
|
||||
'global_workflow_states' => "Workflow-Status",
|
||||
'group_approval_summary' => "Freigabe-Gruppen",
|
||||
'group_exists' => "Gruppe existiert bereits",
|
||||
'group' => "Gruppe",
|
||||
'group_management' => "Gruppenverwaltung",
|
||||
'group_members' => "Gruppenmitglieder",
|
||||
'group_review_summary' => "Prüfergruppen",
|
||||
'groups' => "Gruppen",
|
||||
'guest_login_disabled' => "Anmeldung als Gast ist gesperrt.",
|
||||
'guest_login' => "Als Gast anmelden",
|
||||
'help' => "Hilfe",
|
||||
'hourly' => "stündlich",
|
||||
'hours' => "Stunden",
|
||||
'human_readable' => "Menschenlesbares Archiv",
|
||||
'id' => "ID",
|
||||
'identical_version' => "Neue Version ist identisch zu aktueller Version.",
|
||||
'include_documents' => "Dokumente miteinbeziehen",
|
||||
'include_subdirectories' => "Unterverzeichnisse miteinbeziehen",
|
||||
'index_converters' => "Index Dokumentenumwandlung",
|
||||
'individuals' => "Einzelpersonen",
|
||||
'inherited' => "geerbt",
|
||||
'inherits_access_msg' => "Zur Zeit werden die Rechte geerbt",
|
||||
'inherits_access_copy_msg' => "Berechtigungen kopieren",
|
||||
'inherits_access_empty_msg' => "Leere Zugriffsliste",
|
||||
'internal_error_exit' => "Interner Fehler: nicht imstande, Antrag durchzuführen. Herausnehmen. verlassen.",
|
||||
'internal_error' => "Interner Fehler",
|
||||
'invalid_access_mode' => "Unzulässige Zugangsart",
|
||||
'invalid_action' => "Unzulässige Aktion",
|
||||
'invalid_approval_status' => "Unzulässiger Freigabestatus",
|
||||
'invalid_create_date_end' => "Unzulässiges Enddatum für Erstellung des Datumsbereichs.",
|
||||
'invalid_create_date_start' => "Unzulässiges Startdatum für Erstellung des Datumsbereichs.",
|
||||
'invalid_doc_id' => "Unzulässige Dokumentenidentifikation",
|
||||
'invalid_file_id' => "Ungültige Datei-ID",
|
||||
'invalid_folder_id' => "Unzulässige Ordneridentifikation",
|
||||
'invalid_group_id' => "Unzulässige Gruppenidentifikation",
|
||||
'invalid_link_id' => "Unzulässige Linkbezeichnung",
|
||||
'invalid_request_token' => "Ungültige Anfragekennung",
|
||||
'invalid_review_status' => "Unzulässiger Überprüfungssstatus",
|
||||
'invalid_sequence' => "Unzulässige Reihenfolge der Werte",
|
||||
'invalid_status' => "Unzulässiger Dokumentenstatus",
|
||||
'invalid_target_doc_id' => "Unzulässige Ziel-Dokument Identifikation",
|
||||
'invalid_target_folder' => "Unzulässige Ziel-Ordner Identifikation",
|
||||
'invalid_user_id' => "Unzulässige Benutzernummer",
|
||||
'invalid_version' => "Unzulässige Dokumenten-Version",
|
||||
'in_workflow' => "im Workflow",
|
||||
'is_disabled' => "Anmeldung sperren",
|
||||
'is_hidden' => "In der Benutzerliste verbergen",
|
||||
'january' => "Januar",
|
||||
'js_no_approval_group' => "Wählen Sie bitte eine Freigabe-Gruppe aus",
|
||||
'js_no_approval_status' => "Wählen Sie bitte einen Freigabe-Status aus",
|
||||
'js_no_comment' => "Geben Sie einen Kommentar an",
|
||||
'js_no_email' => "Geben Sie eine Email-Adresse an",
|
||||
'js_no_file' => "Bitte wählen Sie eine Datei",
|
||||
'js_no_keywords' => "Geben Sie einige Stichwörter an",
|
||||
'js_no_login' => "Geben Sie einen Benutzernamen ein",
|
||||
'js_no_name' => "Sie haben den Namen vergessen",
|
||||
'js_no_override_status' => "Bitte wählen Sie einen neuen Status aus",
|
||||
'js_no_pwd' => "Sie müssen ein Passwort eingeben",
|
||||
'js_no_query' => "Geben Sie einen Suchbegriff ein",
|
||||
'js_no_review_group' => "Bitte wählen Sie eine Prüfer-Gruppe",
|
||||
'js_no_review_status' => "Bitte wählen Sie einen Prüfungs-Status",
|
||||
'js_pwd_not_conf' => "Passwort und -Bestätigung stimmen nicht überein",
|
||||
'js_select_user_or_group' => "Wählen Sie mindestens einen Benutzer oder eine Gruppe aus",
|
||||
'js_select_user' => "Bitte einen Benutzer auswählen",
|
||||
'july' => "Juli",
|
||||
'june' => "Juni",
|
||||
'keep_doc_status' => "Dokumentenstatus beibehalten",
|
||||
'keyword_exists' => "Stichwort besteht bereits",
|
||||
'keywords' => "Stichworte",
|
||||
'language' => "Sprache",
|
||||
'last_update' => "Letzte Aktualisierung",
|
||||
'legend' => "Legende",
|
||||
'link_alt_updatedocument' => "Wenn Sie ein Dokument hochladen möchten, das größer als die maximale Dateigröße ist, dann benutzen Sie bitte die alternative <a href=\"%s\">Upload-Seite</a>.",
|
||||
'linked_documents' => "verknüpfte Dokumente",
|
||||
'linked_files' => "Anhänge",
|
||||
'local_file' => "Lokale Datei",
|
||||
'locked_by' => "Gesperrt von",
|
||||
'lock_document' => "Sperren",
|
||||
'lock_message' => "Dieses Dokument ist durch <a href=\"mailto:[email]\">[username]</a> gesperrt. Nur authorisierte Benutzer können diese Sperrung aufheben.",
|
||||
'lock_status' => "Status",
|
||||
'login' => "Login",
|
||||
'login_disabled_text' => "Ihr Konto ist gesperrt. Der Grund sind möglicherweise zu viele gescheiterte Anmeldeversuche.",
|
||||
'login_disabled_title' => "Konto gesperrt",
|
||||
'login_error_text' => "Fehler bei der Anmeldung. Benutzernummer oder Passwort falsch.",
|
||||
'login_error_title' => "Fehler bei der Anmeldung",
|
||||
'login_not_given' => "Es wurde kein Benutzername eingegeben",
|
||||
'login_ok' => "Anmeldung erfolgreich",
|
||||
'log_management' => "Management der Log-Dateien",
|
||||
'logout' => "Abmelden",
|
||||
'manager' => "Manager",
|
||||
'march' => "März",
|
||||
'max_upload_size' => "Maximale Dateigröße",
|
||||
'may' => "Mai",
|
||||
'mimetype' => "Mime-Type",
|
||||
'misc' => "Sonstiges",
|
||||
'missing_checksum' => "Fehlende Check-Summe",
|
||||
'missing_filesize' => "Fehlende Dateigröße",
|
||||
'missing_transition_user_group' => "Fehlende/r Benutzer/Gruppe für Transition",
|
||||
'minutes' => "Minuten",
|
||||
'monday' => "Montag",
|
||||
'monday_abbr' => "Mo",
|
||||
'month_view' => "Monatsansicht",
|
||||
'monthly' => "monatlich",
|
||||
'move_document' => "Verschieben",
|
||||
'move_folder' => "Ordner verschieben",
|
||||
'move' => "Verschieben",
|
||||
'my_account' => "Mein Profil",
|
||||
'my_documents' => "Meine Dokumente",
|
||||
'name' => "Name",
|
||||
'new_attrdef' => "Neue Attributdefinition",
|
||||
'new_default_keyword_category' => "Neue Kategorie",
|
||||
'new_default_keywords' => "Neue Vorlage",
|
||||
'new_document_category' => "Neue Kategorie",
|
||||
'new_document_email' => "Neues Dokument",
|
||||
'new_document_email_subject' => "[sitename]: [folder_name] - Neues Dokument",
|
||||
'new_document_email_body' => "Neues Dokument\r\nName: [name]\r\nOrdner: [folder_path]\r\nKommentar: [comment]\r\nKommentar der Version: [version_comment]\r\nURL: [url]",
|
||||
'new_file_email' => "Neuer Anhang",
|
||||
'new_file_email_subject' => "[sitename]: [document] - Neuer Anhang",
|
||||
'new_file_email_body' => "Neuer Anhang\r\nName: [name]\r\nDokument: [document]\r\nComment: [comment]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'new_folder' => "Neuer Ordner",
|
||||
'new_password' => "Neues Passwort",
|
||||
'new' => "Neu",
|
||||
'new_subfolder_email' => "Neuer Ordner",
|
||||
'new_subfolder_email_subject' => "[sitename]: [folder_name] - New folder",
|
||||
'new_subfolder_email_body' => "New folder\r\nName: [name]\r\nElternordner: [folder_path]\r\nComment: [comment]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'new_user_image' => "Neues Bild",
|
||||
'next_state' => "Neuer Status",
|
||||
'no_action' => "Keine Aktion erforderlich.",
|
||||
'no_approval_needed' => "Keine offenen Freigaben.",
|
||||
'no_attached_files' => "Keine angehängten Dokumente",
|
||||
'no_default_keywords' => "Keine Vorlagen vorhanden",
|
||||
'no_docs_locked' => "Keine Dokumente gesperrt.",
|
||||
'no_docs_to_approve' => "Es gibt zur Zeit keine Dokumente, die eine Freigabe erfordern.",
|
||||
'no_docs_to_look_at' => "Keine Dokumente, nach denen geschaut werden müsste.",
|
||||
'no_docs_to_review' => "Es gibt zur Zeit keine Dokumente, die eine Prüfung erfordern.",
|
||||
'no_fulltextindex' => "Kein Volltext-Index verfügbar",
|
||||
'no_group_members' => "Diese Gruppe hat keine Mitglieder",
|
||||
'no_groups' => "keine Gruppen",
|
||||
'no' => "Nein",
|
||||
'no_linked_files' => "Keine verknüpften Dokumente",
|
||||
'no_previous_versions' => "Keine anderen Versionen gefunden",
|
||||
'no_review_needed' => "Keine offenen Prüfungen.",
|
||||
'notify_added_email' => "Benachrichtigung per Mail wurde eingerichtet",
|
||||
'notify_added_email_subject' => "[sitename]: [name] - Added to notification list",
|
||||
'notify_added_email_body' => "Added to notification list\r\nName: [name]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'notify_deleted_email' => "Sie wurden von der Liste der Benachrichtigungen entfernt.",
|
||||
'notify_deleted_email_subject' => "[sitename]: [name] - Removed from notification list",
|
||||
'notify_deleted_email_body' => "Removed from notification list\r\nName: [name]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'no_update_cause_locked' => "Sie können daher im Moment diese Datei nicht aktualisieren. Wenden Sie sich an den Benutzer, der die Sperrung eingerichtet hat",
|
||||
'no_user_image' => "Kein Bild vorhanden",
|
||||
'november' => "November",
|
||||
'now' => "sofort",
|
||||
'objectcheck' => "Ordner- und Dokumentenprüfung",
|
||||
'obsolete' => "veraltet",
|
||||
'october' => "Oktober",
|
||||
'old' => "Alt",
|
||||
'only_jpg_user_images' => "Es sind nur JPG-Bilder erlaubt",
|
||||
'original_filename' => "Original filename",
|
||||
'owner' => "Besitzer",
|
||||
'ownership_changed_email' => "Besitzer geändert",
|
||||
'ownership_changed_email_subject' => "[sitename]: [name] - Besitzer geändert",
|
||||
'ownership_changed_email_body' => "Besitzer geändert\r\nDokument: [name]\r\nElternordner: [folder_path]\r\nOld owner: [old_owner]\r\nNew owner: [new_owner]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'password' => "Passwort",
|
||||
'password_already_used' => "Passwort schon einmal verwendet",
|
||||
'password_repeat' => "Passwort wiederholen",
|
||||
'password_expiration' => "Ablauf eines Passworts",
|
||||
'password_expiration_text' => "Ihr Passwort ist abgelaufen. Bitte ändern sie es, um SeedDMS weiter benutzen zu können.",
|
||||
'password_forgotten' => "Passwort vergessen",
|
||||
'password_forgotten_email_subject' => "Passwort vergessen",
|
||||
'password_forgotten_email_body' => "Sehr geehrter Anwender von SeedDMS,\n\nwir haben einen Anfrage zum Zurücksetzen Ihres Passworts erhalten und deshalb ein neues Passwort erzeugt.\n\nIhr neues Passwort lautet: ###PASSWORD###\n\nBitte ändern Sie es umgehend nachdem Sie sich erfolgreich angemeldet haben.\nSollen Sie danach immer noch Problem bei der Anmeldung haben, dann kontaktieren Sie bitte Ihren\nAdminstrator",
|
||||
'password_forgotten_send_password' => "Ihr Passwort wurde an die E-Mail-Adresse des Benutzers gesendet.",
|
||||
'password_forgotten_title' => "Passwort gesendet",
|
||||
'password_forgotten_title' => "Passwort gesendet",
|
||||
'password_strength' => "Passwortstärke",
|
||||
'password_strength_insuffient' => "Ungenügend starkes Passwort",
|
||||
'password_wrong' => "Falsches Passwort",
|
||||
'personal_default_keywords' => "Persönliche Stichwortlisten",
|
||||
'previous_state' => "Voriger Status",
|
||||
'previous_versions' => "Vorhergehende Versionen",
|
||||
'quota' => "Quota",
|
||||
'quota_exceeded' => "Ihr maximal verfügbarer Plattenplatz wurde um [bytes] überschritten.",
|
||||
'quota_warning' => "Ihr maximal verfügbarer Plattenplatz wurde um [bytes] überschritten. Bitte löschen Sie Dokumente oder ältere Versionen.",
|
||||
'refresh' => "Aktualisieren",
|
||||
'rejected' => "abgelehnt",
|
||||
'released' => "freigegeben",
|
||||
'removed_workflow_email_subject' => "[sitename]: [name] - Workflow von Dokumentenversion",
|
||||
'removed_workflow_email_body' => "Workflow von Dokumentenversion entfernt\r\nDokument: [name]\r\nVersion: [version]\r\nWorkflow: [workflow]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'removed_approver' => "ist von der Freigeber-Liste entfernt worden.",
|
||||
'removed_file_email' => "Anhang gelöscht",
|
||||
'removed_file_email_subject' => "[sitename]: [document] - Anhang gelöscht",
|
||||
'removed_file_email_body' => "Anhang gelöscht\r\nDokument: [document]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'removed_reviewer' => "ist von der Prüfer-Liste entfernt worden.",
|
||||
'repaired' => 'repariert',
|
||||
'repairing_objects' => "Repariere Dokumente und Ordner.",
|
||||
'results_page' => "Ergebnis-Seite",
|
||||
'return_from_subworkflow_email_subject' => "[sitename]: [name] - Rückkehr vom Subworkflow",
|
||||
'return_from_subworkflow_email_body' => "Rückkehr vom Subworkflow\r\nDokument: [name]\r\nVersion: [version]\r\nWorkflow: [workflow]\r\nSubworkflow: [subworkflow]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'review_deletion_email' => "Prüfungsaufforderung gelöscht",
|
||||
'reviewer_already_assigned' => "Prüfer bereits zugewiesen",
|
||||
'reviewer_already_removed' => "Prüfer wurde bereits aus dem Prüfvorgang entfernt oder hat die Prüfung bereits abgeschlossen",
|
||||
'reviewers' => "Prüfer",
|
||||
'review_group' => "Gruppe: prüfen",
|
||||
'review_request_email' => "Aufforderung zur Prüfung",
|
||||
'review_status' => "Status:",
|
||||
'review_submit_email' => "Prüfung ausgeführt",
|
||||
'review_submit_email_subject' => "[sitename]: [name] - Prüfung ausgeführt",
|
||||
'review_submit_email_body' => "Prüfung ausgeführt\r\nDokument: [name]\r\nVersion: [version]\r\nStatus: [status]\r\nKommentar: [comment]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'review_summary' => "Übersicht Prüfungen",
|
||||
'review_update_failed' => "Störung bei Aktualisierung des Prüfstatus. Aktualisierung gescheitert.",
|
||||
'rewind_workflow' => "Zurück zum Anfangszustand",
|
||||
'rewind_workflow_email_subject' => "[sitename]: [name] - Workflow wurde zurückgestellt",
|
||||
'rewind_workflow_email_body' => "Workflow wurde zurückgestellt\r\nDokument: [name]\r\nVersion: [version]\r\nWorkflow: [workflow]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'rewind_workflow_warning' => "Wenn Sie einen Workflow in den Anfangszustand zurückversetzen, dann werden alle bisherigen Aktionen und Kommentare unwiederbringlich gelöscht.",
|
||||
'rm_attrdef' => "Attributdefinition löschen",
|
||||
'rm_default_keyword_category' => "Kategorie löschen",
|
||||
'rm_document' => "Löschen",
|
||||
'rm_document_category' => "Lösche Kategorie",
|
||||
'rm_file' => "Datei Löschen",
|
||||
'rm_folder' => "Ordner löschen",
|
||||
'rm_from_clipboard' => "Aus Zwischenablage löschen",
|
||||
'rm_group' => "Diese Gruppe löschen",
|
||||
'rm_user' => "Diesen Benutzer löschen",
|
||||
'rm_version' => "Version löschen",
|
||||
'rm_workflow' => "Lösche Workflow",
|
||||
'rm_workflow_state' => "Lösche Workflow-Status",
|
||||
'rm_workflow_action' => "Lösche Workflow-Aktion",
|
||||
'rm_workflow_warning' => "Sie möchten den Workflow eines Dokuments löschen. Dies kann nicht rückgängig gemacht werden.",
|
||||
'role_admin' => "Administrator",
|
||||
'role_guest' => "Gast",
|
||||
'role_user' => "Benutzer",
|
||||
'role' => "Rolle",
|
||||
'return_from_subworkflow' => "Rückkehr aus Sub-Workflow",
|
||||
'run_subworkflow' => "Sub-Workflow starten",
|
||||
'run_subworkflow_email_subject' => "[sitename]: [name] - Subworkflow wurde gestartet",
|
||||
'run_subworkflow_email_body' => "Subworkflow wurde gestartet\r\nDokument: [name]\r\nVersion: [version]\r\nWorkflow: [workflow]\r\nSubworkflow: [subworkflow]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'saturday' => "Samstag",
|
||||
'saturday_abbr' => "Sa",
|
||||
'save' => "Speichern",
|
||||
'search_fulltext' => "Suche im Volltext",
|
||||
'search_in' => "Suchen in",
|
||||
'search_mode_and' => "alle Begriffe",
|
||||
'search_mode_or' => "min. ein Begriff",
|
||||
'search_no_results' => "Die Suche lieferte leider keine Treffer.",
|
||||
'search_query' => "Suchbegriffe",
|
||||
'search_report' => "Die Suche lieferte [doccount] Dokumente und [foldercount] Ordner in [searchtime] Sek.",
|
||||
'search_report_fulltext' => "Die Suche lieferte [doccount] Dokumente",
|
||||
'search_results_access_filtered' => "Suchresultate können Inhalte enthalten, zu welchen der Zugang verweigert wurde.",
|
||||
'search_results' => "Suchergebnis",
|
||||
'search' => "Suchen",
|
||||
'search_time' => "Dauer: [time] sek.",
|
||||
'seconds' => "Sekunden",
|
||||
'selection' => "Auswahl",
|
||||
'select_category' => "Klicken zur Auswahl einer Kategorie",
|
||||
'select_groups' => "Klicken zur Auswahl einer Gruppe",
|
||||
'select_ind_reviewers' => "Klicken zur Auswahl eines Prüfers",
|
||||
'select_ind_approvers' => "Klicken zur Auswahl eines Freigebers",
|
||||
'select_grp_reviewers' => "Klicken zur Auswahl einer Prüfgruppe",
|
||||
'select_grp_approvers' => "Klicken zur Auswahl einer Freigabegruppe",
|
||||
'select_one' => "Bitte wählen",
|
||||
'select_users' => "Klicken zur Auswahl eines Benutzers",
|
||||
'select_workflow' => "Workflow auswählen",
|
||||
'september' => "September",
|
||||
'seq_after' => "Nach \"[prevname]\"",
|
||||
'seq_end' => "Ans Ende",
|
||||
'seq_keep' => "Beibehalten",
|
||||
'seq_start' => "An den Anfang",
|
||||
'sequence' => "Reihenfolge",
|
||||
'set_expiry' => "Ablaufdatum festlegen",
|
||||
'set_owner_error' => "Fehler beim Setzen des Besitzers",
|
||||
'set_owner' => "Besitzer festlegen",
|
||||
'set_password' => "Passwort setzen",
|
||||
'set_workflow' => "Workflow zuweisen",
|
||||
'settings_install_welcome_title' => "Willkommen zur Installation von SeedDMS",
|
||||
'settings_install_welcome_text' => "<p>Before you start to install SeedDMS make sure you have created a file 'ENABLE_INSTALL_TOOL' in your configuration directory, otherwise the installation will not work. On Unix-System this can easily be done with 'touch conf/ENABLE_INSTALL_TOOL'. After you have finished the installation delete the file.</p><p>SeedDMS has very minimal requirements. You will need a mysql database or sqlite support and a php enabled web server. The pear package Log has to be installed too. For the lucene full text search, you will also need the Zend framework installed on disk where it can be found by php. For the WebDAV server you will also need the HTTP_WebDAV_Server. The path to it can later be set during installation.</p><p>If you like to create the database before you start installation, then just create it manually with your favorite tool, optionally create a database user with access on the database and import one of the database dumps in the configuration directory. The installation script can do that for you as well, but it will need database access with sufficient rights to create databases.</p>",
|
||||
'settings_start_install' => "Installation starten",
|
||||
'settings_sortUsersInList' => "Sortiere Benutzer in Listen",
|
||||
'settings_sortUsersInList_desc' => "Stellt ein, ob die Benutzer in Listen nach Login oder Name sortiert werden sollen.",
|
||||
'settings_sortUsersInList_val_login' => "Sortiere nach Login",
|
||||
'settings_sortUsersInList_val_fullname' => "Sortiere nach Name",
|
||||
'settings_stopWordsFile' => "Pfad zur Stop-Wort-Datei",
|
||||
'settings_stopWordsFile_desc' => "Wenn die Volltextsuche aktiviert ist, dann beinhaltet diese Datei ein Liste mit Wörtern die nicht indiziert werden.",
|
||||
'settings_activate_module' => "Modul aktivieren",
|
||||
'settings_activate_php_extension' => "PHP-Erweiterung aktivieren",
|
||||
'settings_adminIP' => "Admin IP",
|
||||
'settings_adminIP_desc' => "Wenn hier eine IP-Nummer eingetragen wird, kann eine Anmeldung als Administrator nur von dieser Adresse erfolgen. Funktioniert nur mit Anmeldung über die Datenbank (nicht LDAP)",
|
||||
'settings_extraPath' => "Extra PHP Include-Pfad",
|
||||
'settings_extraPath_desc' => "Pfad für zusätzliche Software. Dies ist das Verzeichnis, welches die zusätzlichen PEAR-Pakete beinhaltet.",
|
||||
'settings_Advanced' => "Erweitert",
|
||||
'settings_apache_mod_rewrite' => "Apache - Module Rewrite",
|
||||
'settings_Authentication' => "Authentifikations-Einstellungen",
|
||||
'settings_cacheDir' => "Cache Verzeichnis",
|
||||
'settings_cacheDir_desc' => "Verzeichnis in dem Vorschaubilder abgelegt werden. Dies sollte ein Verzeichnis sein, auf das man über den Web-Browser keinen direkten Zugriff hat.",
|
||||
'settings_Calendar' => "Kalender-Einstellungen",
|
||||
'settings_calendarDefaultView' => "Kalender Standardansicht",
|
||||
'settings_calendarDefaultView_desc' => "Voreingestellte Ansicht des Kalenders",
|
||||
'settings_cookieLifetime' => "Lebensdauer des Cookies",
|
||||
'settings_cookieLifetime_desc' => "Die Lebensdauer des Cookies für die Sitzungsverwaltung. Wenn dieser Wert auf 0 gesetzt wird, dann wird der Cookie beim Schließen des Browsers gelöscht.",
|
||||
'settings_contentDir' => "Content-Verzeichnis",
|
||||
'settings_contentDir_desc' => "Verzeichnis, in dem die Dokumente gespeichert werden. Sie sollten ein Verzeichnis wählen, das nicht durch den Web-Server erreichbar ist.",
|
||||
'settings_contentOffsetDir' => "Content Offset Directory",
|
||||
'settings_contentOffsetDir_desc' => "Die Dokumente werden nicht direkt im Content-Verzeichnis, sondern in einem Unterverzeichnis angelegt. Der Name dieses Verzeichnis ist beliebig, wird aber historisch bedingt oft auf '1048576' gesetzt.",
|
||||
'settings_coreDir' => "Core SeedDMS Verzeichnis",
|
||||
'settings_coreDir_desc' => "Pfad zum PEAR-Paket SeedDMS_Core (optional). Lassen Sie diese Einstellung leer, wenn SeedDMS_Core ohnehin von PHP gefunden wird, weil es beispielweise im 'Extra PHP Include-Path' installiert ist.",
|
||||
'settings_loginFailure_desc' => "Konto nach n Anmeldefehlversuchen sperren.",
|
||||
'settings_loginFailure' => "Anmeldefehlversuche",
|
||||
'settings_luceneClassDir' => "Lucene SeedDMS Verzeichnis",
|
||||
'settings_luceneClassDir_desc' => "Pfad zum PEAR-Paket SeedDMS_Lucene (optional). Lassen Sie diese Einstellung leer, wenn SeedDMS_Lucene ohnehin von PHP gefunden wird, weil es beispielweise im 'Extra PHP Include-Path' installiert ist.",
|
||||
'settings_luceneDir' => "Lucene Index-Verzeichnis",
|
||||
'settings_luceneDir_desc' => "Verzeichnis in dem der Lucene-Index abgelegt wird.",
|
||||
'settings_cannot_disable' => "Datei ENABLE_INSTALL_TOOL konnte nicht gelöscht werden.",
|
||||
'settings_install_disabled' => "Datei ENABLE_INSTALL_TOOL wurde gelöscht. Sie können sich nun bei SeedDMS anmeldung und mit der Konfiguration fortfahren.",
|
||||
'settings_createdatabase' => "Datenbank erzeugen",
|
||||
'settings_createdirectory' => "Verzeichnis erzeugen",
|
||||
'settings_currentvalue' => "Aktueller Wert",
|
||||
'settings_Database' => "Datenbank-Einstellungen",
|
||||
'settings_dbDatabase' => "Datenbank",
|
||||
'settings_dbDatabase_desc' => "Der Name der Datenbank, die bei der Installation von SeedDMS eingerichtet wurde. Ändern Sie diese Feld nicht, es sei denn es ist notwendig, weil Sie die Datenbank umbenannt haben.",
|
||||
'settings_dbDriver' => "Datenbank-Typ",
|
||||
'settings_dbDriver_desc' => "Der Typ der Datenbank, die bei der Installation von SeedDMS eingerichtet wurde. Ändern Sie dieses Feld nicht, es sei denn Sie migrieren die Datenbank auf einen anderen Datenbank-Server. Für eine Liste der möglichen Typen schauen Sie bitte in das Readme von ADOdb",
|
||||
'settings_dbHostname_desc' => "Der Name des Servers auf dem Ihr Datenbank-Server läuft. Ändern Sie dieses Feld nur, wenn Sie die Datenbank auf einen anderen Server transferieren.",
|
||||
'settings_dbHostname' => "Server-Name",
|
||||
'settings_dbPass_desc' => "Das Passwort, um auf die Datenbank zugreifen zu können.",
|
||||
'settings_dbPass' => "Passwort",
|
||||
'settings_dbUser_desc' => "Der Benutzername, um auf die Datenbank zugreifen zu können.",
|
||||
'settings_dbUser' => "Benutzer",
|
||||
'settings_dbVersion' => "Datenbankschema zu alt",
|
||||
'settings_delete_install_folder' => "Um SeedDMS nutzen zu können, müssen Sie die Datei ENABLE_INSTALL_TOOL aus dem Konfigurationsverzeichnis löschen.",
|
||||
'settings_disable_install' => "Lösche ENABLE_INSTALL_TOOL wenn möglich",
|
||||
'settings_disableSelfEdit_desc' => "Anwählen, um das Ändern des eigenen Profiles zu erlauben.",
|
||||
'settings_disableSelfEdit' => "Ändern des eigenen Profils",
|
||||
'settings_dropFolderDir_desc' => "Dieses Verzeichnis kann dazu benutzt werden Dokumente auf dem Server abzulegen und von dort zu importieren anstatt sie über den Browser hochzuladen. Das Verzeichnis muss ein Unterverzeichnis mit dem Login-Namen des angemeldeten Benutzers beinhalten.",
|
||||
'settings_dropFolderDir' => "Verzeichnis für Ablageordner",
|
||||
'settings_Display' => "Anzeige-Einstellungen",
|
||||
'settings_Edition' => "Funktions-Einstellungen",
|
||||
'settings_enableAdminRevApp_desc' => "Anwählen, um Administratoren in der Liste der Prüfer und Freigeber auszugeben",
|
||||
'settings_enableAdminRevApp' => "Admin darf genehmigen/prüfen",
|
||||
'settings_enableCalendar_desc' => "Kalender ein/ausschalten",
|
||||
'settings_enableCalendar' => "Kalender einschalten",
|
||||
'settings_enableConverting_desc' => "Ein/Auschalten der automatischen Konvertierung von Dokumenten",
|
||||
'settings_enableConverting' => "Dokumentenkonvertierung einschalten",
|
||||
'settings_enableDuplicateDocNames_desc' => "Erlaube doppelte Dokumentennamen in einem Ordner.",
|
||||
'settings_enableDuplicateDocNames' => "Erlaube doppelte Dokumentennamen",
|
||||
'settings_enableNotificationAppRev_desc' => "Setzen Sie diese Option, wenn die Prüfer und Freigeber eines Dokuments beim Hochladen einer neuen Version benachrichtigt werden sollen.",
|
||||
'settings_enableNotificationAppRev' => "Prűfer/Freigeber benachrichtigen",
|
||||
'settings_enableOwnerRevApp_desc' => "Enable this if you want the owner of a document to be listed as reviewers/approvers and for workflow transitions.",
|
||||
'settings_enableOwnerRevApp' => "Allow review/approval for owner",
|
||||
'settings_enableSelfRevApp_desc' => "Enable this if you want the currently logged in user to be listed as reviewers/approvers and for workflow transitions.",
|
||||
'settings_enableSelfRevApp' => "Allow review/approval for logged in user",
|
||||
'settings_enableVersionModification_desc' => "Setzen Sie diese Option, wenn Versionen eines Dokuments nach dem Hochladen noch durch reguläre Benutzer verändert werden dürfen. Administratoren dürfen dies immer.",
|
||||
'settings_enableVersionModification' => "Erlaube Modifikation von Versionen",
|
||||
'settings_enableVersionDeletion_desc' => "Setzen Sie diese Option, wenn frühere Versionen eines Dokuments durch reguläre Benutzer gelöscht werden können. Administratoren dürfen dies immer.",
|
||||
'settings_enableVersionDeletion' => "Erlaube Löschen alter Versionen",
|
||||
'settings_enableEmail_desc' => "Automatische E-Mail-Benachrichtigung ein-/ausschalten",
|
||||
'settings_enableEmail' => "E-mail aktivieren",
|
||||
'settings_enableFolderTree_desc' => "Schaltet den Verzeichnisbaum ein oder aus",
|
||||
'settings_enableFolderTree' => "Verzeichnisbaum einschalten",
|
||||
'settings_enableFullSearch' => "Volltextsuche einschalten",
|
||||
'settings_enableFullSearch_desc' => "Anwählen, um die Volltextsuche mittels Lucene einzuschalten.",
|
||||
'settings_enableGuestLogin_desc' => "Wenn Sie Gast-Logins erlauben wollen, dann wählen Sie diese Option an. Anmerkung: Gast-Logins sollten nur in einer vertrauenswürdigen Umgebung erlaubt werden.",
|
||||
'settings_enableGuestLogin' => "Anmeldung als Gast",
|
||||
'settings_enableLanguageSelector' => "Sprachauswahl einschalten",
|
||||
'settings_enableLanguageSelector_desc' => "Zeige Auswahl der verfügbaren Sprachen nachdem man sich angemeldet hat. Dies hat keinen Einfluss auf die Sprachauswahl auf der Anmeldeseite.",
|
||||
'settings_enableLargeFileUpload_desc' => "Wenn dies gesetzt ist, dann ist ebenfalls der Upload von Dokumenten durch ein java applet mit Namen 'jumploader' ohne Begrenzung der maximalen Dateigröße möglich. Auch das Hochladen mehrerer Dokumente in einem Schritt wird dadurch ermöglicht.",
|
||||
'settings_enableLargeFileUpload' => "Hochladen von sehr großen Dateien ermöglichen",
|
||||
'settings_enableOwnerNotification_desc' => "Setzen Sie diese Option, wenn der Besitzer eines Dokuments nach dem Hochladen in die Liste der Beobachter eingetragen werden soll.",
|
||||
'settings_enableOwnerNotification' => "Besitzer als Beobachter eintragen",
|
||||
'settings_enablePasswordForgotten_desc' => "Setzen Sie diese Option, wenn Benutzer ein neues Password per E-Mail anfordern dürfen.",
|
||||
'settings_enablePasswordForgotten' => "Passwort-Vergessen Funktion einschalten",
|
||||
'settings_enableUserImage_desc' => "Foto der Benutzer ein-/ausschalten",
|
||||
'settings_enableUserImage' => "Benutzerbilder einschalten",
|
||||
'settings_enableUsersView_desc' => "Gruppen- und Benutzeransicht für alle Benutzer ein-/ausschalten",
|
||||
'settings_enableUsersView' => "Benutzeransicht aktivieren",
|
||||
'settings_encryptionKey' => "Verschlüsselungs-Sequenz",
|
||||
'settings_encryptionKey_desc' => "Diese Zeichenkette wird verwendet um eine eindeutige Kennung zu erzeugen, die als verstecktes Feld in einem Formular untergebracht wird. Sie dient zur Verhinderung von CSRF-Attacken.",
|
||||
'settings_error' => "Fehler",
|
||||
'settings_expandFolderTree_desc' => "Auswählen, wie der Dokumenten-Baum nach der Anmeldung angezeigt wird.",
|
||||
'settings_expandFolderTree' => "Dokumenten-Baum",
|
||||
'settings_expandFolderTree_val0' => "versteckt",
|
||||
'settings_expandFolderTree_val1' => "sichtbar und erste Ebene ausgeklappt",
|
||||
'settings_expandFolderTree_val2' => "sichtbar und komplett ausgeklappt",
|
||||
'settings_firstDayOfWeek_desc' => "Erster Tag der Woche",
|
||||
'settings_firstDayOfWeek' => "Erster Tag der Woche",
|
||||
'settings_footNote_desc' => "Meldung, die im Fuß jeder Seite angezeigt wird.",
|
||||
'settings_footNote' => "Text im Fuß der Seite",
|
||||
'settings_guestID_desc' => "Id des Gast-Benutzers, wenn man sich als 'guest' anmeldet.",
|
||||
'settings_guestID' => "Gast-ID",
|
||||
'settings_httpRoot_desc' => "Der relative Pfad in der URL nach der Domain, also ohne http:// und den hostnamen. z.B. wenn die komplette URL http://www.example.com/seeddms/ ist, dann setzen Sie diesen Wert auf '/seeddms/'. Wenn die URL http://www.example.com/ ist, tragen Sie '/' ein.",
|
||||
'settings_httpRoot' => "HTTP Wurzelverzeichnis",
|
||||
'settings_installADOdb' => "Installieren Sie ADOdb",
|
||||
'settings_install_success' => "Die Installation wurde erfolgreich beendet",
|
||||
'settings_install_pear_package_log' => "Installiere Pear package 'Log'",
|
||||
'settings_install_pear_package_webdav' => "Installiere Pear package 'HTTP_WebDAV_Server', if you intend to use the webdav interface",
|
||||
'settings_install_zendframework' => "Installiere Zend Framework, wenn Sie die Volltextsuche einsetzen möchten.",
|
||||
'settings_language' => "Voreingestellte Sprache",
|
||||
'settings_language_desc' => "Voreingestellte Sprache (entspricht dem Unterverzeichnis im Verzeichnis 'languages')",
|
||||
'settings_logFileEnable_desc' => "Anwählen, um alle Aktionen in einer Log-Datei im Datenverzeichnis zu speichern.",
|
||||
'settings_logFileEnable' => "Log-Datei ein-/ausschalten",
|
||||
'settings_logFileRotation_desc' => "Zeitraum nachdem eine Rotation der Log-Datei durchgeführt wird",
|
||||
'settings_logFileRotation' => "Rotation der Log-Datei",
|
||||
'settings_luceneDir' => "Verzeichnis für Volltextindex",
|
||||
'settings_maxDirID_desc' => "Maximale Anzahl der Unterverzeichnisse in einem Verzeichnis. Voreingestellt ist 32700.",
|
||||
'settings_maxDirID' => "Max. Anzahl Unterverzeichnisse",
|
||||
'settings_maxExecutionTime_desc' => "Maximale Zeit in Sekunden bis ein Skript beendet wird.",
|
||||
'settings_maxExecutionTime' => "Max. Ausführungszeit (s)",
|
||||
'settings_more_settings' => "Weitere Einstellungen. Login mit admin/admin",
|
||||
'settings_Notification' => "Benachrichtigungen-Einstellungen",
|
||||
'settings_no_content_dir' => "Content directory",
|
||||
'settings_notfound' => "Nicht gefunden",
|
||||
'settings_notwritable' => "Die Konfiguration kann nicht gespeichert werden, weil die Konfigurationsdatei nicht schreibbar ist.",
|
||||
'settings_partitionSize' => "Partitionsgröße",
|
||||
'settings_partitionSize_desc' => "Größe der partiellen Uploads in Bytes durch den Jumploader. Wählen Sie diesen Wert nicht größer als maximale Upload-Größe, die durch den Server vorgegeben ist.",
|
||||
'settings_passwordExpiration' => "Passwortverfall",
|
||||
'settings_passwordExpiration_desc' => "Die Zahl der Tage nach der ein Passwort verällt und neu gesetzt werden muss. 0 schaltet den Passwortverfall aus.",
|
||||
'settings_passwordHistory' => "Passwort-Historie",
|
||||
'settings_passwordHistory_desc' => "Die Zahl der Passwörter, die ein Benutzer verwendet hat, bevor er ein altes Passwort wiederverwenden darf. 0 schaltet die Passwort-Historie aus.",
|
||||
'settings_passwordStrength' => "Min. Passwortstärke",
|
||||
'settings_passwordЅtrength_desc' => "Die minimale Passwortstärke ist ein ganzzahliger werden zwischen 0 und 100. Ein Wert von 0 schaltet die Überprüfung auf starke Passwörter aus.",
|
||||
'settings_passwordStrengthAlgorithm' => "Algorithmus für Passwortstärke",
|
||||
'settings_passwordStrengthAlgorithm_desc' => "Der Algorithmus zur Berechnung der Passwortstärke. Der 'einfache' Algorithmus überprüft lediglich auf mindestens einen Kleinbuchstaben, einen Großbuchstaben, eine Zahl, ein Sonderzeichen und eine Mindestlänge von 8.",
|
||||
'settings_passwordStrengthAlgorithm_valsimple' => "einfach",
|
||||
'settings_passwordStrengthAlgorithm_valadvanced' => "komplex",
|
||||
'settings_perms' => "Berechtigungen",
|
||||
'settings_pear_log' => "Pear package : Log",
|
||||
'settings_pear_webdav' => "Pear package : HTTP_WebDAV_Server",
|
||||
'settings_php_dbDriver' => "PHP extension : php_'see current value'",
|
||||
'settings_php_gd2' => "PHP-Erweiterung: php_gd2",
|
||||
'settings_php_mbstring' => "PHP-Erweiterung: php_mbstring",
|
||||
'settings_printDisclaimer_desc' => "Anwählen, um die rechtlichen Hinweise am Ende jeder Seite anzuzeigen.",
|
||||
'settings_printDisclaimer' => "Rechtliche Hinweise",
|
||||
'settings_quota' => "User's quota",
|
||||
'settings_quota_desc' => "Die maximale Anzahl Bytes, die ein Benutzer beleen darf. Setzen Sie diesen Wert auf 0 für unbeschränkten Plattenplatz. Dieser Wert kann individuell in den Benutzereinstellungen überschrieben werden.",
|
||||
'settings_restricted_desc' => "Nur Benutzer, die einen Eintrag in der Benutzerdatenbank haben dürfen sich anmelden (unabhängig von einer erfolgreichen Authentifizierung über LDAP)",
|
||||
'settings_restricted' => "Beschränkter Zugriff",
|
||||
'settings_rootDir_desc' => "Wurzelverzeichnis von SeedDMS auf der Festplatte",
|
||||
'settings_rootDir' => "Wurzelverzeichnis",
|
||||
'settings_rootFolderID_desc' => "Id des Wurzelordners in SeedDMS (kann in der Regel unverändert bleiben)",
|
||||
'settings_rootFolderID' => "Id des Wurzelordners",
|
||||
'settings_SaveError' => "Fehler beim Speichern der Konfiguration",
|
||||
'settings_Server' => "Server-Einstellungen",
|
||||
'settings' => "Einstellungen",
|
||||
'settings_siteDefaultPage_desc' => "Erste Seite nach der Anmeldung. Voreingestellt ist 'out/out.ViewFolder.php'",
|
||||
'settings_siteDefaultPage' => "Startseite",
|
||||
'settings_siteName_desc' => "Name der Site zur Anzeige in Seitentiteln. Voreingestellt ist 'SeedDMS'",
|
||||
'settings_siteName' => "Name der Site",
|
||||
'settings_Site' => "Site",
|
||||
'settings_smtpPort_desc' => "SMTP Server Port, voreingestellt ist 25",
|
||||
'settings_smtpPort' => "SMTP Server Port",
|
||||
'settings_smtpSendFrom_desc' => "Absenderadresse für herausgehende Mails",
|
||||
'settings_smtpSendFrom' => "Absenderadresse",
|
||||
'settings_smtpServer_desc' => "SMTP Server-Hostname",
|
||||
'settings_smtpServer' => "SMTP Server-Hostname",
|
||||
'settings_SMTP' => "SMTP Server-Einstellungen",
|
||||
'settings_stagingDir' => "Verzeichnis für partielle Uploads",
|
||||
'settings_stagingDir_desc' => "Das Verzeichnis in dem der jumploader die Teile eines Datei-Uploads hochläd, bevor sie wieder zusammengesetzt werden.",
|
||||
'settings_strictFormCheck_desc' => "Genaue Formularprüfung. Wenn dies eingeschaltet wird, dann werden alle Felder einiger Formulare auf einen Wert überprüft, anderenfalls sind einige Eingabefelder optional. Ein Kommentar ist beim Prüfen oder Freigeben eines Dokuments oder einer Statusänderung immer notwendig.",
|
||||
'settings_strictFormCheck' => "Genauer Formular-Check",
|
||||
'settings_suggestionvalue' => "Vorgeschlagener Wert",
|
||||
'settings_System' => "System",
|
||||
'settings_theme' => "Aussehen",
|
||||
'settings_theme_desc' => "Voreingestelltes Aussehen (Name des Unterordners 'styles')",
|
||||
'settings_titleDisplayHack_desc' => "Workaround for page titles that go over more than 2 lines.",
|
||||
'settings_titleDisplayHack' => "Title Display Hack",
|
||||
'settings_updateDatabase' => "Datenbank-Update-Skript ausführen",
|
||||
'settings_updateNotifyTime_desc' => "Users are notified about document-changes that took place within the last 'Update Notify Time' seconds",
|
||||
'settings_updateNotifyTime' => "Update Notify Time",
|
||||
'settings_versioningFileName_desc' => "Der Name der Datei mit Versionsinformationen, wie sie durch das Backup-Tool erzeugt werden.",
|
||||
'settings_versioningFileName' => "Versionsinfo-Datei",
|
||||
'settings_viewOnlineFileTypes_desc' => "Dateien mit den angegebenen Endungen können Online angeschaut werden (benutzen Sie ausschließlich Kleinbuchstaben).",
|
||||
'settings_viewOnlineFileTypes' => "Dateitypen für Online-Ansicht",
|
||||
'settings_workflowMode_desc' => "Der erweiterte Workflow-Modes erlaubt es eigene Workflows zu erstellen.",
|
||||
'settings_workflowMode' => "Workflow mode",
|
||||
'settings_workflowMode_valtraditional' => "traditional",
|
||||
'settings_workflowMode_valadvanced' => "erweitert",
|
||||
'settings_zendframework' => "Zend Framework",
|
||||
'signed_in_as' => "Angemeldet als",
|
||||
'sign_in' => "Anmelden",
|
||||
'sign_out' => "Abmelden",
|
||||
'space_used_on_data_folder' => "Benutzter Plattenplatz",
|
||||
'status_approval_rejected' => "Entwurf abgelehnt",
|
||||
'status_approved' => "freigegeben",
|
||||
'status_approver_removed' => "Freigebender wurde vom Prozess ausgeschlossen",
|
||||
'status_not_approved' => "keine Freigabe",
|
||||
'status_not_reviewed' => "nicht geprüft",
|
||||
'status_reviewed' => "geprüft",
|
||||
'status_reviewer_rejected' => "Entwurf abgelehnt",
|
||||
'status_reviewer_removed' => "Prüfer wurde vom Prozess ausgeschlossen",
|
||||
'status' => "Status",
|
||||
'status_unknown' => "unbekannt",
|
||||
'storage_size' => "Speicherverbrauch",
|
||||
'submit_approval' => "Freigabe hinzufügen",
|
||||
'submit_login' => "Anmelden",
|
||||
'submit_password' => "Setze neues Passwort",
|
||||
'submit_password_forgotten' => "Neues Passwort setzen und per E-Mail schicken",
|
||||
'submit_review' => "Überprüfung hinzufügen",
|
||||
'submit_userinfo' => "Daten setzen",
|
||||
'sunday' => "Sonntag",
|
||||
'sunday_abbr' => "So",
|
||||
'theme' => "Aussehen",
|
||||
'thursday' => "Donnerstag",
|
||||
'thursday_abbr' => "Do",
|
||||
'toggle_manager' => "Managerstatus wechseln",
|
||||
'to' => "bis",
|
||||
'transition_triggered_email' => "Workflow transition triggered",
|
||||
'transition_triggered_email_subject' => "[sitename]: [name] - Workflow transition triggered",
|
||||
'transition_triggered_email_body' => "Workflow transition triggered\r\nDocument: [name]\r\nVersion: [version]\r\nComment: [comment]\r\nWorkflow: [workflow]\r\nPrevious state: [previous_state]\r\nCurrent state: [current_state]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'trigger_workflow' => "Workflow",
|
||||
'tuesday' => "Dienstag",
|
||||
'tuesday_abbr' => "Di",
|
||||
'type_to_search' => "Hier tippen zum Suchen",
|
||||
'under_folder' => "In Ordner",
|
||||
'unknown_command' => "unbekannter Befehl",
|
||||
'unknown_document_category' => "Unbekannte Kategorie",
|
||||
'unknown_group' => "unbekannte Gruppenidentifikation",
|
||||
'unknown_id' => "unbekannte id",
|
||||
'unknown_keyword_category' => "unbekannte Kategorie",
|
||||
'unknown_owner' => "unbekannte Besitzeridentifikation",
|
||||
'unknown_user' => "unbekannte Benutzeridentifikation",
|
||||
'unlinked_content' => "Dokumenteninhalt ohne Dokument",
|
||||
'unlinking_objects' => "Lösche verwaiste Objekte",
|
||||
'unlock_cause_access_mode_all' => "Sie verfügen jedoch über unbeschränken Zugriff auf dieses Dokument.<br>Daher wird die Sperrung beim Update automatisch aufgehoben",
|
||||
'unlock_cause_locking_user' => "Sie sind im Moment mit demselben Benutzer angemeldet.<br>Daher wird die Sperrung beim Update automatisch aufgehoben",
|
||||
'unlock_document' => "Sperrung aufheben",
|
||||
'update_approvers' => "Liste der Freigebenden aktualisieren",
|
||||
'update_document' => "Aktualisieren",
|
||||
'update_fulltext_index' => "Aktualisiere Volltextindex",
|
||||
'update_info' => "Informationen zur Aktualisierung",
|
||||
'update_locked_msg' => "Dieses Dokument wurde gesperrt<p>Die Sperrung wurde von <a href=\"mailto:[email]\">[username]</a> eingerichtet.<br>",
|
||||
'update_reviewers' => "Liste der Prüfer aktualisieren",
|
||||
'update' => "aktualisieren",
|
||||
'uploaded_by' => "Hochgeladen durch",
|
||||
'uploading_failed' => "Das Hochladen einer Datei ist fehlgeschlagen. Bitte überprüfen Sie die maximale Dateigröße für Uploads.",
|
||||
'uploading_zerosize' => "Versuch eine leere Datei hochzuladen. Vorgang wird abgebrochen.",
|
||||
'use_default_categories' => "Kategorievorlagen",
|
||||
'use_default_keywords' => "Stichwortvorlagen",
|
||||
'used_discspace' => "Verbrauchter Speicherplatz",
|
||||
'user_exists' => "Benutzer besteht bereits.",
|
||||
'user_group_management' => "Benutzer-/Gruppenmanagement",
|
||||
'user_image' => "Bild",
|
||||
'user_info' => "Benutzerinformation",
|
||||
'user_list' => "Benutzerübersicht",
|
||||
'user_login' => "Benutzername",
|
||||
'user_management' => "Benutzerverwaltung",
|
||||
'user_name' => "Vollst. Name",
|
||||
'users' => "Benutzer",
|
||||
'user' => "Benutzer",
|
||||
'version_deleted_email' => "Version gelöscht",
|
||||
'version_deleted_email_subject' => "[sitename]: [name] - Version gelöscht",
|
||||
'version_deleted_email_body' => "Version gelöscht\r\nDokument: [name]\r\nVersion: [version]\r\nElternordner: [folder_path]\r\nBenutzer: [username]\r\nURL: [url]",
|
||||
'version_info' => "Versionsinformation",
|
||||
'versioning_file_creation' => "Datei-Versionierung",
|
||||
'versioning_file_creation_warning' => "Sie erzeugen eine Datei die sämtliche Versions-Informationen eines DMS-Verzeichnisses enthält. Nach Erstellung wird jede Datei im Dokumentenverzeichnis gespeichert.",
|
||||
'versioning_info' => "Versionsinformationen",
|
||||
'version' => "Version",
|
||||
'view' => "Ansicht",
|
||||
'view_online' => "Online betrachten",
|
||||
'warning' => "Warnung",
|
||||
'wednesday' => "Mitwoch",
|
||||
'wednesday_abbr' => "Mi",
|
||||
'week_view' => "Wochenansicht",
|
||||
'weeks' => "Wochen",
|
||||
'workflow' => "Workflow",
|
||||
'workflow_action_in_use' => "This action is currently used by workflows.",
|
||||
'workflow_action_name' => "Name",
|
||||
'workflow_editor' => "Workflow Editor",
|
||||
'workflow_group_summary' => "Gruppenübersicht",
|
||||
'workflow_name' => "Name",
|
||||
'workflow_in_use' => "Dieser Workflow wird zur Zeit noch von einem Dokument verwendet.",
|
||||
'workflow_initstate' => "Initialer Status",
|
||||
'workflow_management' => "Workflow-Management",
|
||||
'workflow_no_states' => "Es muss zunächst mindestens ein Workflow-Status angelegt werden, um einen Workflow anlegen zu können.",
|
||||
'workflow_states_management' => "Workflow-Status-Management",
|
||||
'workflow_actions_management' => "Workflow-Aktions-Management",
|
||||
'workflow_state_docstatus' => "Dokumentenstatus",
|
||||
'workflow_state_in_use' => "Dieser Status wird zur Zeit von einem Workflow verwendet.",
|
||||
'workflow_state_name' => "Name",
|
||||
'workflow_summary' => "Übersicht Workflows",
|
||||
'workflow_user_summary' => "Übersicht Benutzer",
|
||||
'year_view' => "Jahresansicht",
|
||||
'yes' => "Ja",
|
||||
|
||||
'ca_ES' => "Katalanisch",
|
||||
'cs_CZ' => "Tschechisch",
|
||||
'de_DE' => "Deutsch",
|
||||
'en_GB' => "Englisch (GB)",
|
||||
'es_ES' => "Spanisch",
|
||||
'fr_FR' => "Französisch",
|
||||
'hu_HU' => "Ungarisch",
|
||||
'it_IT' => "Italienisch",
|
||||
'nl_NL' => "Hollandisch",
|
||||
'pt_BR' => "Portugiesisch (BR)",
|
||||
'ru_RU' => "Russisch",
|
||||
'sk_SK' => "Slovakisch",
|
||||
'sv_SE' => "Schwedisch",
|
||||
'zh_CN' => "Chinesisch (CN)",
|
||||
'zh_TW' => "Chinesisch (TW)",
|
||||
);
|
||||
?>
|
889
languages/en_GB/lang.inc
Normal file
889
languages/en_GB/lang.inc
Normal file
|
@ -0,0 +1,889 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
// Copyright (C) 2012 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "Accept",
|
||||
'access_denied' => "Access denied.",
|
||||
'access_inheritance' => "Access Inheritance",
|
||||
'access_mode' => "Access mode",
|
||||
'access_mode_all' => "All permissions",
|
||||
'access_mode_none' => "No access",
|
||||
'access_mode_read' => "Read permissions",
|
||||
'access_mode_readwrite' => "Read-Write permissions",
|
||||
'access_permission_changed_email' => "Permission changed",
|
||||
'access_permission_changed_email_subject' => "[sitename]: [name] - Permission changed",
|
||||
'access_permission_changed_email_body' => "Permission changed\r\nDocument: [name]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'according_settings' => "according settings",
|
||||
'action' => "Action",
|
||||
'action_approve' => "Approve",
|
||||
'action_complete' => "Complete",
|
||||
'action_is_complete' => "Is complete",
|
||||
'action_is_not_complete' => "Is not complete",
|
||||
'action_reject' => "Reject",
|
||||
'action_review' => "Review",
|
||||
'action_revise' => "Revise",
|
||||
'actions' => "Actions",
|
||||
'add' => "Add",
|
||||
'add_doc_reviewer_approver_warning' => "N.B. Documents are automatically marked as released if no reviewer or approver is assigned.",
|
||||
'add_doc_workflow_warning' => "N.B. Documents are automatically marked as released if no workflow is assigned.",
|
||||
'add_document' => "Add document",
|
||||
'add_document_link' => "Add link",
|
||||
'add_event' => "Add event",
|
||||
'add_group' => "Add new group",
|
||||
'add_member' => "Add a member",
|
||||
'add_multiple_documents' => "Add multiple documents",
|
||||
'add_multiple_files' => "Add multiple files (will use filename as document name)",
|
||||
'add_subfolder' => "Add subfolder",
|
||||
'add_to_clipboard' => "Add to clipboard",
|
||||
'add_user' => "Add new user",
|
||||
'add_user_to_group' => "Add user to group",
|
||||
'add_workflow' => "Add new workflow",
|
||||
'add_workflow_state' => "Add new workflow state",
|
||||
'add_workflow_action' => "Add new workflow action",
|
||||
'admin' => "Administrator",
|
||||
'admin_tools' => "Admin-Tools",
|
||||
'all' => "All",
|
||||
'all_categories' => "All categories",
|
||||
'all_documents' => "All Documents",
|
||||
'all_pages' => "All",
|
||||
'all_users' => "All users",
|
||||
'already_subscribed' => "Already subscribed",
|
||||
'and' => "and",
|
||||
'apply' => "Apply",
|
||||
'approval_deletion_email' => "Approval request deleted",
|
||||
'approval_group' => "Approval Group",
|
||||
'approval_request_email' => "Approval request",
|
||||
'approval_request_email_subject' => "[sitename]: [name] - Approval request",
|
||||
'approval_request_email_body' => "Approval request\r\nDocument: [name]\r\nVersion: [version]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'approval_status' => "Approval Status",
|
||||
'approval_submit_email' => "Submitted approval",
|
||||
'approval_summary' => "Approval Summary",
|
||||
'approval_update_failed' => "Error updating approval status. Update failed.",
|
||||
'approvers' => "Approvers",
|
||||
'april' => "April",
|
||||
'archive_creation' => "Archive creation",
|
||||
'archive_creation_warning' => "With this operation you can create achive containing the files of entire DMS folders. After the creation the archive will be saved in the data folder of your server.<br>WARNING: an archive created as human readable will be unusable as server backup.",
|
||||
'assign_approvers' => "Assign Approvers",
|
||||
'assign_reviewers' => "Assign Reviewers",
|
||||
'assign_user_property_to' => "Assign user's properties to",
|
||||
'assumed_released' => "Assumed released",
|
||||
'attrdef_management' => "Attribute definition management",
|
||||
'attrdef_exists' => "Attribute definition already exists",
|
||||
'attrdef_in_use' => "Attribute definition still in use",
|
||||
'attrdef_name' => "Name",
|
||||
'attrdef_multiple' => "Allow multiple values",
|
||||
'attrdef_objtype' => "Object type",
|
||||
'attrdef_type' => "Type",
|
||||
'attrdef_minvalues' => "Min. number of values",
|
||||
'attrdef_maxvalues' => "Max. number of values",
|
||||
'attrdef_valueset' => "Set of values",
|
||||
'attribute_changed_email_subject' => "[sitename]: [name] - Attribute changed",
|
||||
'attribute_changed_email_body' => "Attribute changed\r\nDocument: [name]\r\nVersion: [version]\r\nAttribute: [attribute]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'attributes' => "Attributes",
|
||||
'august' => "August",
|
||||
'automatic_status_update' => "Automatic status change",
|
||||
'back' => "Go back",
|
||||
'backup_list' => "Existings backup list",
|
||||
'backup_remove' => "Remove backup file",
|
||||
'backup_tools' => "Backup tools",
|
||||
'backup_log_management' => "Backup/Logging",
|
||||
'between' => "between",
|
||||
'calendar' => "Calendar",
|
||||
'cancel' => "Cancel",
|
||||
'cannot_assign_invalid_state' => "Cannot modify an obsolete or rejected document",
|
||||
'cannot_change_final_states' => "Warning: You cannot alter status for document rejected, expired or with pending review or approval",
|
||||
'cannot_delete_yourself' => "Cannot delete yourself",
|
||||
'cannot_move_root' => "Error: Cannot move root folder.",
|
||||
'cannot_retrieve_approval_snapshot' => "Unable to retrieve approval status snapshot for this document version.",
|
||||
'cannot_retrieve_review_snapshot' => "Unable to retrieve review status snapshot for this document version.",
|
||||
'cannot_rm_root' => "Error: Cannot delete root folder.",
|
||||
'category' => "Category",
|
||||
'category_exists' => "Category already exists.",
|
||||
'category_filter' => "Only categories",
|
||||
'category_in_use' => "This category is currently used by documents.",
|
||||
'category_noname' => "No category name given.",
|
||||
'categories' => "Categories",
|
||||
'change_assignments' => "Change Assignments",
|
||||
'change_password' => "Change password",
|
||||
'change_password_message' => "Your password has been changed.",
|
||||
'change_status' => "Change Status",
|
||||
'choose_attrdef' => "Please choose attribute definition",
|
||||
'choose_category' => "Please choose",
|
||||
'choose_group' => "Choose group",
|
||||
'choose_target_category' => "Choose category",
|
||||
'choose_target_document' => "Choose document",
|
||||
'choose_target_file' => "Choose file",
|
||||
'choose_target_folder' => "Choose folder",
|
||||
'choose_user' => "Choose user",
|
||||
'choose_workflow' => "Choose workflow",
|
||||
'choose_workflow_state' => "Choose workflow state",
|
||||
'choose_workflow_action' => "Choose workflow action",
|
||||
'close' => "Close",
|
||||
'comment' => "Comment",
|
||||
'comment_for_current_version' => "Version comment",
|
||||
'confirm_create_fulltext_index' => "Yes, I would like to recreate the fulltext index!",
|
||||
'confirm_pwd' => "Confirm Password",
|
||||
'confirm_rm_backup' => "Do you really want to remove the file \"[arkname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_document' => "Do you really want to remove the document \"[documentname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_dump' => "Do you really want to remove the file \"[dumpname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_event' => "Do you really want to remove event \"[name]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_file' => "Do you really want to remove file \"[name]\" of document \"[documentname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_folder' => "Do you really want to remove the folder \"[foldername]\" and its content?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_folder_files' => "Do you really want to remove all the files of the folder \"[foldername]\" and of its subfolders?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_group' => "Do you really want to remove the group \"[groupname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_log' => "Do you really want to remove log file \"[logname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_user' => "Do you really want to remove the user \"[username]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_version' => "Do you really want to remove version [version] of document \"[documentname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'content' => "Content",
|
||||
'continue' => "Continue",
|
||||
'create_fulltext_index' => "Create fulltext index",
|
||||
'create_fulltext_index_warning' => "You are to recreate the fulltext index. This can take a considerable amount of time and reduce your overall system performance. If you really want to recreate the index, please confirm your operation.",
|
||||
'creation_date' => "Created",
|
||||
'current_password' => "Current Password",
|
||||
'current_version' => "Current version",
|
||||
'daily' => "Daily",
|
||||
'days' => "days",
|
||||
'databasesearch' => "Database search",
|
||||
'date' => "Date",
|
||||
'december' => "December",
|
||||
'default_access' => "Default Access Mode",
|
||||
'default_keywords' => "Available keywords",
|
||||
'definitions' => "Definitions",
|
||||
'delete' => "Delete",
|
||||
'details' => "Details",
|
||||
'details_version' => "Details for version: [version]",
|
||||
'disclaimer' => "This is a classified area. Access is permitted only to authorized personnel. Any violation will be prosecuted according to the national and international laws.",
|
||||
'do_object_repair' => "Repair all folders and documents.",
|
||||
'do_object_setfilesize' => "Set file size",
|
||||
'do_object_setchecksum' => "Set checksum",
|
||||
'do_object_unlink' => "Delete document version",
|
||||
'document_already_locked' => "This document is aleady locked",
|
||||
'document_comment_changed_email' => "Comment changed",
|
||||
'document_comment_changed_email_subject' => "[sitename]: [name] - Comment changed",
|
||||
'document_comment_changed_email_body' => "Comment changed\r\nDocument: [name]\r\nOld comment: [old_comment]\r\nComment: [new_comment]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'document_deleted' => "Document deleted",
|
||||
'document_deleted_email' => "Document deleted",
|
||||
'document_deleted_email_subject' => "[sitename]: [name] - Document deleted",
|
||||
'document_deleted_email_body' => "Document deleted\r\nDocument: [name]\r\nParent folder: [folder_path]\r\nUser: [username]",
|
||||
'document_duplicate_name' => "Duplicate document name",
|
||||
'document' => "Document",
|
||||
'document_has_no_workflow' => "Document has no workflow",
|
||||
'document_infos' => "Document Information",
|
||||
'document_is_not_locked' => "This document is not locked",
|
||||
'document_link_by' => "Linked by",
|
||||
'document_link_public' => "Public",
|
||||
'document_moved_email' => "Document moved",
|
||||
'document_moved_email_subject' => "[sitename]: [name] - Document moved",
|
||||
'document_moved_email_body' => "Document move\r\nDocument: [name]\r\nOld folder: [old_folder_path]\r\nNew folder: [new_folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'document_renamed_email' => "Document renamed",
|
||||
'document_renamed_email_subject' => "[sitename]: [name] - Document renamed",
|
||||
'document_renamed_email_body' => "Document renamed\r\nDocument: [name]\r\nParent folder: [folder_path]\r\nOld name: [old_name]\r\nUser: [username]\r\nURL: [url]",
|
||||
'documents' => "Documents",
|
||||
'documents_in_process' => "Documents In Process",
|
||||
'documents_locked_by_you' => "Documents locked by you",
|
||||
'documents_only' => "Documents only",
|
||||
'document_status_changed_email' => "Document status changed",
|
||||
'document_status_changed_email_subject' => "[sitename]: [name] - Document status changed",
|
||||
'document_status_changed_email_body' => "Document status changed\r\nDocument: [name]\r\nStatus: [status]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'documents_to_approve' => "Documents awaiting your approval",
|
||||
'documents_to_review' => "Documents awaiting your review",
|
||||
'documents_user_requiring_attention' => "Documents owned by you that require attention",
|
||||
'document_title' => "Document '[documentname]'",
|
||||
'document_updated_email' => "Document updated",
|
||||
'document_updated_email_subject' => "[sitename]: [name] - Document updated",
|
||||
'document_updated_email_body' => "Document updated\r\nDocument: [name]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'does_not_expire' => "Does not expire",
|
||||
'does_not_inherit_access_msg' => "Inherit access",
|
||||
'download' => "Download",
|
||||
'drag_icon_here' => "Drag icon of folder or document here!",
|
||||
'draft_pending_approval' => "Draft - pending approval",
|
||||
'draft_pending_review' => "Draft - pending review",
|
||||
'dropfolder_file' => "File from drop folder",
|
||||
'dump_creation' => "DB dump creation",
|
||||
'dump_creation_warning' => "With this operation you can create a dump file of your database content. After the creation the dump file will be saved in the data folder of your server.",
|
||||
'dump_list' => "Existings dump files",
|
||||
'dump_remove' => "Remove dump file",
|
||||
'edit_attributes' => "Edit attributes",
|
||||
'edit_comment' => "Edit comment",
|
||||
'edit_default_keywords' => "Edit keywords",
|
||||
'edit_document_access' => "Edit Access",
|
||||
'edit_document_notify' => "Document Notification List",
|
||||
'edit_document_props' => "Edit document",
|
||||
'edit' => "Edit",
|
||||
'edit_event' => "Edit event",
|
||||
'edit_existing_access' => "Edit Access List",
|
||||
'edit_existing_notify' => "Edit notification list",
|
||||
'edit_folder_access' => "Edit access",
|
||||
'edit_folder_notify' => "Folder Notification List",
|
||||
'edit_folder_props' => "Edit folder",
|
||||
'edit_group' => "Edit group",
|
||||
'edit_user_details' => "Edit User Details",
|
||||
'edit_user' => "Edit user",
|
||||
'email' => "Email",
|
||||
'email_error_title' => "No email entered",
|
||||
'email_footer' => "You can always change your e-mail settings using 'My Account' functions",
|
||||
'email_header' => "This is an automatic message from the DMS server.",
|
||||
'email_not_given' => "Please enter a valid email address.",
|
||||
'empty_folder_list' => "No documents or folders",
|
||||
'empty_notify_list' => "No entries",
|
||||
'equal_transition_states' => "Start and end state are equal",
|
||||
'error' => "Error",
|
||||
'error_no_document_selected' => "No document selected",
|
||||
'error_no_folder_selected' => "No folder selected",
|
||||
'error_occured' => "An error has occured",
|
||||
'event_details' => "Event details",
|
||||
'expired' => "Expired",
|
||||
'expires' => "Expires",
|
||||
'expiry_changed_email' => "Expiry date changed",
|
||||
'expiry_changed_email_subject' => "[sitename]: [name] - Expiry date changed",
|
||||
'expiry_changed_email_body' => "Expiry date changed\r\nDocument: [name]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'february' => "February",
|
||||
'file' => "File",
|
||||
'files_deletion' => "Files deletion",
|
||||
'files_deletion_warning' => "With this option you can delete all files of entire DMS folders. The versioning information will remain visible.",
|
||||
'files' => "Files",
|
||||
'file_size' => "Filesize",
|
||||
'folder_comment_changed_email' => "Comment changed",
|
||||
'folder_comment_changed_email_subject' => "[sitename]: [folder] - Comment changed",
|
||||
'folder_comment_changed_email_body' => "Comment changed\r\nFolder: [name]\r\nVersion: [version]\r\nOld comment: [old_comment]\r\nComment: [new_comment]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'folder_contents' => "Folder Contents",
|
||||
'folder_deleted_email' => "Folder deleted",
|
||||
'folder_deleted_email_subject' => "[sitename]: [name] - Folder deleted",
|
||||
'folder_deleted_email_body' => "Folder deleted\r\nFolder: [name]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'folder' => "Folder",
|
||||
'folder_infos' => "Folder Information",
|
||||
'folder_moved_email' => "Folder moved",
|
||||
'folder_moved_email_subject' => "[sitename]: [name] - Folder moved",
|
||||
'folder_moved_email_body' => "Folder move\r\nFolder: [name]\r\nOld folder: [old_folder_path]\r\nNew folder: [new_folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'folder_renamed_email' => "Folder renamed",
|
||||
'folder_renamed_email_subject' => "[sitename]: [name] - Folder renamed",
|
||||
'folder_renamed_email_body' => "Folder renamed\r\nFolder: [name]\r\nParent folder: [folder_path]\r\nOld name: [old_name]\r\nUser: [username]\r\nURL: [url]",
|
||||
'folders_and_documents_statistic' => "Contents overview",
|
||||
'folders' => "Folders",
|
||||
'folder_title' => "Folder '[foldername]'",
|
||||
'friday' => "Friday",
|
||||
'friday_abbr' => "Fr",
|
||||
'from' => "From",
|
||||
'fullsearch' => "Full text search",
|
||||
'fullsearch_hint' => "Use fulltext index",
|
||||
'fulltext_info' => "Fulltext index info",
|
||||
'global_attributedefinitions' => "Attributes",
|
||||
'global_default_keywords' => "Global keywords",
|
||||
'global_document_categories' => "Categories",
|
||||
'global_workflows' => "Workflows",
|
||||
'global_workflow_actions' => "Workflow Actions",
|
||||
'global_workflow_states' => "Workflow States",
|
||||
'group_approval_summary' => "Group approval summary",
|
||||
'group_exists' => "Group already exists.",
|
||||
'group' => "Group",
|
||||
'group_management' => "Groups management",
|
||||
'group_members' => "Group members",
|
||||
'group_review_summary' => "Group review summary",
|
||||
'groups' => "Groups",
|
||||
'guest_login_disabled' => "Guest login is disabled.",
|
||||
'guest_login' => "Login as guest",
|
||||
'help' => "Help",
|
||||
'hourly' => "Hourly",
|
||||
'hours' => "hours",
|
||||
'human_readable' => "Human readable archive",
|
||||
'id' => "ID",
|
||||
'identical_version' => "New version is identical to current version.",
|
||||
'include_documents' => "Include documents",
|
||||
'include_subdirectories' => "Include subdirectories",
|
||||
'index_converters' => "Index document conversion",
|
||||
'individuals' => "Individuals",
|
||||
'inherited' => "inherited",
|
||||
'inherits_access_msg' => "Access is being inherited.",
|
||||
'inherits_access_copy_msg' => "Copy inherited access list",
|
||||
'inherits_access_empty_msg' => "Start with empty access list",
|
||||
'internal_error_exit' => "Internal error. Unable to complete request. Exiting.",
|
||||
'internal_error' => "Internal error",
|
||||
'invalid_access_mode' => "Invalid Access Mode",
|
||||
'invalid_action' => "Invalid Action",
|
||||
'invalid_approval_status' => "Invalid Approval Status",
|
||||
'invalid_create_date_end' => "Invalid end date for creation date range.",
|
||||
'invalid_create_date_start' => "Invalid start date for creation date range.",
|
||||
'invalid_doc_id' => "Invalid Document ID",
|
||||
'invalid_file_id' => "Invalid file ID",
|
||||
'invalid_folder_id' => "Invalid Folder ID",
|
||||
'invalid_group_id' => "Invalid Group ID",
|
||||
'invalid_link_id' => "Invalid link identifier",
|
||||
'invalid_request_token' => "Invalid Request Token",
|
||||
'invalid_review_status' => "Invalid Review Status",
|
||||
'invalid_sequence' => "Invalid sequence value",
|
||||
'invalid_status' => "Invalid Document Status",
|
||||
'invalid_target_doc_id' => "Invalid Target Document ID",
|
||||
'invalid_target_folder' => "Invalid Target Folder ID",
|
||||
'invalid_user_id' => "Invalid User ID",
|
||||
'invalid_version' => "Invalid Document Version",
|
||||
'in_workflow' => "In workflow",
|
||||
'is_disabled' => "Disable account",
|
||||
'is_hidden' => "Hide from users list",
|
||||
'january' => "January",
|
||||
'js_no_approval_group' => "Please select a approval group",
|
||||
'js_no_approval_status' => "Please select the approval status",
|
||||
'js_no_comment' => "There is no comment",
|
||||
'js_no_email' => "Type in your Email-address",
|
||||
'js_no_file' => "Please select a file",
|
||||
'js_no_keywords' => "Specify some keywords",
|
||||
'js_no_login' => "Please type in a username",
|
||||
'js_no_name' => "Please type in a name",
|
||||
'js_no_override_status' => "Please select the new [override] status",
|
||||
'js_no_pwd' => "You need to type in your password",
|
||||
'js_no_query' => "Type in a query",
|
||||
'js_no_review_group' => "Please select a review group",
|
||||
'js_no_review_status' => "Please select the review status",
|
||||
'js_pwd_not_conf' => "Password and passwords-confirmation are not equal",
|
||||
'js_select_user_or_group' => "Select at least a user or a group",
|
||||
'js_select_user' => "Please select an user",
|
||||
'july' => "July",
|
||||
'june' => "June",
|
||||
'keep_doc_status' => "Keep document status",
|
||||
'keyword_exists' => "Keyword already exists",
|
||||
'keywords' => "Keywords",
|
||||
'language' => "Language",
|
||||
'last_update' => "Last Update",
|
||||
'legend' => "Legend",
|
||||
'link_alt_updatedocument' => "If you would like to upload files bigger than the current maximum upload size, please use the alternative <a href=\"%s\">upload page</a>.",
|
||||
'linked_documents' => "Related Documents",
|
||||
'linked_files' => "Attachments",
|
||||
'local_file' => "Local file",
|
||||
'locked_by' => "Locked by",
|
||||
'lock_document' => "Lock",
|
||||
'lock_message' => "This document is locked by <a href=\"mailto:[email]\">[username]</a>. Only authorized users can unlock this document.",
|
||||
'lock_status' => "Status",
|
||||
'login' => "Login",
|
||||
'login_disabled_text' => "Your account is disabled, probably because of too many failed logins.",
|
||||
'login_disabled_title' => "Account is disabled",
|
||||
'login_error_text' => "Error signing in. User ID or password incorrect.",
|
||||
'login_error_title' => "Sign in error",
|
||||
'login_not_given' => "No username has been supplied",
|
||||
'login_ok' => "Sign in successful",
|
||||
'log_management' => "Log files management",
|
||||
'logout' => "Logout",
|
||||
'manager' => "Manager",
|
||||
'march' => "March",
|
||||
'max_upload_size' => "Maximum upload size",
|
||||
'may' => "May",
|
||||
'mimetype' => "Mime type",
|
||||
'misc' => "Misc",
|
||||
'missing_checksum' => "Missing checksum",
|
||||
'missing_filesize' => "Missing filesize",
|
||||
'missing_transition_user_group' => "Missing user/group for transition",
|
||||
'minutes' => "minutes",
|
||||
'monday' => "Monday",
|
||||
'monday_abbr' => "Mo",
|
||||
'month_view' => "Month view",
|
||||
'monthly' => "Monthly",
|
||||
'move_document' => "Move document",
|
||||
'move_folder' => "Move Folder",
|
||||
'move' => "Move",
|
||||
'my_account' => "My Account",
|
||||
'my_documents' => "My Documents",
|
||||
'name' => "Name",
|
||||
'new_attrdef' => "Add attribute defintion",
|
||||
'new_default_keyword_category' => "Add category",
|
||||
'new_default_keywords' => "Add keywords",
|
||||
'new_document_category' => "Add category",
|
||||
'new_document_email' => "New document",
|
||||
'new_document_email_subject' => "[sitename]: [folder_name] - New document",
|
||||
'new_document_email_body' => "New document\r\nName: [name]\r\nParent folder: [folder_path]\r\nComment: [comment]\r\nVersion comment: [version_comment]\r\nUser: [username]\r\nURL: [url]",
|
||||
'new_file_email' => "New attachment",
|
||||
'new_file_email_subject' => "[sitename]: [document] - New attachment",
|
||||
'new_file_email_body' => "New attachment\r\nName: [name]\r\nDocument: [document]\r\nComment: [comment]\r\nUser: [username]\r\nURL: [url]",
|
||||
'new_folder' => "New folder",
|
||||
'new_password' => "New password",
|
||||
'new' => "New",
|
||||
'new_subfolder_email' => "New folder",
|
||||
'new_subfolder_email_subject' => "[sitename]: [name] - New folder",
|
||||
'new_subfolder_email_body' => "New folder\r\nName: [name]\r\nParent folder: [folder_path]\r\nComment: [comment]\r\nUser: [username]\r\nURL: [url]",
|
||||
'new_user_image' => "New image",
|
||||
'next_state' => "New state",
|
||||
'no_action' => "No action required",
|
||||
'no_approval_needed' => "No approval pending.",
|
||||
'no_attached_files' => "No attached files",
|
||||
'no_default_keywords' => "No keywords available",
|
||||
'no_docs_locked' => "No documents locked.",
|
||||
'no_docs_to_approve' => "There are currently no documents that require approval.",
|
||||
'no_docs_to_look_at' => "No documents that need attention.",
|
||||
'no_docs_to_review' => "There are currently no documents that require review.",
|
||||
'no_fulltextindex' => "No fulltext index available",
|
||||
'no_group_members' => "This group has no members",
|
||||
'no_groups' => "No groups",
|
||||
'no' => "No",
|
||||
'no_linked_files' => "No linked files",
|
||||
'no_previous_versions' => "No other versions found",
|
||||
'no_review_needed' => "No review pending.",
|
||||
'notify_added_email' => "You've been added to notify list",
|
||||
'notify_added_email_subject' => "[sitename]: [name] - Added to notification list",
|
||||
'notify_added_email_body' => "Added to notification list\r\nName: [name]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'notify_deleted_email' => "You've been removed from notify list",
|
||||
'notify_deleted_email_subject' => "[sitename]: [name] - Removed from notification list",
|
||||
'notify_deleted_email_body' => "Removed from notification list\r\nName: [name]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'no_update_cause_locked' => "You can therefore not update this document. Please contanct the locking user.",
|
||||
'no_user_image' => "No image found",
|
||||
'november' => "November",
|
||||
'now' => "now",
|
||||
'objectcheck' => "Folder/Document check",
|
||||
'obsolete' => "Obsolete",
|
||||
'october' => "October",
|
||||
'old' => "Old",
|
||||
'only_jpg_user_images' => "Only .jpg-images may be used as user-images",
|
||||
'original_filename' => "Original filename",
|
||||
'owner' => "Owner",
|
||||
'ownership_changed_email' => "Owner changed",
|
||||
'ownership_changed_email_subject' => "[sitename]: [name] - Owner changed",
|
||||
'ownership_changed_email_body' => "Owner changed\r\nDocument: [name]\r\nParent folder: [folder_path]\r\nOld owner: [old_owner]\r\nNew owner: [new_owner]\r\nUser: [username]\r\nURL: [url]",
|
||||
'password' => "Password",
|
||||
'password_already_used' => "Password already used",
|
||||
'password_repeat' => "Repeat password",
|
||||
'password_expiration' => "Password expiration",
|
||||
'password_expiration_text' => "Your password has expired. Please choose a new one before you can proceed using SeedDMS.",
|
||||
'password_forgotten' => "Password forgotten",
|
||||
'password_forgotten_email_subject' => "Password forgotten",
|
||||
'password_forgotten_email_body' => "Dear user of SeedDMS,\n\nwe have received a request to change your password.\n\nThis can be done by clicking on the following link:\n\n###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###\n\nIf you have still problems to login, then please contact your administrator.",
|
||||
'password_forgotten_send_hash' => "Instructions on how to proceed has been send to the user's email address",
|
||||
'password_forgotten_text' => "Fill out the form below and follow the instructions in the email, which will be send to you.",
|
||||
'password_forgotten_title' => "Password send",
|
||||
'password_strength' => "Password strength",
|
||||
'password_strength_insuffient' => "Insuffient password strength",
|
||||
'password_wrong' => "Wrong password",
|
||||
'personal_default_keywords' => "Personal keywordlists",
|
||||
'previous_state' => "Previous state",
|
||||
'previous_versions' => "Previous versions",
|
||||
'quota' => "Quota",
|
||||
'quota_exceeded' => "Your disk quota is exceeded by [bytes].",
|
||||
'quota_warning' => "Your maximum disc usage is exceeded by [bytes]. Please remove documents or previous versions.",
|
||||
'refresh' => "Refresh",
|
||||
'rejected' => "Rejected",
|
||||
'released' => "Released",
|
||||
'removed_workflow_email_subject' => "[sitename]: [name] - Removed workflow from document version",
|
||||
'removed_workflow_email_body' => "Removed workflow from document version\r\nDocument: [name]\r\nVersion: [version]\r\nWorkflow: [workflow]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'removed_approver' => "has been removed from the list of approvers.",
|
||||
'removed_file_email' => "Removed attachment",
|
||||
'removed_file_email_subject' => "[sitename]: [document] - Removed attachment",
|
||||
'removed_file_email_body' => "Removed attachment\r\nDocument: [document]\r\nUser: [username]\r\nURL: [url]",
|
||||
'removed_reviewer' => "has been removed from the list of reviewers.",
|
||||
'repaired' => 'repaired',
|
||||
'repairing_objects' => "Reparing documents and folders.",
|
||||
'results_page' => "Results Page",
|
||||
'return_from_subworkflow_email_subject' => "[sitename]: [name] - Return from subworkflow",
|
||||
'return_from_subworkflow_email_body' => "Return from subworkflow\r\nDocument: [name]\r\nVersion: [version]\r\nWorkflow: [workflow]\r\nSubworkflow: [subworkflow]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'review_deletion_email' => "Review request deleted",
|
||||
'reviewer_already_assigned' => "is already assigned as a reviewer",
|
||||
'reviewer_already_removed' => "has already been removed from review process or has already submitted a review",
|
||||
'reviewers' => "Reviewers",
|
||||
'review_group' => "Review group",
|
||||
'review_request_email' => "Review request",
|
||||
'review_status' => "Review status:",
|
||||
'review_submit_email' => "Submitted review",
|
||||
'review_submit_email_subject' => "[sitename]: [name] - Submitted review",
|
||||
'review_submit_email_body' => "Submitted review\r\nDocument: [name]\r\nVersion: [version]\r\nStatus: [status]\r\nComment: [comment]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'review_summary' => "Review Summary",
|
||||
'review_update_failed' => "Error updating review status. Update failed.",
|
||||
'rewind_workflow' => "Rewind workflow",
|
||||
'rewind_workflow_email_subject' => "[sitename]: [name] - Workflow was rewinded",
|
||||
'rewind_workflow_email_body' => "Workflow was rewinded\r\nDocument: [name]\r\nVersion: [version]\r\nWorkflow: [workflow]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'rewind_workflow_warning' => "If you rewind a workflow to its initial state, then the whole workflow log for this document will be deleted and cannot be recovered.",
|
||||
'rm_attrdef' => "Remove attribute definition",
|
||||
'rm_default_keyword_category' => "Remove category",
|
||||
'rm_document' => "Remove document",
|
||||
'rm_document_category' => "Remove category",
|
||||
'rm_file' => "Remove file",
|
||||
'rm_folder' => "Remove folder",
|
||||
'rm_from_clipboard' => "Remove from clipboard",
|
||||
'rm_group' => "Remove this group",
|
||||
'rm_user' => "Remove this user",
|
||||
'rm_version' => "Remove version",
|
||||
'rm_workflow' => "Remove Workflow",
|
||||
'rm_workflow_state' => "Remove Workflow State",
|
||||
'rm_workflow_action' => "Remove Workflow Action",
|
||||
'rm_workflow_warning' => "You are about to remove the workflow from the document. This cannot be undone.",
|
||||
'role_admin' => "Administrator",
|
||||
'role_guest' => "Guest",
|
||||
'role_user' => "User",
|
||||
'role' => "Role",
|
||||
'return_from_subworkflow' => "Return from sub workflow",
|
||||
'run_subworkflow' => "Run sub workflow",
|
||||
'run_subworkflow_email_subject' => "[sitename]: [name] - Subworkflow was started",
|
||||
'run_subworkflow_email_body' => "Subworkflow was started\r\nDocument: [name]\r\nVersion: [version]\r\nWorkflow: [workflow]\r\nSubworkflow: [subworkflow]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'saturday' => "Saturday",
|
||||
'saturday_abbr' => "Sa",
|
||||
'save' => "Save",
|
||||
'search_fulltext' => "Search in fulltext",
|
||||
'search_in' => "Search in",
|
||||
'search_mode_and' => "all words",
|
||||
'search_mode_or' => "at least one word",
|
||||
'search_no_results' => "There are no documents that match your search",
|
||||
'search_query' => "Search for",
|
||||
'search_report' => "Found [doccount] documents and [foldercount] folders in [searchtime] sec.",
|
||||
'search_report_fulltext' => "Found [doccount] documents",
|
||||
'search_results_access_filtered' => "Search results may contain content to which access has been denied.",
|
||||
'search_results' => "Search results",
|
||||
'search' => "Search",
|
||||
'search_time' => "Elapsed time: [time] sec.",
|
||||
'seconds' => "seconds",
|
||||
'selection' => "Selection",
|
||||
'select_category' => "Click to select category",
|
||||
'select_groups' => "Click to select groups",
|
||||
'select_ind_reviewers' => "Click to select individual reviewer",
|
||||
'select_ind_approvers' => "Click to select individual approver",
|
||||
'select_grp_reviewers' => "Click to select group reviewer",
|
||||
'select_grp_approvers' => "Click to select group approver",
|
||||
'select_one' => "Select one",
|
||||
'select_users' => "Click to select users",
|
||||
'select_workflow' => "Select workflow",
|
||||
'september' => "September",
|
||||
'seq_after' => "After \"[prevname]\"",
|
||||
'seq_end' => "At the end",
|
||||
'seq_keep' => "Keep Position",
|
||||
'seq_start' => "First position",
|
||||
'sequence' => "Sequence",
|
||||
'set_expiry' => "Set Expiration",
|
||||
'set_owner_error' => "Error setting owner",
|
||||
'set_owner' => "Set Owner",
|
||||
'set_password' => "Set Password",
|
||||
'set_workflow' => "Set Workflow",
|
||||
'settings_install_welcome_title' => "Welcome to the installation of SeedDMS",
|
||||
'settings_install_welcome_text' => "<p>Before you start to install SeedDMS make sure you have created a file 'ENABLE_INSTALL_TOOL' in your configuration directory, otherwise the installation will not work. On Unix-System this can easily be done with 'touch conf/ENABLE_INSTALL_TOOL'. After you have finished the installation delete the file.</p><p>SeedDMS has very minimal requirements. You will need a mysql database or sqlite support and a php enabled web server. The pear package Log has to be installed too. For the lucene full text search, you will also need the Zend framework installed on disk where it can be found by php. For the WebDAV server you will also need the HTTP_WebDAV_Server. The path to it can later be set during installation.</p><p>If you like to create the database before you start installation, then just create it manually with your favorite tool, optionally create a database user with access on the database and import one of the database dumps in the configuration directory. The installation script can do that for you as well, but it will need database access with sufficient rights to create databases.</p>",
|
||||
'settings_start_install' => "Start installation",
|
||||
'settings_sortUsersInList' => "Sort users in list",
|
||||
'settings_sortUsersInList_desc' => "Sets if users in selection menus are ordered by login or by its full name",
|
||||
'settings_sortUsersInList_val_login' => "Sort by login",
|
||||
'settings_sortUsersInList_val_fullname' => "Sort by full name",
|
||||
'settings_stopWordsFile' => "Path to stop words file",
|
||||
'settings_stopWordsFile_desc' => "If fulltext search is enabled, this file will contain stop words not being indexed",
|
||||
'settings_activate_module' => "Activate module",
|
||||
'settings_activate_php_extension' => "Activate PHP extension",
|
||||
'settings_adminIP' => "Admin IP",
|
||||
'settings_adminIP_desc' => "If set admin can login only by specified IP addres, leave empty to avoid the control. NOTE: works only with local autentication (no LDAP)",
|
||||
'settings_extraPath' => "Extra PHP include Path",
|
||||
'settings_extraPath_desc' => "Path to additional software. This is the directory containing e.g. the adodb directory or additional pear packages",
|
||||
'settings_Advanced' => "Advanced",
|
||||
'settings_apache_mod_rewrite' => "Apache - Module Rewrite",
|
||||
'settings_Authentication' => "Authentication settings",
|
||||
'settings_cacheDir' => "Cache directory",
|
||||
'settings_cacheDir_desc' => "Where the preview images are stored (best to choose a directory that is not accessible through your web-server)",
|
||||
'settings_Calendar' => "Calendar settings",
|
||||
'settings_calendarDefaultView' => "Calendar Default View",
|
||||
'settings_calendarDefaultView_desc' => "Calendar default view",
|
||||
'settings_cookieLifetime' => "Cookie Life time",
|
||||
'settings_cookieLifetime_desc' => "The life time of a cookie in seconds. If set to 0 the cookie will be removed when the browser is closed.",
|
||||
'settings_contentDir' => "Content directory",
|
||||
'settings_contentDir_desc' => "Where the uploaded files are stored (best to choose a directory that is not accessible through your web-server)",
|
||||
'settings_contentOffsetDir' => "Content Offset Directory",
|
||||
'settings_contentOffsetDir_desc' => "To work around limitations in the underlying file system, a new directory structure has been devised that exists within the content directory (Content Directory). This requires a base directory from which to begin. Usually leave this to the default setting, 1048576, but can be any number or string that does not already exist within (Content Directory)",
|
||||
'settings_coreDir' => "Core SeedDMS directory",
|
||||
'settings_coreDir_desc' => "Path to SeedDMS_Core (optional). Leave this empty if you have installed SeedDMS_Core at a place where it can be found by PHP, e.g. Extra PHP Include-Path",
|
||||
'settings_loginFailure_desc' => "Disable account after n login failures.",
|
||||
'settings_loginFailure' => "Login failure",
|
||||
'settings_luceneClassDir' => "Lucene SeedDMS directory",
|
||||
'settings_luceneClassDir_desc' => "Path to SeedDMS_Lucene (optional). Leave this empty if you have installed SeedDMS_Lucene at a place where it can be found by PHP, e.g. Extra PHP Include-Path",
|
||||
'settings_luceneDir' => "Lucene index directory",
|
||||
'settings_luceneDir_desc' => "Path to Lucene index",
|
||||
'settings_cannot_disable' => "File ENABLE_INSTALL_TOOL could not deleted",
|
||||
'settings_install_disabled' => "File ENABLE_INSTALL_TOOL was deleted. You can now log into SeedDMS and do further configuration.",
|
||||
'settings_createdatabase' => "Create database tables",
|
||||
'settings_createdirectory' => "Create directory",
|
||||
'settings_currentvalue' => "Current value",
|
||||
'settings_Database' => "Database settings",
|
||||
'settings_dbDatabase' => "Database",
|
||||
'settings_dbDatabase_desc' => "The name for your database entered during the installation process. Do not edit this field unless necessary, if for example the database has been moved.",
|
||||
'settings_dbDriver' => "Database Type",
|
||||
'settings_dbDriver_desc' => "The type of database in use entered during the installation process. Do not edit this field unless you are having to migrate to a different type of database perhaps due to changing hosts. Type of DB-Driver used by adodb (see adodb-readme)",
|
||||
'settings_dbHostname_desc' => "The hostname for your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.",
|
||||
'settings_dbHostname' => "Server name",
|
||||
'settings_dbPass_desc' => "The password for access to your database entered during the installation process.",
|
||||
'settings_dbPass' => "Password",
|
||||
'settings_dbUser_desc' => "The username for access to your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.",
|
||||
'settings_dbUser' => "Username",
|
||||
'settings_dbVersion' => "Database schema too old",
|
||||
'settings_delete_install_folder' => "In order to use SeedDMS, you must delete the file ENABLE_INSTALL_TOOL in the configuration directory",
|
||||
'settings_disable_install' => "Delete file ENABLE_INSTALL_TOOL if possible",
|
||||
'settings_disableSelfEdit_desc' => "If checked user cannot edit his own profile",
|
||||
'settings_disableSelfEdit' => "Disable Self Edit",
|
||||
'settings_dropFolderDir_desc' => "This directory can be used for dropping files on the server's file system and importing them from there instead of uploading via the browser. The directory must contain a sub directory for each user who is allowed to import files this way.",
|
||||
'settings_dropFolderDir' => "Directory for drop folder",
|
||||
'settings_Display' => "Display settings",
|
||||
'settings_Edition' => "Edition settings",
|
||||
'settings_enableAdminRevApp_desc' => "Enable this if you want administrators to be listed as reviewers/approvers and for workflow transitions.",
|
||||
'settings_enableAdminRevApp' => "Allow review/approval for admins",
|
||||
'settings_enableCalendar_desc' => "Enable/disable calendar",
|
||||
'settings_enableCalendar' => "Enable Calendar",
|
||||
'settings_enableConverting_desc' => "Enable/disable converting of files",
|
||||
'settings_enableConverting' => "Enable Converting",
|
||||
'settings_enableDuplicateDocNames_desc' => "Allows to have duplicate document names in a folder.",
|
||||
'settings_enableDuplicateDocNames' => "Allow duplicate document names",
|
||||
'settings_enableNotificationAppRev_desc' => "Check to send a notification to the reviewer/approver when a new document version is added",
|
||||
'settings_enableNotificationAppRev' => "Enable reviewer/approver notification",
|
||||
'settings_enableOwnerRevApp_desc' => "Enable this if you want the owner of a document to be listed as reviewers/approvers and for workflow transitions.",
|
||||
'settings_enableOwnerRevApp' => "Allow review/approval for owner",
|
||||
'settings_enableSelfRevApp_desc' => "Enable this if you want the currently logged in user to be listed as reviewers/approvers and for workflow transitions.",
|
||||
'settings_enableSelfRevApp' => "Allow review/approval for logged in user",
|
||||
'settings_enableVersionModification_desc' => "Enable/disable modification of a document versions by regular users after a version was uploaded. Admin may always modify the version after upload.",
|
||||
'settings_enableVersionModification' => "Enable modification of versions",
|
||||
'settings_enableVersionDeletion_desc' => "Enable/disable deletion of previous document versions by regular users. Admin may always delete old versions.",
|
||||
'settings_enableVersionDeletion' => "Enable deletion of previous versions",
|
||||
'settings_enableEmail_desc' => "Enable/disable automatic email notification",
|
||||
'settings_enableEmail' => "Enable E-mail",
|
||||
'settings_enableFolderTree' => "Enable Folder Tree",
|
||||
'settings_enableFolderTree_desc' => "False to don't show the folder tree",
|
||||
'settings_enableFullSearch' => "Enable Full text search",
|
||||
'settings_enableFullSearch_desc' => "Enable Full text search",
|
||||
'settings_enableGuestLogin' => "Enable Guest Login",
|
||||
'settings_enableGuestLogin_desc' => "If you want anybody to login as guest, check this option. Note: guest login should be used only in a trusted environment",
|
||||
'settings_enableLanguageSelector' => "Enable Language Selector",
|
||||
'settings_enableLanguageSelector_desc' => "Show selector for user interface language after being logged in. This does not affect the language selection on the login page.",
|
||||
'settings_enableLargeFileUpload_desc' => "If set, file upload is also available through a java applet called jumploader without a file size limit set by the browser. It also allows to upload several files in one step.",
|
||||
'settings_enableLargeFileUpload' => "Enable large file upload",
|
||||
'settings_enableOwnerNotification_desc' => "Check for adding a notification for the owner if a document when it is added.",
|
||||
'settings_enableOwnerNotification' => "Enable owner notification by default",
|
||||
'settings_enablePasswordForgotten_desc' => "If you want to allow user to set a new password and send it by mail, check this option.",
|
||||
'settings_enablePasswordForgotten' => "Enable Password forgotten",
|
||||
'settings_enableUserImage_desc' => "Enable users images",
|
||||
'settings_enableUserImage' => "Enable User Image",
|
||||
'settings_enableUsersView_desc' => "Enable/disable group and user view for all users",
|
||||
'settings_enableUsersView' => "Enable Users View",
|
||||
'settings_encryptionKey' => "Encryption key",
|
||||
'settings_encryptionKey_desc' => "This string is used for creating a unique identifier being added as a hidden field to a formular in order to prevent CSRF attacks.",
|
||||
'settings_error' => "Error",
|
||||
'settings_expandFolderTree_desc' => "Expand Folder Tree",
|
||||
'settings_expandFolderTree' => "Expand Folder Tree",
|
||||
'settings_expandFolderTree_val0' => "start with tree hidden",
|
||||
'settings_expandFolderTree_val1' => "start with tree shown and first level expanded",
|
||||
'settings_expandFolderTree_val2' => "start with tree shown fully expanded",
|
||||
'settings_firstDayOfWeek_desc' => "First day of the week",
|
||||
'settings_firstDayOfWeek' => "First day of the week",
|
||||
'settings_footNote_desc' => "Message to display at the bottom of every page",
|
||||
'settings_footNote' => "Foot Note",
|
||||
'settings_guestID_desc' => "ID of guest-user used when logged in as guest (mostly no need to change)",
|
||||
'settings_guestID' => "Guest ID",
|
||||
'settings_httpRoot_desc' => "The relative path in the URL, after the domain part. Do not include the http:// prefix or the web host name. e.g. If the full URL is http://www.example.com/seeddms/, set '/seeddms/'. If the URL is http://www.example.com/, set '/'",
|
||||
'settings_httpRoot' => "Http Root",
|
||||
'settings_installADOdb' => "Install ADOdb",
|
||||
'settings_install_success' => "The installation has been successfully completed.",
|
||||
'settings_install_pear_package_log' => "Install Pear package 'Log'",
|
||||
'settings_install_pear_package_webdav' => "Install Pear package 'HTTP_WebDAV_Server', if you intend to use the webdav interface",
|
||||
'settings_install_zendframework' => "Install Zend Framework, if you intend to use the full text search engine",
|
||||
'settings_language' => "Default language",
|
||||
'settings_language_desc' => "Default language (name of a subfolder in folder \"languages\")",
|
||||
'settings_logFileEnable_desc' => "Enable/disable log file",
|
||||
'settings_logFileEnable' => "Log File Enable",
|
||||
'settings_logFileRotation_desc' => "The log file rotation",
|
||||
'settings_logFileRotation' => "Log File Rotation",
|
||||
'settings_luceneDir' => "Directory for full text index",
|
||||
'settings_maxDirID_desc' => "Maximum number of sub-directories per parent directory. Default: 32700.",
|
||||
'settings_maxDirID' => "Max Directory ID",
|
||||
'settings_maxExecutionTime_desc' => "This sets the maximum time in seconds a script is allowed to run before it is terminated by the parse",
|
||||
'settings_maxExecutionTime' => "Max Execution Time (s)",
|
||||
'settings_more_settings' => "Configure more settings. Default login: admin/admin",
|
||||
'settings_Notification' => "Notification settings",
|
||||
'settings_no_content_dir' => "Content directory",
|
||||
'settings_notfound' => "Not found",
|
||||
'settings_notwritable' => "The configuration cannot be saved because the configuration file is not writable.",
|
||||
'settings_partitionSize' => "Partial filesize",
|
||||
'settings_partitionSize_desc' => "Size of partial files in bytes, uploaded by jumploader. Do not set a value larger than the maximum upload size set by the server.",
|
||||
'settings_passwordExpiration' => "Password expiration",
|
||||
'settings_passwordExpiration_desc' => "The number of days after which a password expireѕ and must be reset. 0 turns password expiration off.",
|
||||
'settings_passwordHistory' => "Password history",
|
||||
'settings_passwordHistory_desc' => "The number of passwords a user must have been used before a password can be reused. 0 turns the password history off.",
|
||||
'settings_passwordStrength' => "Min. password strength",
|
||||
'settings_passwordЅtrength_desc' => "The minimum password strength is an integer value from 0 to 100. Setting it to 0 will turn off checking for the minimum password strength.",
|
||||
'settings_passwordStrengthAlgorithm' => "Algorithm for password strength",
|
||||
'settings_passwordStrengthAlgorithm_desc' => "The algorithm used for calculating the password strength. The 'simple' algorithm just checks for at least eight chars total, a lower case letter, an upper case letter, a number and a special char. If those conditions are met the returned score is 100 otherwise 0.",
|
||||
'settings_passwordStrengthAlgorithm_valsimple' => "simple",
|
||||
'settings_passwordStrengthAlgorithm_valadvanced' => "advanced",
|
||||
'settings_perms' => "Permissions",
|
||||
'settings_pear_log' => "Pear package : Log",
|
||||
'settings_pear_webdav' => "Pear package : HTTP_WebDAV_Server",
|
||||
'settings_php_dbDriver' => "PHP extension : php_'see current value'",
|
||||
'settings_php_gd2' => "PHP extension : php_gd2",
|
||||
'settings_php_mbstring' => "PHP extension : php_mbstring",
|
||||
'settings_printDisclaimer_desc' => "If true the disclaimer message the lang.inc files will be print on the bottom of the page",
|
||||
'settings_printDisclaimer' => "Print Disclaimer",
|
||||
'settings_quota' => "User's quota",
|
||||
'settings_quota_desc' => "The maximum number of bytes a user may use on disk. Set this to 0 for unlimited disk space. This value can be overridden for each uses in his profile.",
|
||||
'settings_restricted_desc' => "Only allow users to log in if they have an entry in the local database (irrespective of successful authentication with LDAP)",
|
||||
'settings_restricted' => "Restricted access",
|
||||
'settings_rootDir_desc' => "Path to where SeedDMS is located",
|
||||
'settings_rootDir' => "Root directory",
|
||||
'settings_rootFolderID_desc' => "ID of root-folder (mostly no need to change)",
|
||||
'settings_rootFolderID' => "Root Folder ID",
|
||||
'settings_SaveError' => "Configuration file save error",
|
||||
'settings_Server' => "Server settings",
|
||||
'settings' => "Settings",
|
||||
'settings_siteDefaultPage_desc' => "Default page on login. If empty defaults to out/out.ViewFolder.php",
|
||||
'settings_siteDefaultPage' => "Site Default Page",
|
||||
'settings_siteName_desc' => "Name of site used in the page titles. Default: SeedDMS",
|
||||
'settings_siteName' => "Site Name",
|
||||
'settings_Site' => "Site",
|
||||
'settings_smtpPort_desc' => "SMTP Server port, default 25",
|
||||
'settings_smtpPort' => "SMTP Server port",
|
||||
'settings_smtpSendFrom_desc' => "Send from",
|
||||
'settings_smtpSendFrom' => "Send from",
|
||||
'settings_smtpServer_desc' => "SMTP Server hostname",
|
||||
'settings_smtpServer' => "SMTP Server hostname",
|
||||
'settings_SMTP' => "SMTP Server settings",
|
||||
'settings_stagingDir' => "Directory for partial uploads",
|
||||
'settings_stagingDir_desc' => "The directory where jumploader places the parts of a file upload before it is put back together.",
|
||||
'settings_strictFormCheck_desc' => "Strict form checking. If set to true, then all fields in the form will be checked for a value. If set to false, then (most) comments and keyword fields become optional. Comments are always required when submitting a review or overriding document status",
|
||||
'settings_strictFormCheck' => "Strict Form Check",
|
||||
'settings_suggestionvalue' => "Suggestion value",
|
||||
'settings_System' => "System",
|
||||
'settings_theme' => "Default theme",
|
||||
'settings_theme_desc' => "Default style (name of a subfolder in folder \"styles\")",
|
||||
'settings_titleDisplayHack_desc' => "Workaround for page titles that go over more than 2 lines.",
|
||||
'settings_titleDisplayHack' => "Title Display Hack",
|
||||
'settings_updateDatabase' => "Run schema update scripts on database",
|
||||
'settings_updateNotifyTime_desc' => "Users are notified about document-changes that took place within the last 'Update Notify Time' seconds",
|
||||
'settings_updateNotifyTime' => "Update Notify Time",
|
||||
'settings_versioningFileName_desc' => "The name of the versioning info file created by the backup tool",
|
||||
'settings_versioningFileName' => "Versioning FileName",
|
||||
'settings_viewOnlineFileTypes_desc' => "Files with one of the following endings can be viewed online (USE ONLY LOWER CASE CHARACTERS)",
|
||||
'settings_viewOnlineFileTypes' => "View Online File Types",
|
||||
'settings_workflowMode_desc' => "The advanced workflow allows to specify your own release workflow for document versions.",
|
||||
'settings_workflowMode' => "Workflow mode",
|
||||
'settings_workflowMode_valtraditional' => "traditional",
|
||||
'settings_workflowMode_valadvanced' => "advanced",
|
||||
'settings_zendframework' => "Zend Framework",
|
||||
'signed_in_as' => "Signed in as",
|
||||
'sign_in' => "Sign in",
|
||||
'sign_out' => "Sign out",
|
||||
'space_used_on_data_folder' => "Space used on data folder",
|
||||
'status_approval_rejected' => "Draft rejected",
|
||||
'status_approved' => "Approved",
|
||||
'status_approver_removed' => "Approver removed from process",
|
||||
'status_not_approved' => "Not approved",
|
||||
'status_not_reviewed' => "Not reviewed",
|
||||
'status_reviewed' => "Reviewed",
|
||||
'status_reviewer_rejected' => "Draft rejected",
|
||||
'status_reviewer_removed' => "Reviewer removed from process",
|
||||
'status' => "Status",
|
||||
'status_unknown' => "Unknown",
|
||||
'storage_size' => "Storage size",
|
||||
'submit_approval' => "Submit approval",
|
||||
'submit_login' => "Sign in",
|
||||
'submit_password' => "Set new password",
|
||||
'submit_password_forgotten' => "Start process",
|
||||
'submit_review' => "Submit review",
|
||||
'submit_userinfo' => "Submit info",
|
||||
'sunday' => "Sunday",
|
||||
'sunday_abbr' => "Su",
|
||||
'theme' => "Theme",
|
||||
'thursday' => "Thursday",
|
||||
'thursday_abbr' => "Th",
|
||||
'toggle_manager' => "Toggle manager",
|
||||
'to' => "To",
|
||||
'transition_triggered_email' => "Workflow transition triggered",
|
||||
'transition_triggered_email_subject' => "[sitename]: [name] - Workflow transition triggered",
|
||||
'transition_triggered_email_body' => "Workflow transition triggered\r\nDocument: [name]\r\nVersion: [version]\r\nComment: [comment]\r\nWorkflow: [workflow]\r\nPrevious state: [previous_state]\r\nCurrent state: [current_state]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'trigger_workflow' => "Workflow",
|
||||
'tuesday' => "Tuesday",
|
||||
'tuesday_abbr' => "Tu",
|
||||
'type_to_search' => "Type to search",
|
||||
'under_folder' => "In Folder",
|
||||
'unknown_command' => "Command not recognized.",
|
||||
'unknown_document_category' => "Unknown category",
|
||||
'unknown_group' => "Unknown group id",
|
||||
'unknown_id' => "unknown id",
|
||||
'unknown_keyword_category' => "Unknown category",
|
||||
'unknown_owner' => "Unknown owner id",
|
||||
'unknown_user' => "Unknown user id",
|
||||
'unlinked_content' => "Unlinked content",
|
||||
'unlinking_objects' => "Unlinking content",
|
||||
'unlock_cause_access_mode_all' => "You can still update it because you have access-mode \"all\". Locking will automatically be removed.",
|
||||
'unlock_cause_locking_user' => "You can still update it because you are also the one that locked it. Locking will automatically be removed.",
|
||||
'unlock_document' => "Unlock",
|
||||
'update_approvers' => "Update List of Approvers",
|
||||
'update_document' => "Update document",
|
||||
'update_fulltext_index' => "Update fulltext index",
|
||||
'update_info' => "Update Information",
|
||||
'update_locked_msg' => "This document is locked.",
|
||||
'update_reviewers' => "Update List of Reviewers",
|
||||
'update' => "Update",
|
||||
'uploaded_by' => "Uploaded by",
|
||||
'uploading_failed' => "Uploading one of your files failed. Please check your maximum upload file size.",
|
||||
'uploading_zerosize' => "Uploading an empty file. Upload is canceled.",
|
||||
'use_default_categories' => "Use predefined categories",
|
||||
'use_default_keywords' => "Use predefined keywords",
|
||||
'used_discspace' => "Used disk space",
|
||||
'user_exists' => "User already exists.",
|
||||
'user_group_management' => "Users/Groups management",
|
||||
'user_image' => "Image",
|
||||
'user_info' => "User Information",
|
||||
'user_list' => "List of Users",
|
||||
'user_login' => "User ID",
|
||||
'user_management' => "Users management",
|
||||
'user_name' => "Full name",
|
||||
'users' => "Users",
|
||||
'user' => "User",
|
||||
'version_deleted_email' => "Version deleted",
|
||||
'version_deleted_email_subject' => "[sitename]: [name] - Version deleted",
|
||||
'version_deleted_email_body' => "Version deleted\r\nDocument: [name]\r\nVersion: [version]\r\nParent folder: [folder_path]\r\nUser: [username]\r\nURL: [url]",
|
||||
'version_info' => "Version Information",
|
||||
'versioning_file_creation' => "Versioning file creation",
|
||||
'versioning_file_creation_warning' => "With this operation you can create a file containing the versioning information of an entire DMS folder. After the creation every file will be saved inside the document folder.",
|
||||
'versioning_info' => "Versioning info",
|
||||
'version' => "Version",
|
||||
'view' => "View",
|
||||
'view_online' => "View online",
|
||||
'warning' => "Warning",
|
||||
'wednesday' => "Wednesday",
|
||||
'wednesday_abbr' => "We",
|
||||
'week_view' => "Week view",
|
||||
'weeks' => "weeks",
|
||||
'workflow' => "Workflow",
|
||||
'workflow_action_in_use' => "This action is currently used by workflows.",
|
||||
'workflow_action_name' => "Name",
|
||||
'workflow_editor' => "Workflow Editor",
|
||||
'workflow_group_summary' => "Group summary",
|
||||
'workflow_name' => "Name",
|
||||
'workflow_in_use' => "This workflow is currently used by documents.",
|
||||
'workflow_initstate' => "Initial state",
|
||||
'workflow_management' => "Workflow management",
|
||||
'workflow_no_states' => "You must first define workflow states, before adding a workflow.",
|
||||
'workflow_states_management' => "Workflow states management",
|
||||
'workflow_actions_management' => "Workflow actions management",
|
||||
'workflow_state_docstatus' => "Document status",
|
||||
'workflow_state_in_use' => "This state is currently used by workflows.",
|
||||
'workflow_state_name' => "Name",
|
||||
'workflow_summary' => "Workflow summary",
|
||||
'workflow_user_summary' => "User summary",
|
||||
'year_view' => "Year View",
|
||||
'yes' => "Yes",
|
||||
|
||||
'ca_ES' => "Catalan",
|
||||
'cs_CZ' => "Czech",
|
||||
'de_DE' => "German",
|
||||
'en_GB' => "English (GB)",
|
||||
'es_ES' => "Spanish",
|
||||
'fr_FR' => "French",
|
||||
'hu_HU' => "Hungarian",
|
||||
'it_IT' => "Italian",
|
||||
'nl_NL' => "Dutch",
|
||||
'pt_BR' => "Portugese (BR)",
|
||||
'ru_RU' => "Russian",
|
||||
'sk_SK' => "Slovak",
|
||||
'sv_SE' => "Swedish",
|
||||
'zh_CN' => "Chinese (CN)",
|
||||
'zh_TW' => "Chinese (TW)",
|
||||
);
|
||||
?>
|
695
languages/es_ES/lang.inc
Normal file
695
languages/es_ES/lang.inc
Normal file
|
@ -0,0 +1,695 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
// Copyright (C) 2012 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
//
|
||||
// Translation updated by Francisco Manuel Garcia Claramonte
|
||||
// <francisco@debian.org> for SeedDMS-3.0. 2-feb-2011
|
||||
// Reviewed : 15-sept-2011. Francisco M. Garcia Claramonte
|
||||
// Reviewed (for 3.2.0) : 22-sept-2011. Francisco M. Garcia Claramonte
|
||||
// Reviewed (for 3.3.0) : 3-mar-2012. Francisco M. Garcia Claramonte
|
||||
// Reviewed (for 3.3.7) : 04-sept-2012. Francisco M. Garcia Claramonte
|
||||
// Reviewed (for 3.3.8) : 13 sept-2012. Francisco M. García Claramonte
|
||||
// 18 sept 2012. Francisco M. García Claramonte
|
||||
// Reviewed (for 3.4.0RC1): 15 oct 2012. Francisco M. García Claramonte
|
||||
// Reviewed (for 3.4.0RC3): 6 nov 2012. Francisco M. García Claramonte
|
||||
|
||||
$text = array(
|
||||
'accept' => "Aceptar",
|
||||
'access_denied' => "Acceso denegado",
|
||||
'access_inheritance' => "Acceso heredado",
|
||||
'access_mode' => "Modo de acceso",
|
||||
'access_mode_all' => "Todos los permisos",
|
||||
'access_mode_none' => "No hay acceso",
|
||||
'access_mode_read' => "Leer",
|
||||
'access_mode_readwrite' => "Lectura-Escritura",
|
||||
'access_permission_changed_email' => "Permisos cambiados",
|
||||
'according_settings' => "Conforme a configuración",
|
||||
'actions' => "Acciones",
|
||||
'add' => "Añadir",
|
||||
'add_doc_reviewer_approver_warning' => "Documentos N.B. se marcan automáticamente como publicados si no hay revisores o aprobadores asignados.",
|
||||
'add_document' => "Añadir documento",
|
||||
'add_document_link' => "Añadir vínculo",
|
||||
'add_event' => "Añadir evento",
|
||||
'add_group' => "Añadir nuevo grupo",
|
||||
'add_member' => "Añadir miembro",
|
||||
'add_multiple_documents' => "Añadir múltiples documentos",
|
||||
'add_multiple_files' => "Añadir múltiples ficheros (Se usará el nombre de fichero como nombre de documento)",
|
||||
'add_subfolder' => "Añadir subdirectorio",
|
||||
'add_user' => "Añadir nuevo usuario",
|
||||
'add_user_to_group' => "Añadir usuario a grupo",
|
||||
'admin' => "Administrador",
|
||||
'admin_tools' => "Herramientas de administración",
|
||||
'all_categories' => "Todas las categorías",
|
||||
'all_documents' => "Todos los documentos",
|
||||
'all_pages' => "Todo",
|
||||
'all_users' => "Todos los usuarios",
|
||||
'already_subscribed' => "Ya está suscrito",
|
||||
'and' => "y",
|
||||
'apply' => "Aplicar",
|
||||
'approval_deletion_email' => "Petición de aprobación eliminada",
|
||||
'approval_group' => "Grupo aprobador",
|
||||
'approval_request_email' => "Petición de aprobación",
|
||||
'approval_status' => "Estado de aprobación",
|
||||
'approval_submit_email' => "Aprobación enviada",
|
||||
'approval_summary' => "Resumen de aprobación",
|
||||
'approval_update_failed' => "Error actualizando el estado de aprobación. Actualización fallida.",
|
||||
'approvers' => "Aprobadores",
|
||||
'april' => "Abril",
|
||||
'archive_creation' => "Creación de archivo",
|
||||
'archive_creation_warning' => "Con esta operación usted puede crear un archivo que contenga los ficheros de las carpetas del DMS completo. Después de crearlo el archivo se guardará en la carpeta de datos de su servidor.<br>CUIDADO: un fichero creado como legible por humanos no podrá usarse como copia de seguridad del servidor.",
|
||||
'assign_approvers' => "Asignar aprobadores",
|
||||
'assign_reviewers' => "Asignar revisores",
|
||||
'assign_user_property_to' => "Asignar propiedades de usuario a",
|
||||
'assumed_released' => "Supuestamente publicado",
|
||||
'attrdef_management' => "Gestión de definición de atributos",
|
||||
'attrdef_in_use' => "Definición de atributo todavía en uso",
|
||||
'attrdef_name' => "Nombre",
|
||||
'attrdef_multiple' => "Permitir múltiples valores",
|
||||
'attrdef_objtype' => "Tipo de objeto",
|
||||
'attrdef_type' => "Tipo",
|
||||
'attrdef_minvalues' => "Núm. mínimo de valores",
|
||||
'attrdef_maxvalues' => "Núm. máximo de valores",
|
||||
'attrdef_valueset' => "Conjunto de valores",
|
||||
'attributes' => "Atributos",
|
||||
'august' => "Agosto",
|
||||
'automatic_status_update' => "Cambio automático de estado",
|
||||
'back' => "Atrás",
|
||||
'backup_list' => "Lista de copias de seguridad existentes",
|
||||
'backup_remove' => "Eliminar fichero de copia de seguridad",
|
||||
'backup_tools' => "Herramientas de copia de seguridad",
|
||||
'between' => "entre",
|
||||
'calendar' => "Calendario",
|
||||
'cancel' => "Cancelar",
|
||||
'cannot_assign_invalid_state' => "No se puede modificar un documento obsoleto o rechazado",
|
||||
'cannot_change_final_states' => "Cuidado: No se puede cambiar el estado de documentos que han sido rechazados, marcados como obsoletos o expirado.",
|
||||
'cannot_delete_yourself' => "No es posible eliminarse a sí mismo",
|
||||
'cannot_move_root' => "Error: No es posible mover la carpeta raíz.",
|
||||
'cannot_retrieve_approval_snapshot' => "No es posible recuperar la instantánea del estado de aprobación para esta versión de documento.",
|
||||
'cannot_retrieve_review_snapshot' => "No es posible recuperar la instantánea de revisión para esta versión de documento.",
|
||||
'cannot_rm_root' => "Error: No es posible eliminar la carpeta raíz.",
|
||||
'category' => "Categoría",
|
||||
'category_exists' => "La categoría ya existe.",
|
||||
'category_filter' => "Solo categorías",
|
||||
'category_in_use' => "Esta categoría está en uso por documentos.",
|
||||
'category_noname' => "No ha proporcionado un nombre de categoría.",
|
||||
'categories' => "Categorías",
|
||||
'change_assignments' => "Cambiar asignaciones",
|
||||
'change_password' => "Cambiar contraseña",
|
||||
'change_password_message' => "Su contraseña se ha modificado.",
|
||||
'change_status' => "Cambiar estado",
|
||||
'choose_attrdef' => "Por favor, seleccione definición de atributo",
|
||||
'choose_category' => "Seleccione categoría",
|
||||
'choose_group' => "Seleccione grupo",
|
||||
'choose_target_category' => "Seleccione categoría",
|
||||
'choose_target_document' => "Escoger documento",
|
||||
'choose_target_folder' => "Escoger directorio destino",
|
||||
'choose_user' => "Seleccione usuario",
|
||||
'comment_changed_email' => "Comentario modificado",
|
||||
'comment' => "Comentarios",
|
||||
'comment_for_current_version' => "Comentario de la versión actual",
|
||||
'confirm_create_fulltext_index' => "¡Sí, quiero regenerar el índice te texto completo¡",
|
||||
'confirm_pwd' => "Confirmar contraseña",
|
||||
'confirm_rm_backup' => "¿Desea realmente eliminar el fichero \"[arkname]\"?<br />Atención: Esta acción no se puede deshacer.",
|
||||
'confirm_rm_document' => "¿Desea realmente eliminar el documento \"[documentname]\"?<br />Atención: Esta acción no se puede deshacer.",
|
||||
'confirm_rm_dump' => "¿Desea realmente eliminar el fichero \"[dumpname]\"?<br />Atención: Esta acción no se puede deshacer.",
|
||||
'confirm_rm_event' => "¿Desea realmente eliminar el evento \"[name]\"?<br />Atención: Esta acción no se puede deshacer.",
|
||||
'confirm_rm_file' => "¿Desea realmente eliminar el fichero \"[name]\" del documento \"[documentname]\"?<br />Atención: Esta acción no se puede deshacer.",
|
||||
'confirm_rm_folder' => "¿Desea realmente eliminar el directorio \"[foldername]\" y su contenido?<br />Atención: Esta acción no se puede deshacer.",
|
||||
'confirm_rm_folder_files' => "¿Desea realmente eliminar todos los ficheros de la carpeta \"[foldername]\" y de sus subcarpetas?<br />Atención: Esta acción no se puede deshacer.",
|
||||
'confirm_rm_group' => "¿Desea realmente eliminar el grupo \"[groupname]\"?<br />Atención: Esta acción no se puede deshacer.",
|
||||
'confirm_rm_log' => "¿Desea realmente eliminar el fichero de registro \"[logname]\"?<br />Atención: Esta acción no se puede deshacer.",
|
||||
'confirm_rm_user' => "¿Desea realmente eliminar el usuario \"[username]\"?<br />Atención: Esta acción no se puede deshacer.",
|
||||
'confirm_rm_version' => "¿Desea realmente eliminar la versión [version] del documento \"[documentname]\"?<br />Atención: esta acción no se puede deshacer.",
|
||||
'content' => "Contenido",
|
||||
'continue' => "Continuar",
|
||||
'create_fulltext_index' => "Crear índice de texto completo",
|
||||
'create_fulltext_index_warning' => "Usted va a regenerar el índice te texto completo. Esto puede tardar un tiempo considerable y consumir capacidad de su equipo. Si realmente quiere regenerar el índice, por favor confirme la operación.",
|
||||
'creation_date' => "Creación",
|
||||
'current_password' => "Contraseña actual",
|
||||
'current_version' => "Versión actual",
|
||||
'daily' => "Diaria",
|
||||
'databasesearch' => "Búsqueda en base de datos",
|
||||
'december' => "Diciembre",
|
||||
'default_access' => "Modo de acceso predefinido",
|
||||
'default_keywords' => "Palabras clave disponibles",
|
||||
'delete' => "Eliminar",
|
||||
'details' => "Detalles",
|
||||
'details_version' => "Detalles de la versión: [version]",
|
||||
'disclaimer' => "Esta es un área restringida. Se permite el acceso únicamente a personal autorizado. Cualquier intrusión se perseguirá conforme a las leyes internacionales.",
|
||||
'do_object_repair' => "Reparar todas las carpetas y documentos.",
|
||||
'document_already_locked' => "Este documento ya está bloqueado",
|
||||
'document_deleted' => "Documento eliminado",
|
||||
'document_deleted_email' => "Documento eliminado",
|
||||
'document' => "Documento",
|
||||
'document_infos' => "Informaciones",
|
||||
'document_is_not_locked' => "Este documento no está bloqueado",
|
||||
'document_link_by' => "Vinculado por",
|
||||
'document_link_public' => "Público",
|
||||
'document_moved_email' => "Documento reubicado",
|
||||
'document_renamed_email' => "Documento renombrado",
|
||||
'documents' => "Documentos",
|
||||
'documents_in_process' => "Documentos en proceso",
|
||||
'documents_locked_by_you' => "Documentos bloqueados por usted",
|
||||
'documents_only' => "Solo documentos",
|
||||
'document_status_changed_email' => "Estado del documento modificado",
|
||||
'documents_to_approve' => "Documentos en espera de aprobación de usuarios",
|
||||
'documents_to_review' => "Documentos en espera de revisión de usuarios",
|
||||
'documents_user_requiring_attention' => "Documentos de su propiedad que requieren atención",
|
||||
'document_title' => "Documento '[documentname]'",
|
||||
'document_updated_email' => "Documento actualizado",
|
||||
'does_not_expire' => "No caduca",
|
||||
'does_not_inherit_access_msg' => "heredar el acceso",
|
||||
'download' => "Descargar",
|
||||
'draft_pending_approval' => "Borador - pendiente de aprobación",
|
||||
'draft_pending_review' => "Borrador - pendiente de revisión",
|
||||
'dump_creation' => "Creación de volcado de BDD",
|
||||
'dump_creation_warning' => "Con esta operación se creará un volcado a fichero del contenido de la base de datos. Después de la creación del volcado el fichero se guardará en la carpeta de datos de su servidor.",
|
||||
'dump_list' => "Ficheros de volcado existentes",
|
||||
'dump_remove' => "Eliminar fichero de volcado",
|
||||
'edit_attributes' => "Editar atributos",
|
||||
'edit_comment' => "Editar comentario",
|
||||
'edit_default_keywords' => "Editar palabras clave",
|
||||
'edit_document_access' => "Editar acceso",
|
||||
'edit_document_notify' => "Lista de notificación",
|
||||
'edit_document_props' => "Editar propiedades de documento",
|
||||
'edit' => "editar",
|
||||
'edit_event' => "Editar evento",
|
||||
'edit_existing_access' => "Editar lista de acceso",
|
||||
'edit_existing_notify' => "Editar lista de notificación",
|
||||
'edit_folder_access' => "Editar acceso",
|
||||
'edit_folder_notify' => "Lista de notificación",
|
||||
'edit_folder_props' => "Editar directorio",
|
||||
'edit_group' => "Editar grupo...",
|
||||
'edit_user_details' => "Editar detalles de usuario",
|
||||
'edit_user' => "Editar usuario...",
|
||||
'email' => "Email",
|
||||
'email_error_title' => "No ha introducido un correo",
|
||||
'email_footer' => "Siempre se puede cambiar la configuración de correo electrónico utilizando las funciones de «Mi cuenta»",
|
||||
'email_header' => "Este es un mensaje automático del servidor de DMS.",
|
||||
'email_not_given' => "Por favor, introduzca una dirección de correo válida.",
|
||||
'empty_notify_list' => "No hay entradas",
|
||||
'error' => "Error",
|
||||
'error_no_document_selected' => "Ningún documento seleccionado",
|
||||
'error_no_folder_selected' => "Ninguna carpeta seleccionada",
|
||||
'error_occured' => "Ha ocurrido un error",
|
||||
'event_details' => "Detalles del evento",
|
||||
'expired' => "Caducado",
|
||||
'expires' => "Caduca",
|
||||
'expiry_changed_email' => "Fecha de caducidad modificada",
|
||||
'february' => "Febrero",
|
||||
'file' => "Fichero",
|
||||
'files_deletion' => "Eliminación de ficheros",
|
||||
'files_deletion_warning' => "Con esta opción se puede eliminar todos los ficheros del DMS completo. La información de versionado permanecerá visible.",
|
||||
'files' => "Ficheros",
|
||||
'file_size' => "Tamaño",
|
||||
'folder_contents' => "Carpetas",
|
||||
'folder_deleted_email' => "Carpeta eliminada",
|
||||
'folder' => "Carpeta",
|
||||
'folder_infos' => "Informaciones",
|
||||
'folder_moved_email' => "Carpeta reubicada",
|
||||
'folder_renamed_email' => "Carpeta renombrada",
|
||||
'folders_and_documents_statistic' => "Vista general de contenidos",
|
||||
'folders' => "Carpetas",
|
||||
'folder_title' => "Carpeta '[foldername]'",
|
||||
'friday' => "Viernes",
|
||||
'from' => "Desde",
|
||||
'fullsearch' => "Búsqueda en texto completo",
|
||||
'fullsearch_hint' => "Utilizar índice de texto completo",
|
||||
'fulltext_info' => "Información de índice de texto completo",
|
||||
'global_attributedefinitions' => "Definición de atributos",
|
||||
'global_default_keywords' => "Palabras clave globales",
|
||||
'global_document_categories' => "Categorías",
|
||||
'group_approval_summary' => "Resumen del grupo aprobador",
|
||||
'group_exists' => "El grupo ya existe.",
|
||||
'group' => "Grupo",
|
||||
'group_management' => "Grupos",
|
||||
'group_members' => "Miembros del grupo",
|
||||
'group_review_summary' => "Resumen del grupo revisor",
|
||||
'groups' => "Grupos",
|
||||
'guest_login_disabled' => "La cuenta de invitado está deshabilitada.",
|
||||
'guest_login' => "Acceso como invitado",
|
||||
'help' => "Ayuda",
|
||||
'hourly' => "Horaria",
|
||||
'human_readable' => "Archivo legible por humanos",
|
||||
'include_documents' => "Incluir documentos",
|
||||
'include_subdirectories' => "Incluir subdirectorios",
|
||||
'index_converters' => "Conversión de índice de documentos",
|
||||
'individuals' => "Individuales",
|
||||
'inherits_access_msg' => "Acceso heredado.",
|
||||
'inherits_access_copy_msg' => "Copiar lista de acceso heredado",
|
||||
'inherits_access_empty_msg' => "Empezar con una lista de acceso vacía",
|
||||
'internal_error_exit' => "Error interno. No es posible terminar la solicitud. Terminado.",
|
||||
'internal_error' => "Error interno",
|
||||
'invalid_access_mode' => "Modo de acceso no válido",
|
||||
'invalid_action' => "Acción no válida",
|
||||
'invalid_approval_status' => "Estado de aprobación no válido",
|
||||
'invalid_create_date_end' => "Fecha de fin no válida para creación de rango de fechas.",
|
||||
'invalid_create_date_start' => "Fecha de inicio no válida para creación de rango de fechas.",
|
||||
'invalid_doc_id' => "ID de documento no válida",
|
||||
'invalid_file_id' => "ID de fichero no válida",
|
||||
'invalid_folder_id' => "ID de carpeta no válida",
|
||||
'invalid_group_id' => "ID de grupo no válida",
|
||||
'invalid_link_id' => "Identificador de enlace no válido",
|
||||
'invalid_request_token' => "Translate: Invalid Request Token",
|
||||
'invalid_review_status' => "Estado de revisión no válido",
|
||||
'invalid_sequence' => "Valor de secuencia no válido",
|
||||
'invalid_status' => "Estado de documento no válido",
|
||||
'invalid_target_doc_id' => "ID de documento destino no válido",
|
||||
'invalid_target_folder' => "ID de carpeta destino no válido",
|
||||
'invalid_user_id' => "ID de usuario no válido",
|
||||
'invalid_version' => "Versión de documento no válida",
|
||||
'is_disabled' => "Deshabilitar cuenta",
|
||||
'is_hidden' => "Ocultar de la lista de usuarios",
|
||||
'january' => "Enero",
|
||||
'js_no_approval_group' => "Por favor, seleccione grupo de aprobación",
|
||||
'js_no_approval_status' => "Por favor, seleccione el estado de aprobación",
|
||||
'js_no_comment' => "No hay comentarios",
|
||||
'js_no_email' => "Escriba su dirección de correo electrónico",
|
||||
'js_no_file' => "Por favor, seleccione un archivo",
|
||||
'js_no_keywords' => "Especifique palabras clave",
|
||||
'js_no_login' => "Por favor, escriba un nombre de usuario",
|
||||
'js_no_name' => "Por favor, escriba un nombre",
|
||||
'js_no_override_status' => "Por favor, seleccione el nuevo [override] estado",
|
||||
'js_no_pwd' => "Necesita escribir su contraseña",
|
||||
'js_no_query' => "Escriba una búsqueda",
|
||||
'js_no_review_group' => "Por favor, seleccione un grupo de revisión",
|
||||
'js_no_review_status' => "Por favor, seleccione el estado de revisión",
|
||||
'js_pwd_not_conf' => "La contraseña y la confirmación de la contraseña no coinciden",
|
||||
'js_select_user_or_group' => "Seleccione al menos un usuario o un grupo",
|
||||
'js_select_user' => "Por favor, seleccione un usuario",
|
||||
'july' => "Julio",
|
||||
'june' => "Junio",
|
||||
'keyword_exists' => "La palabra clave ya existe",
|
||||
'keywords' => "Palabras clave",
|
||||
'language' => "Lenguaje",
|
||||
'last_update' => "Última modificación",
|
||||
'link_alt_updatedocument' => "Si desea subir archivos mayores que el tamaño máximo actualmente permitido, por favor, utilice la <a href=\"%s\">página de subida</a> alternativa.",
|
||||
'linked_documents' => "Documentos relacionados",
|
||||
'linked_files' => "Adjuntos",
|
||||
'local_file' => "Archivo local",
|
||||
'locked_by' => "Bloqueado por",
|
||||
'lock_document' => "Bloquear",
|
||||
'lock_message' => "Este documento ha sido bloqueado por <a href=\"mailto:[email]\">[username]</a>.<br />Solo usuarios autorizados pueden desbloquear este documento (vea el final de la página).",
|
||||
'lock_status' => "Estado",
|
||||
'login' => "Iniciar sesión",
|
||||
'login_disabled_text' => "Su cuenta está deshabilitada, probablemente es debido a demasiados intentos de acceso fallidos.",
|
||||
'login_disabled_title' => "La cuenta está deshabilitada",
|
||||
'login_error_text' => "Error de acceso. ID de usuario o contraseña incorrectos.",
|
||||
'login_error_title' => "Error de acceso",
|
||||
'login_not_given' => "Nombre de usuario no facilitado.",
|
||||
'login_ok' => "Acceso con éxito",
|
||||
'log_management' => "Gestión de ficheros de registro",
|
||||
'logout' => "Desconectar",
|
||||
'manager' => "Manager",
|
||||
'march' => "Marzo",
|
||||
'max_upload_size' => "Tamaño máximo de subida para cada fichero",
|
||||
'may' => "Mayo",
|
||||
'monday' => "Lunes",
|
||||
'month_view' => "Vista de Mes",
|
||||
'monthly' => "Mensual",
|
||||
'move_document' => "Mover documento",
|
||||
'move_folder' => "Mover directorio",
|
||||
'move' => "Mover",
|
||||
'my_account' => "Mi cuenta",
|
||||
'my_documents' => "Mis documentos",
|
||||
'name' => "Nombre",
|
||||
'new_attrdef' => "Nueva definición de atributo",
|
||||
'new_default_keyword_category' => "Nueva categoría",
|
||||
'new_default_keywords' => "Agregar palabras claves",
|
||||
'new_document_category' => "Añadir categoría",
|
||||
'new_document_email' => "Nuevo documento",
|
||||
'new_file_email' => "Nuevo adjunto",
|
||||
'new_folder' => "Nueva carpeta",
|
||||
'new_password' => "Nueva contraseña",
|
||||
'new' => "Nuevo",
|
||||
'new_subfolder_email' => "Nueva carpeta",
|
||||
'new_user_image' => "Nueva imagen",
|
||||
'no_action' => "No es necesaria ninguna acción",
|
||||
'no_approval_needed' => "No hay aprobaciones pendientes.",
|
||||
'no_attached_files' => "No hay ficheros adjuntos",
|
||||
'no_default_keywords' => "No hay palabras clave disponibles",
|
||||
'no_docs_locked' => "No hay documentos bloqueados.",
|
||||
'no_docs_to_approve' => "Actualmente no hay documentos que necesiten aprobación.",
|
||||
'no_docs_to_look_at' => "No hay documentos que necesiten atención.",
|
||||
'no_docs_to_review' => "Actualmente no hay documentos que necesiten revisión.",
|
||||
'no_group_members' => "Este grupo no tiene miembros",
|
||||
'no_groups' => "No hay grupos",
|
||||
'no' => "No",
|
||||
'no_linked_files' => "No hay ficheros enlazados",
|
||||
'no_previous_versions' => "No se han encontrado otras versiones",
|
||||
'no_review_needed' => "No hay revisiones pendientes.",
|
||||
'notify_added_email' => "Se le ha añadido a la lista de notificación",
|
||||
'notify_deleted_email' => "Se le ha eliminado de la lista de notificación",
|
||||
'no_update_cause_locked' => "No puede actualizar este documento. Contacte con el usuario que lo bloqueó.",
|
||||
'no_user_image' => "No se encontró imagen",
|
||||
'november' => "Noviembre",
|
||||
'now' => "ahora",
|
||||
'objectcheck' => "Chequeo de carpeta/documento",
|
||||
'obsolete' => "Obsoleto",
|
||||
'october' => "Octubre",
|
||||
'old' => "Viejo",
|
||||
'only_jpg_user_images' => "Solo puede usar imágenes .jpg como imágenes de usuario",
|
||||
'owner' => "Propietario",
|
||||
'ownership_changed_email' => "Propietario cambiado",
|
||||
'password' => "Contraseña",
|
||||
'password_already_used' => "La contraseña ya está en uso",
|
||||
'password_repeat' => "Repetir contraseña",
|
||||
'password_expiration' => "Caducidad de la contraseña",
|
||||
'password_expiration_text' => "Su contraseña ha caducado. Por favor seleccione una nueva para seguir usando SeedDMS.",
|
||||
'password_forgotten' => "Recordar contraseña",
|
||||
'password_forgotten_email_subject' => "Recordatorio de contraseña",
|
||||
'password_forgotten_email_body' => "Estimado usuario de SeedDMS,\n\nhemos recibido una petición para cambiar su contraseña.\n\nPuede modificarla haciendo click en el siguiente enlace:\n\n###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###\n\nSi continua teniendo problemas de acceso, por favor contacte con el administrador del sistema.",
|
||||
'password_forgotten_send_hash' => "Las instrucciones para proceder al cambio se han enviado a la dirección de correo de usuario",
|
||||
'password_forgotten_text' => "Rellene el siguiente formulario y siga las instrucciones del correo que se le enviará.",
|
||||
'password_forgotten_title' => "Envío de contraseña",
|
||||
'password_wrong' => "Contraseña incorrecta",
|
||||
'password_strength_insuffient' => "Fortaleza de la contraseña insuficiente",
|
||||
'personal_default_keywords' => "Listas de palabras clave personales",
|
||||
'previous_versions' => "Versiones anteriores",
|
||||
'refresh' => "Actualizar",
|
||||
'rejected' => "Rechazado",
|
||||
'released' => "Publicado",
|
||||
'removed_approver' => "Ha sido eliminado de la lista de aprobadores.",
|
||||
'removed_file_email' => "Adjuntos eliminados",
|
||||
'removed_reviewer' => "Ha sido eliminado de la lista de revisores.",
|
||||
'repairing_objects' => "Reparando documentos y carpetas.",
|
||||
'results_page' => "Página de resultados",
|
||||
'review_deletion_email' => "Petición de revisión eliminada",
|
||||
'reviewer_already_assigned' => "Ya está asignado como revisor",
|
||||
'reviewer_already_removed' => "Ya ha sido eliminado del proceso de revisión o ya ha enviado una revisión",
|
||||
'reviewers' => "Revisores",
|
||||
'review_group' => "Grupo de revisión",
|
||||
'review_request_email' => "Petición de revisión",
|
||||
'review_status' => "Estado de revisión",
|
||||
'review_submit_email' => "Revisión enviada",
|
||||
'review_summary' => "Resumen de revisión",
|
||||
'review_update_failed' => "Error actualizando el estado de la revisión. La actualización ha fallado.",
|
||||
'rm_attrdef' => "Eliminar definición de atributo",
|
||||
'rm_default_keyword_category' => "Eliminar categoría",
|
||||
'rm_document' => "Eliminar documento",
|
||||
'rm_document_category' => "Eliminar categoría",
|
||||
'rm_file' => "Eliminar fichero",
|
||||
'rm_folder' => "Eliminar carpeta",
|
||||
'rm_group' => "Eliminar este grupo",
|
||||
'rm_user' => "Eliminar este usuario",
|
||||
'rm_version' => "Eliminar versión",
|
||||
'role_admin' => "Administrador",
|
||||
'role_guest' => "Invitado",
|
||||
'role_user' => "Usuario",
|
||||
'role' => "Rol",
|
||||
'saturday' => "Sábado",
|
||||
'save' => "Guardar",
|
||||
'search_fulltext' => "Buscar en texto completo",
|
||||
'search_in' => "Buscar en",
|
||||
'search_mode_and' => "todas las palabras",
|
||||
'search_mode_or' => "al menos una palabra",
|
||||
'search_no_results' => "No hay documentos que coinciden con su búsqueda",
|
||||
'search_query' => "Buscar",
|
||||
'search_report' => "Encontrados [doccount] documentos y [foldercount] carpetas en [searchtime] s.",
|
||||
'search_report_fulltext' => "Encontrados [doccount] documentos",
|
||||
'search_results_access_filtered' => "Los resultados de la búsqueda podrían incluir contenidos cuyo acceso ha sido denegado.",
|
||||
'search_results' => "Resultados de la búsqueda",
|
||||
'search' => "Buscar",
|
||||
'search_time' => "Tiempo transcurrido: [time] seg.",
|
||||
'selection' => "Selección",
|
||||
'select_one' => "Seleccionar uno",
|
||||
'september' => "Septiembre",
|
||||
'seq_after' => "Después \"[prevname]\"",
|
||||
'seq_end' => "Al final",
|
||||
'seq_keep' => "Mantener posición",
|
||||
'seq_start' => "Primera posición",
|
||||
'sequence' => "Secuencia",
|
||||
'set_expiry' => "Establecer caducidad",
|
||||
'set_owner_error' => "Error estableciendo propietario",
|
||||
'set_owner' => "Establecer propietario",
|
||||
'set_password' => "Establecer contraseña",
|
||||
'settings_install_welcome_title' => "Bienvenido a la instalación de SeedDMS",
|
||||
'settings_install_welcome_text' => "<p>Antes de instalar SeedDMS asegúrese de haber creado un archivo «ENABLE_INSTALL_TOOL» en su directorio de instalación, en otro caso la instalación no funcionará. En sistemas Unix puede hacerse fácilmente con «touch conf/ENABLE_INSTALL_TOOL». Después de terminar la instalación elimine el archivo.</p><p>SeedDMS tiene unos requisitos mínimos. Necesitará una base de datos y un servidor web con soporte para php. Para la búsqueda de texto completo lucene, necesitará tener instalado también el framework Zend donde pueda ser utilizado por php. Desde la versión 3.2.0 de SeedDMS ADObd ya no forma parte de la distribución. Consiga una copia de él desde <a href=\"http://adodb.sourceforge.net/\">http://adodb.sourceforge.net</a> e instálelo. La ruta hacia él podrá ser establecida durante la instalación.</p><p> Si prefiere crear la base de datos antes de comenzar la instalación, simplemente créela manualmente con su herramienta preferida, opcionalmente cree un usuario de base de datos con acceso a esta base de datos e importe uno de los volcados del directorio de configuración. El script de instalación puede hacer esto también, pero necesitará acceso con privilegios suficientes para crear bases de datos.</p>",
|
||||
'settings_start_install' => "Comenzar instalación",
|
||||
'settings_sortUsersInList' => "Ordenar los usuarios en la lista",
|
||||
'settings_sortUsersInList_desc' => "Establecer si los menús de selección de usuarios se ordenan por nombre de acceso o por nombre completo",
|
||||
'settings_sortUsersInList_val_login' => "Ordenar por nombre de acceso",
|
||||
'settings_sortUsersInList_val_fullname' => "Ordernar por nombre completo",
|
||||
'settings_stopWordsFile' => "Ruta al fichero de palabras comunes",
|
||||
'settings_stopWordsFile_desc' => "Si la búsqueda de texto completo está habilitada, este fichero contendrá palabras comunes que no se indexarán",
|
||||
'settings_activate_module' => "Activar módulo",
|
||||
'settings_activate_php_extension' => "Activar extensión PHP",
|
||||
'settings_adminIP' => "IP de administración",
|
||||
'settings_adminIP_desc' => "Si establece que el administrador solo puede conectar desde una dirección IP específica, deje en blanco para evitar el control. NOTA: funciona únicamente con autenticación local (no LDAP).",
|
||||
'settings_ADOdbPath' => "Ruta de ADOdb",
|
||||
'settings_ADOdbPath_desc' => "Ruta a adodb. Este es el directorio que contiene el directorio de adodb",
|
||||
'settings_Advanced' => "Avanzado",
|
||||
'settings_apache_mod_rewrite' => "Apache - Módulo Rewrite",
|
||||
'settings_Authentication' => "Configuración de autenticación",
|
||||
'settings_Calendar' => "Configuración de calendario",
|
||||
'settings_calendarDefaultView' => "Vista por omisión de calendario",
|
||||
'settings_calendarDefaultView_desc' => "Vista por omisión de calendario",
|
||||
'settings_contentDir' => "Directorio de contenidos",
|
||||
'settings_contentDir_desc' => "Donde se almacenan los archivos subidos (es preferible seleccionar un directorio que no sea accesible a través del servidor web)",
|
||||
'settings_contentOffsetDir' => "Directorio de contenidos de desplazamiento",
|
||||
'settings_contentOffsetDir_desc' => "Para tratar las limitaciones del sistema de ficheros subyacente, se ha ideado una estructura de directorios dentro del directorio de contenido. Esto requiere un directorio base desde el que comenzar. Normalmente puede dejar este valor por omisión, 1048576, pero puede ser cualquier número o cadena que no exista ya dentro él (directorio de contenido).",
|
||||
'settings_coreDir' => "Directorio de SeedDMS Core",
|
||||
'settings_coreDir_desc' => "Ruta hacia SeedDMS_Core (opcional)",
|
||||
'settings_loginFailure_desc' => "Deshabilitar cuenta después de n intentos de acceso.",
|
||||
'settings_loginFailure' => "Fallo de acceso",
|
||||
'settings_luceneClassDir' => "Directorio de SeedDMS Lucene",
|
||||
'settings_luceneClassDir_desc' => "Ruta hacia SeedDMS_Lucene (opcional)",
|
||||
'settings_luceneDir' => "Directorio índice de Lucene",
|
||||
'settings_luceneDir_desc' => "Ruta hacia el índice Lucene",
|
||||
'settings_cannot_disable' => "No es posible eliminar el archivo ENABLE_INSTALL_TOOL",
|
||||
'settings_install_disabled' => "El archivo ENABLE_INSTALL_TOOL ha sido eliminado. Ahora puede conectarse a SeedDMS y seguir con la configuración.",
|
||||
'settings_createdatabase' => "Crear tablas de base de datos",
|
||||
'settings_createdirectory' => "Crear directorio",
|
||||
'settings_currentvalue' => "Valor actual",
|
||||
'settings_Database' => "Configuración de Base de datos",
|
||||
'settings_dbDatabase' => "Base de datos",
|
||||
'settings_dbDatabase_desc' => "Nombre para su base de datos introducido durante el proceso de instalación. No edite este campo a menos que sea necesario, por ejemplo si la base de datos se traslada.",
|
||||
'settings_dbDriver' => "Tipo de Base de datos",
|
||||
'settings_dbDriver_desc' => "Tipo de base de datos introducido durante el proceso de instalación. No edite este campo a menos que tenga que migrar a un tipo diferente de base de datos quizá cambiando de servidor. El tipo de DB-Driver lo utiliza adodb (lea adodb-readme)",
|
||||
'settings_dbHostname_desc' => "Servidor para su base de datos introducido durante el proceso de instalación. No edite este campo a menos que sea necesario, por ejemplo si la base de datos se transfiere a un nuevo servidor.",
|
||||
'settings_dbHostname' => "Nombre de servidor",
|
||||
'settings_dbPass_desc' => "Contraseña para acceder a la base de datos introducida durante el proceso de instalación.",
|
||||
'settings_dbPass' => "Contraseña",
|
||||
'settings_dbUser_desc' => "Nombre de usuario de acceso a su base de datos introducido durante el proceso de instalación. No edite este campo a menos que sea necesario, por ejemplo si la base de datos se transfiere a un nuevo servidor.",
|
||||
'settings_dbUser' => "Nombre de usuario",
|
||||
'settings_dbVersion' => "Esquema de base de datos demasiado antiguo",
|
||||
'settings_delete_install_folder' => "Para utilizar SeedDMS, debe eliminar el archivo ENABLE_INSTALL_TOOL del directorio de configuración",
|
||||
'settings_disable_install' => "Eliminar el archivo ENABLE_INSTALL_TOOL se es posible",
|
||||
'settings_disableSelfEdit_desc' => "Si está seleccionado el usuario no podrá editar su propio perfil",
|
||||
'settings_disableSelfEdit' => "Deshabilitar autoedición",
|
||||
'settings_Display' => "Mostrar configuración",
|
||||
'settings_Edition' => "Configuración de edición",
|
||||
'settings_enableAdminRevApp_desc' => "Deseleccione para no mostrar al administrador como revisor/aprobador",
|
||||
'settings_enableAdminRevApp' => "Habilitar Administrador Rev Apr",
|
||||
'settings_enableCalendar_desc' => "Habilitar/Deshabilitar calendario",
|
||||
'settings_enableCalendar' => "Habilitar calendario",
|
||||
'settings_enableConverting_desc' => "Habilitar/Deshabilitar conversión de ficheros",
|
||||
'settings_enableConverting' => "Habilitar conversión",
|
||||
'settings_enableNotificationAppRev_desc' => "Habilitar para enviar notificación a revisor/aprobador cuando se añade una nueva versión de documento",
|
||||
'settings_enableNotificationAppRev' => "Habilitar notificación a revisor/aprobador",
|
||||
'settings_enableVersionModification_desc' => "Habilitar/Deshabilitar la modificación de versiones de documentos por parte de usuarios después de añadir una nueva versión. El administrador siempre podrá modificar la versión después de añadida.",
|
||||
'settings_enableVersionModification' => "Habilitar la modificación de versiones",
|
||||
'settings_enableVersionDeletion_desc' => "Habilitar/Deshabilitar la eliminación de versiones anteriores de documentos por parte de usuarios. El administrador siempre podrá eliminar versiones antiguas.",
|
||||
'settings_enableVersionDeletion' => "Habilitar la eliminación de versiones anteriores",
|
||||
'settings_enableEmail_desc' => "Habilitar/Deshabilitar notificación automática por correo electrónico",
|
||||
'settings_enableEmail' => "Habilitar E-mail",
|
||||
'settings_enableFolderTree_desc' => "Falso para no mostrar el árbol de carpetas",
|
||||
'settings_enableFolderTree' => "Habilitar árbol de carpetas",
|
||||
'settings_enableFullSearch' => "Habilitar búsqueda de texto completo",
|
||||
'settings_enableFullSearch_desc' => "Habilitar búsqueda de texto completo",
|
||||
'settings_enableGuestLogin_desc' => "Si quiere que cualquiera acceda como invitado, chequee esta opción. Nota: El acceso de invitado debería permitirse solo en entornos de confianza",
|
||||
'settings_enableGuestLogin' => "Habilitar acceso de invitado",
|
||||
'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_enableLargeFileUpload' => "Habilitar la carga de ficheros grandes",
|
||||
'settings_enablePasswordForgotten_desc' => "Si quiere permitir a los usuarios fijar una nueva contraseña recibiendo un correo electrónico, active esta opción.",
|
||||
'settings_enableOwnerNotification_desc' => "Marcar para añadir una notificación al propietario del documento cuando es añadido.",
|
||||
'settings_enableOwnerNotification' => "Habilitar notificación al propietario por omisión",
|
||||
'settings_enablePasswordForgotten' => "Habilitar recordatorio de contraseña",
|
||||
'settings_enableUserImage_desc' => "Habilitar imágenes de usuario",
|
||||
'settings_enableUserImage' => "Habilitar imágenes de usuario",
|
||||
'settings_enableUsersView_desc' => "Habilitar/Deshabilitar vista de usuario y grupo por todos los usuarios",
|
||||
'settings_enableUsersView' => "Habilitar vista de usuarios",
|
||||
'settings_encryptionKey' => "Clave de cifrado",
|
||||
'settings_encryptionKey_desc' => "Esta cadena se utiliza para crear un identificador único añadido como campo oculto a formularios para prevenir ataques CSRF.",
|
||||
'settings_error' => "Error",
|
||||
'settings_expandFolderTree_desc' => "Expandir árbol de carpetas",
|
||||
'settings_expandFolderTree' => "Expandir árbol de carpetas",
|
||||
'settings_expandFolderTree_val0' => "Comenzar con el árbol oculto",
|
||||
'settings_expandFolderTree_val1' => "comentar con el árbol visible y el primer nivel de expansión",
|
||||
'settings_expandFolderTree_val2' => "comentar con el árbol visible y completamente expandido",
|
||||
'settings_firstDayOfWeek_desc' => "Primer día de la semana",
|
||||
'settings_firstDayOfWeek' => "Primer día de la semana",
|
||||
'settings_footNote_desc' => "Mensaje para mostrar en la parte inferior de cada página",
|
||||
'settings_footNote' => "Nota del pie",
|
||||
'settings_guestID_desc' => "ID del usuario invitado cuando se conecta como invitado (mayormente no necesita cambiarlo)",
|
||||
'settings_guestID' => "ID de invitado",
|
||||
'settings_httpRoot_desc' => "La ruta relativa de la URL, después de la parte del servidor. No incluir el prefijo http:// o el nombre del servidor. Por ejemplo, si la URL completa es http://www.example.com/seeddms/, configure «/seeddms/». Si la URL completa es http://www.example.com/, configure «/»",
|
||||
'settings_httpRoot' => "Raíz Http",
|
||||
'settings_installADOdb' => "Instalar ADOdb",
|
||||
'settings_install_success' => "La instalación ha terminado con éxito",
|
||||
'settings_install_pear_package_log' => "Instale el paquete Pear 'Log'",
|
||||
'settings_install_pear_package_webdav' => "Instale el paquete Pear 'HTTP_WebDAV_Server', si quiere utilizar el interfaz webdav",
|
||||
'settings_install_zendframework' => "Instale Zend Framework, si quiere usar el sistema de búsqueda de texto completo",
|
||||
'settings_language' => "Idioma por omisión",
|
||||
'settings_language_desc' => "Idioma por omisión (nombre de un subdirectorio en el directorio \"languages\")",
|
||||
'settings_logFileEnable_desc' => "Habilitar/Deshabilitar archivo de registro",
|
||||
'settings_logFileEnable' => "Archivo de registro habilitado",
|
||||
'settings_logFileRotation_desc' => "Rotación del archivo de registro",
|
||||
'settings_logFileRotation' => "Rotación del archivo de registro",
|
||||
'settings_luceneDir' => "Directorio del índice de texto completo",
|
||||
'settings_maxDirID_desc' => "Número máximo de subdirectorios por directorio padre. Por omisión: 32700.",
|
||||
'settings_maxDirID' => "ID máximo de directorio",
|
||||
'settings_maxExecutionTime_desc' => "Esto configura el tiempo máximo en segundos que un script puede estar ejectutándose antes de que el analizador lo pare",
|
||||
'settings_maxExecutionTime' => "Tiempo máximo de ejecución (s)",
|
||||
'settings_more_settings' => "Configure más parámetros. Acceso por omisión: admin/admin",
|
||||
'settings_Notification' => "Parámetros de notificación",
|
||||
'settings_no_content_dir' => "Directorio de contenidos",
|
||||
'settings_notfound' => "No encontrado",
|
||||
'settings_notwritable' => "La configuración no se puede guardar porque el fichero de configuración no es escribible.",
|
||||
'settings_partitionSize' => "Tamaño de fichero parcial",
|
||||
'settings_partitionSize_desc' => "Tamaño de ficheros parciales en bytes, subidos por jumploader. No configurar un valor mayor que el tamaño máximo de subida configurado en el servidor.",
|
||||
'settings_passwordExpiration' => "Caducidad de contraseña",
|
||||
'settings_passwordExpiration_desc' => "El número de días tras los cuales una contraseña caduca y debe configurarse. 0 deshabilita la caducidad de contraseña.",
|
||||
'settings_passwordHistory' => "Historial de contraseñas",
|
||||
'settings_passwordHistory_desc' => "El número de contraseñas que un usuario debe usar antes de que una contraseña pueda volver a ser utilizada. 0 deshabilita el historial de contraseñas.",
|
||||
'settings_passwordStrength' => "Min. fortaleza de contraseña",
|
||||
'settings_passwordЅtrength_desc' => "La fortaleza mínima de contraseña es un valor numérico de 0 a 100. Configurándolo a 0 deshabilita la validación de fortaleza mínima.",
|
||||
'settings_passwordStrengthAlgorithm' => "Algoritmo de fortaleza de contraseña",
|
||||
'settings_passwordStrengthAlgorithm_desc' => "El algoritmo utilizado para calcular la fortaleza de contraseña. El algoritmo «simple» solo chequea que haya al menos 8 caracteres en total, una letra minúscula y una mayúscula, un número y un caracter especial. Si se cumplen estas condiciones la puntuación devuelta es 100 de otro modo es 0.",
|
||||
'settings_passwordStrengthAlgorithm_valsimple' => "simple",
|
||||
'settings_passwordStrengthAlgorithm_valadvanced' => "avanzada",
|
||||
'settings_perms' => "Permisos",
|
||||
'settings_pear_log' => "Paquete Pear : Log",
|
||||
'settings_pear_webdav' => "Paquete Pear : HTTP_WebDAV_Server",
|
||||
'settings_php_dbDriver' => "Extensión PHP : php_'vea el valor actual'",
|
||||
'settings_php_gd2' => "Extensión PHP : php_gd2",
|
||||
'settings_php_mbstring' => "Extensión PHP : php_mbstring",
|
||||
'settings_printDisclaimer_desc' => "Si es Verdadero el mensaje de renuncia de los ficheros lang.inc se mostratá al final de la página",
|
||||
'settings_printDisclaimer' => "Mostrar renuncia",
|
||||
'settings_restricted_desc' => "Solo permitir conectar a usuarios si tienen alguna entrada en la base de datos local (independientemente de la autenticación correcta con LDAP)",
|
||||
'settings_restricted' => "Acceso restringido",
|
||||
'settings_rootDir_desc' => "Ruta hacía la ubicación de SeedDMS",
|
||||
'settings_rootDir' => "Directorio raíz",
|
||||
'settings_rootFolderID_desc' => "ID de la carpeta raíz (normalmente no es necesario cambiar)",
|
||||
'settings_rootFolderID' => "ID de la carpeta raíz",
|
||||
'settings_SaveError' => "Error guardando archivo de configuración",
|
||||
'settings_Server' => "Configuración del servidor",
|
||||
'settings' => "Configuración",
|
||||
'settings_siteDefaultPage_desc' => "Página por omisión al conectar. Si está vacío se dirige a out/out.ViewFolder.php",
|
||||
'settings_siteDefaultPage' => "Página por omisión del sitio",
|
||||
'settings_siteName_desc' => "Nombre del sitio usado en los títulos de página. Por omisión: SeedDMS",
|
||||
'settings_siteName' => "Nombre del sitio",
|
||||
'settings_Site' => "Sitio",
|
||||
'settings_smtpPort_desc' => "Puerto del servidor SMTP, por omisión 25",
|
||||
'settings_smtpPort' => "Puerto del servidor SMTP",
|
||||
'settings_smtpSendFrom_desc' => "Enviar desde",
|
||||
'settings_smtpSendFrom' => "Enviar desde",
|
||||
'settings_smtpServer_desc' => "Nombre de servidor SMTP",
|
||||
'settings_smtpServer' => "Nombre de servidor SMTP",
|
||||
'settings_SMTP' => "Configuración del servidor SMTP",
|
||||
'settings_stagingDir' => "Directorio para descargas parciales",
|
||||
'settings_strictFormCheck_desc' => "Comprobación estricta de formulario. Si se configura como cierto, entonces se comprobará el valor de todos los campos del formulario. Si se configura como false, entonces (la mayor parte) de los comentarios y campos de palabras clave se convertirán en opcionales. Los comentarios siempre son obligatorios al enviar una revisión o sobreescribir el estado de un documento",
|
||||
'settings_strictFormCheck' => "Comprobación estricta de formulario",
|
||||
'settings_suggestionvalue' => "Valor sugerido",
|
||||
'settings_System' => "Sistema",
|
||||
'settings_theme' => "Tema por omisión",
|
||||
'settings_theme_desc' => "Estilo por omisión (nombre de una subcarpeta de la carpeta \"styles\")",
|
||||
'settings_titleDisplayHack_desc' => "Solución para los títulos de página que tienen más de 2 lineas.",
|
||||
'settings_titleDisplayHack' => "Arreglo para mostrar título",
|
||||
'settings_updateDatabase' => "Lanzar scripts de actualización de esquema en la base de datos",
|
||||
'settings_updateNotifyTime_desc' => "Se notificará a los usuarios sobre los cambios en documentos que tengan lugar en los próximos segundos de «Tiempo de notificación de actualización»",
|
||||
'settings_updateNotifyTime' => "Tiempo de notificación de actualización",
|
||||
'settings_versioningFileName_desc' => "Nombre de archivo de información de versionado creado por la herramienta de copia de respaldo",
|
||||
'settings_versioningFileName' => "Archivo de versionado",
|
||||
'settings_viewOnlineFileTypes_desc' => "Archivos con una de las siguientes extensiones se pueden visualizar en linea (UTILICE SOLAMENTE CARACTERES EN MINÚSCULA)",
|
||||
'settings_viewOnlineFileTypes' => "Ver en lineas las extensiones de fichero",
|
||||
'settings_zendframework' => "Zend Framework",
|
||||
'signed_in_as' => "Conectado como",
|
||||
'sign_in' => "Conectar",
|
||||
'sign_out' => "desconectar",
|
||||
'space_used_on_data_folder' => "Espacio usado en la carpeta de datos",
|
||||
'status_approval_rejected' => "Borrador rechazado",
|
||||
'status_approved' => "Aprobado",
|
||||
'status_approver_removed' => "Aprobador eliminado del proceso",
|
||||
'status_not_approved' => "Sin aprobar",
|
||||
'status_not_reviewed' => "Sin revisar",
|
||||
'status_reviewed' => "Revisado",
|
||||
'status_reviewer_rejected' => "Borrador rechazado",
|
||||
'status_reviewer_removed' => "Revisor eliminado del proceso",
|
||||
'status' => "Estado",
|
||||
'status_unknown' => "Desconocido",
|
||||
'storage_size' => "Tamaño de almacenamiento",
|
||||
'submit_approval' => "Enviar aprobación",
|
||||
'submit_login' => "Conectar",
|
||||
'submit_password' => "Fijar nueva contraseña",
|
||||
'submit_password_forgotten' => "Comenzar el proceso",
|
||||
'submit_review' => "Enviar revisión",
|
||||
'submit_userinfo' => "Enviar información",
|
||||
'sunday' => "Domingo",
|
||||
'theme' => "Tema gráfico",
|
||||
'thursday' => "Jueves",
|
||||
'toggle_manager' => "Intercambiar mánager",
|
||||
'to' => "Hasta",
|
||||
'tuesday' => "Martes",
|
||||
'under_folder' => "En carpeta",
|
||||
'unknown_command' => "Orden no reconocida.",
|
||||
'unknown_document_category' => "Categoría desconocida",
|
||||
'unknown_group' => "Id de grupo desconocido",
|
||||
'unknown_id' => "Id desconocido",
|
||||
'unknown_keyword_category' => "Categoría desconocida",
|
||||
'unknown_owner' => "Id de propietario desconocido",
|
||||
'unknown_user' => "ID de usuario desconocido",
|
||||
'unlock_cause_access_mode_all' => "Puede actualizarlo porque tiene modo de acceso \"all\". El bloqueo será automaticamente eliminado.",
|
||||
'unlock_cause_locking_user' => "Puede actualizarlo porque fue quién lo bloqueó. El bloqueo será automáticamente eliminado.",
|
||||
'unlock_document' => "Desbloquear",
|
||||
'update_approvers' => "Actualizar lista de aprobadores",
|
||||
'update_document' => "Actualizar documento",
|
||||
'update_fulltext_index' => "Actualizar índice de texto completo",
|
||||
'update_info' => "Actualizar información",
|
||||
'update_locked_msg' => "Este documento está bloqueado.",
|
||||
'update_reviewers' => "Actualizar lista de revisores",
|
||||
'update' => "Actualizar",
|
||||
'uploaded_by' => "Enviado por",
|
||||
'uploading_failed' => "Envío (Upload) fallido. Por favor contacte con el Administrador.",
|
||||
'use_default_categories' => "Utilizar categorías predefinidas",
|
||||
'use_default_keywords' => "Utilizar palabras claves por omisión",
|
||||
'user_exists' => "El usuario ya existe.",
|
||||
'user_image' => "Imagen",
|
||||
'user_info' => "Información de usuario",
|
||||
'user_list' => "Lista de usuarios",
|
||||
'user_login' => "Nombre de usuario",
|
||||
'user_management' => "Usuarios",
|
||||
'user_name' => "Nombre completo",
|
||||
'users' => "Usuarios",
|
||||
'user' => "Usuario",
|
||||
'version_deleted_email' => "Versión eliminada",
|
||||
'version_info' => "Información de versión",
|
||||
'versioning_file_creation' => "Creación de fichero de versiones",
|
||||
'versioning_file_creation_warning' => "Con esta operación usted puede crear un fichero que contenga la información de versiones de una carpeta del DMS completa. Después de la creación todos los ficheros se guardarán en la carpeta de documentos.",
|
||||
'versioning_info' => "Información de versiones",
|
||||
'version' => "Versión",
|
||||
'view_online' => "Ver online",
|
||||
'warning' => "Advertencia",
|
||||
'wednesday' => "Miércoles",
|
||||
'week_view' => "Vista de semana",
|
||||
'year_view' => "Vista de año",
|
||||
'yes' => "Sí",
|
||||
);
|
||||
?>
|
687
languages/fr_FR/lang.inc
Normal file
687
languages/fr_FR/lang.inc
Normal file
|
@ -0,0 +1,687 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
// Copyright (C) 2012 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "Accepter",
|
||||
'access_denied' => "Accès refusé.",
|
||||
'access_inheritance' => "Héritage d'accès",
|
||||
'access_mode' => "Droits d'accès",
|
||||
'access_mode_all' => "Contrôle total",
|
||||
'access_mode_none' => "Aucun accès",
|
||||
'access_mode_read' => "Lecture",
|
||||
'access_mode_readwrite' => "Lecture-Ecriture",
|
||||
'access_permission_changed_email' => "Permission modifiée",
|
||||
'according_settings' => "Paramètres en fonction",
|
||||
'actions' => "Actions",
|
||||
'add' => "Ajouter",
|
||||
'add_doc_reviewer_approver_warning' => "N.B. Les documents sont automatiquement marqués comme publiés si il n'y a pas de correcteur ou d'approbateur désigné.",
|
||||
'add_document' => "Ajouter un document",
|
||||
'add_document_link' => "Ajouter un lien",
|
||||
'add_event' => "Ajouter un événement",
|
||||
'add_group' => "Ajouter un groupe",
|
||||
'add_member' => "Ajouter un membre",
|
||||
'add_multiple_documents' => "Ajouter plusieurs documents",
|
||||
'add_multiple_files' => "Ajouter plusieurs fichiers (le nom du fichier servira de nom de document)",
|
||||
'add_subfolder' => "Ajouter un sous-dossier",
|
||||
'add_user' => "Ajouter un utilisateur",
|
||||
'add_user_to_group' => "Ajouter utilisateur dans groupe",
|
||||
'admin' => "Administrateur",
|
||||
'admin_tools' => "Outils d'administration",
|
||||
'all' => "Tous",
|
||||
'all_categories' => "Toutes les catégories",
|
||||
'all_documents' => "Tous les documents",
|
||||
'all_pages' => "Tous",
|
||||
'all_users' => "Tous les utilisateurs",
|
||||
'already_subscribed' => "Déjà abonné",
|
||||
'and' => "et",
|
||||
'apply' => "Appliquer",
|
||||
'approval_deletion_email' => "Demande d'approbation supprimée",
|
||||
'approval_group' => "Groupe d'approbation",
|
||||
'approval_request_email' => "Demande d'approbation",
|
||||
'approval_status' => "Statut d'approbation",
|
||||
'approval_submit_email' => "Approbation soumise",
|
||||
'approval_summary' => "Sommaire d'approbation",
|
||||
'approval_update_failed' => "Erreur de la mise à jour du statut d'approbation. Echec de la mise à jour.",
|
||||
'approvers' => "Approbateurs",
|
||||
'april' => "Avril",
|
||||
'archive_creation' => "Création d'archivage",
|
||||
'archive_creation_warning' => "Avec cette fonction, vous pouvez créer une archive contenant les fichiers de tout les dossiers DMS. Après la création, l'archive sera sauvegardé dans le dossier de données de votre serveur.<br> AVERTISSEMENT: Une archive créée comme lisible par l'homme sera inutilisable en tant que sauvegarde du serveur.",
|
||||
'assign_approvers' => "Approbateurs désignés",
|
||||
'assign_reviewers' => "Correcteurs désignés",
|
||||
'assign_user_property_to' => "Assign user's properties to",
|
||||
'assumed_released' => "Supposé publié",
|
||||
'attrdef_management' => "Gestion des définitions d'attributs",
|
||||
'attrdef_exists' => "La définition d'attribut existe déjà",
|
||||
'attrdef_in_use' => "La définition d'attribut est en cours d'utilisation",
|
||||
'attrdef_name' => "Nom",
|
||||
'attrdef_multiple' => "Permettre des valeurs multiples",
|
||||
'attrdef_objtype' => "Type d'objet",
|
||||
'attrdef_type' => "Type",
|
||||
'attrdef_minvalues' => "Nombre minimum de valeurs",
|
||||
'attrdef_maxvalues' => "Nombre maximum de valeurs",
|
||||
'attrdef_valueset' => "Ensemble de valeurs",
|
||||
'attributes' => "Attributs",
|
||||
'august' => "Août",
|
||||
'automatic_status_update' => "Changement de statut automatique",
|
||||
'back' => "Retour",
|
||||
'backup_list' => "Liste de sauvegardes existantes",
|
||||
'backup_remove' => "Supprimer le fichier de sauvegarde",
|
||||
'backup_tools' => "Outils de sauvegarde",
|
||||
'between' => "entre",
|
||||
'calendar' => "Agenda",
|
||||
'cancel' => "Annuler",
|
||||
'cannot_assign_invalid_state' => "Impossible de modifier un document obsolète ou rejeté",
|
||||
'cannot_change_final_states' => "Attention: Vous ne pouvez pas modifier le statut d'un document rejeté, expiré ou en attente de révision ou d'approbation",
|
||||
'cannot_delete_yourself' => "Vous ne pouvez pas supprimer vous-même",
|
||||
'cannot_move_root' => "Erreur : Impossible de déplacer le dossier racine.",
|
||||
'cannot_retrieve_approval_snapshot' => "Impossible de retrouver l'instantané de statut d'approbation pour cette version de document.",
|
||||
'cannot_retrieve_review_snapshot' => "Impossible de retrouver l'instantané de statut de correction pour cette version du document.",
|
||||
'cannot_rm_root' => "Erreur : Dossier racine ineffaçable.",
|
||||
'category' => "Catégorie",
|
||||
'category_exists' => "Catégorie existe déjà.",
|
||||
'category_filter' => "Uniquement les catégories",
|
||||
'category_in_use' => "This category is currently used by documents.",
|
||||
'category_noname' => "Aucun nom de catégorie fourni.",
|
||||
'categories' => "Catégories",
|
||||
'change_assignments' => "Changer affectations",
|
||||
'change_password' => "Changer mot de passe",
|
||||
'change_password_message' => "Votre mot de passe a été changé.",
|
||||
'change_status' => "Modifier le statut",
|
||||
'choose_attrdef' => "Choisissez une définition d'attribut",
|
||||
'choose_category' => "SVP choisir",
|
||||
'choose_group' => "Choisir un groupe",
|
||||
'choose_target_category' => "Choisir une catégorie",
|
||||
'choose_target_document' => "Choisir un document",
|
||||
'choose_target_folder' => "Choisir un dossier cible",
|
||||
'choose_user' => "Choisir un utilisateur",
|
||||
'comment_changed_email' => "Commentaire changé",
|
||||
'comment' => "Commentaire",
|
||||
'comment_for_current_version' => "Commentaires pour la version actuelle",
|
||||
'confirm_create_fulltext_index' => "Oui, je souhaite recréer l'index de texte intégral!",
|
||||
'confirm_pwd' => "Confirmer le mot de passe",
|
||||
'confirm_rm_backup' => "Voulez-vous vraiment supprimer le fichier \"[arkname]\"?<br>Attention: Cette action ne peut pas être annulée.",
|
||||
'confirm_rm_document' => "Voulez-vous réellement supprimer le document \"[documentname]\"?<br>Attention : cette action ne peut être annulée.",
|
||||
'confirm_rm_dump' => "Voulez-vous vraiment supprimer le fichier \"[dumpname]\"?<br>Attention: Cette action ne peut pas être annulée.",
|
||||
'confirm_rm_event' => "Voulez-vous vraiment supprimer l'événement \"[name]\"?<br>Attention: Cette action ne peut pas être annulée.",
|
||||
'confirm_rm_file' => "Voulez-vous vraiment supprimer le fichier \"[name]\" du document \"[documentname]\"?<br> Attention: Cette action ne peut pas être annulée.",
|
||||
'confirm_rm_folder' => "Voulez-vous réellement supprimer \"[foldername]\" et son contenu ?<br>Attention : cette action ne peut être annulée.",
|
||||
'confirm_rm_folder_files' => "Voulez-vous vraiment supprimer tous les fichiers du dossier \"[foldername]\" et ses sous-dossiers?<br>Attention: Cette action ne peut pas être annulée.",
|
||||
'confirm_rm_group' => "Voulez-vous vraiment supprimer le groupe \"[groupname]\"?<br>Attention: Cette action ne peut pas être annulée.",
|
||||
'confirm_rm_log' => "Voulez-vous vraiment supprimer le fichier log \"[logname]\"?<br>Attention: Cette action ne peut pas être annulée.",
|
||||
'confirm_rm_user' => "Voulez-vous vraiment supprimer l'utilisateur \"[username]\"?<br>Attention: Cette action ne peut pas être annulée.",
|
||||
'confirm_rm_version' => "Voulez-vous réellement supprimer la [version] du document \"[documentname]\"?<br>Attention: Cette action ne peut pas être annulée.",
|
||||
'content' => "Contenu",
|
||||
'continue' => "Continuer",
|
||||
'create_fulltext_index' => "Créer un index de texte intégral",
|
||||
'create_fulltext_index_warning' => "Vous allez recréer l'index de texte intégral. Cela peut prendre une grande quantité de temps et de réduire les performances de votre système dans son ensemble. Si vous voulez vraiment recréer l'index, merci de confirmer votre opération.",
|
||||
'creation_date' => "Créé le",
|
||||
'current_password' => "Mot de passe actuel",
|
||||
'current_version' => "Version actuelle",
|
||||
'daily' => "Journalier",
|
||||
'databasesearch' => "Recherche dans la base de données",
|
||||
'december' => "Décembre",
|
||||
'default_access' => "Droits d'accès par défaut",
|
||||
'default_keywords' => "Mots-clés disponibles",
|
||||
'delete' => "Supprimer",
|
||||
'details' => "Détails",
|
||||
'details_version' => "Détails de la version: [version]",
|
||||
'disclaimer' => "Cet espace est protégé. Son accès est strictement réservé aux utilisateurs autorisés.<br/>Tout accès non autorisé est punissable par les lois internationales.",
|
||||
'do_object_repair' => "Réparer tous les dossiers et documents.",
|
||||
'document_already_locked' => "Ce document est déjà verrouillé",
|
||||
'document_deleted' => "Document supprimé",
|
||||
'document_deleted_email' => "Document supprimé",
|
||||
'document' => "Document",
|
||||
'document_infos' => "Informations sur le document",
|
||||
'document_is_not_locked' => "Ce document n'est pas verrouillé",
|
||||
'document_link_by' => "Liés par",
|
||||
'document_link_public' => "Public",
|
||||
'document_moved_email' => "Document déplacé",
|
||||
'document_renamed_email' => "Document renommé",
|
||||
'documents' => "Documents",
|
||||
'documents_in_process' => "Documents en cours",
|
||||
'documents_locked_by_you' => "Documents verrouillés",
|
||||
'documents_only' => "documents uniquement",
|
||||
'document_status_changed_email' => "Statut du document modifié",
|
||||
'documents_to_approve' => "Documents en attente d'approbation",
|
||||
'documents_to_review' => "Documents en attente de correction",
|
||||
'documents_user_requiring_attention' => "Documents à surveiller",
|
||||
'document_title' => "Document '[documentname]'",
|
||||
'document_updated_email' => "Document mis à jour",
|
||||
'does_not_expire' => "N'expire jamais",
|
||||
'does_not_inherit_access_msg' => "Accès hérité",
|
||||
'download' => "Téléchargement",
|
||||
'draft_pending_approval' => "Ebauche - En cours d'approbation",
|
||||
'draft_pending_review' => "Ebauche - En cours de correction",
|
||||
'dump_creation' => "création sauvegarde BD",
|
||||
'dump_creation_warning' => "Avec cette opération, vous pouvez une sauvegarde du contenu de votre base de données. Après la création, le fichier de sauvegarde sera sauvegardé dans le dossier de données de votre serveur.",
|
||||
'dump_list' => "Fichiers de sauvegarde existants",
|
||||
'dump_remove' => "Supprimer fichier de sauvegarde",
|
||||
'edit_attributes' => "Modifier les attributs",
|
||||
'edit_comment' => "Modifier le commentaire",
|
||||
'edit_default_keywords' => "Modifier les mots-clés",
|
||||
'edit_document_access' => "Modifier les droits d'accès",
|
||||
'edit_document_notify' => "Notifications de documents",
|
||||
'edit_document_props' => "Modifier le document",
|
||||
'edit' => "Modifier",
|
||||
'edit_event' => "Modifier l'événement",
|
||||
'edit_existing_access' => "Modifier les droits d'accès",
|
||||
'edit_existing_notify' => "Modifier les notifications",
|
||||
'edit_folder_access' => "Modifier les droits d'accès",
|
||||
'edit_folder_notify' => "Notification de dossiers",
|
||||
'edit_folder_props' => "Modifier le dossier",
|
||||
'edit_group' => "Modifier un groupe",
|
||||
'edit_user_details' => "Modifier les détails d'utilisateur",
|
||||
'edit_user' => "Modifier un utilisateur",
|
||||
'email' => "E-mail",
|
||||
'email_error_title' => "Aucun e-mail indiqué",
|
||||
'email_footer' => "Vous pouvez modifier les paramètres de messagerie via 'Mon compte'.",
|
||||
'email_header' => "Ceci est un message automatique généré par le serveur DMS.",
|
||||
'email_not_given' => "SVP Entrer une adresse email valide.",
|
||||
'empty_notify_list' => "Aucune entrée",
|
||||
'error' => "Erreur",
|
||||
'error_no_document_selected' => "Aucun document sélectionné",
|
||||
'error_no_folder_selected' => "Aucun dossier sélectionné",
|
||||
'error_occured' => "Une erreur s'est produite",
|
||||
'event_details' => "Détails de l'événement",
|
||||
'expired' => "Expiré",
|
||||
'expires' => "Expiration",
|
||||
'expiry_changed_email' => "Date d'expiration modifiée",
|
||||
'february' => "Février",
|
||||
'file' => "Fichier",
|
||||
'files_deletion' => "Suppression de fichiers",
|
||||
'files_deletion_warning' => "Avec cette option, vous pouvez supprimer tous les fichiers d'un dossier DMS. Les informations de version resteront visible.",
|
||||
'files' => "Fichiers",
|
||||
'file_size' => "Taille",
|
||||
'folder_contents' => "Dossiers",
|
||||
'folder_deleted_email' => "Dossier supprimé",
|
||||
'folder' => "Dossier",
|
||||
'folder_infos' => "Informations sur le dossier",
|
||||
'folder_moved_email' => "Dossier déplacé",
|
||||
'folder_renamed_email' => "Dossier renommé",
|
||||
'folders_and_documents_statistic' => "Aperçu du contenu",
|
||||
'folders' => "Dossiers",
|
||||
'folder_title' => "Dossier '[foldername]'",
|
||||
'friday' => "Vendredi",
|
||||
'from' => "Du",
|
||||
'fullsearch' => "Recherche dans le contenu",
|
||||
'fullsearch_hint' => "Recherche dans le contenu",
|
||||
'fulltext_info' => "Fulltext index info",
|
||||
'global_attributedefinitions' => "Définitions d'attributs",
|
||||
'global_default_keywords' => "Mots-clés globaux",
|
||||
'global_document_categories' => "Catégories",
|
||||
'group_approval_summary' => "Résumé groupe d'approbation",
|
||||
'group_exists' => "Ce groupe existe déjà.",
|
||||
'group' => "Groupe",
|
||||
'group_management' => "Groupes",
|
||||
'group_members' => "Membres de groupes",
|
||||
'group_review_summary' => "Résumé groupe correcteur",
|
||||
'groups' => "Groupes",
|
||||
'guest_login_disabled' => "Connexion d'invité désactivée.",
|
||||
'guest_login' => "Connecter comme invité",
|
||||
'help' => "Aide",
|
||||
'hourly' => "Une fois par heure",
|
||||
'human_readable' => "Archive lisible par l'homme",
|
||||
'include_documents' => "Inclure les documents",
|
||||
'include_subdirectories' => "Inclure les sous-dossiers",
|
||||
'index_converters' => "Index document conversion",
|
||||
'individuals' => "Individuels",
|
||||
'inherits_access_msg' => "L'accès est hérité.",
|
||||
'inherits_access_copy_msg' => "Copier la liste des accès hérités",
|
||||
'inherits_access_empty_msg' => "Commencer avec une liste d'accès vide",
|
||||
'internal_error_exit' => "Erreur interne. Impossible d'achever la demande. Sortie du programme.",
|
||||
'internal_error' => "Erreur interne",
|
||||
'invalid_access_mode' => "droits d'accès invalides",
|
||||
'invalid_action' => "Action invalide",
|
||||
'invalid_approval_status' => "Statut d'approbation invalide",
|
||||
'invalid_create_date_end' => "Date de fin invalide pour la plage de dates de création.",
|
||||
'invalid_create_date_start' => "Date de départ invalide pour la plage de dates de création.",
|
||||
'invalid_doc_id' => "Identifiant de document invalide",
|
||||
'invalid_file_id' => "Identifiant de fichier invalide",
|
||||
'invalid_folder_id' => "Identifiant de dossier invalide",
|
||||
'invalid_group_id' => "Identifiant de groupe invalide",
|
||||
'invalid_link_id' => "Identifiant de lien invalide",
|
||||
'invalid_request_token' => "Jeton de demande incorrect",
|
||||
'invalid_review_status' => "Statut de correction invalide",
|
||||
'invalid_sequence' => "Valeur de séquence invalide",
|
||||
'invalid_status' => "Statut de document invalide",
|
||||
'invalid_target_doc_id' => "Identifiant de document cible invalide",
|
||||
'invalid_target_folder' => "Identifiant de dossier cible invalide",
|
||||
'invalid_user_id' => "Identifiant utilisateur invalide",
|
||||
'invalid_version' => "Version de document invalide",
|
||||
'is_disabled' => "Compte désactivé",
|
||||
'is_hidden' => "Cacher de la liste utilisateur",
|
||||
'january' => "Janvier",
|
||||
'js_no_approval_group' => "SVP Sélectionnez un groupe d'approbation",
|
||||
'js_no_approval_status' => "SVP Sélectionnez le statut d'approbation",
|
||||
'js_no_comment' => "Il n'y a pas de commentaires",
|
||||
'js_no_email' => "Saisissez votre adresse e-mail",
|
||||
'js_no_file' => "SVP Sélectionnez un fichier",
|
||||
'js_no_keywords' => "Spécifiez quelques mots-clés",
|
||||
'js_no_login' => "SVP Saisissez un identifiant",
|
||||
'js_no_name' => "SVP Saisissez un nom",
|
||||
'js_no_override_status' => "SVP Sélectionner le nouveau [override] statut",
|
||||
'js_no_pwd' => "Vous devez saisir votre mot de passe",
|
||||
'js_no_query' => "Saisir une requête",
|
||||
'js_no_review_group' => "SVP Sélectionner un groupe de correcteur",
|
||||
'js_no_review_status' => "SVP Sélectionner le statut de correction",
|
||||
'js_pwd_not_conf' => "Mot de passe et Confirmation de mot de passe non identiques",
|
||||
'js_select_user_or_group' => "Sélectionner au moins un utilisateur ou un groupe",
|
||||
'js_select_user' => "SVP Sélectionnez un utilisateur",
|
||||
'july' => "Juillet",
|
||||
'june' => "Juin",
|
||||
'keyword_exists' => "Mot-clé déjà existant",
|
||||
'keywords' => "Mots-clés",
|
||||
'language' => "Langue",
|
||||
'last_update' => "Dernière modification",
|
||||
'link_alt_updatedocument' => "Pour déposer des fichiers de taille supérieure, utilisez la <a href=\"%s\">page d'ajout multiple</a>.",
|
||||
'linked_documents' => "Documents liés",
|
||||
'linked_files' => "Fichiers attachés",
|
||||
'local_file' => "Fichier local",
|
||||
'locked_by' => "Verrouillé par",
|
||||
'lock_document' => "Verrouiller",
|
||||
'lock_message' => "Ce document a été verrouillé par <a href=\"mailto:[email]\">[username]</a>.<br> Seuls les utilisateurs autorisés peuvent déverrouiller ce document (voir fin de page).",
|
||||
'lock_status' => "Statut",
|
||||
'login' => "Identifiant",
|
||||
'login_disabled_text' => "Votre compte est désactivé, sans doute à cause de trop nombreuses connexions qui ont échoué.",
|
||||
'login_disabled_title' => "Compte désactivé",
|
||||
'login_error_text' => "Erreur à la connexion. Identifiant ou mot de passe incorrect.",
|
||||
'login_error_title' => "Erreur de connexion",
|
||||
'login_not_given' => "Nom utilisateur non fourni",
|
||||
'login_ok' => "Connexion établie",
|
||||
'log_management' => "Gestion des fichiers Log",
|
||||
'logout' => "Déconnexion",
|
||||
'manager' => "Responsable",
|
||||
'march' => "Mars",
|
||||
'max_upload_size' => "Taille maximum de fichier déposé",
|
||||
'may' => "Mai",
|
||||
'monday' => "Lundi",
|
||||
'month_view' => "Vue par mois",
|
||||
'monthly' => "Mensuel",
|
||||
'move_document' => "Déplacer le document",
|
||||
'move_folder' => "Déplacer le dossier",
|
||||
'move' => "Déplacer",
|
||||
'my_account' => "Mon compte",
|
||||
'my_documents' => "Mes documents",
|
||||
'name' => "Nom",
|
||||
'new_attrdef' => "Ajouter une définition d'attribut",
|
||||
'new_default_keyword_category' => "Ajouter une catégorie",
|
||||
'new_default_keywords' => "Ajouter des mots-clés",
|
||||
'new_document_category' => "Ajouter une catégorie",
|
||||
'new_document_email' => "Nouveau document",
|
||||
'new_file_email' => "Nouvel attachement",
|
||||
'new_folder' => "Nouveau dossier",
|
||||
'new_password' => "Nouveau mot de passe",
|
||||
'new' => "Nouveau",
|
||||
'new_subfolder_email' => "Nouveau dossier",
|
||||
'new_user_image' => "Nouvelle image",
|
||||
'no_action' => "Aucune action n'est nécessaire",
|
||||
'no_approval_needed' => "Aucune approbation en attente",
|
||||
'no_attached_files' => "Aucun fichier attaché",
|
||||
'no_default_keywords' => "Aucun mot-clé valide",
|
||||
'no_docs_locked' => "Aucun document verrouillé",
|
||||
'no_docs_to_approve' => "Aucun document ne nécessite actuellement une approbation",
|
||||
'no_docs_to_look_at' => "Aucun document à surveiller",
|
||||
'no_docs_to_review' => "Aucun document en attente de correction",
|
||||
'no_fulltextindex' => "Aucun fichier d'index disponibles",
|
||||
'no_group_members' => "Ce groupe ne contient aucun membre",
|
||||
'no_groups' => "Aucun groupe",
|
||||
'no' => "Non",
|
||||
'no_linked_files' => "Aucun fichier lié",
|
||||
'no_previous_versions' => "Aucune autre version trouvée",
|
||||
'no_review_needed' => "Aucune correction en attente",
|
||||
'notify_added_email' => "Vous avez été ajouté à la liste des notifications.",
|
||||
'notify_deleted_email' => "Vous avez été supprimé de la liste des notifications.",
|
||||
'no_update_cause_locked' => "Vous ne pouvez actuellement pas mettre à jour ce document. Contactez l'utilisateur qui l'a verrouillé.",
|
||||
'no_user_image' => "Aucune image trouvée",
|
||||
'november' => "Novembre",
|
||||
'now' => "Maintenant",
|
||||
'objectcheck' => "Vérification des dossiers et documents",
|
||||
'obsolete' => "Obsolète",
|
||||
'october' => "Octobre",
|
||||
'old' => "Ancien",
|
||||
'only_jpg_user_images' => "Images d'utilisateur au format .jpg seulement",
|
||||
'owner' => "Propriétaire",
|
||||
'ownership_changed_email' => "Propriétaire modifié",
|
||||
'password' => "Mot de passe",
|
||||
'password_already_used' => "Mot de passe déjà utilisé",
|
||||
'password_repeat' => "Répétez le mot de passe",
|
||||
'password_expiration' => "Expiration du mot de passe",
|
||||
'password_expiration_text' => "Votre mot de passe a expiré. SVP choisir un nouveau avant de pouvoir accéder à SeedDMS.",
|
||||
'password_forgotten' => "Mot de passe oublié ?",
|
||||
'password_forgotten_email_subject' => "Mot de passe oublié",
|
||||
'password_forgotten_email_body' => "Cher utilisateur de SeedDMS,nnnous avons reçu une demande de modification de votre mot de passe.nnPour ce faire, cliquez sur le lien suivant:nn###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###nnEn cas de problème persistant, veuillez contacter votre administrateur.",
|
||||
'password_forgotten_send_hash' => "La procédure à suivre a bien été envoyée à l'adresse indiquée",
|
||||
'password_forgotten_text' => "Remplissez le formulaire ci-dessous et suivez les instructions dans le courrier électronique qui vous sera envoyé.",
|
||||
'password_forgotten_title' => "Mot de passe oublié",
|
||||
'password_strength_insuffient' => "Mot de passe trop faible",
|
||||
'password_wrong' => "Mauvais mot de passe",
|
||||
'personal_default_keywords' => "Mots-clés personnels",
|
||||
'previous_versions' => "Versions précédentes",
|
||||
'refresh' => "Actualiser",
|
||||
'rejected' => "Rejeté",
|
||||
'released' => "Publié",
|
||||
'removed_approver' => "a été retiré de la liste des approbateurs.",
|
||||
'removed_file_email' => "Attachment supprimé",
|
||||
'removed_reviewer' => "a été retiré de la liste des correcteurs.",
|
||||
'repairing_objects' => "Réparation des documents et des dossiers.",
|
||||
'results_page' => "Results Page",
|
||||
'review_deletion_email' => "Demande de correction supprimée",
|
||||
'reviewer_already_assigned' => "est déjà déclaré en tant que correcteur",
|
||||
'reviewer_already_removed' => "a déjà été retiré du processus de correction ou a déjà soumis une correction",
|
||||
'reviewers' => "Correcteurs",
|
||||
'review_group' => "Groupe de correction",
|
||||
'review_request_email' => "Demande de correction",
|
||||
'review_status' => "Statut de correction",
|
||||
'review_submit_email' => "Correction demandée",
|
||||
'review_summary' => "Sommaire de correction",
|
||||
'review_update_failed' => "Erreur lors de la mise à jour de la correction. Echec de la mise à jour.",
|
||||
'rm_attrdef' => "Retirer définition d'attribut",
|
||||
'rm_default_keyword_category' => "Supprimer la catégorie",
|
||||
'rm_document' => "Supprimer le document",
|
||||
'rm_document_category' => "Supprimer la catégorie",
|
||||
'rm_file' => "Supprimer le fichier",
|
||||
'rm_folder' => "Supprimer le dossier",
|
||||
'rm_group' => "Supprimer ce groupe",
|
||||
'rm_user' => "Supprimer cet utilisateur",
|
||||
'rm_version' => "Retirer la version",
|
||||
'role_admin' => "Administrateur",
|
||||
'role_guest' => "Invité",
|
||||
'role_user' => "Utilisateur",
|
||||
'role' => "Rôle",
|
||||
'saturday' => "Samedi",
|
||||
'save' => "Enregistrer",
|
||||
'search_fulltext' => "Rechercher dans le texte",
|
||||
'search_in' => "Rechercher dans",
|
||||
'search_mode_and' => "tous les mots",
|
||||
'search_mode_or' => "au moins un mot",
|
||||
'search_no_results' => "Il n'y a pas de documents correspondant à la recherche",
|
||||
'search_query' => "Rechercher",
|
||||
'search_report' => "[doccount] documents trouvé(s) et [foldercount] dossiers en [searchtime] sec.",
|
||||
'search_report_fulltext' => "[doccount] documents trouvé(s)",
|
||||
'search_results_access_filtered' => "Les résultats de la recherche propose du contenu dont l'accès est refusé.",
|
||||
'search_results' => "Résultats de recherche",
|
||||
'search' => "Recherche",
|
||||
'search_time' => "Temps écoulé: [time] sec.",
|
||||
'selection' => "Sélection",
|
||||
'select_one' => "-- Selectionner --",
|
||||
'september' => "Septembre",
|
||||
'seq_after' => "Après \"[prevname]\"",
|
||||
'seq_end' => "A la fin",
|
||||
'seq_keep' => "Conserver la position",
|
||||
'seq_start' => "Première position",
|
||||
'sequence' => "Séquence",
|
||||
'set_expiry' => "Modifier la date d'expiration",
|
||||
'set_owner_error' => "Error setting owner",
|
||||
'set_owner' => "Sélection du propriétaire",
|
||||
'set_password' => "Définir mot de passe",
|
||||
'settings_install_welcome_title' => "Bienvenue dans l'installation de letoDMS",
|
||||
'settings_install_welcome_text' => "<p>Avant de commencer l'installation de letoDMS assurez vous d'avoir créé un fichier 'ENABLE_INSTALL_TOOL' dans votre répertoire de configuration, sinon l'installation ne fonctionnera pas. Sur des systèmes Unix, cela peut se faire simplement avec 'touch / ENABLE_INSTALL_TOOL'. Une fois que vous avez terminé l'installation de supprimer le fichier.</p><p>letoDMS a des exigences très minimes. Vous aurez besoin d'une base de données mysql et un serveur web php. pour le recherche texte complète lucene, vous aurez également besoin du framework Zend installé sur le disque où elle peut être trouvée en php. Depuis la version 3.2.0 de letoDMS ADOdb ne fait plus partie de la distribution. obtenez une copie à partir de <a href=\"http://adodb.sourceforge.net/\">http://adodb.sourceforge.net</a> et l'installer. Le chemin d’accès peut être défini ultérieurement pendant l’installation.</p><p>Si vous préférez créer la base de données avant de commencer l'installation, créez la manuellement avec votre outil favori, éventuellement créer un utilisateur de base de données avec accès sur la base et importer une sauvegarde de base dans le répertoire de configuration. Le script d'installation peut le faire pour vous, mais il requiert un accès à la base de données avec les droits suffisants pour créer des bases de données.</p>",
|
||||
'settings_start_install' => "Démarrer l'installation",
|
||||
'settings_sortUsersInList' => "Tri des utilisateurs",
|
||||
'settings_sortUsersInList_desc' => "Définit si les utilisateurs dans les menus de sélection sont triés par identifiant ou par nom complet",
|
||||
'settings_sortUsersInList_val_login' => "Tri par identifiant",
|
||||
'settings_sortUsersInList_val_fullname' => "Tri par nom complet",
|
||||
'settings_stopWordsFile' => "Fichier des mots à exclure",
|
||||
'settings_stopWordsFile_desc' => "Si la recherche de texte complète est activée, ce fichier contient les mots non indexés",
|
||||
'settings_activate_module' => "Activez le module",
|
||||
'settings_activate_php_extension' => "Activez l'extension PHP",
|
||||
'settings_adminIP' => "Admin IP",
|
||||
'settings_adminIP_desc' => "Si activé l'administrateur ne peut se connecter que par l'adresse IP spécifiées, laisser vide pour éviter le contrôle. NOTE: fonctionne uniquement avec autentication locale (sans LDAP)",
|
||||
'settings_ADOdbPath' => "Chemin ADOdb",
|
||||
'settings_ADOdbPath_desc' => "Chemin vers adodb. Il s'agit du répertoire contenant le répertoire adodb",
|
||||
'settings_Advanced' => "Avancé",
|
||||
'settings_apache_mod_rewrite' => "Apache - Module Rewrite",
|
||||
'settings_Authentication' => "Paramètres d'authentification",
|
||||
'settings_Calendar' => "Paramètres de l'agenda",
|
||||
'settings_calendarDefaultView' => "Vue par défaut de l'agenda",
|
||||
'settings_calendarDefaultView_desc' => "Vue par défaut de l'agenda",
|
||||
'settings_contentDir' => "Contenu du répertoire",
|
||||
'settings_contentDir_desc' => "Endroit ou les fichiers téléchargés sont stockés (il est préférable de choisir un répertoire qui n'est pas accessible par votre serveur web)",
|
||||
'settings_contentOffsetDir' => "Content Offset Directory",
|
||||
'settings_contentOffsetDir_desc' => "To work around limitations in the underlying file system, a new directory structure has been devised that exists within the content directory (Content Directory). This requires a base directory from which to begin. Usually leave this to the default setting, 1048576, but can be any number or string that does not already exist within (Content Directory)",
|
||||
'settings_coreDir' => "Répertoire Core letoDMS",
|
||||
'settings_coreDir_desc' => "Chemin vers SeedDMS_Core (optionnel)",
|
||||
'settings_loginFailure_desc' => "Désactiver le compte après n échecs de connexion.",
|
||||
'settings_loginFailure' => "Erreur Login",
|
||||
'settings_luceneClassDir' => "Répertoire Lucene SeedDMS",
|
||||
'settings_luceneClassDir_desc' => "Chemin vers SeedDMS_Lucene (optionnel)",
|
||||
'settings_luceneDir' => "Répertoire index Lucene",
|
||||
'settings_luceneDir_desc' => "Chemin vers index Lucene",
|
||||
'settings_cannot_disable' => "Le fichier ENABLE_INSTALL_TOOL ne peut pas être supprimé",
|
||||
'settings_install_disabled' => "Le fichier ENABLE_INSTALL_TOOL a été supprimé. ous pouvez maintenant vous connecter à SeedDMS et poursuivre la configuration.",
|
||||
'settings_createdatabase' => "Créer tables de la base de données",
|
||||
'settings_createdirectory' => "Créer répertoire",
|
||||
'settings_currentvalue' => "Valeur courante",
|
||||
'settings_Database' => "Paramètres base de données",
|
||||
'settings_dbDatabase' => "Base de données",
|
||||
'settings_dbDatabase_desc' => "Le nom de votre base de données entré pendant le processus d'installation. Ne pas modifier le champ sauf si absolument nécessaire, par exemple si la base de données a été déplacé.",
|
||||
'settings_dbDriver' => "Type base de données",
|
||||
'settings_dbDriver_desc' => "Le type de base de données en cours d'utilisation entré pendant le processus d'installation. Ne pas modifier ce champ sauf si vous voulez migrer vers un autre type de base de données peut-être en raison de changement d’hébergement. Type de driver BD utilisé par adodb (voir adodb-readme)",
|
||||
'settings_dbHostname_desc' => "Le nom d'hôte de votre base de données entré pendant le processus d'installation. Ne pas modifier le champ sauf si vraiment nécessaire, par exemple pour le transfert de la base de données vers un nouvel hébergement.",
|
||||
'settings_dbHostname' => "Nom du serveur",
|
||||
'settings_dbPass_desc' => "Le mot de passe pour accéder à votre base de données entré pendant le processus d'installation.",
|
||||
'settings_dbPass' => "Mot de passe",
|
||||
'settings_dbUser_desc' => "Le nom d'utilisateur pour l'accès à votre base de données entré pendant le processus d'installation. Ne pas modifier le champ sauf si vraiment nécessaire, par exemple pour le transfert de la base de données vers un nouvel hébergement.",
|
||||
'settings_dbUser' => "Nom d'utilisateur",
|
||||
'settings_dbVersion' => "Schéma de base de données trop ancien",
|
||||
'settings_delete_install_folder' => "Pour utiliser SeedDMS, vous devez supprimer le fichier ENABLE_INSTALL_TOOL dans le répertoire de configuration",
|
||||
'settings_disable_install' => "Si possible, supprimer le fichier ENABLE_INSTALL_TOOL",
|
||||
'settings_disableSelfEdit_desc' => "Si coché, l'utilisateur ne peut pas éditer son profil",
|
||||
'settings_disableSelfEdit' => "Désactiver auto modification",
|
||||
'settings_Display' => "Paramètres d'affichage",
|
||||
'settings_Edition' => "Paramètres d’édition",
|
||||
'settings_enableAdminRevApp_desc' => "Décochez pour ne pas lister l'administrateur à titre de correcteur/approbateur",
|
||||
'settings_enableAdminRevApp' => "Activer Admin Rev App",
|
||||
'settings_enableCalendar_desc' => "Activer/Désactiver agenda",
|
||||
'settings_enableCalendar' => "Activer agenda",
|
||||
'settings_enableConverting_desc' => "Activer/Désactiver la conversion des fichiers",
|
||||
'settings_enableConverting' => "Activer conversion des fichiers",
|
||||
'settings_enableNotificationAppRev_desc' => "Cochez pour envoyer une notification au correcteur/approbateur quand une nouvelle version du document est ajoutée",
|
||||
'settings_enableNotificationAppRev' => "Notification correcteur/approbateur",
|
||||
'settings_enableVersionModification_desc' => "Activer/désactiver la modification d'une des versions de documents par les utilisateurs normaux après qu'une version ait été téléchargée. l'administrateur peut toujours modifier la version après le téléchargement.",
|
||||
'settings_enableVersionModification' => "Modification des versions",
|
||||
'settings_enableVersionDeletion_desc' => "Activer/désactiver la suppression de versions antérieures du documents par les utilisateurs normaux. L'administrateur peut toujours supprimer les anciennes versions.",
|
||||
'settings_enableVersionDeletion' => "Suppression des versions précédentes",
|
||||
'settings_enableEmail_desc' => "Activer/désactiver la notification automatique par E-mail",
|
||||
'settings_enableEmail' => "E-mails",
|
||||
'settings_enableFolderTree_desc' => "False pour ne pas montrer l'arborescence des dossiers",
|
||||
'settings_enableFolderTree' => "Activer l'arborescence des dossiers",
|
||||
'settings_enableFullSearch' => "Recherches dans le contenu",
|
||||
'settings_enableFullSearch_desc' => "Activer la recherche texte plein",
|
||||
'settings_enableGuestLogin_desc' => "Si vous voulez vous connecter en tant qu'invité, cochez cette option. Remarque: l'utilisateur invité ne doit être utilisé que dans un environnement de confiance",
|
||||
'settings_enableGuestLogin' => "Activer la connexion Invité",
|
||||
'settings_enableLargeFileUpload_desc' => "Si défini, le téléchargement de fichier est également disponible via un applet java appelé jumploader sans limite de taille définie par le navigateur. Il permet également de télécharger plusieurs fichiers en une seule fois.",
|
||||
'settings_enableLargeFileUpload' => "Activer téléchargement des gros fichiers",
|
||||
'settings_enableOwnerNotification_desc' => "Cocher pour ajouter une notification pour le propriétaire si un document quand il est ajouté.",
|
||||
'settings_enableOwnerNotification' => "ctiver la notification par défaut du propriétaire",
|
||||
'settings_enablePasswordForgotten_desc' => "Si vous voulez permettre à l'utilisateur de définir un nouveau mot de passe et l'envoyer par mail, cochez cette option.",
|
||||
'settings_enablePasswordForgotten' => "Activer Mot de passe oublié",
|
||||
'settings_enableUserImage_desc' => "Activer les images utilisateurs",
|
||||
'settings_enableUserImage' => "Activer image utilisateurs",
|
||||
'settings_enableUsersView_desc' => "Activer/désactiver la vue des groupes et des utilisateur pour tous les utilisateurs",
|
||||
'settings_enableUsersView' => "Activer Vue des Utilisateurs",
|
||||
'settings_encryptionKey' => "Clé de cryptage",
|
||||
'settings_encryptionKey_desc' => "Cette chaîne est utilisée pour créer un identifiant unique étant ajouté comme champ masqué à un formulaire afin de prévenir des attaques CSRF.",
|
||||
'settings_error' => "Erreur",
|
||||
'settings_expandFolderTree_desc' => "Dérouler l'arborescence des dossiers",
|
||||
'settings_expandFolderTree' => "Dérouler l'arborescence des dossiers",
|
||||
'settings_expandFolderTree_val0' => "Démarrer avec l'arborescence cachée",
|
||||
'settings_expandFolderTree_val1' => "Démarrer avec le premier niveau déroulé",
|
||||
'settings_expandFolderTree_val2' => "Démarrer avec l'arborescence déroulée",
|
||||
'settings_firstDayOfWeek_desc' => "Premier jour de la semaine",
|
||||
'settings_firstDayOfWeek' => "Premier jour de la semaine",
|
||||
'settings_footNote_desc' => "Message à afficher au bas de chaque page",
|
||||
'settings_footNote' => "Note de bas de page",
|
||||
'settings_guestID_desc' => "ID de l'invité utilisé lorsque vous êtes connecté en tant qu'invité (la plupart du temps pas besoin de changer)",
|
||||
'settings_guestID' => "ID invité",
|
||||
'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_httpRoot' => "Http Root",
|
||||
'settings_installADOdb' => "Installer ADOdb",
|
||||
'settings_install_success' => "L'installation est terminée avec succès",
|
||||
'settings_install_pear_package_log' => "Installer le paquet Pear 'Log'",
|
||||
'settings_install_pear_package_webdav' => "Installer le paquet Pear 'HTTP_WebDAV_Server', si vous avez l'intention d'utiliser l'interface webdav",
|
||||
'settings_install_zendframework' => "Installer le Framework Zend, si vous avez l'intention d'utiliser le moteur de recherche texte complète",
|
||||
'settings_language' => "Langue par défaut",
|
||||
'settings_language_desc' => "Langue par défaut (nom d'un sous-dossier dans le dossier \"languages\")",
|
||||
'settings_logFileEnable_desc' => "Activer/désactiver le fichier journal",
|
||||
'settings_logFileEnable' => "Fichier journal activé",
|
||||
'settings_logFileRotation_desc' => "Rotation fichier journal",
|
||||
'settings_logFileRotation' => "Rotation fichier journal",
|
||||
'settings_luceneDir' => "Répertoire index Lucene",
|
||||
'settings_maxDirID_desc' => "Nombre maximum de sous-répertoires par le répertoire parent. Par défaut: 32700.",
|
||||
'settings_maxDirID' => "Max ID répertoire",
|
||||
'settings_maxExecutionTime_desc' => "Ceci définit la durée maximale en secondes q'un script est autorisé à exécuter avant de se terminer par l'analyse syntaxique",
|
||||
'settings_maxExecutionTime' => "Temps d'exécution max (s)",
|
||||
'settings_more_settings' => "Configurer d'autres paramètres. Connexion par défaut: admin/admin",
|
||||
'settings_Notification' => "Notifications",
|
||||
'settings_no_content_dir' => "Répertoire de contenu",
|
||||
'settings_notfound' => "Introuvable",
|
||||
'settings_notwritable' => "La configuration ne peut pas être enregistré car le fichier de configuration n'est pas accessible en écriture.",
|
||||
'settings_partitionSize' => "Taille des fichiers partiels téléchargées par jumploader",
|
||||
'settings_partitionSize_desc' => "Taille des fichiers partiels en octets, téléchargées par jumploader. Ne pas fixer une valeur plus grande que la taille de transfert maximale définie par le serveur.",
|
||||
'settings_passwordExpiration' => "Expiration du mot de passe",
|
||||
'settings_passwordExpiration_desc' => "Le nombre de jours après lequel un mot de passe expire et doit être remis à zéro. 0 désactive l'expiration du mot de passe.",
|
||||
'settings_passwordHistory' => "Historique mot de passe",
|
||||
'settings_passwordHistory_desc' => "Le nombre de mots de passe q'un utilisateur doit avoir utilisé avant d'être réutilisé. 0 désactive l'historique du mot de passe.",
|
||||
'settings_passwordStrength' => "Min. résistance mot de passe",
|
||||
'settings_passwordЅtrength_desc' => "La résistance minimale du mot est une valeur entière de 0 à 100. Un réglage à 0 désactive la vérification de la force minimale du mot de passe.",
|
||||
'settings_passwordStrengthAlgorithm' => "Algorithme pour les mots de passe",
|
||||
'settings_passwordStrengthAlgorithm_desc' => "L'algorithme utilisé pour le calcul de robustesse du mot de passe. L'algorithme 'simple' vérifie juste pour au moins huit caractères, une lettre minuscule, une lettre majuscule, un chiffre et un caractère spécial. Si ces conditions sont remplies, le résultat retourné est de 100, sinon 0.",
|
||||
'settings_passwordStrengthAlgorithm_valsimple' => "simple",
|
||||
'settings_passwordStrengthAlgorithm_valadvanced' => "avancé",
|
||||
'settings_perms' => "Permissions",
|
||||
'settings_pear_log' => "Pear package : Log",
|
||||
'settings_pear_webdav' => "Pear package : HTTP_WebDAV_Server",
|
||||
'settings_php_dbDriver' => "PHP extension : php_'see current value'",
|
||||
'settings_php_gd2' => "PHP extension : php_gd2",
|
||||
'settings_php_mbstring' => "PHP extension : php_mbstring",
|
||||
'settings_printDisclaimer_desc' => "If true the disclaimer message the lang.inc files will be print on the bottom of the page",
|
||||
'settings_printDisclaimer' => "Afficher la clause de non-responsabilité",
|
||||
'settings_restricted_desc' => "Only allow users to log in if they have an entry in the local database (irrespective of successful authentication with LDAP)",
|
||||
'settings_restricted' => "Accès restreint",
|
||||
'settings_rootDir_desc' => "Chemin où se trouve letoDMS",
|
||||
'settings_rootDir' => "Répertoire racine",
|
||||
'settings_rootFolderID_desc' => "ID du répertoire racine (la plupart du temps pas besoin de changer)",
|
||||
'settings_rootFolderID' => "ID du répertoire racine",
|
||||
'settings_SaveError' => "Erreur de sauvegarde du fichier de configuration",
|
||||
'settings_Server' => "Paramètres serveur",
|
||||
'settings' => "Configuration",
|
||||
'settings_siteDefaultPage_desc' => "Page par défaut lors de la connexion. Si vide, valeur par défaut à out/out.ViewFolder.php",
|
||||
'settings_siteDefaultPage' => "Page par défaut du site",
|
||||
'settings_siteName_desc' => "Nom du site utilisé dans les titres de page. Par défaut: letoDMS",
|
||||
'settings_siteName' => "Nom du site",
|
||||
'settings_Site' => "Site",
|
||||
'settings_smtpPort_desc' => "Port serveur SMTP, par défaut 25",
|
||||
'settings_smtpPort' => "Port serveur SMTP",
|
||||
'settings_smtpSendFrom_desc' => "Envoyé par",
|
||||
'settings_smtpSendFrom' => "Envoyé par",
|
||||
'settings_smtpServer_desc' => "Nom du serveur SMTP",
|
||||
'settings_smtpServer' => "Nom du serveur SMTP",
|
||||
'settings_SMTP' => "Paramètres du serveur SMTP",
|
||||
'settings_stagingDir' => "Répertoire pour les téléchargements partiels",
|
||||
'settings_strictFormCheck_desc' => "Contrôl strict des formulaires. Si définie sur true, tous les champs du formulaire seront vérifié. Si définie sur false, les commentaires et mots clés deviennent facultatifs. Les commentaires sont toujours nécessaires lors de la soumission d'une correction ou état du document",
|
||||
'settings_strictFormCheck' => "Formulaires stricts",
|
||||
'settings_suggestionvalue' => "Valeur suggérée",
|
||||
'settings_System' => "Système",
|
||||
'settings_theme' => "Thème par défaut",
|
||||
'settings_theme_desc' => "Thème par défaut(nom d'un sous-répertoire du répertoire \"styles\")",
|
||||
'settings_titleDisplayHack_desc' => "Solution pour les titres des pages qui dépassent 2 lignes.",
|
||||
'settings_titleDisplayHack' => "Title Display Hack",
|
||||
'settings_updateDatabase' => "Exécuter les scripts de mise à jour du schéma de la base",
|
||||
'settings_updateNotifyTime_desc' => "Users are notified about document-changes that took place within the last 'Update Notify Time' seconds ",
|
||||
'settings_updateNotifyTime' => "Update Notify Time",
|
||||
'settings_versioningFileName_desc' => "The name of the versioning info file created by the backup tool",
|
||||
'settings_versioningFileName' => "Versioning FileName",
|
||||
'settings_viewOnlineFileTypes_desc' => "Files with one of the following endings can be viewed online (USE ONLY LOWER CASE CHARACTERS)",
|
||||
'settings_viewOnlineFileTypes' => "Aperçu en ligne des fichiers",
|
||||
'settings_zendframework' => "Zend Framework",
|
||||
'signed_in_as' => "Vous êtes connecté en tant que",
|
||||
'sign_in' => "Connexion",
|
||||
'sign_out' => "Déconnexion",
|
||||
'space_used_on_data_folder' => "Espace utilisé dans le répertoire de données",
|
||||
'status_approval_rejected' => "Approbation rejeté",
|
||||
'status_approved' => "Approuvé",
|
||||
'status_approver_removed' => "Approbateur retiré du processus",
|
||||
'status_not_approved' => "Non approuvé",
|
||||
'status_not_reviewed' => "Non corrigé",
|
||||
'status_reviewed' => "Corrigé",
|
||||
'status_reviewer_rejected' => "Correction rejetée",
|
||||
'status_reviewer_removed' => "Correcteur retiré du processus",
|
||||
'status' => "Statut",
|
||||
'status_unknown' => "Inconnu",
|
||||
'storage_size' => "Taille occupée",
|
||||
'submit_approval' => "Soumettre approbation",
|
||||
'submit_login' => "Connexion",
|
||||
'submit_password' => "Entrez nouveau mot de passe",
|
||||
'submit_password_forgotten' => "Envoyer",
|
||||
'submit_review' => "Soumettre la correction",
|
||||
'submit_userinfo' => "Soumettre info",
|
||||
'sunday' => "Dimanche",
|
||||
'theme' => "Thème",
|
||||
'thursday' => "Jeudi",
|
||||
'toggle_manager' => "Basculer 'Responsable'",
|
||||
'to' => "Au",
|
||||
'tuesday' => "Mardi",
|
||||
'under_folder' => "Dans le dossier",
|
||||
'unknown_command' => "Commande non reconnue.",
|
||||
'unknown_document_category' => "Catégorie inconnue",
|
||||
'unknown_group' => "Identifiant de groupe inconnu",
|
||||
'unknown_id' => "unknown id",
|
||||
'unknown_keyword_category' => "Catégorie inconnue",
|
||||
'unknown_owner' => "Identifiant de propriétaire inconnu",
|
||||
'unknown_user' => "Identifiant d'utilisateur inconnu",
|
||||
'unlock_cause_access_mode_all' => "Vous pouvez encore le mettre à jour, car vous avez les droits d'accès \"tout\". Le verrouillage sera automatiquement annulé.",
|
||||
'unlock_cause_locking_user' => "Vous pouvez encore le mettre à jour, car vous êtes le seul à l'avoir verrouillé. Le verrouillage sera automatiquement annulé.",
|
||||
'unlock_document' => "Déverrouiller",
|
||||
'update_approvers' => "Mise à jour de la liste d'Approbateurs",
|
||||
'update_document' => "Mettre à jour",
|
||||
'update_fulltext_index' => "Update fulltext index",
|
||||
'update_info' => "Informations de mise à jour",
|
||||
'update_locked_msg' => "Ce document est verrouillé.",
|
||||
'update_reviewers' => "Mise à jour de la liste de correcteurs",
|
||||
'update' => "Mettre à jour",
|
||||
'uploaded_by' => "Déposé par",
|
||||
'uploading_failed' => "Dépose du document échoué. SVP Contactez le responsable.",
|
||||
'use_default_categories' => "Use predefined categories",
|
||||
'use_default_keywords' => "Utiliser les mots-clés prédéfinis",
|
||||
'user_exists' => "Cet utilisateur existe déjà",
|
||||
'user_image' => "Image",
|
||||
'user_info' => "Informations utilisateur",
|
||||
'user_list' => "Liste des utilisateurs",
|
||||
'user_login' => "Identifiant",
|
||||
'user_management' => "Utilisateurs",
|
||||
'user_name' => "Nom utilisateur",
|
||||
'users' => "Utilisateurs",
|
||||
'user' => "Utilisateur",
|
||||
'version_deleted_email' => "Version supprimée",
|
||||
'version_info' => "Informations de versions",
|
||||
'versioning_file_creation' => "Versioning file creation",
|
||||
'versioning_file_creation_warning' => "With this operation you can create a file containing the versioning information of an entire DMS folder. After the creation every file will be saved inside the document folder.",
|
||||
'versioning_info' => "Versions",
|
||||
'version' => "Version",
|
||||
'view_online' => "Aperçu en ligne",
|
||||
'warning' => "Avertissement",
|
||||
'wednesday' => "Mercredi",
|
||||
'week_view' => "Vue par semaine",
|
||||
'year_view' => "Vue annuelle",
|
||||
'yes' => "Oui",
|
||||
);
|
||||
?>
|
587
languages/hu_HU/lang.inc
Normal file
587
languages/hu_HU/lang.inc
Normal file
|
@ -0,0 +1,587 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "Elfogad",
|
||||
'access_denied' => "Access denied.",
|
||||
'access_inheritance' => "Access Inheritance",
|
||||
'access_mode' => "Hozzßfrsi md",
|
||||
'access_mode_all' => "Minden",
|
||||
'access_mode_none' => "Nincs felvett jogosultsßg",
|
||||
'access_mode_read' => "olvasßs",
|
||||
'access_mode_readwrite' => "Írßs-Olvasßs",
|
||||
'account_summary' => "Account Summary",
|
||||
'action_summary' => "Action Summary",
|
||||
'actions' => "Actions",
|
||||
'add' => "Add",
|
||||
'add_access' => "Jogosultsßg hozzßadßsa",
|
||||
'add_doc_reviewer_approver_warning' => "N.B. Documents are automatically marked as released if no reviewer or approver is assigned.",
|
||||
'add_document' => "Dokumentum hozzßadßsa",
|
||||
'add_document_link' => "Kapcsoldßs felvtele",
|
||||
'add_group' => "õj csoport ltrehozßsa",
|
||||
'add_link' => "Create Link",
|
||||
'add_member' => "Tag felvtele",
|
||||
'add_new_notify' => "õj rtests hozzßadßsa",
|
||||
'add_subfolder' => "Alk÷nyvtßr hozzßadßsa",
|
||||
'add_user' => "õj felhasznßl felvtele",
|
||||
'adding_default_keywords' => "Kulcsszavak felvtele...",
|
||||
'adding_document' => "\"[documentname]\" dokumentum ltrehozßsa \"[foldername]\" k÷nyvtßrban...",
|
||||
'adding_document_link' => "Kapcsoldßs ltrehozßsa ...",
|
||||
'adding_document_notify' => "Ðrtestsi lista bejegyzs felvtele...",
|
||||
'adding_folder_notify' => "Hozzßadßs az rtestsi listßhoz folyamatban...",
|
||||
'adding_group' => "Csoport ltrehozßsa folyamatban...",
|
||||
'adding_member' => "Csoporttag felvtele folyamatban...",
|
||||
'adding_sub_folder' => "\"[subfoldername]\" alk÷nyvtßr ltrehozßsa \"[foldername]\"-ban...",
|
||||
'adding_user' => "Felhasznßl felvtele folyamatban...",
|
||||
'admin' => "Administrator",
|
||||
'admin_set_owner' => "Only an Administrator may set a new owner",
|
||||
'admin_tools' => "Adminisztrßcis eszk÷z÷k",
|
||||
'all_documents' => "All Documents",
|
||||
'all_users' => "Minden felhasznßl",
|
||||
'and' => " - ",
|
||||
'approval_group' => "Approval Group",
|
||||
'approval_status' => "Approval Status",
|
||||
'approval_summary' => "Approval Summary",
|
||||
'approval_update_failed' => "Error updating approval status. Update failed.",
|
||||
'approve_document' => "Approve Document",
|
||||
'approve_document_complete' => "Approve Document: Complete",
|
||||
'approve_document_complete_records_updated' => "Document approval completed and records updated",
|
||||
'approver_added' => "added as an approver",
|
||||
'approver_already_assigned' => "is already assigned as an approver",
|
||||
'approver_already_removed' => "has already been removed from approval process or has already submitted an approval",
|
||||
'approver_no_privilege' => "is not sufficiently privileged to approve this document",
|
||||
'approver_removed' => "removed from approval process",
|
||||
'approvers' => "Approvers",
|
||||
'as_approver' => "as an approver",
|
||||
'as_reviewer' => "as a reviewer",
|
||||
'assign_privilege_insufficient' => "Access denied. Privileges insufficient to assign reviewers or approvers to this document.",
|
||||
'assumed_released' => "Assumed released",
|
||||
'back' => "Vissza",
|
||||
'between' => "tartomßny",
|
||||
'cancel' => "Mgsem",
|
||||
'cannot_approve_pending_review' => "Document is currently pending review. Cannot submit an approval at this time.",
|
||||
'cannot_assign_invalid_state' => "Cannot assign new reviewers to a document that is not pending review or pending approval.",
|
||||
'cannot_change_final_states' => "Warning: Unable to alter document status for documents that have been rejected, marked obsolete or expired.",
|
||||
'cannot_delete_admin' => "Unable to delete the primary administrative user.",
|
||||
'cannot_move_root' => "Error: Cannot move root folder.",
|
||||
'cannot_retrieve_approval_snapshot' => "Unable to retrieve approval status snapshot for this document version.",
|
||||
'cannot_retrieve_review_snapshot' => "Unable to retrieve review status snapshot for this document version.",
|
||||
'cannot_rm_root' => "Error: Cannot delete root folder.",
|
||||
'choose_category' => "--Krjk vßlasszon--",
|
||||
'choose_group' => "--Vßlasszon csoportot--",
|
||||
'choose_target_document' => "Vßlasszon dokumentumot",
|
||||
'choose_target_folder' => "Vßlasszon cl k÷nyvtßrat",
|
||||
'choose_user' => "--Vßlasszon felhasznßlt--",
|
||||
'comment' => "Megjegyzs",
|
||||
'comment_for_current_version' => "Megjegyzs az aktußlis verzihoz",
|
||||
'confirm_pwd' => "Jelsz megersts",
|
||||
'confirm_rm_document' => "Valban t÷r÷lni akarja a(z) \"[documentname]\" dokumentumot?<br> Legyen vatos! Ezt a mveletet nem lehet visszavonni.",
|
||||
'confirm_rm_folder' => "Valban t÷r÷lni akarja a(z) \"[foldername]\" k÷nyvtßrat s annak tartalmßt?<br>Legyen vatos! Ezt a mveletet nem lehet visszavonni.",
|
||||
'confirm_rm_version' => "Valban t÷r÷lni akarja a(z) [version]. verzijßt a(z) \"[documentname]\" dokumentumnak?<br>Legyen vatos! Ezt a mveletet nem lehet visszavonni.",
|
||||
'content' => "Tartalom",
|
||||
'continue' => "Continue",
|
||||
'creating_new_default_keyword_category' => "Kategria felvtele...",
|
||||
'creation_date' => "Ltrehozva",
|
||||
'current_version' => "Aktußlis verzi",
|
||||
'default_access' => "Alapbeßlltßs szerinti jogosultsßg",
|
||||
'default_keyword_category' => "Kategrißk",
|
||||
'default_keyword_category_name' => "Nv",
|
||||
'default_keywords' => "Rendelkezsre ßll kulcsszavak",
|
||||
'delete' => "T÷rls",
|
||||
'delete_last_version' => "Document has only one revision. Deleting entire document record...",
|
||||
'deleting_document_notify' => "Ðrtestsi lista bejegyzs t÷rlse...",
|
||||
'deleting_folder_notify' => "Ðrtestsi lista bejegyzs t÷rlse folyamatban...",
|
||||
'details' => "Details",
|
||||
'details_version' => "Details for version: [version]",
|
||||
'document' => "Document",
|
||||
'document_access_again' => "Dokumentum jogosultsßg ismtelt mdostßsa",
|
||||
'document_add_access' => "Bejegyzs felvtele a hozzßfrs listßra...",
|
||||
'document_already_locked' => "Ez a dokumentum mßr zßrolt",
|
||||
'document_del_access' => "Hozzßfrs lista bejegyzs t÷rlse...",
|
||||
'document_edit_access' => "Hozzßfrs md vßltoztatßsa...",
|
||||
'document_infos' => "Informßci",
|
||||
'document_is_not_locked' => "Ez a dokumentum NEM zßrolt",
|
||||
'document_link_by' => "Kapcsolatot ltrehozta:",
|
||||
'document_link_public' => "Nyilvßnos",
|
||||
'document_list' => "Dokumentumok",
|
||||
'document_notify_again' => "Ðrtestsi lista ismtelt mdostßsa",
|
||||
'document_overview' => "Dokumentum tulajdonsßgok",
|
||||
'document_set_default_access' => "Alapbeßlltßs szerinti jogosultsßg beßlltßsa a dokumentumra...",
|
||||
'document_set_inherit' => "ACL t÷rls. A documentum ÷r÷kteni fogja a jogosultsßgot...",
|
||||
'document_set_not_inherit_copy' => "Jogosultsßg lista mßsolßsa folyamatban...",
|
||||
'document_set_not_inherit_empty' => "Ùr÷ktett jogosultsßg t÷rlse. Indulßs res ACL-el...",
|
||||
'document_status' => "Document Status",
|
||||
'document_title' => "MyDMS - Documentum [dokumentumnv]",
|
||||
'document_versions' => "Ùsszes verzi",
|
||||
'documents_in_process' => "Documents In Process",
|
||||
'documents_owned_by_user' => "Documents Owned by User",
|
||||
'documents_to_approve' => "Documents Awaiting User's Approval",
|
||||
'documents_to_review' => "Documents Awaiting User's Review",
|
||||
'documents_user_requiring_attention' => "Documents Owned by User That Require Attention",
|
||||
'does_not_expire' => "Soha nem jßr le",
|
||||
'does_not_inherit_access_msg' => "Jogosultsßg ÷r÷ktse",
|
||||
'download' => "Let÷lts",
|
||||
'draft_pending_approval' => "Draft - pending approval",
|
||||
'draft_pending_review' => "Draft - pending review",
|
||||
'edit' => "edit",
|
||||
'edit_default_keyword_category' => "Kategrißk mdostßsa",
|
||||
'edit_default_keywords' => "Kulcsszavak mdostßsa",
|
||||
'edit_document' => "Dokumentum mveletek",
|
||||
'edit_document_access' => "Jogosultsßg mdostßs",
|
||||
'edit_document_notify' => "Ðrtestsi lista",
|
||||
'edit_document_props' => "Dokumentum mdostßs",
|
||||
'edit_document_props_again' => "Dokumentum ismtelt mdostßsa",
|
||||
'edit_existing_access' => "Hozzßfrs lista mdostßsa",
|
||||
'edit_existing_notify' => "Ðrtestsi lista szerkesztse",
|
||||
'edit_folder' => "K÷nyvtßr szerkeszts",
|
||||
'edit_folder_access' => "Hozzßfrs mdostßs",
|
||||
'edit_folder_notify' => "Ðrtestsi lista",
|
||||
'edit_folder_props' => "K÷nyvtßr tulajdonsßgok",
|
||||
'edit_folder_props_again' => "A k÷nyvtßr ismtelt mdostßsa",
|
||||
'edit_group' => "Csoport mdostßsa",
|
||||
'edit_inherit_access' => "Jogosultsßg ÷r÷ktse",
|
||||
'edit_personal_default_keywords' => "Szemlyes kulcsszavak mdostßsa",
|
||||
'edit_user' => "Felhasznßl mdostßsa",
|
||||
'edit_user_details' => "Edit User Details",
|
||||
'editing_default_keyword_category' => "Kategria mdostßsa...",
|
||||
'editing_default_keywords' => "Kulcsszavak mdostßsa...",
|
||||
'editing_document_props' => "Dokumentum mdostßs folyamatban...",
|
||||
'editing_folder_props' => "K÷nyvtßr mdostßsa...",
|
||||
'editing_group' => "Csoport mdostßs...",
|
||||
'editing_user' => "Felhasznßl mdostßsa folyamatban...",
|
||||
'editing_user_data' => "Felhasznßli beßlltßsok mdostßsa",
|
||||
'email' => "Email",
|
||||
'email_err_group' => "Error sending email to one or more members of this group.",
|
||||
'email_err_user' => "Error sending email to user.",
|
||||
'email_sent' => "Email sent",
|
||||
'empty_access_list' => "A hozzßfrs lista res",
|
||||
'empty_notify_list' => "res lista",
|
||||
'error_adding_session' => "Error occured while creating session.",
|
||||
'error_occured' => "Hiba t÷rtnt",
|
||||
'error_removing_old_sessions' => "Error occured while removing old sessions",
|
||||
'error_updating_revision' => "Error updating status of document revision.",
|
||||
'exp_date' => "Lejßr",
|
||||
'expired' => "Expired",
|
||||
'expires' => "Lejßrat",
|
||||
'file' => "File",
|
||||
'file_info' => "File Information",
|
||||
'file_size' => "Fßjlmret",
|
||||
'folder_access_again' => "K÷nyvtßr jogosultsßg ismtelt mdostßsa",
|
||||
'folder_add_access' => "õj bejegyzs hozzßadßsa a hozzßfrs listßhoz...",
|
||||
'folder_contents' => "Folders",
|
||||
'folder_del_access' => "Hozzßfrs lista elem t÷rlse...",
|
||||
'folder_edit_access' => "Jogosultsßg mdostßs...",
|
||||
'folder_infos' => "Informßci",
|
||||
'folder_notify_again' => "Ðrtestsi lista ismtelt mdostßsa",
|
||||
'folder_overview' => "K÷nyvtßr tulajdonsßgok",
|
||||
'folder_path' => "Elrsi t",
|
||||
'folder_set_default_access' => "Alaprtelmezs szerinti hozzßfrsi md beßlltßsa a k÷nyvtßrhoz...",
|
||||
'folder_set_inherit' => "ACL t÷rlse. A k÷nyvtßr ÷r÷k÷lni fogja a jogosultsßgokat...",
|
||||
'folder_set_not_inherit_copy' => "Hozzßfrs lista mßsolßsa folyamatban...",
|
||||
'folder_set_not_inherit_empty' => "Ùr÷ktett jogosultsßg eltßvoltßsa. Indtßs res ACL-el...",
|
||||
'folder_title' => "MyDMS - K÷nyvtßr [k÷nyvtßrnv]",
|
||||
'folders_and_documents_statistic' => "K÷nyvtßrak s dokumentumok ßtekintse",
|
||||
'foldertree' => "K÷nyvtßrfa",
|
||||
'from_approval_process' => "from approval process",
|
||||
'from_review_process' => "from review process",
|
||||
'global_default_keywords' => "Globßlis kulcsszavak",
|
||||
'goto' => "Ugrßs",
|
||||
'group' => "Csoport",
|
||||
'group_already_approved' => "An approval has already been submitted on behalf of group",
|
||||
'group_already_reviewed' => "A review has already been submitted on behalf of group",
|
||||
'group_approvers' => "Group Approvers",
|
||||
'group_email_sent' => "Email sent to group members",
|
||||
'group_exists' => "Group already exists.",
|
||||
'group_management' => "Csoportok",
|
||||
'group_members' => "Csoporttagok",
|
||||
'group_reviewers' => "Group Reviewers",
|
||||
'group_unable_to_add' => "Unable to add group",
|
||||
'group_unable_to_remove' => "Unable to remove group",
|
||||
'groups' => "Csoportok",
|
||||
'guest_login' => "Belps vendgknt",
|
||||
'guest_login_disabled' => "Guest login is disabled.",
|
||||
'individual_approvers' => "Individual Approvers",
|
||||
'individual_reviewers' => "Individual Reviewers",
|
||||
'individuals' => "Individuals",
|
||||
'inherits_access_msg' => "Jogosultsßg ÷r÷ktse folyamatban.",
|
||||
'inherits_access_copy_msg' => "Ùr÷ktett hozzßfrs lista mßsolßsa",
|
||||
'inherits_access_empty_msg' => "Indulßs res hozzßfrs listßval",
|
||||
'internal_error' => "Internal error",
|
||||
'internal_error_exit' => "Internal error. Unable to complete request. Exiting.",
|
||||
'invalid_access_mode' => "Invalid Access Mode",
|
||||
'invalid_action' => "Invalid Action",
|
||||
'invalid_approval_status' => "Invalid Approval Status",
|
||||
'invalid_create_date_end' => "Invalid end date for creation date range.",
|
||||
'invalid_create_date_start' => "Invalid start date for creation date range.",
|
||||
'invalid_doc_id' => "Invalid Document ID",
|
||||
'invalid_folder_id' => "Invalid Folder ID",
|
||||
'invalid_group_id' => "Invalid Group ID",
|
||||
'invalid_link_id' => "Invalid link identifier",
|
||||
'invalid_request_token' => "Invalid Request Token",
|
||||
'invalid_review_status' => "Invalid Review Status",
|
||||
'invalid_sequence' => "Invalid sequence value",
|
||||
'invalid_status' => "Invalid Document Status",
|
||||
'invalid_target_doc_id' => "Invalid Target Document ID",
|
||||
'invalid_target_folder' => "Invalid Target Folder ID",
|
||||
'invalid_user_id' => "Invalid User ID",
|
||||
'invalid_version' => "Invalid Document Version",
|
||||
'is_admin' => "Administrator Privilege",
|
||||
'js_no_approval_group' => "Please select a approval group",
|
||||
'js_no_approval_status' => "Please select the approval status",
|
||||
'js_no_comment' => "Nincs megjegyzs",
|
||||
'js_no_email' => "Adja meg az email cmt",
|
||||
'js_no_file' => "Krem vßlasszon egy fßjlt",
|
||||
'js_no_keywords' => "Adjon meg kulcsszavakat",
|
||||
'js_no_login' => "Adja meg a felhasznßlnevet",
|
||||
'js_no_name' => "Krem rjon be egy nevet",
|
||||
'js_no_override_status' => "Please select the new [override] status",
|
||||
'js_no_pwd' => "Be kell rnia a jelszavßt",
|
||||
'js_no_query' => "Adjon meg egy krdst",
|
||||
'js_no_review_group' => "Please select a review group",
|
||||
'js_no_review_status' => "Please select the review status",
|
||||
'js_pwd_not_conf' => "A megadott jelszavak eltrnek",
|
||||
'js_select_user' => "Vßlasszon felhasznßlt",
|
||||
'js_select_user_or_group' => "Legalßbb egy felhasznßlt vagy egy csoportot adjon meg",
|
||||
'keyword_exists' => "Keyword already exists",
|
||||
'keywords' => "Kulcsszavak",
|
||||
'language' => "Nyelv",
|
||||
'last_update' => "Utols mdostßs",
|
||||
'last_updated_by' => "Last updated by",
|
||||
'latest_version' => "Latest Version",
|
||||
'linked_documents' => "Kapcsold dokumentumok",
|
||||
'local_file' => "Helyi ßllomßny",
|
||||
'lock_document' => "Zßrol",
|
||||
'lock_message' => "Ezt a dokumentumot <a href=\"mailto:[email]\">[username]</a> zßrolta.<br>Csak arra jogosult felhasznßl t÷z÷lheti a zßrolßst (Lßsd: lap alja).",
|
||||
'lock_status' => "Stßtusz",
|
||||
'locking_document' => "Dokumentum zßrolßs folyamatban...",
|
||||
'logged_in_as' => "Belpett felhasznßl: ",
|
||||
'login' => "Belps",
|
||||
'login_error_text' => "Error signing in. User ID or password incorrect.",
|
||||
'login_error_title' => "Sign in error",
|
||||
'login_not_found' => "Nem ltez felhasznßl",
|
||||
'login_not_given' => "No username has been supplied",
|
||||
'login_ok' => "Sign in successful",
|
||||
'logout' => "Kilps",
|
||||
'mime_type' => "Mime-Tpus",
|
||||
'move' => "Move",
|
||||
'move_document' => "Dokumentum ßthelyezse",
|
||||
'move_folder' => "K÷nyvtßr ßthelyezse",
|
||||
'moving_document' => "Dokumentum ßthelyezse...",
|
||||
'moving_folder' => "K÷nyvtßr ßthelyezse...",
|
||||
'msg_document_expired' => "A(z) \"[documentname]\" dokumentum (Elrsi t: \"[path]\") rvnyessge lejßrt [expires] dßtummal",
|
||||
'msg_document_updated' => "A(z) \"[documentname]\" dokumentum (Elrsi t: \"[path]\") ltrehozßsi, vagy mdostßsi dßtuma: [updated]",
|
||||
'my_account' => "Felhasznßli beßlltßsok",
|
||||
'my_documents' => "My Documents",
|
||||
'name' => "Nv",
|
||||
'new_default_keyword_category' => "õj kategria",
|
||||
'new_default_keywords' => "Ùsszes kulcssz",
|
||||
'new_equals_old_state' => "Warning: Proposed status and existing status are identical. No action required.",
|
||||
'new_user_image' => "õj kp",
|
||||
'no' => "Nem",
|
||||
'no_action' => "No action required",
|
||||
'no_action_required' => "n/a",
|
||||
'no_active_user_docs' => "There are currently no documents owned by the user that require review or approval.",
|
||||
'no_approvers' => "No approvers assigned.",
|
||||
'no_default_keywords' => "Nincs rendelkezsre ßll kulcssz",
|
||||
'no_docs_to_approve' => "There are currently no documents that require approval.",
|
||||
'no_docs_to_review' => "There are currently no documents that require review.",
|
||||
'no_document_links' => "Nincs kapcsold dokumentum",
|
||||
'no_documents' => "Nincsenek dokumentumok",
|
||||
'no_group_members' => "Ennek a csoportnak nincsenek tagjai",
|
||||
'no_groups' => "Nincsenek csoportok",
|
||||
'no_previous_versions' => "No other versions found",
|
||||
'no_reviewers' => "No reviewers assigned.",
|
||||
'no_subfolders' => "Nincsenek alk÷nyvtßrak",
|
||||
'no_update_cause_locked' => "Emiatt Ùn nem mdosthatja a dokumentumot. Lpjen kapcsolatba a zßrolßst ltrehoz szemllyel.",
|
||||
'no_user_image' => "Nincs kp",
|
||||
'not_approver' => "User is not currently assigned as an approver of this document revision.",
|
||||
'not_reviewer' => "User is not currently assigned as a reviewer of this document revision.",
|
||||
'notify_subject' => "õj vagy lejßrt dokumentumok a dokumentumkezel rendszerben",
|
||||
'obsolete' => "Obsolete",
|
||||
'old_folder' => "old folder",
|
||||
'only_jpg_user_images' => "Felhasznßli kpknt csak .jpg fßjlok adhatk meg.",
|
||||
'op_finished' => "ksz",
|
||||
'operation_not_allowed' => "Nincs jogosultsßgod a mvelet vgrehajtßsßhoz",
|
||||
'override_content_status' => "Override Status",
|
||||
'override_content_status_complete' => "Override Status Complete",
|
||||
'override_privilege_insufficient' => "Access denied. Privileges insufficient to override the status of this document.",
|
||||
'overview' => "Overview",
|
||||
'owner' => "Tulajdonos",
|
||||
'password' => "Jelsz",
|
||||
'pending_approval' => "Documents pending approval",
|
||||
'pending_review' => "Documents pending review",
|
||||
'personal_default_keywords' => "Szemlyes kulcsszavak",
|
||||
'previous_versions' => "Previous Versions",
|
||||
'rejected' => "Rejected",
|
||||
'released' => "Released",
|
||||
'remove_document_link' => "Kapcsoldßs t÷rlse",
|
||||
'remove_member' => "Csoport tag t÷rlse",
|
||||
'removed_approver' => "has been removed from the list of approvers.",
|
||||
'removed_reviewer' => "has been removed from the list of reviewers.",
|
||||
'removing_default_keyword_category' => "Kategria t÷rlse...",
|
||||
'removing_default_keywords' => "Kulcsszavak t÷rlse...",
|
||||
'removing_document' => "Dokumentum t÷rlse...",
|
||||
'removing_document_link' => "Kapcsoldßs t÷rlse...",
|
||||
'removing_folder' => "K÷nyvtßr t÷rlse...",
|
||||
'removing_group' => "Csoport t÷rlse folyamatban...",
|
||||
'removing_member' => "Csoporttag t÷rlse folyamatban...",
|
||||
'removing_user' => "Felhasznßl t÷rlse folyamatban...",
|
||||
'removing_version' => "[version]. dokumentum verzi t÷rlse...",
|
||||
'review_document' => "Review Document",
|
||||
'review_document_complete' => "Review Document: Complete",
|
||||
'review_document_complete_records_updated' => "Document review completed and records updated",
|
||||
'review_group' => "Review Group",
|
||||
'review_status' => "Review Status",
|
||||
'review_summary' => "Review Summary",
|
||||
'review_update_failed' => "Error updating review status. Update failed.",
|
||||
'reviewer_added' => "added as a reviewer",
|
||||
'reviewer_already_assigned' => "is already assigned as a reviewer",
|
||||
'reviewer_already_removed' => "has already been removed from review process or has already submitted a review",
|
||||
'reviewer_no_privilege' => "is not sufficiently privileged to review this document",
|
||||
'reviewer_removed' => "removed from review process",
|
||||
'reviewers' => "Reviewers",
|
||||
'rm_default_keyword_category' => "Kategria t÷rlse",
|
||||
'rm_default_keywords' => "Kulcsszavak t÷rlse",
|
||||
'rm_document' => "Dokumentum t÷rlse",
|
||||
'rm_folder' => "K÷nyvtßr t÷rls",
|
||||
'rm_group' => "Csoport t÷rlse",
|
||||
'rm_user' => "Felhasznßl t÷rlse",
|
||||
'rm_version' => "Verzi t÷rlse",
|
||||
'root_folder' => "Gy÷kr k÷nyvtßr",
|
||||
'save' => "Ments",
|
||||
'search' => "Keress",
|
||||
'search_in' => "Keress ebben a k÷nyvtßrban",
|
||||
'search_in_all' => "Minden k÷nyvtßrban",
|
||||
'search_in_current' => "csak ([foldername]) -ban s alk÷nyvtßraiban",
|
||||
'search_mode' => "Md",
|
||||
'search_mode_and' => "egyezs minden szra",
|
||||
'search_mode_or' => "egyezs legalßbb egy szra",
|
||||
'search_no_results' => "Nincs talßlat",
|
||||
'search_query' => "Kulcssz",
|
||||
'search_report' => "Talßlatok szßma [count] erre a lekrdezsre",
|
||||
'search_result_pending_approval' => "status 'pending approval'",
|
||||
'search_result_pending_review' => "status 'pending review'",
|
||||
'search_results' => "Talßlatok",
|
||||
'search_results_access_filtered' => "Search results may contain content to which access has been denied.",
|
||||
'search_time' => "Felhasznßlt id: [time] mßsodperc.",
|
||||
'select_one' => "Vßlasszon egyet",
|
||||
'selected_document' => "Kivßlasztott dokumentum",
|
||||
'selected_folder' => "Kivßlasztott konyvtßr",
|
||||
'selection' => "Selection",
|
||||
'seq_after' => "\"[prevname]\" utßn",
|
||||
'seq_end' => "Vgre",
|
||||
'seq_keep' => "Pozci megtartßsa",
|
||||
'seq_start' => "Elejre",
|
||||
'sequence' => "Sorrend",
|
||||
'set_default_access' => "Set Default Access Mode",
|
||||
'set_expiry' => "Set Expiry",
|
||||
'set_owner' => "Tulajdonos beßlltßsa",
|
||||
'set_reviewers_approvers' => "Assign Reviewers and Approvers",
|
||||
'setting_expires' => "Lejßrat beßlltßs folyamatban...",
|
||||
'setting_owner' => "Tulajdonos beßlltßsa...",
|
||||
'setting_user_image' => "<br>Felhasznßli kp beßlltßsa folyamatban...",
|
||||
'show_all_versions' => "Show All Revisions",
|
||||
'show_current_versions' => "Show Current",
|
||||
'start' => "Kezdet",
|
||||
'status' => "Status",
|
||||
'status_approval_rejected' => "Draft rejected",
|
||||
'status_approved' => "Approved",
|
||||
'status_approver_removed' => "Approver removed from process",
|
||||
'status_change_summary' => "Document revision changed from status '[oldstatus]' to status '[newstatus]'.",
|
||||
'status_changed_by' => "Status changed by",
|
||||
'status_not_approved' => "Not approved",
|
||||
'status_not_reviewed' => "Not reviewed",
|
||||
'status_reviewed' => "Reviewed",
|
||||
'status_reviewer_rejected' => "Draft rejected",
|
||||
'status_reviewer_removed' => "Reviewer removed from process",
|
||||
'status_unknown' => "Unknown",
|
||||
'subfolder_list' => "Alk÷nyvtßrak",
|
||||
'submit_approval' => "Submit approval",
|
||||
'submit_login' => "Sign in",
|
||||
'submit_review' => "Submit review",
|
||||
'theme' => "Tma",
|
||||
'unable_to_add' => "Unable to add",
|
||||
'unable_to_remove' => "Unable to remove",
|
||||
'under_folder' => ", clk÷nyvtßr:",
|
||||
'unknown_command' => "Command not recognized.",
|
||||
'unknown_group' => "Unknown group id",
|
||||
'unknown_keyword_category' => "Unknown category",
|
||||
'unknown_owner' => "Unknown owner id",
|
||||
'unknown_user' => "Unknown user id",
|
||||
'unlock_cause_access_mode_all' => "Ùn mgis mdosthatja, mivel ÷nnek \"teljes\" jogosultsßga van. A zßrolßs automatikusan fel lesz oldva.",
|
||||
'unlock_cause_locking_user' => "Ùn mgis mdosthatja, mivel a zßrolßst Ùn hozta ltre. A zßrolßs automatikusan fel lesz oldva.",
|
||||
'unlock_document' => "Felszabadt",
|
||||
'unlocking_denied' => "Ùnnek nincs jogsultsßga a zßrolßs feloldßsßra",
|
||||
'unlocking_document' => "Dokumentum feloldßs folyamatban...",
|
||||
'update' => "Update",
|
||||
'update_approvers' => "Update List of Approvers",
|
||||
'update_document' => "Mdost",
|
||||
'update_info' => "Update Information",
|
||||
'update_locked_msg' => "Zßrolt dokumentum.",
|
||||
'update_reviewers' => "Update List of Reviewers",
|
||||
'update_reviewers_approvers' => "Update List of Reviewers and Approvers",
|
||||
'updated_by' => "Updated by",
|
||||
'updating_document' => "Dokumentum mdostßs folyamatban...",
|
||||
'upload_date' => "Felt÷lts dßtuma",
|
||||
'uploaded' => "Uploaded",
|
||||
'uploaded_by' => "Felt÷lt÷tte",
|
||||
'uploading_failed' => "Sikertelen felt÷lts. Krem lpjen kapcsolatba a rendszergazdßval.",
|
||||
'use_default_keywords' => "Elredefinißlt kulcsszavak hasznßlata",
|
||||
'user' => "Felhasznßl",
|
||||
'user_already_approved' => "User has already submitted an approval of this document version",
|
||||
'user_already_reviewed' => "User has already submitted a review of this document version",
|
||||
'user_approval_not_required' => "No document approval required of user at this time.",
|
||||
'user_exists' => "User already exists.",
|
||||
'user_image' => "Kp",
|
||||
'user_info' => "User Information",
|
||||
'user_list' => "Felhasznßlk listßja",
|
||||
'user_login' => "Felhasznßl",
|
||||
'user_management' => "Felhasznßlk",
|
||||
'user_name' => "Teljes nv",
|
||||
'user_removed_approver' => "User has been removed from the list of individual approvers.",
|
||||
'user_removed_reviewer' => "User has been removed from the list of individual reviewers.",
|
||||
'user_review_not_required' => "No document review required of user at this time.",
|
||||
'users' => "Felhasznßlk",
|
||||
'version' => "Verzi",
|
||||
'version_info' => "Version Information",
|
||||
'version_under_approval' => "Version under approval",
|
||||
'version_under_review' => "Version under review",
|
||||
'view_document' => "View Document",
|
||||
'view_online' => "Megtekints b÷ngszben",
|
||||
'warning' => "Warning",
|
||||
'wrong_pwd' => "Hibßs jelsz. Prbßlja jra",
|
||||
'yes' => "Igen",
|
||||
// New as of 1.7.1. Require updated translation.
|
||||
'documents' => "Documents",
|
||||
'folders' => "Folders",
|
||||
'no_folders' => "No folders",
|
||||
'notification_summary' => "Notification Summary",
|
||||
// New as of 1.7.2
|
||||
'all_pages' => "All",
|
||||
'results_page' => "Results Page",
|
||||
// New
|
||||
'sign_out' => "sign out",
|
||||
'signed_in_as' => "Signed in as",
|
||||
'assign_reviewers' => "Assign Reviewers",
|
||||
'assign_approvers' => "Assign Approvers",
|
||||
'override_status' => "Override Status",
|
||||
'change_status' => "Change Status",
|
||||
'change_assignments' => "Change Assignments",
|
||||
'no_user_docs' => "There are currently no documents owned by the user",
|
||||
'disclaimer' => "This is a classified area. Access is permitted only to authorized personnel. Any violation will be prosecuted according to the english and international laws.",
|
||||
|
||||
'backup_tools' => "Backup tools",
|
||||
'versioning_file_creation' => "Versioning file creation",
|
||||
'archive_creation' => "Archive creation",
|
||||
'files_deletion' => "Files deletion",
|
||||
'folder' => "Folder",
|
||||
|
||||
'unknown_id' => "unknown id",
|
||||
'help' => "Help",
|
||||
|
||||
'versioning_info' => "Versioning info",
|
||||
'versioning_file_creation_warning' => "With this operation you can create a file containing the versioning information of an entire DMS folder. After the creation every file will be saved inside the document folder.",
|
||||
'archive_creation_warning' => "With this operation you can create achive containing the files of entire DMS folders. After the creation the archive will be saved in the data folder of your server.<br>WARNING: an archive created as human readable will be unusable as server backup.",
|
||||
'files_deletion_warning' => "With this option you can delete all files of entire DMS folders. The versioning information will remain visible.",
|
||||
|
||||
'backup_list' => "Existings backup list",
|
||||
'backup_remove' => "Remove backup file",
|
||||
'confirm_rm_backup' => "Do you really want to remove the file \"[arkname]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'document_deleted' => "Document deleted",
|
||||
'linked_files' => "Attachments",
|
||||
'invalid_file_id' => "Invalid file ID",
|
||||
'rm_file' => "Remove file",
|
||||
'confirm_rm_file' => "Do you really want to remove file \"[name]\" of document \"[documentname]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'edit_comment' => "Edit comment",
|
||||
|
||||
|
||||
// new from 1.9
|
||||
|
||||
'is_hidden' => "Hide from users list",
|
||||
'log_management' => "Log files management",
|
||||
'confirm_rm_log' => "Do you really want to remove log file \"[logname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'include_subdirectories' => "Include subdirectories",
|
||||
'include_documents' => "Include documents",
|
||||
'manager' => "Manager",
|
||||
'toggle_manager' => "Toggle manager",
|
||||
|
||||
// new from 2.0
|
||||
|
||||
'calendar' => "Calendar",
|
||||
'week_view' => "Week view",
|
||||
'month_view' => "Month view",
|
||||
'year_view' => "Year View",
|
||||
'add_event' => "Add event",
|
||||
'edit_event' => "Edit event",
|
||||
|
||||
'january' => "January",
|
||||
'february' => "February",
|
||||
'march' => "March",
|
||||
'april' => "April",
|
||||
'may' => "May",
|
||||
'june' => "June",
|
||||
'july' => "July",
|
||||
'august' => "August",
|
||||
'september' => "September",
|
||||
'october' => "October",
|
||||
'november' => "November",
|
||||
'december' => "December",
|
||||
|
||||
'sunday' => "Sunday",
|
||||
'monday' => "Monday",
|
||||
'tuesday' => "Tuesday",
|
||||
'wednesday' => "Wednesday",
|
||||
'thursday' => "Thursday",
|
||||
'friday' => "Friday",
|
||||
'saturday' => "Saturday",
|
||||
|
||||
'from' => "From",
|
||||
'to' => "To",
|
||||
|
||||
'event_details' => "Event details",
|
||||
'confirm_rm_event' => "Do you really want to remove event \"[name]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'dump_creation' => "DB dump creation",
|
||||
'dump_creation_warning' => "With this operation you can create a dump file of your database content. After the creation the dump file will be saved in the data folder of your server.",
|
||||
'dump_list' => "Existings dump files",
|
||||
'dump_remove' => "Remove dump file",
|
||||
'confirm_rm_dump' => "Do you really want to remove the file \"[dumpname]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'confirm_rm_user' => "Do you really want to remove the user \"[username]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_group' => "Do you really want to remove the group \"[groupname]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'human_readable' => "Human readable archive",
|
||||
|
||||
'email_header' => "This is an automatic message from the DMS server.",
|
||||
'email_footer' => "You can always change your e-mail settings using 'My Account' functions",
|
||||
|
||||
'add_multiple_files' => "Add multiple files (will use filename as document name)",
|
||||
|
||||
// new from 2.0.1
|
||||
|
||||
'max_upload_size' => "Maximum upload size for each file",
|
||||
|
||||
// new from 2.0.2
|
||||
|
||||
'space_used_on_data_folder' => "Space used on data folder",
|
||||
'assign_user_property_to' => "Assign user's properties to",
|
||||
);
|
||||
?>
|
578
languages/it_IT/lang.inc
Normal file
578
languages/it_IT/lang.inc
Normal file
|
@ -0,0 +1,578 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "Accetta",
|
||||
'access_denied' => "Accesso negato",
|
||||
'access_inheritance' => "Permessi ereditari",
|
||||
'access_mode' => "Permessi",
|
||||
'access_mode_all' => "Permessi totali",
|
||||
'access_mode_none' => "Nessun accesso",
|
||||
'access_mode_read' => "Permesso di lettura",
|
||||
'access_mode_readwrite' => "Permesso di lettura e scrittura",
|
||||
'access_permission_changed_email' => "Permessi cambiati",
|
||||
'actions' => "Azioni",
|
||||
'add' => "Aggiungi",
|
||||
'add_doc_reviewer_approver_warning' => "Nota: i documenti saranno automaticamente distinti come rilasciati se non esiste approvazione o revisione",
|
||||
'add_document' => "Aggiungi documento",
|
||||
'add_document_link' => "Aggiungi collegamento",
|
||||
'add_event' => "Aggiungi evento",
|
||||
'add_group' => "Aggiungi nuovo gruppo",
|
||||
'add_member' => "Aggiungi un membro",
|
||||
'add_multiple_documents' => "Add multiple documents",
|
||||
'add_multiple_files' => "Aggiungi documenti multipli (il nome del file verrà usato come nome del documento)",
|
||||
'add_subfolder' => "Aggiungi sottocartella",
|
||||
'add_user' => "Aggiungi nuovo utente",
|
||||
'admin' => "Amministratore",
|
||||
'admin_tools' => "Amministrazione",
|
||||
'all_categories' => "All categories",
|
||||
'all_documents' => "Tutti i documenti",
|
||||
'all_pages' => "Tutte",
|
||||
'all_users' => "Tutti gli utenti",
|
||||
'already_subscribed' => "L'oggetto è già stato sottoscritto",
|
||||
'and' => "e",
|
||||
'apply' => "Apply",
|
||||
'approval_deletion_email' => "Cancellata la richiesta di approvazione",
|
||||
'approval_group' => "Gruppo approvazione",
|
||||
'approval_request_email' => "Richiesta di approvazione",
|
||||
'approval_status' => "Stato approvazione",
|
||||
'approval_submit_email' => "Sottoposta approvazione",
|
||||
'approval_summary' => "Dettaglio approvazioni",
|
||||
'approval_update_failed' => "Errore nel modificare lo stato di approvazione",
|
||||
'approvers' => "Approvatori",
|
||||
'april' => "Aprile",
|
||||
'archive_creation' => "Creazione archivi",
|
||||
'archive_creation_warning' => "Con questa operazione è possibile creare archivi contenenti i file di intere cartelle del DMS. Dopo la creazione l'archivio viene salvato nella cartella dati del server.<br>Attenzione: un archivio creato per uso esterno non è utilizzabile come backup del server.",
|
||||
'assign_approvers' => "Assegna Approvatori",
|
||||
'assign_reviewers' => "Assegna Revisori",
|
||||
'assign_user_property_to' => "Assegna le proprietà dell'utente a",
|
||||
'assumed_released' => "Rilascio Acquisito",
|
||||
'august' => "Agosto",
|
||||
'automatic_status_update' => "Modifica automatica dello stato",
|
||||
'back' => "Ritorna",
|
||||
'backup_list' => "Lista dei backup presenti",
|
||||
'backup_remove' => "Elimina file di backup",
|
||||
'backup_tools' => "Strumenti di backup",
|
||||
'between' => "tra",
|
||||
'calendar' => "Calendario",
|
||||
'cancel' => "Annulla",
|
||||
'cannot_assign_invalid_state' => "Non è possibile modificare le assegnazioni di un documento già in stato finale",
|
||||
'cannot_change_final_states' => "Attenzione: Non si può modificare lo stato dei documenti rifiutati, scaduti o in lavorazione",
|
||||
//$text["cannot_delete_yourself"] = "Cannot delete yourself",
|
||||
'cannot_move_root' => "Impossibile spostare la cartella di root",
|
||||
'cannot_retrieve_approval_snapshot' => "Impossibile visualizzare lo stato di approvazione per questa versione di documento",
|
||||
'cannot_retrieve_review_snapshot' => "Impossibile visualizzare lo stato di revisione per questa versione di documento",
|
||||
'cannot_rm_root' => "Impossibile cancellare la cartella di root",
|
||||
'category' => "Category",
|
||||
'category_filter' => "Only categories",
|
||||
'category_in_use' => "This category is currently used by documents.",
|
||||
'categories' => "Categories",
|
||||
'change_assignments' => "Modifica le Assegnazioni",
|
||||
'change_status' => "Modifica lo Stato",
|
||||
'choose_category' => "Seleziona",
|
||||
'choose_group' => "--Seleziona gruppo--",
|
||||
'choose_target_category' => "Choose category",
|
||||
'choose_target_document' => "Seleziona documento",
|
||||
'choose_target_folder' => "Seleziona cartella",
|
||||
'choose_user' => "--Seleziona utente--",
|
||||
'comment_changed_email' => "Commento cambiato",
|
||||
'comment' => "Commento",
|
||||
'comment_for_current_version' => "Commento per la versione",
|
||||
'confirm_create_fulltext_index' => "Yes, I would like to recreate the fulltext index!",
|
||||
'confirm_pwd' => "Conferma Password",
|
||||
'confirm_rm_backup' => "Vuoi davvero rimuovere il file \"[arkname]\"?<br>Attenzione: Questa operazione non può essere annullata.",
|
||||
'confirm_rm_document' => "Vuoi veramente eliminare il documento \"[documentname]\"?<br>Attenzione: L'operazione è irreversibile",
|
||||
'confirm_rm_dump' => "Vuoi davvero rimuovere il file \"[dumpname]\"?<br>Attenzione: Questa operazione non può essere annullata.",
|
||||
'confirm_rm_event' => "Vuoli davvero rimuovere l'evento \"[name]\"?<br>Attenzione: Questa operazione non può essere annullata.",
|
||||
'confirm_rm_file' => "Vuoi veramente eliminare il file \"[name]\" del documento \"[documentname]\"?<br>Attenzione: L'operazione è irreversibile",
|
||||
'confirm_rm_folder' => "Vuoi veramente eliminare la cartella \"[foldername]\" e tutto il suo contenuto?<br>Attenzione: L'operazione è irreversibile",
|
||||
'confirm_rm_folder_files' => "Vuoi davvero rimuovere tutti i file dalla cartella \"[foldername]\" e dalle sue sottocartelle?<br>Attenzione: Questa operazione non può essere annullata.",
|
||||
'confirm_rm_group' => "Vuoi davvero rimuovere il gruppo \"[groupname]\"?<br>Attenzione: Questa operazione non può essere annullata.",
|
||||
'confirm_rm_log' => "Vuoi davvero rimuovere il file di log \"[logname]\"?<br>Attenzione: Questa operazione non può essere annullata.",
|
||||
'confirm_rm_user' => "Vuoi davvero rimuovere l'utente \"[username]\"?<br>Attenzione: Questa operazione non può essere annullata.",
|
||||
'confirm_rm_version' => "Vuoi veramente eliminare la versione [version] del documento \"[documentname]\"?<br>Attenzione: L'operazione è irreversibile",
|
||||
'content' => "Cartelle",
|
||||
'continue' => "Continua",
|
||||
'create_fulltext_index' => "Create fulltext index",
|
||||
'create_fulltext_index_warning' => "You are to recreate the fulltext index. This can take a considerable amount of time and reduce your overall system performance. If you really want to recreate the index, please confirm your operation.",
|
||||
'creation_date' => "Data creazione",
|
||||
'current_version' => "Ultima versione",
|
||||
'daily' => "Daily",
|
||||
'databasesearch' => "Database search",
|
||||
'december' => "Dicembre",
|
||||
'default_access' => "Permesso di default",
|
||||
'default_keywords' => "Parole chiave disponibili",
|
||||
'delete' => "Cancella",
|
||||
'details' => "Dettagli",
|
||||
'details_version' => "Dettagli versione: [version]",
|
||||
'disclaimer' => "Questa è un'area riservata. L'accesso è consentito solo al personale autorizzato. Qualunque violazione sarà perseguita a norma delle leggi italiane ed internazionali.",
|
||||
'document_already_locked' => "Questo documento è già bloccato",
|
||||
'document_deleted' => "Documento rimosso",
|
||||
'document_deleted_email' => "Documento cancellato",
|
||||
'document' => "Documento",
|
||||
'document_infos' => "Informazioni documento",
|
||||
'document_is_not_locked' => "Questo documento non è bloccato",
|
||||
'document_link_by' => "Collegato da",
|
||||
'document_link_public' => "Pubblico",
|
||||
'document_moved_email' => "Documento spostato",
|
||||
'document_renamed_email' => "Documento rinominato",
|
||||
'documents' => "Documenti",
|
||||
'documents_in_process' => "Documenti in lavorazione",
|
||||
'documents_locked_by_you' => "Documenti bloccati da te",
|
||||
'document_status_changed_email' => "Modifica stato del documento",
|
||||
'documents_to_approve' => "Documenti in attesa della tua approvazione",
|
||||
'documents_to_review' => "Documenti in attesa della tua revisione",
|
||||
'documents_user_requiring_attention' => "Tuoi documenti in attesa di revisione o approvazione",
|
||||
'document_title' => "Documento '[documentname]'",
|
||||
'document_updated_email' => "Documento aggiornato",
|
||||
'does_not_expire' => "Nessuna scadenza",
|
||||
'does_not_inherit_access_msg' => "Imposta permessi ereditari",
|
||||
'download' => "Scarica",
|
||||
'draft_pending_approval' => "Bozza in approvazione",
|
||||
'draft_pending_review' => "Bozza in revisione",
|
||||
'dump_creation' => "Creazione DB dump",
|
||||
'dump_creation_warning' => "Con questa operazione è possibile creare un file di dump del contenuto del database. Dopo la creazione il file viene salvato nella cartella dati del server.",
|
||||
'dump_list' => "List dei dump presenti",
|
||||
'dump_remove' => "Cancella il dump file",
|
||||
'edit_comment' => "Modifica il commento",
|
||||
'edit_default_keywords' => "Modifica parole chiave",
|
||||
'edit_document_access' => "Modifica permessi",
|
||||
'edit_document_notify' => "Lista di notifica file",
|
||||
'edit_document_props' => "Gestione documento",
|
||||
'edit' => "modifica",
|
||||
'edit_event' => "Modifica evento",
|
||||
'edit_existing_access' => "Gestione permessi",
|
||||
'edit_existing_notify' => "Gestione lista di notifica",
|
||||
'edit_folder_access' => "Modifica permessi",
|
||||
'edit_folder_notify' => "Lista di notifica cartelle",
|
||||
'edit_folder_props' => "Modifica cartella",
|
||||
'edit_group' => "Modifica gruppo",
|
||||
'edit_user_details' => "Gestione dettagli utente",
|
||||
'edit_user' => "Modifica utente",
|
||||
'email' => "Email",
|
||||
'email_footer' => "Puoi cambiare le tue preferenze utilizzando le funzioni del menu 'Account personale'",
|
||||
'email_header' => "Questo è un messaggio automatico inviato dal server DMS",
|
||||
'empty_notify_list' => "Nessun record",
|
||||
'error_no_document_selected' => "No document selected",
|
||||
'error_no_folder_selected' => "No folder selected",
|
||||
'error_occured' => "Si verificato un errore",
|
||||
'event_details' => "Dettagli evento",
|
||||
'expired' => "Scaduto",
|
||||
'expires' => "Scadenza",
|
||||
'expiry_changed_email' => "Scadenza cambiata",
|
||||
'february' => "Febbraio",
|
||||
'file' => "File",
|
||||
'files_deletion' => "Cancellazione file",
|
||||
'files_deletion_warning' => "Con questa operazione è possible cancellare i file di intere cartelle. Dopo la cancellazione le informazioni di versionamento resteranno disponibili.",
|
||||
'files' => "Files",
|
||||
'file_size' => "Grandezza",
|
||||
'folder_contents' => "Contenuto cartella",
|
||||
'folder_deleted_email' => "Cartella cancellata",
|
||||
'folder' => "Cartella",
|
||||
'folder_infos' => "Informazioni cartella",
|
||||
'folder_moved_email' => "Cartella spostata",
|
||||
'folder_renamed_email' => "Cartella rinominata",
|
||||
'folders_and_documents_statistic' => "Visualizzazione generale",
|
||||
'folders' => "Cartelle",
|
||||
'folder_title' => "Cartella '[foldername]'",
|
||||
'friday' => "Venerdì",
|
||||
'from' => "Da",
|
||||
'fullsearch' => "Full text search",
|
||||
'fullsearch_hint' => "Use fulltext index",
|
||||
'fulltext_info' => "Fulltext index info",
|
||||
'global_default_keywords' => "Categorie parole chiave globali",
|
||||
'global_document_categories' => "Categories",
|
||||
'group_approval_summary' => "Dettaglio approvazioni di gruppo",
|
||||
'group_exists' => "Il gruppo è già esistente",
|
||||
'group' => "Gruppo",
|
||||
'group_management' => "Amministrazione gruppi",
|
||||
'group_members' => "Membri del gruppo",
|
||||
'group_review_summary' => "Dettaglio revisioni di gruppo",
|
||||
'groups' => "Gruppi",
|
||||
'guest_login_disabled' => "Login ospite è disabilitato",
|
||||
'guest_login' => "Login come ospite",
|
||||
'help' => "Aiuto",
|
||||
'hourly' => "Hourly",
|
||||
'human_readable' => "Archivio per uso esterno",
|
||||
'include_documents' => "Includi documenti",
|
||||
'include_subdirectories' => "Includi sottocartelle",
|
||||
'individuals' => "Singoli",
|
||||
'inherits_access_msg' => "E' impostato il permesso ereditario.",
|
||||
'inherits_access_copy_msg' => "Modifica la lista degli accessi ereditati",
|
||||
'inherits_access_empty_msg' => "Riimposta una lista di permessi vuota",
|
||||
'internal_error_exit' => "Errore interno. Impossibile completare la richiesta. Uscire.",
|
||||
'internal_error' => "Errore interno",
|
||||
'invalid_access_mode' => "Permessi non validi",
|
||||
'invalid_action' => "Azione non valida",
|
||||
'invalid_approval_status' => "Stato di approvazione non valido",
|
||||
'invalid_create_date_end' => "Fine data non valida per la creazione di un intervallo temporale",
|
||||
'invalid_create_date_start' => "Inizio data non valida per la creazione di un intervallo temporale",
|
||||
'invalid_doc_id' => "ID documento non valido",
|
||||
'invalid_file_id' => "ID del file non valido",
|
||||
'invalid_folder_id' => "ID cartella non valido",
|
||||
'invalid_group_id' => "ID gruppo non valido",
|
||||
'invalid_link_id' => "ID di collegamento non valido",
|
||||
'invalid_request_token' => "Invalid Request Token",
|
||||
'invalid_review_status' => "Stato revisione non valido",
|
||||
'invalid_sequence' => "Valore di sequenza non valido",
|
||||
'invalid_status' => "Stato del documento non valido",
|
||||
'invalid_target_doc_id' => "ID documento selezionato non valido",
|
||||
'invalid_target_folder' => "ID cartella selezionata non valido",
|
||||
'invalid_user_id' => "ID utente non valido",
|
||||
'invalid_version' => "Versione documento non valida",
|
||||
'is_hidden' => "Nascondi dalla lista utenti",
|
||||
'january' => "Gennaio",
|
||||
'js_no_approval_group' => "Si prega di selezionare un gruppo di approvazione",
|
||||
'js_no_approval_status' => "Si prega di selezionare lo stato di approvazione",
|
||||
'js_no_comment' => "Non ci sono commenti",
|
||||
'js_no_email' => "Scrivi nel tuo indirizzo di Email",
|
||||
'js_no_file' => "Per favore seleziona un file",
|
||||
'js_no_keywords' => "Specifica alcune parole chiave",
|
||||
'js_no_login' => "Il campo ID utente é necessario",
|
||||
'js_no_name' => "Il nome é necessario",
|
||||
'js_no_override_status' => "E' necessario selezionare un nuovo stato",
|
||||
'js_no_pwd' => "La password è necessaria",
|
||||
'js_no_query' => "Scrivi nella query",
|
||||
'js_no_review_group' => "Per favore seleziona un gruppo di revisori",
|
||||
'js_no_review_status' => "Per favore seleziona lo stato di revisione",
|
||||
'js_pwd_not_conf' => "Password e passwords-di conferma non corrispondono",
|
||||
'js_select_user_or_group' => "Selezionare almeno un utente o un gruppo",
|
||||
'js_select_user' => "Per favore seleziona un utente",
|
||||
'july' => "Luglio",
|
||||
'june' => "Giugno",
|
||||
'keyword_exists' => "Parola chiave già presente",
|
||||
'keywords' => "Parole chiave",
|
||||
'language' => "Lingua",
|
||||
'last_update' => "Ultima modifica",
|
||||
'link_alt_updatedocument' => "If you would like to upload files bigger than the current maximum upload size, please use the alternative <a href=\"%s\">upload page</a>.",
|
||||
'linked_documents' => "Documenti collegati",
|
||||
'linked_files' => "File allegati",
|
||||
'local_file' => "File locale",
|
||||
'locked_by' => "Locked by",
|
||||
'lock_document' => "Blocca",
|
||||
'lock_message' => "Questo documento è bloccato da <a href=\"mailto:[email]\">[username]</a>. Solo gli utenti autorizzati possono sbloccare questo documento.",
|
||||
'lock_status' => "Stato",
|
||||
'login_error_text' => "Errore nel login. ID utente o passord errati.",
|
||||
'login_error_title' => "Errore di login",
|
||||
'login_not_given' => "Non è stato inserito il nome utente",
|
||||
'login_ok' => "Login eseguito",
|
||||
'log_management' => "Amministrazione log file",
|
||||
'logout' => "Logout",
|
||||
'manager' => "Manager",
|
||||
'march' => "Marzo",
|
||||
'max_upload_size' => "Dimensione massima caricabile per ogni file",
|
||||
'may' => "Maggio",
|
||||
'monday' => "Lunedì",
|
||||
'month_view' => "Vista mese",
|
||||
'monthly' => "Monthly",
|
||||
'move_document' => "Sposta documento",
|
||||
'move_folder' => "Sposta cartella",
|
||||
'move' => "Sposta",
|
||||
'my_account' => "Account personale",
|
||||
'my_documents' => "Documenti personali",
|
||||
'name' => "Nome",
|
||||
'new_default_keyword_category' => "Aggiungi categoria",
|
||||
'new_default_keywords' => "Aggiungi parole chiave",
|
||||
'new_document_category' => "Add category",
|
||||
'new_document_email' => "Nuovo documento",
|
||||
'new_file_email' => "Nuovo file allegato",
|
||||
//$text["new_folder"] = "New folder",
|
||||
'new' => "Nuovo",
|
||||
'new_subfolder_email' => "Nuova sottocartella",
|
||||
'new_user_image' => "Nuova immagine",
|
||||
'no_action' => "Non è richiesto alcun intervento",
|
||||
'no_approval_needed' => "No approval pending.",
|
||||
'no_attached_files' => "No attached files",
|
||||
'no_default_keywords' => "Nessuna parola chiave disponibile",
|
||||
//$text["no_docs_locked"] = "No documents locked.",
|
||||
//$text["no_docs_to_approve"] = "There are currently no documents that require approval.",
|
||||
//$text["no_docs_to_look_at"] = "No documents that need attention.",
|
||||
//$text["no_docs_to_review"] = "There are currently no documents that require review.",
|
||||
'no_group_members' => "Questo gruppo non ha membri",
|
||||
'no_groups' => "Nessun gruppo",
|
||||
'no' => "No",
|
||||
'no_linked_files' => "No linked files",
|
||||
'no_previous_versions' => "Nessun'altra versione trovata",
|
||||
'no_review_needed' => "No review pending.",
|
||||
'notify_added_email' => "Sei stato aggiunto alla lista di notifica",
|
||||
'notify_deleted_email' => "Sei stato eliminato dalla lista di notifica",
|
||||
'no_update_cause_locked' => "Non è quindi possible aggiornarlo.",
|
||||
'no_user_image' => "Nessuna immagine trovata",
|
||||
'november' => "Novembre",
|
||||
'obsolete' => "Obsoleto",
|
||||
'october' => "Ottobre",
|
||||
'old' => "Vecchio",
|
||||
'only_jpg_user_images' => "Possono essere utilizzate solo immagini di tipo jpeg",
|
||||
'owner' => "Proprietario",
|
||||
'ownership_changed_email' => "Proprietario cambiato",
|
||||
'password' => "Password",
|
||||
'personal_default_keywords' => "Parole chiave personali",
|
||||
'previous_versions' => "Versioni precedenti",
|
||||
'refresh' => "Refresh",
|
||||
'rejected' => "Rifiutato",
|
||||
'released' => "Rilasciato",
|
||||
'removed_approver' => "Rimosso dalla lista degli approvatori.",
|
||||
'removed_file_email' => "Rimosso file allegato",
|
||||
'removed_reviewer' => "Rimosso dalla lista dei revisori.",
|
||||
'results_page' => "Pagina dei risultati",
|
||||
'review_deletion_email' => "Cancellata la richiesta di revisione",
|
||||
'reviewer_already_assigned' => "già è assegnato come revisore",
|
||||
'reviewer_already_removed' => "già rimosso dal processo di revisione oppure già inserito come revisione",
|
||||
'reviewers' => "Revisori",
|
||||
'review_group' => "Gruppo revisori",
|
||||
'review_request_email' => "Richiesta di revisione",
|
||||
'review_status' => "Stato revisioni",
|
||||
'review_submit_email' => "Sottoposta revisione",
|
||||
'review_summary' => "Dettaglio revisioni",
|
||||
'review_update_failed' => "Errore nella variazione della revisione. Aggiornamento fallito.",
|
||||
'rm_default_keyword_category' => "Cancella categoria",
|
||||
'rm_document' => "Rimuovi documento",
|
||||
'rm_document_category' => "Delete category",
|
||||
'rm_file' => "Rimuovi file",
|
||||
'rm_folder' => "Rimuovi cartella",
|
||||
'rm_group' => "Rimuovi questo gruppo",
|
||||
'rm_user' => "Rimuovi questo utente",
|
||||
'rm_version' => "Rimuovi versione",
|
||||
//$text["role_admin"] = "Administrator",
|
||||
//$text["role_guest"] = "Guest",
|
||||
'role_user' => "User",
|
||||
//$text["role"] = "Role",
|
||||
'saturday' => "Sabato",
|
||||
'save' => "Salva",
|
||||
'search_fulltext' => "Search in fulltext",
|
||||
'search_in' => "Cerca in",
|
||||
'search_mode_and' => "tutte le parole",
|
||||
'search_mode_or' => "almeno una parola",
|
||||
'search_no_results' => "Non ci sono documenti che contengano la vostra ricerca",
|
||||
'search_query' => "Cerca per",
|
||||
'search_report' => "Trovati [count] documenti",
|
||||
'search_results_access_filtered' => "La ricerca può produrre contenuti il cui accesso è negato.",
|
||||
'search_results' => "Risultato ricerca",
|
||||
//$text["search"] = "Search",
|
||||
'search_time' => "Tempo trascorso: [time] sec.",
|
||||
'selection' => "Selezione",
|
||||
'select_one' => "Seleziona uno",
|
||||
'september' => "Settembre",
|
||||
'seq_after' => "Dopo \"[prevname]\"",
|
||||
'seq_end' => "Alla fine",
|
||||
'seq_keep' => "Mantene Posizione",
|
||||
'seq_start' => "Prima posizione",
|
||||
'sequence' => "Posizione",
|
||||
'set_expiry' => "Regola la scadenza",
|
||||
//$text["set_owner_error"] = "Error setting owner",
|
||||
'set_owner' => "Conferma proprietario",
|
||||
'settings_activate_module' => "Activate module",
|
||||
'settings_activate_php_extension' => "Activate PHP extension",
|
||||
'settings_adminIP' => "Admin IP",
|
||||
'settings_adminIP_desc' => "If enabled admin can login only by specified IP addres, leave empty to avoid the control. NOTE: works only with local autentication (no LDAP)",
|
||||
'settings_ADOdbPath' => "ADOdb Path",
|
||||
'settings_ADOdbPath_desc' => "Path to adodb. This is the directory containing the adodb directory",
|
||||
'settings_Advanced' => "Advanced",
|
||||
'settings_apache_mod_rewrite' => "Apache - Module Rewrite",
|
||||
'settings_Authentication' => "Authentication settings",
|
||||
'settings_Calendar' => "Calendar settings",
|
||||
'settings_calendarDefaultView' => "Calendar Default View",
|
||||
'settings_calendarDefaultView_desc' => "Calendar default view",
|
||||
'settings_contentDir' => "Content directory",
|
||||
'settings_contentDir_desc' => "Where the uploaded files are stored (best to choose a directory that is not accessible through your web-server)",
|
||||
'settings_contentOffsetDir' => "Content Offset Directory",
|
||||
'settings_contentOffsetDir_desc' => "To work around limitations in the underlying file system, a new directory structure has been devised that exists within the content directory (Content Directory). This requires a base directory from which to begin. Usually leave this to the default setting, 1048576, but can be any number or string that does not already exist within (Content Directory)",
|
||||
'settings_coreDir' => "Core letoDMS directory",
|
||||
'settings_coreDir_desc' => "Path to SeedDMS_Core (optional)",
|
||||
'settings_luceneClassDir' => "Lucene SeedDMS directory",
|
||||
'settings_luceneClassDir_desc' => "Path to SeedDMS_Lucene (optional)",
|
||||
'settings_luceneDir' => "Lucene index directory",
|
||||
'settings_luceneDir_desc' => "Path to Lucene index",
|
||||
'settings_createdatabase' => "Create database",
|
||||
'settings_createdirectory' => "Create directory",
|
||||
'settings_currentvalue' => "Current value",
|
||||
'settings_Database' => "Database settings",
|
||||
'settings_dbDatabase' => "Database",
|
||||
'settings_dbDatabase_desc' => "The name for your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.",
|
||||
'settings_dbDriver' => "Database Type",
|
||||
'settings_dbDriver_desc' => "The type of database in use entered during the installation process. Do not edit this field unless you are having to migrate to a different type of database perhaps due to changing hosts. Type of DB-Driver used by adodb (see adodb-readme)",
|
||||
'settings_dbHostname_desc' => "The hostname for your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.",
|
||||
'settings_dbHostname' => "Server name",
|
||||
'settings_dbPass_desc' => "The password for access to your database entered during the installation process.",
|
||||
'settings_dbPass' => "Password",
|
||||
'settings_dbUser_desc' => "The username for access to your database entered during the installation process. Do not edit field unless absolutely necessary, for example transfer of the database to a new Host.",
|
||||
'settings_dbUser' => "Username",
|
||||
'settings_delete_install_folder' => "To use SeedDMS, you must delete the install directory",
|
||||
'settings_disableSelfEdit_desc' => "If checked user cannot edit his own profile",
|
||||
'settings_disableSelfEdit' => "Disable Self Edit",
|
||||
'settings_Display' => "Display settings",
|
||||
'settings_Edition' => "Edition settings",
|
||||
'settings_enableAdminRevApp_desc' => "Uncheck to don't list administrator as reviewer/approver",
|
||||
'settings_enableAdminRevApp' => "Enable Admin Rev App",
|
||||
'settings_enableCalendar_desc' => "Enable/disable calendar",
|
||||
'settings_enableCalendar' => "Enable Calendar",
|
||||
'settings_enableConverting_desc' => "Enable/disable converting of files",
|
||||
'settings_enableConverting' => "Enable Converting",
|
||||
'settings_enableEmail_desc' => "Enable/disable automatic email notification",
|
||||
'settings_enableEmail' => "Enable E-mail",
|
||||
'settings_enableFolderTree_desc' => "False to don't show the folder tree",
|
||||
'settings_enableFolderTree' => "Enable Folder Tree",
|
||||
'settings_enableFullSearch' => "Enable Full text search",
|
||||
'settings_enableGuestLogin_desc' => "If you want anybody to login as guest, check this option. Note: guest login should be used only in a trusted environment",
|
||||
'settings_enableGuestLogin' => "Enable Guest Login",
|
||||
'settings_enableUserImage_desc' => "Enable users images",
|
||||
'settings_enableUserImage' => "Enable User Image",
|
||||
'settings_enableUsersView_desc' => "Enable/disable group and user view for all users",
|
||||
'settings_enableUsersView' => "Enable Users View",
|
||||
'settings_error' => "Error",
|
||||
'settings_expandFolderTree_desc' => "Expand Folder Tree",
|
||||
'settings_expandFolderTree' => "Expand Folder Tree",
|
||||
'settings_expandFolderTree_val0' => "start with tree hidden",
|
||||
'settings_expandFolderTree_val1' => "start with tree shown and first level expanded",
|
||||
'settings_expandFolderTree_val2' => "start with tree shown fully expanded",
|
||||
'settings_firstDayOfWeek_desc' => "First day of the week",
|
||||
'settings_firstDayOfWeek' => "First day of the week",
|
||||
'settings_footNote_desc' => "Message to display at the bottom of every page",
|
||||
'settings_footNote' => "Foot Note",
|
||||
'settings_guestID_desc' => "ID of guest-user used when logged in as guest (mostly no need to change)",
|
||||
'settings_guestID' => "Guest ID",
|
||||
'settings_httpRoot_desc' => "The relative path in the URL, after the domain part. Do not include the http:// prefix or the web host name. e.g. If the full URL is http://www.example.com/letodms/, set '/letodms/'. If the URL is http://www.example.com/, set '/'",
|
||||
'settings_httpRoot' => "Http Root",
|
||||
'settings_installADOdb' => "Install ADOdb",
|
||||
'settings_install_success' => "The installation is completed successfully",
|
||||
'settings_language' => "Default language",
|
||||
'settings_language_desc' => "Default language (name of a subfolder in folder \"languages\")",
|
||||
'settings_logFileEnable_desc' => "Enable/disable log file",
|
||||
'settings_logFileEnable' => "Log File Enable",
|
||||
'settings_logFileRotation_desc' => "The log file rotation",
|
||||
'settings_logFileRotation' => "Log File Rotation",
|
||||
'settings_luceneDir' => "Directory for full text index",
|
||||
'settings_maxDirID_desc' => "Maximum number of sub-directories per parent directory. Default: 32700.",
|
||||
'settings_maxDirID' => "Max Directory ID",
|
||||
'settings_maxExecutionTime_desc' => "This sets the maximum time in seconds a script is allowed to run before it is terminated by the parse",
|
||||
'settings_maxExecutionTime' => "Max Execution Time (s)",
|
||||
'settings_more_settings' => "Configure more settings. Default login: admin/admin",
|
||||
'settings_notfound' => "Not found",
|
||||
'settings_partitionSize' => "Size of partial files uploaded by jumploader",
|
||||
'settings_php_dbDriver' => "PHP extension : php_'see current value'",
|
||||
'settings_php_gd2' => "PHP extension : php_gd2",
|
||||
'settings_php_mbstring' => "PHP extension : php_mbstring",
|
||||
'settings_printDisclaimer_desc' => "If true the disclaimer message the lang.inc files will be print on the bottom of the page",
|
||||
'settings_printDisclaimer' => "Print Disclaimer",
|
||||
'settings_restricted_desc' => "Only allow users to log in if they have an entry in the local database (irrespective of successful authentication with LDAP)",
|
||||
'settings_restricted' => "Restricted access",
|
||||
'settings_rootDir_desc' => "Path to where letoDMS is located",
|
||||
'settings_rootDir' => "Root directory",
|
||||
'settings_rootFolderID_desc' => "ID of root-folder (mostly no need to change)",
|
||||
'settings_rootFolderID' => "Root Folder ID",
|
||||
'settings_SaveError' => "Configuration file save error",
|
||||
'settings_Server' => "Server settings",
|
||||
'settings' => "Settings",
|
||||
'settings_siteDefaultPage_desc' => "Default page on login. If empty defaults to out/out.ViewFolder.php",
|
||||
'settings_siteDefaultPage' => "Site Default Page",
|
||||
'settings_siteName_desc' => "Name of site used in the page titles. Default: letoDMS",
|
||||
'settings_siteName' => "Site Name",
|
||||
'settings_Site' => "Site",
|
||||
'settings_smtpPort_desc' => "SMTP Server port, default 25",
|
||||
'settings_smtpPort' => "SMTP Server port",
|
||||
'settings_smtpSendFrom_desc' => "Send from",
|
||||
'settings_smtpSendFrom' => "Send from",
|
||||
'settings_smtpServer_desc' => "SMTP Server hostname",
|
||||
'settings_smtpServer' => "SMTP Server hostname",
|
||||
'settings_SMTP' => "SMTP Server settings",
|
||||
'settings_stagingDir' => "Directory for partial uploads",
|
||||
'settings_strictFormCheck_desc' => "Strict form checking. If set to true, then all fields in the form will be checked for a value. If set to false, then (most) comments and keyword fields become optional. Comments are always required when submitting a review or overriding document status",
|
||||
'settings_strictFormCheck' => "Strict Form Check",
|
||||
'settings_suggestionvalue' => "Suggestion value",
|
||||
'settings_System' => "System",
|
||||
'settings_theme' => "Default theme",
|
||||
'settings_theme_desc' => "Default style (name of a subfolder in folder \"styles\")",
|
||||
'settings_titleDisplayHack_desc' => "Workaround for page titles that go over more than 2 lines.",
|
||||
'settings_titleDisplayHack' => "Title Display Hack",
|
||||
'settings_updateNotifyTime_desc' => "Users are notified about document-changes that took place within the last 'Update Notify Time' seconds",
|
||||
'settings_updateNotifyTime' => "Update Notify Time",
|
||||
'settings_versioningFileName_desc' => "The name of the versioning info file created by the backup tool",
|
||||
'settings_versioningFileName' => "Versioning FileName",
|
||||
'settings_viewOnlineFileTypes_desc' => "Files with one of the following endings can be viewed online (USE ONLY LOWER CASE CHARACTERS)",
|
||||
'settings_viewOnlineFileTypes' => "View Online File Types",
|
||||
'signed_in_as' => "Utente",
|
||||
'sign_in' => "sign in",
|
||||
'sign_out' => "Esci",
|
||||
'space_used_on_data_folder' => "Spazio utilizzato dai dati",
|
||||
'status_approval_rejected' => "Bozza rifiutata",
|
||||
'status_approved' => "Approvato",
|
||||
'status_approver_removed' => "Approvatore rimosso dal processo",
|
||||
'status_not_approved' => "Non ancora approvato",
|
||||
'status_not_reviewed' => "Non ancora revisionato",
|
||||
'status_reviewed' => "Revisionato",
|
||||
'status_reviewer_rejected' => "Bozza rifiutata",
|
||||
'status_reviewer_removed' => "Revisore rimosso dal processo",
|
||||
'status' => "Stato",
|
||||
'status_unknown' => "Sconosciuto",
|
||||
'storage_size' => "Dimensione totale",
|
||||
'submit_approval' => "Approvazione documento",
|
||||
'submit_login' => "Login",
|
||||
'submit_review' => "Revisione documento",
|
||||
'sunday' => "Domenica",
|
||||
'theme' => "Tema",
|
||||
'thursday' => "Giovedì",
|
||||
'toggle_manager' => "Manager",
|
||||
'to' => "A",
|
||||
'tuesday' => "Martedì",
|
||||
'under_folder' => "Nella cartella",
|
||||
'unknown_command' => "Commando non riconosciuto.",
|
||||
'unknown_document_category' => "Unknown category",
|
||||
'unknown_group' => "ID gruppo sconosciuto",
|
||||
'unknown_id' => "identificativo sconosciuto",
|
||||
'unknown_keyword_category' => "Categoria sconosciuta",
|
||||
'unknown_owner' => "ID proprietario sconosciuto",
|
||||
'unknown_user' => "ID utente sconosciuto",
|
||||
'unlock_cause_access_mode_all' => "Puoi ancora aggiornarlo, perchè hai il permesso \"all\". Il blocco sarà rimosso automaticamente.",
|
||||
'unlock_cause_locking_user' => "Puoi ancora aggiornarlo, perchè sei l'utente che ha eseguito il blocco. Il blocco sarà rimosso automaticamente.",
|
||||
'unlock_document' => "Sblocca",
|
||||
'update_approvers' => "Aggiornamento lista approvatori",
|
||||
'update_document' => "Aggiorna",
|
||||
'update_fulltext_index' => "Update fulltext index",
|
||||
'update_info' => "Aggiorna informazioni",
|
||||
'update_locked_msg' => "Questo documento è bloccato.",
|
||||
'update_reviewers' => "Aggiornamento lista revisori",
|
||||
'update' => "Aggiorna",
|
||||
'uploaded_by' => "Caricato da",
|
||||
'uploading_failed' => "Upload fallito. Sei pregato di contattare l'amministratore.",
|
||||
'use_default_categories' => "Use predefined categories",
|
||||
'use_default_keywords' => "Usa le parole chiave predefinite",
|
||||
'user_exists' => "Utente esistente",
|
||||
'user_image' => "Immagine",
|
||||
'user_info' => "Informazioni utente",
|
||||
'user_list' => "Lista utenti",
|
||||
'user_login' => "ID utente",
|
||||
'user_management' => "Amministrazione utenti",
|
||||
'user_name' => "Nome e Cognome",
|
||||
'users' => "Utenti",
|
||||
'user' => "Utente",
|
||||
'version_deleted_email' => "Versione cancellata",
|
||||
'version_info' => "Informazioni versione",
|
||||
'versioning_file_creation' => "Creazione file di versionamento",
|
||||
'versioning_file_creation_warning' => "Con questa operazione è possibile creare un file di backup delle informazioni di versionamento dei documenti di una intera cartella. Dopo la creazione ogni file viene salvato nella cartella del relativo documento.",
|
||||
'versioning_info' => "Informazioni di versionamento",
|
||||
'version' => "Versione",
|
||||
'view_online' => "Visualizza",
|
||||
'warning' => "Attenzione",
|
||||
'wednesday' => "Mercoledì",
|
||||
'week_view' => "Vista settimana",
|
||||
'year_view' => "Vista anno",
|
||||
'yes' => "Si",
|
||||
);
|
||||
?>
|
688
languages/nl_NL/lang.inc
Normal file
688
languages/nl_NL/lang.inc
Normal file
|
@ -0,0 +1,688 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "Accept",
|
||||
'access_denied' => "Geen toegang.",
|
||||
'access_inheritance' => "Toegang overerfd",
|
||||
'access_mode' => "Toegang modus",
|
||||
'access_mode_all' => "Alle machtigingen",
|
||||
'access_mode_none' => "Geen toegang",
|
||||
'access_mode_read' => "Lees rechten",
|
||||
'access_mode_readwrite' => "Lees en Schrijf rechten",
|
||||
'access_permission_changed_email' => "Machtigingen gewijzigd",
|
||||
'according_settings' => "volgens instellingen",
|
||||
'actions' => "Acties",
|
||||
'add' => "Toevoegen",
|
||||
'add_doc_reviewer_approver_warning' => "N.B. Documenten zijn automatisch gemarkeeerd als [Gepubliceerd] als geen [Autoriseerder] of [Controleur] is toegewezen.",
|
||||
'add_document' => "Document toevoegen",
|
||||
'add_document_link' => "Link toevoegen",
|
||||
'add_event' => "Activiteit toevoegen",
|
||||
'add_group' => "Nieuwe groep toevoegen",
|
||||
'add_member' => "Lid toevoegen",
|
||||
'add_multiple_documents' => "Meerdere Documenten Toevoegen",
|
||||
'add_multiple_files' => "Meerdere bestanden toevoegen (Gebruikt bestandsnaam als document naam)",
|
||||
'add_subfolder' => "Submap toevoegen",
|
||||
'add_user' => "Nieuwe gebruiker toevoegen",
|
||||
'add_user_to_group' => "Gebruiker aan groep toevoegen",
|
||||
'admin' => "Beheerder",
|
||||
'admin_tools' => "Beheer",
|
||||
'all' => "Alle",
|
||||
'all_categories' => "Alle Categorieen",
|
||||
'all_documents' => "Alle Documenten",
|
||||
'all_pages' => "Alle",
|
||||
'all_users' => "Alle gebruikers",
|
||||
'already_subscribed' => "Al ingetekend",
|
||||
'and' => "en",
|
||||
'apply' => "Toepassen",
|
||||
'approval_deletion_email' => "Goedkeuring verzoek verwijderd",
|
||||
'approval_group' => "Goedkeuring Groep",
|
||||
'approval_request_email' => "Goedkeuring verzoek",
|
||||
'approval_status' => "Goedkeuring Status",
|
||||
'approval_submit_email' => "Uitgevoerde [Goedkeuring]",
|
||||
'approval_summary' => "Goedkeuring Samenvatting",
|
||||
'approval_update_failed' => "Fout bij bijwerken Goedkeuring status. Bijwerken mislukt.",
|
||||
'approvers' => "Autoriseerders",
|
||||
'april' => "april",
|
||||
'archive_creation' => "Archief aanmaken",
|
||||
'archive_creation_warning' => "Met deze handeling maakt U een Archief aan van alle bestanden in het DMS. Na het aanmaken van het Archief, wordt deze opgeslagen in de data-map van uw server.<br>Waarschuwing: een leesbaar Archief kan niet worden gebruikt voor server back-up doeleinde.",
|
||||
'assign_approvers' => "Aangewezen [Goedkeurders]",
|
||||
'assign_reviewers' => "Aangewezen [Controleurs]",
|
||||
'assign_user_property_to' => "Wijs gebruikers machtigingen toe aan",
|
||||
'assumed_released' => "aangenomen status: Gepubliceerd",
|
||||
'attrdef_management' => "Kenmerk definitie beheer",
|
||||
'attrdef_exists' => "Kenmerk definitie bestaat al",
|
||||
'attrdef_in_use' => "Kenmerk definitie nog in gebruikt",
|
||||
'attrdef_name' => "Naam",
|
||||
'attrdef_multiple' => "Meerdere waarden toegestaan",
|
||||
'attrdef_objtype' => "Object type",
|
||||
'attrdef_type' => "Type",
|
||||
'attrdef_minvalues' => "Min. aantal waarden",
|
||||
'attrdef_maxvalues' => "Max. aantal waarden",
|
||||
'attrdef_valueset' => "Verzameling waarden",
|
||||
'attributes' => "Attributen",
|
||||
'august' => "augustus",
|
||||
'automatic_status_update' => "Automatische Status wijziging",
|
||||
'back' => "Terug",
|
||||
'backup_list' => "Bestaande backup lijst",
|
||||
'backup_remove' => "Verwijder backup bestand",
|
||||
'backup_tools' => "Backup gereedschap",
|
||||
'between' => "tussen",
|
||||
'calendar' => "Kalender",
|
||||
'cancel' => "Annuleren",
|
||||
'cannot_assign_invalid_state' => "Kan document niet aanpassen in deze status",
|
||||
'cannot_change_final_states' => "Waarschuwing: U kunt de Status [afgewezen], [vervallen], [in afwachting van] (nog) niet wijzigen.",
|
||||
'cannot_delete_yourself' => "Kan uzelf niet verwijderen",
|
||||
'cannot_move_root' => "Foutmelding: U kunt de basis map niet verplaatsen.",
|
||||
'cannot_retrieve_approval_snapshot' => "Niet mogelijk om [Goedgekeurde] status voor de huidige versie van dit document te verkrijgen.",
|
||||
'cannot_retrieve_review_snapshot' => "Niet mogelijk om [Controle] status voor de huidige versie van dit document te verkrijgen.",
|
||||
'cannot_rm_root' => "Foutmelding: U kunt de basis map niet verwijderen.",
|
||||
'category' => "Categorie",
|
||||
'category_exists' => "Categorie bestaat al.",
|
||||
'category_filter' => "Alleen categorieen",
|
||||
'category_in_use' => "Categorie is in gebruikt door documenten.",
|
||||
'category_noname' => "Geen Categorienaam opgegeven.",
|
||||
'categories' => "Categorieen",
|
||||
'change_assignments' => "Wijzig taken/toewijzingen",
|
||||
'change_password' => "Wijzig wachtwoord",
|
||||
'change_password_message' => "Wachtwoord is gewijzigd.",
|
||||
'change_status' => "Wijzig Status",
|
||||
'choose_attrdef' => "Selecteer een kenmerk definitie",
|
||||
'choose_category' => "Selecteer a.u.b.",
|
||||
'choose_group' => "Selecteer Groep",
|
||||
'choose_target_category' => "Selecteer categorie",
|
||||
'choose_target_document' => "Selecteer Document",
|
||||
'choose_target_folder' => "Selecteer map",
|
||||
'choose_user' => "Selecteer Gebruiker",
|
||||
'comment_changed_email' => "Commentaar gewijzigd",
|
||||
'comment' => "Commentaar",
|
||||
'comment_for_current_version' => "Versie van het commentaar",
|
||||
'confirm_create_fulltext_index' => "Ja, Ik wil de volledigetekst index opnieuw maken!",
|
||||
'confirm_pwd' => "Bevestig wachtwoord",
|
||||
'confirm_rm_backup' => "Weet U zeker dat U het bestand \"[arkname]\" wilt verwijderen?<br>Let op: deze handeling kan niet ongedaan worden gemaakt.",
|
||||
'confirm_rm_document' => "Weet U zeker dat U het document \"[documentname]\" wilt verwijderen?<br>Pas op: deze handeling kan niet ongedaan worden gemaakt.",
|
||||
'confirm_rm_dump' => "Weet U zeker dat U het bestand \"[dumpname]\" wilt verwijderen?<br>Let op: deze handeling kan niet ongedaan worden gemaakt.",
|
||||
'confirm_rm_event' => "Weet U zeker dat U de activiteit \"[name]\" wilt verwijderen?<br>Let op: deze handeling kan niet ongedaan worden gemaakt.",
|
||||
'confirm_rm_file' => "Weet U zeker dat U file \"[name]\" van document \"[documentname]\" wilt verwijderen?<br>Let op: Deze actie kan niet ongedaan worden gemaakt.",
|
||||
'confirm_rm_folder' => "Weet U zeker dat U de map \"[foldername]\" en haar inhoud wilt verwijderen?<br>Pas op: deze handeling kan niet ongedaan worden gemaakt.",
|
||||
'confirm_rm_folder_files' => "Weet U zeker dat U alle bestanden en submappen van de map \"[foldername]\" wilt verwijderen?<br>Let op: deze actie kan niet ongedaan worden gemaakt.",
|
||||
'confirm_rm_group' => "Weet U zeker dat U de Groep \"[groupname]\" wilt verwijderen?<br>Let op: deze handeling kan niet ongedaan worden gemaakt.",
|
||||
'confirm_rm_log' => "Weet U zeker dat U het logbestand \"[logname]\" wilt verwijderen?<br>Let op: deze handeling kan niet ongedaan worden gemaakt.",
|
||||
'confirm_rm_user' => "Weet U zeker dat U de Gebruiker \"[username]\" wilt verwijderen?<br>Let op: deze handeling kan niet ongedaan worden gemaakt.",
|
||||
'confirm_rm_version' => "Weet U zeker dat U deze versie van het document \"[documentname]\" wilt verwijderen?<br>Pas op: deze handeling kan niet ongedaan worden gemaakt.",
|
||||
'content' => "Welkomstpagina",
|
||||
'continue' => "Doorgaan",
|
||||
'create_fulltext_index' => "Creeer volledige tekst index",
|
||||
'create_fulltext_index_warning' => "U staat op het punt de volledigetekst opnieuw te indexeren. Dit kan behoorlijk veel tijd en snelheid vergen van het systeem. Als u zeker bent om opnieuw te indexeren, bevestig deze actie.",
|
||||
'creation_date' => "Aangemaakt",
|
||||
'current_password' => "Huidige wachtwoord",
|
||||
'current_version' => "Huidige versie",
|
||||
'daily' => "Dagelijks",
|
||||
'databasesearch' => "Zoek in Database",
|
||||
'december' => "december",
|
||||
'default_access' => "Standaard toegang",
|
||||
'default_keywords' => "Beschikbare sleutelwoorden",
|
||||
'delete' => "Verwijderen",
|
||||
'details' => "Details",
|
||||
'details_version' => "Details voor versie: [version]",
|
||||
'disclaimer' => "Dit is een beveiligde omgeving. Gebruik is alleen toegestaan voor geautoriseerde leden. Ongeautoriseerde toegang kan worden bestraft overeenkomstig (inter)nationale wetgeving.",
|
||||
'do_object_repair' => "Repareer alle mappen en documenten.",
|
||||
'document_already_locked' => "Dit document is al geblokkeerd",
|
||||
'document_deleted' => "Document verwijderd",
|
||||
'document_deleted_email' => "Document verwijderd",
|
||||
'document' => "Document",
|
||||
'document_infos' => "Document Informatie",
|
||||
'document_is_not_locked' => "Dit document is niet geblokkeerd",
|
||||
'document_link_by' => "Gekoppeld met",
|
||||
'document_link_public' => "Publiek",
|
||||
'document_moved_email' => "Document verplaatst",
|
||||
'document_renamed_email' => "Document hernoemd",
|
||||
'documents' => "Documenten",
|
||||
'documents_in_process' => "Documenten in behandeling",
|
||||
'documents_locked_by_you' => "Documenten door U geblokkeerd",
|
||||
'documents_only' => "Alleen documenten",
|
||||
'document_status_changed_email' => "Document status gewijzigd",
|
||||
'documents_to_approve' => "Documenten die wachten op uw goedkeuring",
|
||||
'documents_to_review' => "Documenten die wachten op uw controle",
|
||||
'documents_user_requiring_attention' => "Eigen documenten die (nog) aandacht behoeven",
|
||||
'document_title' => "Document '[documentname]'",
|
||||
'document_updated_email' => "Document bijgewerkt",
|
||||
'does_not_expire' => "Verloopt niet",
|
||||
'does_not_inherit_access_msg' => "Erft toegang",
|
||||
'download' => "Download",
|
||||
'draft_pending_approval' => "Draft - in afwachting van goedkeuring",
|
||||
'draft_pending_review' => "Draft - in afwachting van controle",
|
||||
'dump_creation' => "DB dump aanmaken",
|
||||
'dump_creation_warning' => "M.b.v. deze functie maakt U een DB dump file. het bestand wordt opgeslagen in uw data-map op de Server",
|
||||
'dump_list' => "Bestaande dump bestanden",
|
||||
'dump_remove' => "Verwijder dump bestand",
|
||||
'edit_attributes' => "Bewerk attributen",
|
||||
'edit_comment' => "Wijzig commentaar",
|
||||
'edit_default_keyword_category' => "Wijzig categorien",
|
||||
'edit_default_keywords' => "Standaard sleutelwoorden bewerken",
|
||||
'edit_document_access' => "Wijzig toegang",
|
||||
'edit_document_notify' => "Document Notificatie Lijst",
|
||||
'edit_document_props' => "Wijzig document",
|
||||
'edit_document_props_again' => "Wijzig document opnieuw",
|
||||
'edit' => "Wijzigen",
|
||||
'edit_event' => "Activiteit wijzigen",
|
||||
'edit_existing_access' => "Wijzig toegangslijst",
|
||||
'edit_existing_notify' => "Wijzig Notificatie lijst",
|
||||
'edit_folder_access' => "Wijzig toegang",
|
||||
'edit_folder_notify' => "Map Notificatie Lijst",
|
||||
'edit_folder_props' => "Wijzig Map eigenschappen",
|
||||
'edit_folder_props_again' => "Wijzig map eigenschappen opnieuw",
|
||||
'edit_group' => "Wijzig Groep",
|
||||
'edit_user_details' => "Wijzig gebruiker Details",
|
||||
'edit_user' => "Wijzig gebruiker",
|
||||
'email' => "E-mail",
|
||||
'email_footer' => "U kunt altijd uw e-mail instellingen wijzigen via de 'Mijn Account' opties",
|
||||
'email_header' => "Dit is een automatisch gegenereerd bericht van de DMS server.",
|
||||
'email_not_given' => "Voer aub een geldig email adres in.",
|
||||
'empty_notify_list' => "Geen gegevens",
|
||||
'error' => "Fout",
|
||||
'error_no_document_selected' => "Geen document geselecteerd",
|
||||
'error_no_folder_selected' => "Geen map geselecteerd",
|
||||
'error_occured' => "Er is een fout opgetreden",
|
||||
'event_details' => "Activiteit details",
|
||||
'expired' => "Verlopen",
|
||||
'expires' => "Verloopt",
|
||||
'expiry_changed_email' => "Verloopdatum gewijzigd",
|
||||
'february' => "februari",
|
||||
'file' => "Bestand",
|
||||
'files_deletion' => "Bestanden verwijderen",
|
||||
'files_deletion_warning' => "Met deze handeling verwijdert U ALLE bestanden uit het DMS. Versie informatie blijft beschikbaar",
|
||||
'files' => "Bestanden",
|
||||
'file_size' => "Bestandsomvang",
|
||||
'folder_contents' => "Map Inhoud",
|
||||
'folder_deleted_email' => "Map verwijderd",
|
||||
'folder' => "Map",
|
||||
'folder_infos' => "Map Eigenschappen",
|
||||
'folder_moved_email' => "Map verplaatst",
|
||||
'folder_renamed_email' => "Map hernoemd",
|
||||
'folders_and_documents_statistic' => "Inhoudsopgave",
|
||||
'folders' => "Mappen",
|
||||
'folder_title' => "Map naam '[foldername]'",
|
||||
'friday' => "Vrijdag",
|
||||
'from' => "Van",
|
||||
'fullsearch' => "Zoek in volledige tekst",
|
||||
'fullsearch_hint' => "Volledige tekst index",
|
||||
'fulltext_info' => "Volledige tekst index info",
|
||||
'global_attributedefinitions' => "Kenmerk definities",
|
||||
'global_default_keywords' => "Algemene sleutelwoorden",
|
||||
'global_document_categories' => "Categorieen",
|
||||
'group_approval_summary' => "Groep [Goedkeuring] samenvatting",
|
||||
'group_exists' => "Groep bestaat reeds.",
|
||||
'group' => "Groep",
|
||||
'group_management' => "Groepen beheer",
|
||||
'group_members' => "Groepsleden",
|
||||
'group_review_summary' => "Groep [Controle] samenvatting",
|
||||
'groups' => "Groepen",
|
||||
'guest_login_disabled' => "Gast login is uitgeschakeld.",
|
||||
'guest_login' => "Login als Gast",
|
||||
'help' => "Help",
|
||||
'hourly' => "Elk uur",
|
||||
'human_readable' => "Leesbaar Archief",
|
||||
'include_documents' => "Inclusief documenten",
|
||||
'include_subdirectories' => "Inclusief submappen",
|
||||
'index_converters' => "Index document conversie",
|
||||
'individuals' => "Individuen",
|
||||
'inherits_access_msg' => "Toegang is (over/ge)erfd..",
|
||||
'inherits_access_copy_msg' => "Kopie lijst overerfde toegang",
|
||||
'inherits_access_empty_msg' => "Begin met lege toegangslijst",
|
||||
'internal_error_exit' => "Interne fout. Niet mogelijk om verzoek uit de voeren. Systeem stopt.",
|
||||
'internal_error' => "Interne fout",
|
||||
'invalid_access_mode' => "Foutmelding: verkeerde toegangsmode",
|
||||
'invalid_action' => "Foutieve actie",
|
||||
'invalid_approval_status' => "Foutieve autorisatie status",
|
||||
'invalid_create_date_end' => "Foutieve eind-datum voor het maken van een periode.",
|
||||
'invalid_create_date_start' => "Foutieve begin-datum voor het maken van een periode.",
|
||||
'invalid_doc_id' => "Foutief Document ID",
|
||||
'invalid_file_id' => "Foutief Bestand ID",
|
||||
'invalid_folder_id' => "Foutief Map ID",
|
||||
'invalid_group_id' => "Foutief Groep ID",
|
||||
'invalid_link_id' => "Foutief link ID",
|
||||
'invalid_request_token' => "Foutief Verzoek Token",
|
||||
'invalid_review_status' => "Foutief Controle Status",
|
||||
'invalid_sequence' => "Foutief volgwaarde",
|
||||
'invalid_status' => "Foutief Document Status",
|
||||
'invalid_target_doc_id' => "Foutief Doel Document ID",
|
||||
'invalid_target_folder' => "Foutief Doel Map ID",
|
||||
'invalid_user_id' => "Foutief Gebruiker ID",
|
||||
'invalid_version' => "Foutief Document Versie",
|
||||
'is_disabled' => "Deactiveer account",
|
||||
'is_hidden' => "Afschermen van Gebruikerslijst",
|
||||
'january' => "januari",
|
||||
'js_no_approval_group' => "Selecteer a.u.b. een Goedkeuring Groep",
|
||||
'js_no_approval_status' => "Selecteer a.u.b. een Goedkeuring Status",
|
||||
'js_no_comment' => "Er zijn geen commentaren",
|
||||
'js_no_email' => "Voer uw e-mail adres in",
|
||||
'js_no_file' => "Selecteer een bestand",
|
||||
'js_no_keywords' => "Specificeer een aantal sleutelwoorden",
|
||||
'js_no_login' => "Voer een Gebruikersnaam in",
|
||||
'js_no_name' => "Voer een naam in",
|
||||
'js_no_override_status' => "Selecteer de nieuwe [override] status",
|
||||
'js_no_pwd' => "U moet uw wachtwoord invoeren",
|
||||
'js_no_query' => "Voer een zoekvraag in",
|
||||
'js_no_review_group' => "Selecteer a.u.b. een Controleursgroep",
|
||||
'js_no_review_status' => "Selecteer a.u.b. een Controle status",
|
||||
'js_pwd_not_conf' => "Wachtwoord en bevestigingswachtwoord zijn niet identiek",
|
||||
'js_select_user_or_group' => "Selecteer tenminste een Gebruiker of Groep",
|
||||
'js_select_user' => "Selecteer een Gebruiker",
|
||||
'july' => "july",
|
||||
'june' => "juni",
|
||||
'keyword_exists' => "Sleutelwoord bestaat al",
|
||||
'keywords' => "Sleutelwoorden",
|
||||
'language' => "Talen",
|
||||
'last_update' => "Laatste Update",
|
||||
'link_alt_updatedocument' => "Als u bestanden wilt uploaden groter dan het huidige maximum, gebruik aub de alternatieve <a href=\"%s\">upload pagina</a>.",
|
||||
'linked_documents' => "Gerelateerde Documenten",
|
||||
'linked_files' => "Bijlagen",
|
||||
'local_file' => "Lokaal bestand",
|
||||
'locked_by' => "In gebruik door",
|
||||
'lock_document' => "Blokkeer",
|
||||
'lock_message' => "Dit document is geblokkeerd door <a href=\"mailto:[email]\">[username]</a>. Alleen geautoriseerde Gebruikers kunnen het de-blokeren.",
|
||||
'lock_status' => "Status",
|
||||
'login' => "Login",
|
||||
'login_disabled_text' => "Uw account is gedeactiveerd, mogelijk door teveel foutieve inlogpogingen.",
|
||||
'login_disabled_title' => "Account is gedeactiveerd",
|
||||
'login_error_text' => "Invoer fout: Gebruikersnaam en/of wachtwoord is fout.",
|
||||
'login_error_title' => "Login fout",
|
||||
'login_not_given' => "Er is geen Gebruikersnaam ingevoerd",
|
||||
'login_ok' => "Login geslaagd",
|
||||
'log_management' => "Logbestanden beheer",
|
||||
'logout' => "Log uit",
|
||||
'manager' => "Beheerder",
|
||||
'march' => "maart",
|
||||
'max_upload_size' => "Maximale upload omvang voor ieder bestand",
|
||||
'may' => "mei",
|
||||
'monday' => "Maandag",
|
||||
'month_view' => "Maand Overzicht",
|
||||
'monthly' => "Maandelijks",
|
||||
'move_document' => "Verplaats document",
|
||||
'move_folder' => "Verplaats Map",
|
||||
'move' => "Verplaats",
|
||||
'my_account' => "Mijn Account",
|
||||
'my_documents' => "Mijn Documenten",
|
||||
'name' => "Naam",
|
||||
'new_attrdef' => "Voeg kenmerk definitie toe",
|
||||
'new_default_keyword_category' => "Categorie Toevoegen",
|
||||
'new_default_keywords' => "Sleutelwoorden toevoegen",
|
||||
'new_document_category' => "Categorie toevoegen",
|
||||
'new_document_email' => "Nieuw document",
|
||||
'new_file_email' => "Nieuwe bijlage",
|
||||
'new_folder' => "Nieuwe map",
|
||||
'new' => "Nieuw",
|
||||
'new_password' => "Nieuw wachtwoord",
|
||||
'new_subfolder_email' => "Nieuwe map",
|
||||
'new_user_image' => "Nieuwe afbeelding",
|
||||
'no_action' => "Geen actie nodig",
|
||||
'no_approval_needed' => "Geen goedkeuring gaande.",
|
||||
'no_attached_files' => "Geen bijlagen",
|
||||
'no_default_keywords' => "Geen Sleutelwoorden beschikbaar",
|
||||
'no_docs_locked' => "Geen documenten in gebruik.",
|
||||
'no_docs_to_approve' => "Er zijn momenteel geen documenten die Goedkeuring behoeven.",
|
||||
'no_docs_to_look_at' => "Geen documenten die aandacht behoeven.",
|
||||
'no_docs_to_review' => "Er zijn momenteel geen documenten die Controle behoeven.",
|
||||
'no_fulltextindex' => "Geen volledigetekst index beschikbaar",
|
||||
'no_group_members' => "Deze Groep heeft geen leden",
|
||||
'no_groups' => "Geen Groepen",
|
||||
'no' => "Nee",
|
||||
'no_linked_files' => "Geen gekoppelde bestanden",
|
||||
'no_previous_versions' => "Geen andere versie(s) gevonden",
|
||||
'no_review_needed' => "Geen review bezig.",
|
||||
'notify_added_email' => "U bent toegevoegd aan de [notificatie lijst]",
|
||||
'notify_deleted_email' => "U bent verwijderd van de [notificatie lijst]",
|
||||
'no_update_cause_locked' => "U kunt daarom dit document niet bijwerken. Neem contact op met de persoon die het document heeft geblokkeerd.",
|
||||
'no_user_image' => "Geen afbeelding(en) gevonden",
|
||||
'november' => "november",
|
||||
'now' => "nu",
|
||||
'objectcheck' => "Map/Document controle",
|
||||
'obsolete' => "verouderd",
|
||||
'october' => "oktober",
|
||||
'old' => "Oude",
|
||||
'only_jpg_user_images' => "U mag alleen .jpg afbeeldingen gebruiken als gebruikersafbeeldingen.",
|
||||
'owner' => "Eigenaar",
|
||||
'ownership_changed_email' => "Eigenaar gewijzigd",
|
||||
'password' => "Wachtwoord",
|
||||
'password_already_used' => "Wachtwoord al gebruikt",
|
||||
'password_repeat' => "Herhaal wachtwoord",
|
||||
'password_expiration' => "Wachtwoord vervaldatum",
|
||||
'password_expiration_text' => "Uw wachtwoord is verlopen. Kies een nieuwe voordat u gebruik wilt maken van SeedDMS.",
|
||||
'password_forgotten' => "Wachtwoord vergeten",
|
||||
'password_forgotten_email_subject' => "Wachtwoord vergeten",
|
||||
'password_forgotten_email_body' => "Geachte gebruiker van SeedDMS,\n\nWij hebben een verzoek ontvangen om uw wachtwoord te veranderen.\n\nDit kan uitgevoerd worden door op de volgende koppeling te drukken:\n\n###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###\n\nAls u nog steed problemen ondervind met het inloggen, neem aub contact op met uw beheerder.",
|
||||
'password_forgotten_send_hash' => "Verdere instructies zijn naar uw gebruikers email adres verstuurd.",
|
||||
'password_forgotten_text' => "Vul het formulier hieronder in en volg de instructie in de email, welke naar u verzonden zal worden.",
|
||||
'password_forgotten_title' => "Wachtwoord verzonden",
|
||||
'password_strength_insuffient' => "Onvoldoende wachtwoord sterkte",
|
||||
'password_wrong' => "Verkeerde wachtwoord",
|
||||
'personal_default_keywords' => "Persoonlijke sleutelwoorden",
|
||||
'previous_versions' => "Vorige versies",
|
||||
'refresh' => "Verversen",
|
||||
'rejected' => "Afgewezen",
|
||||
'released' => "Gepubliceerd",
|
||||
'removed_approver' => "is verwijderd uit de lijst van [Goedkeurders].",
|
||||
'removed_file_email' => "Verwijderde bijlage",
|
||||
'removed_reviewer' => "is verwijderd uit de lijst van [Controleurs].",
|
||||
'repairing_objects' => "Documenten en mappen repareren.",
|
||||
'results_page' => "Resultaten pagina",
|
||||
'review_deletion_email' => "Controle verzoek gewijzigd",
|
||||
'reviewer_already_assigned' => "is reeds aangewezen als [Controleur]",
|
||||
'reviewer_already_removed' => "is reeds verwijderd uit het [Controle] process of heeft reeds [Controle] uitgevoerd",
|
||||
'reviewers' => "[Controleurs]",
|
||||
'review_group' => "[Controle] Groep",
|
||||
'review_request_email' => "Controle verzoek",
|
||||
'review_status' => "[Controle] Status",
|
||||
'review_submit_email' => "Uitgevoerde [Controle]",
|
||||
'review_summary' => "[Controle] Samenvatting",
|
||||
'review_update_failed' => "Foutmelding: fout bij bijwerken [Controle] Status. Bijwerken mislukt.",
|
||||
'rm_attrdef' => "Verwijder kenmerk definitie",
|
||||
'rm_default_keyword_category' => "Verwijder Categorie",
|
||||
'rm_document' => "Verwijder Document",
|
||||
'rm_document_category' => "Verwijder categorie",
|
||||
'rm_file' => "Verwijder bestand",
|
||||
'rm_folder' => "Verwijder map",
|
||||
'rm_group' => "Verwijder deze Groep",
|
||||
'rm_user' => "Verwijder deze Gebruiker",
|
||||
'rm_version' => "Verwijder versie",
|
||||
'role_admin' => "Beheerder",
|
||||
'role_guest' => "Gast",
|
||||
'role_user' => "Gebruiker",
|
||||
'role' => "Rol",
|
||||
'saturday' => "Zaterdag",
|
||||
'save' => "Opslaan",
|
||||
'search_fulltext' => "Zoek in volledige tekst",
|
||||
'search_in' => "Zoek in",
|
||||
'search_mode_and' => "alle woorden",
|
||||
'search_mode_or' => "tenminste 1 woord",
|
||||
'search_no_results' => "Er zijn geen documenten gevonden die aan uw zoekvraag voldoen",
|
||||
'search_query' => "Zoeken naar",
|
||||
'search_report' => " [count] documenten en [foldercount] mappen gevonden in [searchtime] sec.",
|
||||
'search_report_fulltext' => " [doccount] documenten gevonden",
|
||||
'search_results_access_filtered' => "Zoekresultaten kunnen inhoud bevatten waar U geen toegang toe heeft.",
|
||||
'search_results' => "Zoekresultaten",
|
||||
'search' => "Zoeken",
|
||||
'search_time' => "Verstreken tijd: [time] sec.",
|
||||
'selection' => "Selectie",
|
||||
'select_one' => "Selecteer een",
|
||||
'september' => "september",
|
||||
'seq_after' => "Na \"[prevname]\"",
|
||||
'seq_end' => "Op het einde",
|
||||
'seq_keep' => "Behoud Positie",
|
||||
'seq_start' => "Eerste positie",
|
||||
'sequence' => "Volgorde",
|
||||
'set_expiry' => "Set Verlopen",
|
||||
'set_owner_error' => "Fout bij instellen eigenaar",
|
||||
'set_owner' => "Stel eigenaar in",
|
||||
'set_password' => "Stel wachtwoord in",
|
||||
'settings' => "Instellingen",
|
||||
'settings_install_welcome_title' => "Welkom bij de installatie van letoDMS",
|
||||
'settings_install_welcome_text' => "<p>Wees er zeker van dat u een bestand, genaamd 'ENABLE_INSTALL_TOOL', gemaakt heeft in de configuratiemap, voordat u de installatie van letDMS begint, anders zal de installatie niet werken. Op een Unix-Syteem kan dit makkelijk gedaan worden met 'touch conf/ENABLE_INSTALL_TOOL'. Verwijder het bestand nadat de installatie afgerond is.</p><p>letoDMS heeft weinig installatievoorwaarden. U heeft een mysql database en een php-geschikte web server nodig. Voor de lucene volledige tekst zoekfunctie, moet Zend framework geinstalleerd zijn op schijf en gevonden worden door php. Vanaf versie 3.2.0 van letoDMS zal ADOdb geen deel meer uitmaken van de uitgave. Een kopie kan van <a href=\"http://adodb.sourceforge.net/\">http://adodb.sourceforge.net</a> gehaald en geinstalleerd worden. Het pad kan later opgegeven worden tijdens de installatie.</p><p>Als u de database voor de installatie wilt aanmaken, dan kunt u het handmatig met uw favoriete gereedschap aanmaken. optioneel kan een database met gebruikerstoegang gemaakt worden en importeer een van de database dumps in de configuratiemap. Met het installatiescript kan dit ook, maar hiervoor is database toegang nodig met voldoende rechten om een database aan te maken.</p>",
|
||||
'settings_start_install' => "Begin installatie",
|
||||
'settings_sortUsersInList' => "Sorteer gebruikers in de lijst",
|
||||
'settings_sortUsersInList_desc' => "Bepaald of gebruikers in keuzemenus gesorteerd worden op loginnaam of volledige naam",
|
||||
'settings_sortUsersInList_val_login' => "Sorteer op login",
|
||||
'settings_sortUsersInList_val_fullname' => "Sorteer op volledige name",
|
||||
'settings_stopWordsFile' => "Pad naar bestand met nietindex woorden",
|
||||
'settings_stopWordsFile_desc' => "Als volledigetekst zoekopdracht is ingeschakeld, bevat dit bestand woorden die niet geindexeerd zullen worden.",
|
||||
'settings_activate_module' => "Activeer module",
|
||||
'settings_activate_php_extension' => "Activeer PHP uitbreiding",
|
||||
'settings_adminIP' => "Beheer IP",
|
||||
'settings_adminIP_desc' => "Indien ingesteld kan de beheerder alleen vanaf het ingestelde IP adres inloggen. Leeg laten om controle te vermijden. Opmerking: Werkt alleen met lokale authenticatie (Geen LDAP)",
|
||||
'settings_ADOdbPath' => "ADOdb Pad",
|
||||
'settings_ADOdbPath_desc' => "Pad naar adodb. Dit is de map die de adodb map bevat",
|
||||
'settings_Advanced' => "Uitgebreid",
|
||||
'settings_apache_mod_rewrite' => "Apache - Module Rewrite",
|
||||
'settings_Authentication' => "Authenticatie instellingen",
|
||||
'settings_Calendar' => "Kalender instellingen",
|
||||
'settings_calendarDefaultView' => "Kalender Standaard overzicht",
|
||||
'settings_calendarDefaultView_desc' => "Kalender standaard overzicht",
|
||||
'settings_contentDir' => "Inhoud map",
|
||||
'settings_contentDir_desc' => "Waar de verzonden bestande opgeslagen worden (Kan het beste een map zijn die niet benaderbaar is voor de webserver.)",
|
||||
'settings_contentOffsetDir' => "Inhouds Basis Map",
|
||||
'settings_contentOffsetDir_desc' => "Om de beperkingen van het onderliggende bestandssysteem te omzeilen, is een nieuwe mappenstructuur bedacht dat binnen de inhoudsmap (Inhoudsmap) bestaat. Hiervoor is een map nodig als basis. Gebruikelijk is om dit de standaardwaarde te laten, 1048576, maar kan elke waarde of tekst bevatten dat nog niet bestaat binnen de (Inhoudsmap)",
|
||||
'settings_coreDir' => "Core letoDMS map",
|
||||
'settings_coreDir_desc' => "Pad naar SeedDMS_Core (optioneel)",
|
||||
'settings_loginFailure_desc' => "Deactiveer account na n foutieve loginpogingen.",
|
||||
'settings_loginFailure' => "Login fout",
|
||||
'settings_luceneClassDir' => "Lucene SeedDMS map",
|
||||
'settings_luceneClassDir_desc' => "Pad naar SeedDMS_Lucene (optioneel)",
|
||||
'settings_luceneDir' => "Lucene index map",
|
||||
'settings_luceneDir_desc' => "Pad naar Lucene index",
|
||||
'settings_cannot_disable' => "Bestand ENABLE_INSTALL_TOOL kon niet verwijderd worden",
|
||||
'settings_install_disabled' => "Bestand ENABLE_INSTALL_TOOL is verwijderd. U kunt nu inloggen in SeedDMS en verdere configuratie uitvoeren.",
|
||||
'settings_createdatabase' => "Maak database tabellen",
|
||||
'settings_createdirectory' => "Maak map",
|
||||
'settings_currentvalue' => "Huidige waarde",
|
||||
'settings_Database' => "Database instellingen",
|
||||
'settings_dbDatabase' => "Database",
|
||||
'settings_dbDatabase_desc' => "De naam van de database ingevoerd tijdens het installatie proces. Verander de waarde niet tenzij noodzakelijk, als bijvoorbeeld de database is verplaatst.",
|
||||
'settings_dbDriver' => "Database Type",
|
||||
'settings_dbDriver_desc' => "Het type database in gebruik dat tijdens het installatie proces is ingevoerd. Verander de waarde niet tenzij er naar een andere type database gemigreerd moet worden, misschien door andere server. Type DB-besturing gebruikt door adodb (Bekijk adodb-readme)",
|
||||
'settings_dbHostname_desc' => "De computernaam voor de database ingevoerd tijdens het installatie proces. Verander de waarde niet tenzij echt nodig, bijvoorbeeld bij verplaatsing van de database naar een ander systeem.",
|
||||
'settings_dbHostname' => "Server naam",
|
||||
'settings_dbPass_desc' => "Het wachtwoord voor toegang tot de database ingevoerd tijdens de installatie.",
|
||||
'settings_dbPass' => "Wachtwoord",
|
||||
'settings_dbUser_desc' => "De gebruikersnaam voor toegang tot de datbase ingevoerd tijdens de installatie. Verander de waarde niet tenzij echt nodig, bijvoorbeeld bij verplaatsing van de database naar een ander systeem.",
|
||||
'settings_dbUser' => "Gebruikersnaam",
|
||||
'settings_dbVersion' => "Database schema te oud",
|
||||
'settings_delete_install_folder' => "Om SeedDMS te kunnen gebruiken moet het bestand ENABLE_INSTALL_TOOL uit de configuratiemap verwijderd worden.",
|
||||
'settings_disable_install' => "Verwijder het bestand ENABLE_INSTALL_TOOL indien mogelijk",
|
||||
'settings_disableSelfEdit_desc' => "Indien aangevinkt kan de gebruiker zijn eigen profiel niet wijzigen.",
|
||||
'settings_disableSelfEdit' => "Uitschakelen Eigenprofiel wijzigen",
|
||||
'settings_Display' => "Scherm instellingen",
|
||||
'settings_Edition' => "Uitgave instellingen",
|
||||
'settings_enableAdminRevApp_desc' => "Uitvinken om beheerder niet te tonen als controleerder/beoordeler",
|
||||
'settings_enableAdminRevApp' => "Inschakelen Beheer Contr/Beoord",
|
||||
'settings_enableCalendar_desc' => "Inschakelen/uitschakelen kalender",
|
||||
'settings_enableCalendar' => "Inschakelen Kalendar",
|
||||
'settings_enableConverting_desc' => "Inschakelen/uitschakelen conversie van bestanden",
|
||||
'settings_enableConverting' => "Inschakelen Conversie",
|
||||
'settings_enableNotificationAppRev_desc' => "Vink aan om een notificatie te versturen naar de controleur/beoordeler als een nieuw document versie is toegevoegd.",
|
||||
'settings_enableNotificationAppRev' => "Inschakelen controleur/beoordeler notificatie",
|
||||
'settings_enableVersionModification_desc' => "Inschakelen/uitschakelen van bewerkingen op documentversies door normale gebruikers na een versie upload. Beheerder mag altijd de versie wijzigen na upload.",
|
||||
'settings_enableVersionModification' => "Inschakelen van versiebewerking",
|
||||
'settings_enableVersionDeletion_desc' => "Inschakelen/uitschakelen verwijderen van voorgaande documentversies door normale gebruikers. Beheerder mag altijd oude versies verwijderen.",
|
||||
'settings_enableVersionDeletion' => "Inschakelen verwijderen voorgaande versies",
|
||||
'settings_enableEmail_desc' => "Inschakelen/uitschakelen automatische email notificatie",
|
||||
'settings_enableEmail' => "Inschakelen E-mail",
|
||||
'settings_enableFolderTree_desc' => "Uitschakelen om de mappenstructuur niet te tonen",
|
||||
'settings_enableFolderTree' => "Inschakelen Mappenstructuur",
|
||||
'settings_enableFullSearch' => "Inschakelen volledigetekst zoekopdracht",
|
||||
'settings_enableFullSearch_desc' => "Inschakelen zoeken in volledigetekst",
|
||||
'settings_enableGuestLogin_desc' => "Als U iemand wilt laten inloggen als gast, schakel deze optie in. Opmerking: Gast login kan het beste alleen in een beveiligde omgeving ingeschakeld worden",
|
||||
'settings_enableGuestLogin' => "Inschakelen Gast login",
|
||||
'settings_enableLargeFileUpload_desc' => "Indien ingeschakeld, is bestandsupload ook beschikbaar via een java applet jumploader genaamd zonder een bestandsgrootte limiet door de browser. Het staat ook toe om meerdere bestanden in een keer te versturen.",
|
||||
'settings_enableLargeFileUpload' => "Inschakelen groot bestand upload",
|
||||
'settings_enableOwnerNotification_desc' => "Inschakelen van notificatie naar de eigenaar als een document is toegevoegd.",
|
||||
'settings_enableOwnerNotification' => "Inschakelen eigenaarnotificatie standaard",
|
||||
'settings_enablePasswordForgotten_desc' => "Inschakelen om een wachtwoord via mail te versturen als de gebruiker een nieuw wachtwoord heeft ingesteld.",
|
||||
'settings_enablePasswordForgotten' => "Inschakelen wachtwoord vergeten",
|
||||
'settings_enableUserImage_desc' => "Inschakelen Gebruikerplaatjes",
|
||||
'settings_enableUserImage' => "Inschakelen Gebruikersplaatjes",
|
||||
'settings_enableUsersView_desc' => "Inschakelen/uitschakelen groeps en gebruikers overzicht voor alle gebruikers",
|
||||
'settings_enableUsersView' => "Inschakelen Gebruikers overzicht",
|
||||
'settings_encryptionKey' => "Encryptie sleutel",
|
||||
'settings_encryptionKey_desc' => "Deze string wordt gebruikt om een unieke identificatie als onzichtbaar veld aan een formulier toe te voegen om CSRF aanvallen tegen te gaan.",
|
||||
'settings_error' => "Fout",
|
||||
'settings_expandFolderTree_desc' => "Uitvouwen mappenstructuur",
|
||||
'settings_expandFolderTree' => "Uitvouwen mappenstructuur",
|
||||
'settings_expandFolderTree_val0' => "begin met verborgen structuur",
|
||||
'settings_expandFolderTree_val1' => "begin met structuur eerste niveau uitgevouwen",
|
||||
'settings_expandFolderTree_val2' => "begin met structuur volledig uitgevouwen",
|
||||
'settings_firstDayOfWeek_desc' => "Eerste dag van de week",
|
||||
'settings_firstDayOfWeek' => "Eerste weekdag",
|
||||
'settings_footNote_desc' => "Bericht om onderop elke pagina te tonen",
|
||||
'settings_footNote' => "Onderschrift",
|
||||
'settings_guestID_desc' => "ID van gastgebruiker gebruikt indien ingelogd als gast (meestal geen wijziging nodig)",
|
||||
'settings_guestID' => "Gast ID",
|
||||
'settings_httpRoot_desc' => "Het relatieve pad in de URL, na het domeindeel. Voeg geen http:// toe aan het begin of de websysteemnaam. Bijv: Als de volledige URL http://www.example.com/letodms/ is, voer '/letodms/' in. Als de URL http://www.example.com/ is, voer '/' in",
|
||||
'settings_httpRoot' => "Http Basis",
|
||||
'settings_installADOdb' => "Installeer ADOdb",
|
||||
'settings_install_success' => "De installatie is succesvol beeindigd.",
|
||||
'settings_install_pear_package_log' => "Installeer Pear package 'Log'",
|
||||
'settings_install_pear_package_webdav' => "Installeer Pear package 'HTTP_WebDAV_Server', als u van plan bent om webdav interface te gebruiken",
|
||||
'settings_install_zendframework' => "Installeer Zend Framework, als u volledigetekst zoekmechanisme wilt gebruiken",
|
||||
'settings_language' => "Standaard taal",
|
||||
'settings_language_desc' => "Standaard taal (naam van de submap in map \"languages\")",
|
||||
'settings_logFileEnable_desc' => "Inschakelen/uitschakelen logbestand",
|
||||
'settings_logFileEnable' => "Inschakelen Logbestand",
|
||||
'settings_logFileRotation_desc' => "Logbestand rotering",
|
||||
'settings_logFileRotation' => "Logbestand Rotering",
|
||||
'settings_luceneDir' => "Map voor volledigetekst index",
|
||||
'settings_maxDirID_desc' => "Maximaal toegestane aantal submappen per bovenliggende map. Standaard: 32700.",
|
||||
'settings_maxDirID' => "Max Map ID",
|
||||
'settings_maxExecutionTime_desc' => "Dit bepaald de maximale tijd in seconden waarin een script mag worden uitgevoerd, voordat het afgebroken wordt",
|
||||
'settings_maxExecutionTime' => "Max Uitvoertijd (s)",
|
||||
'settings_more_settings' => "Meer instellingen. Standaard login: admin/admin",
|
||||
'settings_Notification' => "Notificatie instellingen",
|
||||
'settings_no_content_dir' => "Inhoud map",
|
||||
'settings_notfound' => "Niet gevonden",
|
||||
'settings_notwritable' => "De configuratie kan niet opgeslagen worden omdat het configuratiebestand niet beschrijfbaar is.",
|
||||
'settings_partitionSize' => "Bestandsdeel grootte",
|
||||
'settings_partitionSize_desc' => "Grootte van bestandsdeel in bytes, geupload door jumploader. Zet de waarde niet hoger dan de maximum upload grootte van de server.",
|
||||
'settings_passwordExpiration' => "Wachtwoord verloop",
|
||||
'settings_passwordExpiration_desc' => "Het aantal dagen waarna een wachtwoord verloopt? en gereset moet worden. 0 zet wachtwoord verloop uit.",
|
||||
'settings_passwordHistory' => "Wachtwoord geschiedenis",
|
||||
'settings_passwordHistory_desc' => "Het aantal wachtwoorden dat een gebruiker moet hebben gebruikt voordat eenzelfde wachtwoord weer gebruikt mag worden. 0 zet wachtwoordgeschiedenis uit.",
|
||||
'settings_passwordStrength' => "Min. wachtwoord sterkte",
|
||||
'settings_password?trength_desc' => "Het minimum wachtwoord sterkte is een getal van 0 tot en met 100. 0 zet controle van minimale wachtwoordsterkte uit.",
|
||||
'settings_passwordStrengthAlgorithm' => "Algoritme voor wachtwoord sterkte",
|
||||
'settings_passwordStrengthAlgorithm_desc' => "Het algoritme gebruikt om de wachtwoord sterkte te berekenen. Het 'simpele' algoritme controleert alleen op minimaal 8 karakters, een kleine letter, een nummer en een speciaal karakter. Als aan deze condities wordt voldaan is er een resultaat van 100 anders 0.",
|
||||
'settings_passwordStrengthAlgorithm_valsimple' => "simpel",
|
||||
'settings_passwordStrengthAlgorithm_valadvanced' => "uitgebreid",
|
||||
'settings_perms' => "Machtigingen",
|
||||
'settings_pear_log' => "Pear package : Log",
|
||||
'settings_pear_webdav' => "Pear package : HTTP_WebDAV_Server",
|
||||
'settings_php_dbDriver' => "PHP extension : php_'see current value'",
|
||||
'settings_php_gd2' => "PHP extension : php_gd2",
|
||||
'settings_php_mbstring' => "PHP extension : php_mbstring",
|
||||
'settings_printDisclaimer_desc' => "Indien ingeschakeld zal het vrijwarings bericht in de lang.inc bestanden worden getoond onderop de pagina",
|
||||
'settings_printDisclaimer' => "Print Vrijwaring",
|
||||
'settings_restricted_desc' => "Sta alleen gebruiker toe om in te loggen die in de database zijn opgenomen (ongeacht succesvolle authenticatie met LDAP)",
|
||||
'settings_restricted' => "Beperkte toegang",
|
||||
'settings_rootDir_desc' => "Pad waar letoDMS staat",
|
||||
'settings_rootDir' => "Basismap",
|
||||
'settings_rootFolderID_desc' => "ID van basismap (meestal geen verandering nodig)",
|
||||
'settings_rootFolderID' => "Basismap ID",
|
||||
'settings_SaveError' => "Opslagfout Configuratiebestand",
|
||||
'settings_Server' => "Server instellingen",
|
||||
'settings_siteDefaultPage_desc' => "Standaard pagina bij inloggen. Indien leeg is out/out.ViewFolder.php de standaard",
|
||||
'settings_siteDefaultPage' => "Locatie standaard pagina",
|
||||
'settings_siteName_desc' => "Naam van de Locatie dat wordt gebruikt in de titel van de paginas. Standaard: letoDMS",
|
||||
'settings_siteName' => "Locatie Naam",
|
||||
'settings_Site' => "Web Locatie",
|
||||
'settings_smtpPort_desc' => "SMTP Server poort, standaard 25",
|
||||
'settings_smtpPort' => "SMTP Server poort",
|
||||
'settings_smtpSendFrom_desc' => "Send from",
|
||||
'settings_smtpSendFrom' => "Send from",
|
||||
'settings_smtpServer_desc' => "SMTP Server hostname",
|
||||
'settings_smtpServer' => "SMTP Server hostname",
|
||||
'settings_SMTP' => "SMTP Server instellingen",
|
||||
'settings_stagingDir' => "Map voor gedeeltelijke uploads",
|
||||
'settings_strictFormCheck_desc' => "Stricte formuleer controle. Indien ingeschakeld, worden alle velden in het formulier gecontroleer op een waarde. Indien uitgeschakeld, worden de meeste commentaar en invoervelden optioneel. Commentaren zijn altijd benodigd bij een review of modificatie van een documentstatus",
|
||||
'settings_strictFormCheck' => "Stricte Form Controle",
|
||||
'settings_suggestionvalue' => "Voorgestelde waarde",
|
||||
'settings_System' => "Systeem",
|
||||
'settings_theme' => "Standaard thema",
|
||||
'settings_theme_desc' => "Standaard stijl (name of a subfolder in folder \"styles\")",
|
||||
'settings_titleDisplayHack_desc' => "Oplossing voor paginatitels die verspreid zijn over 2 regels.",
|
||||
'settings_titleDisplayHack' => "Titel Tonen Oplossing",
|
||||
'settings_updateDatabase' => "Voer schema update scripts uit op database",
|
||||
'settings_updateNotifyTime_desc' => "Gebruikers worden niet genotificeerd over documentwijzigingen die plaats vinden binnen de laatste 'Update Notificatie Tijd' seconden",
|
||||
'settings_updateNotifyTime' => "Update Notificatie Tijd",
|
||||
'settings_versioningFileName_desc' => "De naam van het versie informatie bestand gemaakt door het backupgereedschap",
|
||||
'settings_versioningFileName' => "Versieinformatie Bestandsnaam",
|
||||
'settings_viewOnlineFileTypes_desc' => "Bestanden met een van de volgende extensies kunnen online bekeken worden (GEBRUIK ALLEEN KLEINE LETTERS)",
|
||||
'settings_viewOnlineFileTypes' => "Bekijk Online Bestandstypen",
|
||||
'settings_zendframework' => "Zend Framework",
|
||||
'signed_in_as' => "Ingelogd als:",
|
||||
'sign_in' => "Log in",
|
||||
'sign_out' => "Log uit",
|
||||
'space_used_on_data_folder' => "Gebruikte diskomvang in data map",
|
||||
'status_approval_rejected' => "Klad Goedkeuring [Afgewezen]",
|
||||
'status_approved' => "Goedgekeurd",
|
||||
'status_approver_removed' => "[Goedkeurder] verwijderd van dit proces",
|
||||
'status_not_approved' => "Niet goedgekeurd",
|
||||
'status_not_reviewed' => "Niet gecontroleerd",
|
||||
'status_reviewed' => "Gecontroleerd",
|
||||
'status_reviewer_rejected' => "Klad Controle [Afgewezen]",
|
||||
'status_reviewer_removed' => "[Controleur] verwijderd van dit proces",
|
||||
'status' => "Status",
|
||||
'status_unknown' => "Onbekend",
|
||||
'storage_size' => "Omvang opslag",
|
||||
'submit_approval' => "Verzend [Goedkeuring]",
|
||||
'submit_login' => "Log in",
|
||||
'submit_password' => "Nieuw wachtwoord instellen",
|
||||
'submit_password_forgotten' => "Start proces",
|
||||
'submit_review' => "Verzend [Controle]",
|
||||
'submit_userinfo' => "Wijzigingen opslaan",
|
||||
'sunday' => "Zondag",
|
||||
'theme' => "Thema",
|
||||
'thursday' => "Donderdag",
|
||||
'toggle_manager' => "Wijzig Beheerder",
|
||||
'to' => "Aan",
|
||||
'tuesday' => "Dinsdag",
|
||||
'under_folder' => "In map",
|
||||
'unknown_command' => "Opdracht niet herkend.",
|
||||
'unknown_document_category' => "Onbekende categorie",
|
||||
'unknown_group' => "Onbekende Groep ID",
|
||||
'unknown_id' => "Onbekende id",
|
||||
'unknown_keyword_category' => "Onbekend sleutelwoordcategorie",
|
||||
'unknown_owner' => "Onbekende eigenaar ID",
|
||||
'unknown_user' => "Onbekende gebruiker",
|
||||
'unlock_cause_access_mode_all' => "U kunt toch e.e.a. bijwerken omdat U machtiging \"all\" heeft. Blokkering wordt automatisch opgeheven.",
|
||||
'unlock_cause_locking_user' => "U kunt toch e.e.a. bijwerken omdat U degene bent die dit heeft geblokeerd. Blokkering wordt automatisch opgeheven.",
|
||||
'unlock_document' => "De-blokkeer",
|
||||
'update_approvers' => "Bijwerken lijst van [Goedkeurders]",
|
||||
'update_document' => "Bijwerken",
|
||||
'update_fulltext_index' => "Bijwerken volledige tekst index",
|
||||
'update_info' => "Bijwerken informatie",
|
||||
'update_locked_msg' => "Dit document is geblokkeerd.",
|
||||
'update_reviewers' => "Bijwerken lijst van [Controleurs]",
|
||||
'update' => "Bijwerken",
|
||||
'uploaded_by' => "Ge-upload door",
|
||||
'uploading_failed' => "Upload mislukt. Neem contact op met de [Beheerder].",
|
||||
'use_default_categories' => "Gebruik voorgedefinieerde categorieen",
|
||||
'use_default_keywords' => "Gebruik bestaande sleutelwoorden",
|
||||
'user_exists' => "Gebruiker bestaat reeds.",
|
||||
'user_image' => "Afbeelding",
|
||||
'user_info' => "Gebruikers informatie",
|
||||
'user_list' => "Lijst van Gebruikers",
|
||||
'user_login' => "Gebruikersnaam",
|
||||
'user_management' => "Gebruikers beheer",
|
||||
'user_name' => "Voornaam en naam",
|
||||
'users' => "Gebruikers",
|
||||
'user' => "Gebruiker",
|
||||
'version_deleted_email' => "Versie verwijderd",
|
||||
'version_info' => "Versie Informatie",
|
||||
'versioning_file_creation' => "Aanmaken bestand versies",
|
||||
'versioning_file_creation_warning' => "Met deze handeling maakt U een bestand aan die de versie voortgang informatie van een compleet DMS bevat. Na het aanmaken wordt ieder bestand opgeslagen in de document map.",
|
||||
'versioning_info' => "Versie eigenschappen",
|
||||
'version' => "Versie",
|
||||
'view_online' => "Bekijk online",
|
||||
'warning' => "Waarschuwing",
|
||||
'wednesday' => "Woensdag",
|
||||
'week_view' => "Week Overzicht",
|
||||
'year_view' => "Jaar Overzicht",
|
||||
'yes' => "Ja",
|
||||
);
|
||||
?>
|
585
languages/pt_BR/lang.inc
Normal file
585
languages/pt_BR/lang.inc
Normal file
|
@ -0,0 +1,585 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "Aceitar",
|
||||
'access_denied' => "Access denied.",
|
||||
'access_inheritance' => "Access Inheritance",
|
||||
'access_mode' => "Modo de acesso",
|
||||
'access_mode_all' => "Tudo",
|
||||
'access_mode_none' => "Sem acesso",
|
||||
'access_mode_read' => "leitura",
|
||||
'access_mode_readwrite' => "Leitura-Escrita",
|
||||
'account_summary' => "Account Summary",
|
||||
'action_summary' => "Action Summary",
|
||||
'actions' => "Actions",
|
||||
'add' => "Add",
|
||||
'add_access' => "Adicionar acesso",
|
||||
'add_doc_reviewer_approver_warning' => "N.B. Documents are automatically marked as released if no reviewer or approver is assigned.",
|
||||
'add_document' => "Adicionar documento",
|
||||
'add_document_link' => "Adicionar link",
|
||||
'add_group' => "Adicionar grupo",
|
||||
'add_link' => "Create Link",
|
||||
'add_member' => "Adicionar membro",
|
||||
'add_new_notify' => "Adicionar notificao",
|
||||
'add_subfolder' => "Adicionar sub-pasta",
|
||||
'add_user' => "Adicionar usußrio ",
|
||||
'adding_default_keywords' => "Adicionando palavras-chave...",
|
||||
'adding_document' => "Adicionando documento \"[documentname]\" pasta \"[foldername]\"...",
|
||||
'adding_document_link' => "Adicionando link ao documento relacionado...",
|
||||
'adding_document_notify' => "Adicionando elemento lista de notificao...",
|
||||
'adding_folder_notify' => "Adicionando elemento lista de noficao...",
|
||||
'adding_group' => "Adicionando grupo ao sistema...",
|
||||
'adding_member' => "Adicionando membro ao grupo...",
|
||||
'adding_sub_folder' => "Adicionando sub-pasta \"[subfoldername]\" pasta \"[foldername]\"...",
|
||||
'adding_user' => "Adicionando usußrio ao sistema...",
|
||||
'admin' => "Administrator",
|
||||
'admin_set_owner' => "Only an Administrator may set a new owner",
|
||||
'admin_tools' => "Administrao",
|
||||
'all_documents' => "All Documents",
|
||||
'all_users' => "Todos os usußrios",
|
||||
'and' => "e",
|
||||
'approval_group' => "Approval Group",
|
||||
'approval_status' => "Approval Status",
|
||||
'approval_summary' => "Approval Summary",
|
||||
'approval_update_failed' => "Error updating approval status. Update failed.",
|
||||
'approve_document' => "Approve Document",
|
||||
'approve_document_complete' => "Approve Document: Complete",
|
||||
'approve_document_complete_records_updated' => "Document approval completed and records updated",
|
||||
'approver_added' => "added as an approver",
|
||||
'approver_already_assigned' => "is already assigned as an approver",
|
||||
'approver_already_removed' => "has already been removed from approval process or has already submitted an approval",
|
||||
'approver_no_privilege' => "is not sufficiently privileged to approve this document",
|
||||
'approver_removed' => "removed from approval process",
|
||||
'approvers' => "Approvers",
|
||||
'as_approver' => "as an approver",
|
||||
'as_reviewer' => "as a reviewer",
|
||||
'assign_privilege_insufficient' => "Access denied. Privileges insufficient to assign reviewers or approvers to this document.",
|
||||
'assumed_released' => "Assumed released",
|
||||
'back' => "Voltar",
|
||||
'between' => "entre",
|
||||
'cancel' => "Cancelar",
|
||||
'cannot_approve_pending_review' => "Document is currently pending review. Cannot submit an approval at this time.",
|
||||
'cannot_assign_invalid_state' => "Cannot assign new reviewers to a document that is not pending review or pending approval.",
|
||||
'cannot_change_final_states' => "Warning: Unable to alter document status for documents that have been rejected, marked obsolete or expired.",
|
||||
'cannot_delete_admin' => "Unable to delete the primary administrative user.",
|
||||
'cannot_move_root' => "Error: Cannot move root folder.",
|
||||
'cannot_retrieve_approval_snapshot' => "Unable to retrieve approval status snapshot for this document version.",
|
||||
'cannot_retrieve_review_snapshot' => "Unable to retrieve review status snapshot for this document version.",
|
||||
'cannot_rm_root' => "Error: Cannot delete root folder.",
|
||||
'choose_category' => "--Por favor escolha--",
|
||||
'choose_group' => "--Escolher grupo--",
|
||||
'choose_target_document' => "Escolha documento",
|
||||
'choose_target_folder' => "Escolha pasta-alvo",
|
||||
'choose_user' => "--Escolher usußrio--",
|
||||
'comment' => "Comentßrio",
|
||||
'comment_for_current_version' => "Comentßrio para verso atual",
|
||||
'confirm_pwd' => "Confirme Senha",
|
||||
'confirm_rm_document' => "Deseja realmente remover o documento \"[documentname]\"?<br>Por favor, tenha cuidado porque esta ao no poderß desfeita.",
|
||||
'confirm_rm_folder' => "Deseja realmente remover a \"[foldername]\" e seu contedo ?<br>Por favor, tenha cuidado porque esta ao no poderß desfeita.",
|
||||
'confirm_rm_version' => "Deseja realmente remover verso [version] do documento \"[documentname]\"?<br>Por favor, tenha cuidado porque esta ao no poderß desfeita.",
|
||||
'content' => "Contedo",
|
||||
'continue' => "Continue",
|
||||
'creating_new_default_keyword_category' => "Adicionando categoria...",
|
||||
'creation_date' => "Criado",
|
||||
'current_version' => "Verso Atual",
|
||||
'default_access' => "Modo de acesso Padro",
|
||||
'default_keyword_category' => "Categorias",
|
||||
'default_keyword_category_name' => "Nome",
|
||||
'default_keywords' => "Palavras-chave disponveis",
|
||||
'delete' => "Apagar",
|
||||
'delete_last_version' => "Document has only one revision. Deleting entire document record...",
|
||||
'deleting_document_notify' => "Removendo elemento da lista de notificao...",
|
||||
'deleting_folder_notify' => "Removendo elemento da lista de notificao...",
|
||||
'details' => "Details",
|
||||
'details_version' => "Details for version: [version]",
|
||||
'document' => "Document",
|
||||
'document_access_again' => "Editar acesso ao documento novamente",
|
||||
'document_add_access' => "Adicionando elemento lista de acesso...",
|
||||
'document_already_locked' => "Este documento jß estß travado",
|
||||
'document_del_access' => "Removendo elemento a partir da lista de acesso...",
|
||||
'document_edit_access' => "Mudando modo de acesso...",
|
||||
'document_infos' => "Informaes",
|
||||
'document_is_not_locked' => "Este documento no estß travado",
|
||||
'document_link_by' => "Ligado por",
|
||||
'document_link_public' => "Pblico",
|
||||
'document_list' => "Documentos",
|
||||
'document_notify_again' => "Editar lista de notificao novamente",
|
||||
'document_overview' => "Visualizao do Documento",
|
||||
'document_set_default_access' => "Definindo acesso padro para documento...",
|
||||
'document_set_inherit' => "Removendo ACL. Documento herdarß acesso...",
|
||||
'document_set_not_inherit_copy' => "Copiando lista de acesso...",
|
||||
'document_set_not_inherit_empty' => "Removendo acessos herdados. Iniciando com ACL vazia...",
|
||||
'document_status' => "Document Status",
|
||||
'document_title' => "Documento [documentname]",
|
||||
'document_versions' => "Todas as verses ",
|
||||
'documents_in_process' => "Documents In Process",
|
||||
'documents_owned_by_user' => "Documents Owned by User",
|
||||
'documents_to_approve' => "Documents Awaiting User's Approval",
|
||||
'documents_to_review' => "Documents Awaiting User's Review",
|
||||
'documents_user_requiring_attention' => "Documents Owned by User That Require Attention",
|
||||
'does_not_expire' => "No Expira",
|
||||
'does_not_inherit_access_msg' => "Inherit access",
|
||||
'download' => "Download",
|
||||
'draft_pending_approval' => "Draft - pending approval",
|
||||
'draft_pending_review' => "Draft - pending review",
|
||||
'edit' => "edit",
|
||||
'edit_default_keyword_category' => "Editar categorias",
|
||||
'edit_default_keywords' => "Editar palavras-chave",
|
||||
'edit_document' => "Editar documento",
|
||||
'edit_document_access' => "Editar acesso",
|
||||
'edit_document_notify' => "Lista de notificao",
|
||||
'edit_document_props' => "Editar documento",
|
||||
'edit_document_props_again' => "Editar documento novamente",
|
||||
'edit_existing_access' => "Editar lista de acesso.",
|
||||
'edit_existing_notify' => "Editar lista de notificao",
|
||||
'edit_folder' => "Editar pasta",
|
||||
'edit_folder_access' => "Editar pasta",
|
||||
'edit_folder_notify' => "Lista de Notificao",
|
||||
'edit_folder_props' => "Editar pasta",
|
||||
'edit_folder_props_again' => "Editar pasta novamente",
|
||||
'edit_group' => "Editar grupo",
|
||||
'edit_inherit_access' => "Herda acesso",
|
||||
'edit_personal_default_keywords' => "Editar palavras-chave pessoais",
|
||||
'edit_user' => "Editar usußrio",
|
||||
'edit_user_details' => "Edit User Details",
|
||||
'editing_default_keyword_category' => "Mundando categoria...",
|
||||
'editing_default_keywords' => "Mundando palavras-chave...",
|
||||
'editing_document_props' => "Editando documento...",
|
||||
'editing_folder_props' => "Editando pasta...",
|
||||
'editing_group' => "Editando grupo...",
|
||||
'editing_user' => "Editando usußrio...",
|
||||
'editing_user_data' => "Edio definies de usußrios...",
|
||||
'email' => "Email",
|
||||
'email_err_group' => "Error sending email to one or more members of this group.",
|
||||
'email_err_user' => "Error sending email to user.",
|
||||
'email_sent' => "Email sent",
|
||||
'empty_access_list' => "Lista de acesso estß vazia",
|
||||
'empty_notify_list' => "Sem entradas",
|
||||
'error_adding_session' => "Error occured while creating session.",
|
||||
'error_occured' => "Ocorreu um erro",
|
||||
'error_removing_old_sessions' => "Error occured while removing old sessions",
|
||||
'error_updating_revision' => "Error updating status of document revision.",
|
||||
'exp_date' => "Expira",
|
||||
'expired' => "Expired",
|
||||
'expires' => "Expira",
|
||||
'file' => "File",
|
||||
'file_info' => "File Information",
|
||||
'file_size' => "Tamanho",
|
||||
'folder_access_again' => "Editar acesso da pasta novamente",
|
||||
'folder_add_access' => "Adicionando elemento ß lista de acesso...",
|
||||
'folder_contents' => "Folders",
|
||||
'folder_del_access' => "Removendo elemento da lista de acesso...",
|
||||
'folder_edit_access' => "Editando acesso...",
|
||||
'folder_infos' => "Informaes",
|
||||
'folder_notify_again' => "Editar lista de notificao novamente",
|
||||
'folder_overview' => "Visualizao da Pasta",
|
||||
'folder_path' => "Caminho",
|
||||
'folder_set_default_access' => "Definindo modo de acesso padro para a pasta...",
|
||||
'folder_set_inherit' => "Removendo ACL. Pasta will inherit access...",
|
||||
'folder_set_not_inherit_copy' => "Copiando lista de acesso...",
|
||||
'folder_set_not_inherit_empty' => "Removendo inherited access. Starting with empty ACL...",
|
||||
'folder_title' => "Pasta [foldername]",
|
||||
'folders_and_documents_statistic' => "Overview de pastas e documentos",
|
||||
'foldertree' => "Ârvore",
|
||||
'from_approval_process' => "from approval process",
|
||||
'from_review_process' => "from review process",
|
||||
'global_default_keywords' => "palavras-chave globais",
|
||||
'goto' => "Ir Para",
|
||||
'group' => "Grupo",
|
||||
'group_already_approved' => "An approval has already been submitted on behalf of group",
|
||||
'group_already_reviewed' => "A review has already been submitted on behalf of group",
|
||||
'group_approvers' => "Group Approvers",
|
||||
'group_email_sent' => "Email sent to group members",
|
||||
'group_exists' => "Group already exists.",
|
||||
'group_management' => "Gropos",
|
||||
'group_members' => "Grupo membros",
|
||||
'group_reviewers' => "Group Reviewers",
|
||||
'group_unable_to_add' => "Unable to add group",
|
||||
'group_unable_to_remove' => "Unable to remove group",
|
||||
'groups' => "Grupos",
|
||||
'guest_login' => "Entre como convidado",
|
||||
'guest_login_disabled' => "Guest login is disabled.",
|
||||
'individual_approvers' => "Individual Approvers",
|
||||
'individual_reviewers' => "Individual Reviewers",
|
||||
'individuals' => "Individuals",
|
||||
'inherits_access_msg' => "Acesso estß endo herdado.",
|
||||
'inherits_access_copy_msg' => "Copy inherited access list",
|
||||
'inherits_access_empty_msg' => "Inicie com a lista de acesso vazia",
|
||||
'internal_error' => "Internal error",
|
||||
'internal_error_exit' => "Internal error. Unable to complete request. Exiting.",
|
||||
'invalid_access_mode' => "Invalid Access Mode",
|
||||
'invalid_action' => "Invalid Action",
|
||||
'invalid_approval_status' => "Invalid Approval Status",
|
||||
'invalid_create_date_end' => "Invalid end date for creation date range.",
|
||||
'invalid_create_date_start' => "Invalid start date for creation date range.",
|
||||
'invalid_doc_id' => "Invalid Document ID",
|
||||
'invalid_folder_id' => "Invalid Folder ID",
|
||||
'invalid_group_id' => "Invalid Group ID",
|
||||
'invalid_link_id' => "Invalid link identifier",
|
||||
'invalid_request_token' => "Invalid Request Token",
|
||||
'invalid_review_status' => "Invalid Review Status",
|
||||
'invalid_sequence' => "Invalid sequence value",
|
||||
'invalid_status' => "Invalid Document Status",
|
||||
'invalid_target_doc_id' => "Invalid Target Document ID",
|
||||
'invalid_target_folder' => "Invalid Target Folder ID",
|
||||
'invalid_user_id' => "Invalid User ID",
|
||||
'invalid_version' => "Invalid Document Version",
|
||||
'is_admin' => "Administrator Privilege",
|
||||
'js_no_approval_group' => "Please select a approval group",
|
||||
'js_no_approval_status' => "Please select the approval status",
|
||||
'js_no_comment' => "No hß comentßrio",
|
||||
'js_no_email' => "Digite seu endereo de e-mail",
|
||||
'js_no_file' => "Por favor selecione um arquivo",
|
||||
'js_no_keywords' => "Especifique algumas palavras-chave",
|
||||
'js_no_login' => "Por favor digite um usußrio",
|
||||
'js_no_name' => "Por favor digite um nome",
|
||||
'js_no_pwd' => "Ð necessßrio digitar sua senha",
|
||||
'js_no_query' => "Digite uma solicitao",
|
||||
'js_no_review_group' => "Please select a review group",
|
||||
'js_no_review_status' => "Please select the review status",
|
||||
'js_pwd_not_conf' => "Senha e confirmao de senha no so iguais",
|
||||
'js_select_user' => "Por favor selecione um usußrio",
|
||||
'js_select_user_or_group' => "Selecione, no mnimo, um usußrio ou grupo",
|
||||
'keyword_exists' => "Keyword already exists",
|
||||
'keywords' => "Palavras-chave",
|
||||
'language' => "Linguagem",
|
||||
'last_update' => "õltima verso",
|
||||
'last_updated_by' => "Last updated by",
|
||||
'latest_version' => "Latest Version",
|
||||
'linked_documents' => "Documentos relacionados",
|
||||
'local_file' => "Arquivo local",
|
||||
'lock_document' => "Travar",
|
||||
'lock_message' => "Este documento foi travado por <a href=\"mailto:[email]\">[username]</a>.<br>Somente usußrios autorizados podem remover a trava deste documento (veja no final da pßgina).",
|
||||
'lock_status' => "Status",
|
||||
'locking_document' => "Travando documento...",
|
||||
'logged_in_as' => "Conectado",
|
||||
'login' => "Login",
|
||||
'login_error_text' => "Error signing in. User ID or password incorrect.",
|
||||
'login_error_title' => "Sign in error",
|
||||
'login_not_found' => "Este usußrio no existe",
|
||||
'login_not_given' => "No username has been supplied",
|
||||
'login_ok' => "Sign in successful",
|
||||
'logout' => "Sair",
|
||||
'mime_type' => "Mime-Type",
|
||||
'move' => "Move",
|
||||
'move_document' => "Mover documento",
|
||||
'move_folder' => "Mover Pasta",
|
||||
'moving_document' => "Movendo documento...",
|
||||
'moving_folder' => "Movendo pasta...",
|
||||
'msg_document_expired' => "O documento \"[documentname]\" (Path: \"[path]\") tem expirado em [expires]",
|
||||
'msg_document_updated' => "O documento \"[documentname]\" (Path: \"[path]\") foi criado ou atualizado em [updated]",
|
||||
'my_account' => "Minha Conta",
|
||||
'my_documents' => "My Documents",
|
||||
'name' => "Nome",
|
||||
'new_default_keyword_category' => "Adicionar categoria",
|
||||
'new_default_keywords' => "Adicionar palavras-chave",
|
||||
'new_equals_old_state' => "Warning: Proposed status and existing status are identical. No action required.",
|
||||
'new_user_image' => "Nova imagem",
|
||||
'no' => "No",
|
||||
'no_action' => "No action required",
|
||||
'no_action_required' => "n/a",
|
||||
'no_active_user_docs' => "There are currently no documents owned by the user that require review or approval.",
|
||||
'no_approvers' => "No approvers assigned.",
|
||||
'no_default_keywords' => "No hß palavras-chave disponveis",
|
||||
'no_docs_to_approve' => "There are currently no documents that require approval.",
|
||||
'no_docs_to_review' => "There are currently no documents that require review.",
|
||||
'no_document_links' => "Sem documentos relacionados",
|
||||
'no_documents' => "Sem documentos",
|
||||
'no_group_members' => "Este grupo no tem membros",
|
||||
'no_groups' => "Sem grupos",
|
||||
'no_previous_versions' => "No other versions found",
|
||||
'no_reviewers' => "No reviewers assigned.",
|
||||
'no_subfolders' => "Sem pastas",
|
||||
'no_update_cause_locked' => "Por isso voc no pode atualizar este documento. Por favor contacte usußrio que possui a trava.",
|
||||
'no_user_image' => "No foram encontardas imagens",
|
||||
'not_approver' => "User is not currently assigned as an approver of this document revision.",
|
||||
'not_reviewer' => "User is not currently assigned as a reviewer of this document revision.",
|
||||
'notify_subject' => "Documentos novos ou expirados em seu DMS",
|
||||
'obsolete' => "Obsolete",
|
||||
'old_folder' => "old folder",
|
||||
'only_jpg_user_images' => "Somente imagens jpg podem ser utilizadas como imagens de usußrios",
|
||||
'op_finished' => "Feito",
|
||||
'operation_not_allowed' => "Voc no tem direitos suficientes para fazer isto",
|
||||
'override_content_status' => "Override Status",
|
||||
'override_content_status_complete' => "Override Status Complete",
|
||||
'override_privilege_insufficient' => "Access denied. Privileges insufficient to override the status of this document.",
|
||||
'overview' => "Overview",
|
||||
'owner' => "Proprietßrio",
|
||||
'password' => "Senha",
|
||||
'pending_approval' => "Documents pending approval",
|
||||
'pending_review' => "Documents pending review",
|
||||
'personal_default_keywords' => "palavras-chave pessoais",
|
||||
'previous_versions' => "Previous Versions",
|
||||
'rejected' => "Rejected",
|
||||
'released' => "Released",
|
||||
'remove_document_link' => "Remove link",
|
||||
'remove_member' => "Remove membro",
|
||||
'removed_approver' => "has been removed from the list of approvers.",
|
||||
'removed_reviewer' => "has been removed from the list of reviewers.",
|
||||
'removing_default_keyword_category' => "Apagando categoria...",
|
||||
'removing_default_keywords' => "Apagando palavras-chave...",
|
||||
'removing_document' => "Removendo documento...",
|
||||
'removing_document_link' => "Removendo link ao documento relacionado...",
|
||||
'removing_folder' => "Removendo pasta...",
|
||||
'removing_group' => "Removendo grupo do sistema...",
|
||||
'removing_member' => "Removendo membro do grupo...",
|
||||
'removing_user' => "Removendo usußrio do sistema ...",
|
||||
'removing_version' => "Removendo verso [version]...",
|
||||
'review_document' => "Review Document",
|
||||
'review_document_complete' => "Review Document: Complete",
|
||||
'review_document_complete_records_updated' => "Document review completed and records updated",
|
||||
'review_group' => "Review Group",
|
||||
'review_status' => "Review Status",
|
||||
'review_summary' => "Review Summary",
|
||||
'review_update_failed' => "Error updating review status. Update failed.",
|
||||
'reviewer_added' => "added as a reviewer",
|
||||
'reviewer_already_assigned' => "is already assigned as a reviewer",
|
||||
'reviewer_already_removed' => "has already been removed from review process or has already submitted a review",
|
||||
'reviewer_no_privilege' => "is not sufficiently privileged to review this document",
|
||||
'reviewer_removed' => "removed from review process",
|
||||
'reviewers' => "Reviewers",
|
||||
'rm_default_keyword_category' => "Apague esta categoria",
|
||||
'rm_default_keywords' => "Apagar palavras-chave",
|
||||
'rm_document' => "Remove documento",
|
||||
'rm_folder' => "Remove pasta",
|
||||
'rm_group' => "Remove este grupo",
|
||||
'rm_user' => "Remove este usußrio",
|
||||
'rm_version' => "Remove verso",
|
||||
'root_folder' => "Pasta Raiz",
|
||||
'save' => "Salvar",
|
||||
'search' => "Busca",
|
||||
'search_in' => "Busca em ",
|
||||
'search_in_all' => "todas as pastas",
|
||||
'search_in_current' => "somente esta ([foldername]) incluindo sub-pastas",
|
||||
'search_mode' => "Modo",
|
||||
'search_mode_and' => "todas as palavras",
|
||||
'search_mode_or' => "at least one word",
|
||||
'search_no_results' => "No hß documento que satisfaam sua busca",
|
||||
'search_query' => "Busca por",
|
||||
'search_report' => "Encontrados [count] documentos",
|
||||
'search_result_pending_approval' => "status 'pending approval'",
|
||||
'search_result_pending_review' => "status 'pending review'",
|
||||
'search_results' => "Resultados da busca",
|
||||
'search_results_access_filtered' => "Search results may contain content to which access has been denied.",
|
||||
'search_time' => "Tempo decorrido: [time] sec.",
|
||||
'select_one' => "Selecione um",
|
||||
'selected_document' => "Documento selecionado",
|
||||
'selected_folder' => "Pasta selecionada",
|
||||
'selection' => "Selection",
|
||||
'seq_after' => "Depois \"[prevname]\"",
|
||||
'seq_end' => "No final",
|
||||
'seq_keep' => "Manter posio",
|
||||
'seq_start' => "Primeira posio",
|
||||
'sequence' => "Seqncia",
|
||||
'set_default_access' => "Set Default Access Mode",
|
||||
'set_expiry' => "Set Expiry",
|
||||
'set_owner' => "Define proprietßrio",
|
||||
'set_reviewers_approvers' => "Assign Reviewers and Approvers",
|
||||
'setting_expires' => "Definindo expirao...",
|
||||
'setting_owner' => "Definindo proprietßrio...",
|
||||
'setting_user_image' => "<br>SDefinindo imagem para usußrio...",
|
||||
'show_all_versions' => "Show All Revisions",
|
||||
'show_current_versions' => "Show Current",
|
||||
'start' => "Desde",
|
||||
'status' => "Status",
|
||||
'status_approval_rejected' => "Draft rejected",
|
||||
'status_approved' => "Approved",
|
||||
'status_approver_removed' => "Approver removed from process",
|
||||
'status_change_summary' => "Document revision changed from status '[oldstatus]' to status '[newstatus]'.",
|
||||
'status_changed_by' => "Status changed by",
|
||||
'status_not_approved' => "Not approved",
|
||||
'status_not_reviewed' => "Not reviewed",
|
||||
'status_reviewed' => "Reviewed",
|
||||
'status_reviewer_rejected' => "Draft rejected",
|
||||
'status_reviewer_removed' => "Reviewer removed from process",
|
||||
'status_unknown' => "Unknown",
|
||||
'subfolder_list' => "Sub-pastas",
|
||||
'submit_approval' => "Submit approval",
|
||||
'submit_login' => "Sign in",
|
||||
'submit_review' => "Submit review",
|
||||
'theme' => "Tema",
|
||||
'unable_to_add' => "Unable to add",
|
||||
'unable_to_remove' => "Unable to remove",
|
||||
'under_folder' => "Na pasta",
|
||||
'unknown_command' => "Command not recognized.",
|
||||
'unknown_group' => "Unknown group id",
|
||||
'unknown_keyword_category' => "Unknown category",
|
||||
'unknown_owner' => "Unknown owner id",
|
||||
'unknown_user' => "Unknown user id",
|
||||
'unlock_cause_access_mode_all' => "Voc pode atualizß-lo, porque voc tem mode de acesso \"all\". Trava serß automaticamente removida.",
|
||||
'unlock_cause_locking_user' => "Voc pode pode atualizß-lo, porque voc o travou tambm. Trava serß automaticamente removida.",
|
||||
'unlock_document' => "Remover trava",
|
||||
'unlocking_denied' => "Voc no tem permisses suficientes para remover a trava deste documento",
|
||||
'unlocking_document' => "Destravando documento...",
|
||||
'update' => "Update",
|
||||
'update_approvers' => "Update List of Approvers",
|
||||
'update_document' => "Atualizar",
|
||||
'update_info' => "Update Information",
|
||||
'update_locked_msg' => "Este documento estß trabado.",
|
||||
'update_reviewers' => "Update List of Reviewers",
|
||||
'update_reviewers_approvers' => "Update List of Reviewers and Approvers",
|
||||
'updated_by' => "Updated by",
|
||||
'updating_document' => "Atualizando documento...",
|
||||
'upload_date' => "Data de insero",
|
||||
'uploaded' => "Uploaded",
|
||||
'uploaded_by' => "Inserido por",
|
||||
'uploading_failed' => "Insero falhou. Por favor contacte o administrador",
|
||||
'use_default_keywords' => "Use palavras-chave pr-definidas",
|
||||
'user' => "Usußrio",
|
||||
'user_already_approved' => "User has already submitted an approval of this document version",
|
||||
'user_already_reviewed' => "User has already submitted a review of this document version",
|
||||
'user_approval_not_required' => "No document approval required of user at this time.",
|
||||
'user_exists' => "User already exists.",
|
||||
'user_image' => "Imagem",
|
||||
'user_info' => "User Information",
|
||||
'user_list' => "Lista de Usußrios",
|
||||
'user_login' => "Usußrio",
|
||||
'user_management' => "Usußrios",
|
||||
'user_name' => "Nome Completo",
|
||||
'user_removed_approver' => "User has been removed from the list of individual approvers.",
|
||||
'user_removed_reviewer' => "User has been removed from the list of individual reviewers.",
|
||||
'user_review_not_required' => "No document review required of user at this time.",
|
||||
'users' => "Usußrios",
|
||||
'version' => "Verso",
|
||||
'version_info' => "Version Information",
|
||||
'version_under_approval' => "Version under approval",
|
||||
'version_under_review' => "Version under review",
|
||||
'view_document' => "View Document",
|
||||
'view_online' => "Ver on-line",
|
||||
'warning' => "Warning",
|
||||
'wrong_pwd' => "Sua senha estß incorreta. Tente novamente.",
|
||||
'yes' => "Yes",
|
||||
// New as of 1.7.1. Require updated translation.
|
||||
'documents' => "Documents",
|
||||
'folders' => "Folders",
|
||||
'no_folders' => "No folders",
|
||||
'notification_summary' => "Notification Summary",
|
||||
// New as of 1.7.2
|
||||
'all_pages' => "All",
|
||||
'results_page' => "Results Page",
|
||||
// New
|
||||
'sign_out' => "sign out",
|
||||
'signed_in_as' => "Signed in as",
|
||||
'assign_reviewers' => "Assign Reviewers",
|
||||
'assign_approvers' => "Assign Approvers",
|
||||
'override_status' => "Override Status",
|
||||
'change_status' => "Change Status",
|
||||
'change_assignments' => "Change Assignments",
|
||||
'no_user_docs' => "There are currently no documents owned by the user",
|
||||
'disclaimer' => "This is a classified area. Access is permitted only to authorized personnel. Any violation will be prosecuted according to the english and international laws.",
|
||||
|
||||
'backup_tools' => "Backup tools",
|
||||
'versioning_file_creation' => "Versioning file creation",
|
||||
'archive_creation' => "Archive creation",
|
||||
'files_deletion' => "Files deletion",
|
||||
'folder' => "Folder",
|
||||
|
||||
'unknown_id' => "unknown id",
|
||||
'help' => "Help",
|
||||
|
||||
'versioning_info' => "Versioning info",
|
||||
'versioning_file_creation_warning' => "With this operation you can create a file containing the versioning information of an entire DMS folder. After the creation every file will be saved inside the document folder.",
|
||||
'archive_creation_warning' => "With this operation you can create achive containing the files of entire DMS folders. After the creation the archive will be saved in the data folder of your server.<br>WARNING: an archive created as human readable will be unusable as server backup.",
|
||||
'files_deletion_warning' => "With this option you can delete all files of entire DMS folders. The versioning information will remain visible.",
|
||||
|
||||
'backup_list' => "Existings backup list",
|
||||
'backup_remove' => "Remove backup file",
|
||||
'confirm_rm_backup' => "Do you really want to remove the file \"[arkname]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'document_deleted' => "Document deleted",
|
||||
'linked_files' => "Attachments",
|
||||
'invalid_file_id' => "Invalid file ID",
|
||||
'rm_file' => "Remove file",
|
||||
'confirm_rm_file' => "Do you really want to remove file \"[name]\" of document \"[documentname]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'edit_comment' => "Edit comment",
|
||||
|
||||
// new from 1.9
|
||||
|
||||
'is_hidden' => "Hide from users list",
|
||||
'log_management' => "Log files management",
|
||||
'confirm_rm_log' => "Do you really want to remove log file \"[logname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'include_subdirectories' => "Include subdirectories",
|
||||
'include_documents' => "Include documents",
|
||||
'manager' => "Manager",
|
||||
'toggle_manager' => "Toggle manager",
|
||||
|
||||
// new from 2.0
|
||||
|
||||
'calendar' => "Calendar",
|
||||
'week_view' => "Week view",
|
||||
'month_view' => "Month view",
|
||||
'year_view' => "Year View",
|
||||
'add_event' => "Add event",
|
||||
'edit_event' => "Edit event",
|
||||
|
||||
'january' => "January",
|
||||
'february' => "February",
|
||||
'march' => "March",
|
||||
'april' => "April",
|
||||
'may' => "May",
|
||||
'june' => "June",
|
||||
'july' => "July",
|
||||
'august' => "August",
|
||||
'september' => "September",
|
||||
'october' => "October",
|
||||
'november' => "November",
|
||||
'december' => "December",
|
||||
|
||||
'sunday' => "Sunday",
|
||||
'monday' => "Monday",
|
||||
'tuesday' => "Tuesday",
|
||||
'wednesday' => "Wednesday",
|
||||
'thursday' => "Thursday",
|
||||
'friday' => "Friday",
|
||||
'saturday' => "Saturday",
|
||||
|
||||
'from' => "From",
|
||||
'to' => "To",
|
||||
|
||||
'event_details' => "Event details",
|
||||
'confirm_rm_event' => "Do you really want to remove event \"[name]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'dump_creation' => "DB dump creation",
|
||||
'dump_creation_warning' => "With this operation you can create a dump file of your database content. After the creation the dump file will be saved in the data folder of your server.",
|
||||
'dump_list' => "Existings dump files",
|
||||
'dump_remove' => "Remove dump file",
|
||||
'confirm_rm_dump' => "Do you really want to remove the file \"[dumpname]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'confirm_rm_user' => "Do you really want to remove the user \"[username]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_group' => "Do you really want to remove the group \"[groupname]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'human_readable' => "Human readable archive",
|
||||
|
||||
'email_header' => "This is an automatic message from the DMS server.",
|
||||
'email_footer' => "You can always change your e-mail settings using 'My Account' functions",
|
||||
|
||||
'add_multiple_files' => "Add multiple files (will use filename as document name)",
|
||||
|
||||
// new from 2.0.1
|
||||
|
||||
'max_upload_size' => "Maximum upload size for each file",
|
||||
|
||||
// new from 2.0.2
|
||||
|
||||
'space_used_on_data_folder' => "Space used on data folder",
|
||||
'assign_user_property_to' => "Assign user's properties to",
|
||||
);
|
||||
?>
|
623
languages/ru_RU/lang.inc
Normal file
623
languages/ru_RU/lang.inc
Normal file
|
@ -0,0 +1,623 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "Принять",
|
||||
'access_denied' => "Доступ запрещен",
|
||||
'access_inheritance' => "Наследование доступа",
|
||||
'access_mode' => "Режим доступа",
|
||||
'access_mode_all' => "Полный доступ",
|
||||
'access_mode_none' => "Нет доступа",
|
||||
'access_mode_read' => "Доступ для чтения",
|
||||
'access_mode_readwrite' => "Доступ чтение-запись",
|
||||
'access_permission_changed_email' => "Доступ изменен",
|
||||
'actions' => "Действия",
|
||||
'add' => "Добавить",
|
||||
'add_doc_reviewer_approver_warning' => "Документ получает статус ДОПУЩЕН автоматически если не назначены ни рецензент ни утверждающий",
|
||||
'add_document' => "Добавить документ",
|
||||
'add_document_link' => "Добавить ссылку",
|
||||
'add_event' => "Добавить событие",
|
||||
'add_group' => "Добавить группу",
|
||||
'add_member' => "Добавить члена",
|
||||
'add_multiple_documents' => "Добавить несколько документов",
|
||||
'add_multiple_files' => "Добавить несколько файлов (название файла будет использоана в качестве названия документа)",
|
||||
'add_subfolder' => "Добавить подкаталог",
|
||||
'add_user' => "Добавить пользователя",
|
||||
'add_user_to_group' => "Добавить пользователя в группу",
|
||||
'admin' => "Админ",
|
||||
'admin_tools' => "Админка",
|
||||
'all_categories' => "Все категории",
|
||||
'all_documents' => "Все документы",
|
||||
'all_pages' => "Все страницы",
|
||||
'all_users' => "Все пользователи",
|
||||
'already_subscribed' => "Уже подписан",
|
||||
'and' => "и",
|
||||
'apply' => "Применить",
|
||||
'approval_deletion_email' => "Запрос на утверждение удален",
|
||||
'approval_group' => "Утверждающая группа",
|
||||
'approval_request_email' => "Запрос на утверждение",
|
||||
'approval_status' => "Статус утверждения",
|
||||
'approval_submit_email' => "Утверждено",
|
||||
'approval_summary' => "Инфо об утверждении",
|
||||
'approval_update_failed' => "Произошла ошибка при изменении статусаутверждения",
|
||||
'approvers' => "Утверждающие",
|
||||
'april' => "Апрель",
|
||||
'archive_creation' => "Создание архива",
|
||||
'archive_creation_warning' => "Эта операция создаст архив, содержащий все папки. После создания архив будет сохранен в папке анных сервера.<br>ВНИМАНИЕ: Архив созданый как понятный человеку, будет не пригоден в качестве бекапа!",
|
||||
'assign_approvers' => "Назначить утверждающих",
|
||||
'assign_reviewers' => "Назначить рецензентов",
|
||||
'assign_user_property_to' => "Назначить свойства пользователя",
|
||||
'assumed_released' => "Утвержден",
|
||||
'august' => "Август",
|
||||
'automatic_status_update' => "Автоматическое изменения статуса",
|
||||
'back' => "Назад",
|
||||
'backup_list' => "Список бекапов",
|
||||
'backup_remove' => "Удалить бекап",
|
||||
'backup_tools' => "Иструменты бекапа",
|
||||
'between' => "между",
|
||||
'calendar' => "Календарь",
|
||||
'cancel' => "Отмена",
|
||||
'cannot_assign_invalid_state' => "Невозможно изменить устаревший или отклоненный документ",
|
||||
'cannot_change_final_states' => "Нельзя изменять статус у отклоненного, просроченого или ожидающего рецензии или утверждения",
|
||||
'cannot_delete_yourself' => "Нельзя удалить себя",
|
||||
'cannot_move_root' => "Нельзя переместить корневую папку",
|
||||
'cannot_retrieve_approval_snapshot' => "Невозможно получить утверждающий снимок для этой версии документа",
|
||||
'cannot_retrieve_review_snapshot' => "Невозможно получить рецензирующий снимок для этой версии документа",
|
||||
'cannot_rm_root' => "Нельзя удалить корневую папку",
|
||||
'category' => "Категория",
|
||||
'category_exists' => "Категория существует",
|
||||
'category_filter' => "Только категории",
|
||||
'category_in_use' => "Эта категория используется документами",
|
||||
'category_noname' => "Введите название категории",
|
||||
'categories' => "Категории",
|
||||
'change_assignments' => "Изменить назначения",
|
||||
'change_password' => "Изменить пароль",
|
||||
'change_password_message' => "Пароль изменен",
|
||||
'change_status' => "Сменить статус",
|
||||
'choose_category' => "Выберите",
|
||||
'choose_group' => "Выберите группу",
|
||||
'choose_target_category' => "Выберите категорию",
|
||||
'choose_target_document' => "Выберите документ",
|
||||
'choose_target_folder' => "Выберите папку",
|
||||
'choose_user' => "Выберите пользователя",
|
||||
'comment_changed_email' => "Коментарий изменен",
|
||||
'comment' => "Коментарий",
|
||||
'comment_for_current_version' => "Коментарий версии",
|
||||
'confirm_create_fulltext_index' => "Да, пересоздать полнотекстовый индекс!",
|
||||
'confirm_pwd' => "Подтвердите пароль",
|
||||
'confirm_rm_backup' => "Удалить файл \"[arkname]\"?<br>Действие перманентно",
|
||||
'confirm_rm_document' => "Удалить документ \"[documentname]\"?<br>Действие перманентно",
|
||||
'confirm_rm_dump' => "Удалить файл \"[dumpname]\"?<br>Действие перманентно",
|
||||
'confirm_rm_event' => "Удалить событие \"[name]\"?<br>Действие перманентно",
|
||||
'confirm_rm_file' => "Удалить файл \"[name]\" документа \"[documentname]\"?<br>Действие перманентно",
|
||||
'confirm_rm_folder' => "Удалить папку \"[foldername]\" и ее содержимое?<br>Действие перманентно",
|
||||
'confirm_rm_folder_files' => "Удалить все файлы в папке \"[foldername]\" и ее подпапок?<br>Действие перманентно",
|
||||
'confirm_rm_group' => "Удалить группу \"[groupname]\"?<br>Действие перманентно",
|
||||
'confirm_rm_log' => "Удалить лог \"[logname]\"?<br>Дествие перманентно",
|
||||
'confirm_rm_user' => "Удалить пользователя \"[username]\"?<br>Действие перманентно",
|
||||
'confirm_rm_version' => "Удалить версию [version] документа \"[documentname]\"?<br>Действие перманентно",
|
||||
'content' => "Содержимое",
|
||||
'continue' => "Продолжить",
|
||||
'create_fulltext_index' => "Создать полнотекстовый индекс",
|
||||
'create_fulltext_index_warning' => "Вы хотите пересодать полнотекстовый индекс. Это займет время и снизит производительность. Продолжить?",
|
||||
'creation_date' => "Создан",
|
||||
'current_version' => "Текущая версия",
|
||||
'daily' => "Ежедневно",
|
||||
'databasesearch' => "Поиск по БД",
|
||||
'december' => "Декабрь",
|
||||
'default_access' => "Доступ по-умолчанию",
|
||||
'default_keywords' => "Доступные теги",
|
||||
'delete' => "Удалить",
|
||||
'details' => "Детали",
|
||||
'details_version' => "Детали версии: [version]",
|
||||
'disclaimer' => "Работаем аккуратно и вдумчиво. От этого зависит будущее нашей с вами страны и благополучие народа. Даешь пятилетку за три года!",
|
||||
'do_object_repair' => "Исправить все папки и документы",
|
||||
'document_already_locked' => "Документ уже заблокирован",
|
||||
'document_deleted' => "Документ удален",
|
||||
'document_deleted_email' => "Документ удален",
|
||||
'document' => "Документ",
|
||||
'document_infos' => "Информацию о документе",
|
||||
'document_is_not_locked' => "Документ не заблокирован",
|
||||
'document_link_by' => "Связан",
|
||||
'document_link_public' => "Публичный",
|
||||
'document_moved_email' => "Документ перемещен",
|
||||
'document_renamed_email' => "Документ переименован",
|
||||
'documents' => "Документы",
|
||||
'documents_in_process' => "Документы в работе",
|
||||
'documents_locked_by_you' => "Документы, заблокированые Вами",
|
||||
'document_status_changed_email' => "Статус документа изменен",
|
||||
'documents_to_approve' => "Документы, ожидающие Вашего утверждения",
|
||||
'documents_to_review' => "Документы, ожидающие Вашей рецензии",
|
||||
'documents_user_requiring_attention' => "Ваши документы, требующие внимания",
|
||||
'document_title' => "Документ '[documentname]'",
|
||||
'document_updated_email' => "Документ обновлен",
|
||||
'does_not_expire' => "Без срока",
|
||||
'does_not_inherit_access_msg' => "Наследовать уровень доступа",
|
||||
'download' => "Скачать",
|
||||
'draft_pending_approval' => "Черновик - ожидает утверждения",
|
||||
'draft_pending_review' => "Черновик - ожидает рецензии",
|
||||
'dump_creation' => "Создание дампа БД",
|
||||
'dump_creation_warning' => "Эта операция создаст дамп базы данных. После создания, файл будет сохранен в каталоге данных сервера.",
|
||||
'dump_list' => "Соществующие дампы",
|
||||
'dump_remove' => "Удалить дамп",
|
||||
'edit_comment' => "Редактировать коментарий",
|
||||
'edit_default_keywords' => "Редактировать теги",
|
||||
'edit_document_access' => "Редактировать доступ",
|
||||
'edit_document_notify' => "Список уведомления документа",
|
||||
'edit_document_props' => "Редактировать документ",
|
||||
'edit' => "РЕдактировать",
|
||||
'edit_event' => "Редактировать событие",
|
||||
'edit_existing_access' => "Редактироват список доступа",
|
||||
'edit_existing_notify' => "Редактироват список уведомления",
|
||||
'edit_folder_access' => "РЕдактировать доступ",
|
||||
'edit_folder_notify' => "Список уведомления папки",
|
||||
'edit_folder_props' => "Редактировать папку",
|
||||
'edit_group' => "Редактировать группу",
|
||||
'edit_user_details' => "Редактировать данные пользователя",
|
||||
'edit_user' => "Редаткировать пользователя",
|
||||
'email' => "Email",
|
||||
'email_error_title' => "Email не указан",
|
||||
'email_footer' => "Вы всегда можете изменить e-mail исползуя функцию 'Моя учетка'",
|
||||
'email_header' => "Это автоматическое уведомление сервера документооборота",
|
||||
'email_not_given' => "Введите настоящий email.",
|
||||
'empty_notify_list' => "Нет записей",
|
||||
'error' => "Ошибка",
|
||||
'error_no_document_selected' => "Нет выбраных документов",
|
||||
'error_no_folder_selected' => "Нет выбраных папок",
|
||||
'error_occured' => "Произошла ошибка",
|
||||
'event_details' => "Детали события",
|
||||
'expired' => "Истек",
|
||||
'expires' => "Истекает",
|
||||
'expiry_changed_email' => "Дата истечения изменена",
|
||||
'february' => "Февраль",
|
||||
'file' => "Файл",
|
||||
'files_deletion' => "Удаление файлов",
|
||||
'files_deletion_warning' => "Эта операция удалит все файлы во всех папках. Информация о версиях останется доступна",
|
||||
'files' => "Файлы",
|
||||
'file_size' => "Размер",
|
||||
'folder_contents' => "Содержимое папки",
|
||||
'folder_deleted_email' => "Папка удалена",
|
||||
'folder' => "Папка",
|
||||
'folder_infos' => "Информация о папке",
|
||||
'folder_moved_email' => "Папка перемещена",
|
||||
'folder_renamed_email' => "Папка переименована",
|
||||
'folders_and_documents_statistic' => "Обзор содержимого",
|
||||
'folders' => "Папки",
|
||||
'folder_title' => "Папка '[foldername]'",
|
||||
'friday' => "Пятница",
|
||||
'from' => "От",
|
||||
'fullsearch' => "Полнотекстовый поиск",
|
||||
'fullsearch_hint' => "Использовать полнотекстовый индекс",
|
||||
'fulltext_info' => "Информация о полнотекстовом индексе",
|
||||
'global_default_keywords' => "Глобальные теги",
|
||||
'global_document_categories' => "Категории",
|
||||
'group_approval_summary' => "Сводка по утверждению группы",
|
||||
'group_exists' => "Группа уже существует",
|
||||
'group' => "Группа",
|
||||
'group_management' => "Управление группами",
|
||||
'group_members' => "Члены группы",
|
||||
'group_review_summary' => "Сводка по рецензированию группы",
|
||||
'groups' => "Группы",
|
||||
'guest_login_disabled' => "Гостевой вход отключен",
|
||||
'guest_login' => "Войти как гость",
|
||||
'help' => "Помощь",
|
||||
'hourly' => "Ежечасно",
|
||||
'human_readable' => "Человекопонятный архив",
|
||||
'include_documents' => "Включить документы",
|
||||
'include_subdirectories' => "Включить подкаталоги",
|
||||
'individuals' => "Личности",
|
||||
'inherits_access_msg' => "Доступ унаследован.",
|
||||
'inherits_access_copy_msg' => "Скопировать наследованный список",
|
||||
'inherits_access_empty_msg' => "Начать с пустова списка доступа",
|
||||
'internal_error_exit' => "Внутренняя ошибка. Невозможно выполнить запрос. Завершение.",
|
||||
'internal_error' => "Внутренняя ошибка",
|
||||
'invalid_access_mode' => "Неверный уровень доступа",
|
||||
'invalid_action' => "Неверное действие",
|
||||
'invalid_approval_status' => "Неверный статус утверждения",
|
||||
'invalid_create_date_end' => "Неверная конечная дата для диапазаона даты создания",
|
||||
'invalid_create_date_start' => "Неверная начальная дата для диапазаона даты создания",
|
||||
'invalid_doc_id' => "Неверный идентификатор документа",
|
||||
'invalid_file_id' => "Неверный идентификатор файла",
|
||||
'invalid_folder_id' => "Неверный идентификатор папки",
|
||||
'invalid_group_id' => "Неверный идентификатор группы",
|
||||
'invalid_link_id' => "Неверный идентификатор ссылки",
|
||||
'invalid_request_token' => "Invalid Request Token",
|
||||
'invalid_review_status' => "Неверный статус рецензирования",
|
||||
'invalid_sequence' => "Неверное значение последовательности",
|
||||
'invalid_status' => "Неверный статус документа",
|
||||
'invalid_target_doc_id' => "Неверный идентификатор целевого документа",
|
||||
'invalid_target_folder' => "Неверный идентификатор целевой папки",
|
||||
'invalid_user_id' => "Неверный идентификатор пользователя",
|
||||
'invalid_version' => "Неверная версия документа",
|
||||
'is_hidden' => "Не показывать в списке пользователей",
|
||||
'january' => "Январь",
|
||||
'js_no_approval_group' => "Выберите утверждающую группу",
|
||||
'js_no_approval_status' => "Выберите статус утверждения",
|
||||
'js_no_comment' => "Нет коментария",
|
||||
'js_no_email' => "Введите свой Email",
|
||||
'js_no_file' => "Выберите файл",
|
||||
'js_no_keywords' => "Укажите теги",
|
||||
'js_no_login' => "Введите логин",
|
||||
'js_no_name' => "Введите имя",
|
||||
'js_no_override_status' => "Выберите новый [override] статус",
|
||||
'js_no_pwd' => "Введите пароль",
|
||||
'js_no_query' => "Введите запрос",
|
||||
'js_no_review_group' => "Выберите рецензирующую группу",
|
||||
'js_no_review_status' => "Выберите статус рецензии",
|
||||
'js_pwd_not_conf' => "Пароль и его подтверждение не совпадают",
|
||||
'js_select_user_or_group' => "Выберите хотя бы пользователя или группу",
|
||||
'js_select_user' => "Выберите пользователя",
|
||||
'july' => "Июль",
|
||||
'june' => "Июнь",
|
||||
'keyword_exists' => "Тег существует",
|
||||
'keywords' => "Теги",
|
||||
'language' => "Язык",
|
||||
'last_update' => "Последнее обновление",
|
||||
'link_alt_updatedocument' => "Если Вы хотите загрузить файлы больше текущего лимита, используйте другой <a href=\"%s\">способ</a>.",
|
||||
'linked_documents' => "Связаные документы",
|
||||
'linked_files' => "Приложения",
|
||||
'local_file' => "Локальный файл",
|
||||
'locked_by' => "Заблокирован",
|
||||
'lock_document' => "Заблокировать",
|
||||
'lock_message' => "Документ заблокирован <a href=\"mailto:[email]\">[username]</a>. Только имеющие права могут его разблокировать.",
|
||||
'lock_status' => "Статус",
|
||||
'login' => "Логин",
|
||||
'login_error_text' => "Ошибка входа. Проверьте логин и пароль.",
|
||||
'login_error_title' => "Ошибка входа",
|
||||
'login_not_given' => "Не указан пользователь",
|
||||
'login_ok' => "Вход успешен",
|
||||
'log_management' => "Управление логами",
|
||||
'logout' => "Выход",
|
||||
'manager' => "Менеджер",
|
||||
'march' => "Март",
|
||||
'max_upload_size' => "Лимит размера файла",
|
||||
'may' => "Май",
|
||||
'monday' => "Понедельник",
|
||||
'month_view' => "Вид месяца",
|
||||
'monthly' => "Ежемесячно",
|
||||
'move_document' => "Переместить документ",
|
||||
'move_folder' => "Переместить папку",
|
||||
'move' => "Переместить",
|
||||
'my_account' => "Моя учетка",
|
||||
'my_documents' => "Мои документы",
|
||||
'name' => "Имя",
|
||||
'new_default_keyword_category' => "Добавить категорию",
|
||||
'new_default_keywords' => "Добавить теги",
|
||||
'new_document_category' => "Добавить категорию",
|
||||
'new_document_email' => "Новый документ",
|
||||
'new_file_email' => "Новое приложение",
|
||||
'new_folder' => "Новая папка",
|
||||
'new' => "Новый",
|
||||
'new_subfolder_email' => "Новая папка",
|
||||
'new_user_image' => "Новое изображение",
|
||||
'no_action' => "Действие не требуется",
|
||||
'no_approval_needed' => "Утверждение не требуется",
|
||||
'no_attached_files' => "Нет прикрепленных файлов",
|
||||
'no_default_keywords' => "Нет тегов",
|
||||
'no_docs_locked' => "Нет заблокированых документов",
|
||||
'no_docs_to_approve' => "Нет документов, нуждающихся в утверждении",
|
||||
'no_docs_to_look_at' => "Нет документов, нуждающихся во внимании",
|
||||
'no_docs_to_review' => "Нет документов, нуждающихся в рецензии",
|
||||
'no_group_members' => "Группа не имеет членов",
|
||||
'no_groups' => "Нет групп",
|
||||
'no' => "Нет",
|
||||
'no_linked_files' => "Нет прикрепленных файлов",
|
||||
'no_previous_versions' => "Нет других версий",
|
||||
'no_review_needed' => "Рецензия не требуется",
|
||||
'notify_added_email' => "Вы добавлены в список уведомлений",
|
||||
'notify_deleted_email' => "Выудалены из списка уведомлений",
|
||||
'no_update_cause_locked' => "Вы не можете обновить документ. Свяжитесь с заблокировавшим пользователем.",
|
||||
'no_user_image' => "Изображение не найдено",
|
||||
'november' => "Ноябрь",
|
||||
'objectcheck' => "Проверка Папки/Документа",
|
||||
'obsolete' => "Устарел",
|
||||
'october' => "Октябрь",
|
||||
'old' => "Старый",
|
||||
'only_jpg_user_images' => "Разрешены только .jpg-изображения",
|
||||
'owner' => "Владелец",
|
||||
'ownership_changed_email' => "Владелец изменен",
|
||||
'password' => "Пароль",
|
||||
'password_repeat' => "Повторите пароль",
|
||||
'password_forgotten' => "Забыл пароль",
|
||||
'password_forgotten_email_subject' => "Забыл пароль",
|
||||
'password_forgotten_email_body' => "Уважаемый юзверь,\n\nмы получили запрос на изменение Вашего пароля.\n\nЧто бы это сделать, перейдите по ссылке:\n\n###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###\n\nЕсли вы и после этого не сможете войти, свяжитесь с админом.",
|
||||
'password_forgotten_send_hash' => "Инструкции высланы на email",
|
||||
'password_forgotten_text' => "Заполниет форму и следуйте инструкциям в письме",
|
||||
'password_forgotten_title' => "Пароль выслан",
|
||||
'personal_default_keywords' => "Личный список тегов",
|
||||
'previous_versions' => "Предыдущие версии",
|
||||
'refresh' => "Обновить",
|
||||
'rejected' => "Отклонен",
|
||||
'released' => "Утвержден",
|
||||
'removed_approver' => "удален из списка утверждающих",
|
||||
'removed_file_email' => "Удалить приложение",
|
||||
'removed_reviewer' => "удален из списка рецензирующих",
|
||||
'repairing_objects' => "Восстановление папок и документов",
|
||||
'results_page' => "Страница результатов",
|
||||
'review_deletion_email' => "ЗАпрос на рецензию удален",
|
||||
'reviewer_already_assigned' => "уже назначет на рецензирование",
|
||||
'reviewer_already_removed' => "уже удален из списка рецензирующих или уже оставил рецензию",
|
||||
'reviewers' => "Рецензирующие",
|
||||
'review_group' => "Рецензирующая группа",
|
||||
'review_request_email' => "Запрос на рецензию",
|
||||
'review_status' => "Статус рецензии",
|
||||
'review_submit_email' => "Отправленная рецензия",
|
||||
'review_summary' => "Сводка по рецензии",
|
||||
'review_update_failed' => "Ошибка обновления статуса рецензии",
|
||||
'rm_default_keyword_category' => "Удалить категорию",
|
||||
'rm_document' => "Удалить документ",
|
||||
'rm_document_category' => "Удалить категорию",
|
||||
'rm_file' => "Удалить файл",
|
||||
'rm_folder' => "Удалить папку",
|
||||
'rm_group' => "Удалить группу",
|
||||
'rm_user' => "Удалить этого пользователя",
|
||||
'rm_version' => "Удалить версию",
|
||||
'role_admin' => "Админ",
|
||||
'role_guest' => "Гость",
|
||||
'role_user' => "Пользователь",
|
||||
'role' => "Роль",
|
||||
'saturday' => "Суббота",
|
||||
'save' => "Сохранить",
|
||||
'search_fulltext' => "Полнотекстовый поиск",
|
||||
'search_in' => "Поиск",
|
||||
'search_mode_and' => "все слова",
|
||||
'search_mode_or' => "хотя бы одно слово",
|
||||
'search_no_results' => "Нет документов, соответствующих запросу",
|
||||
'search_query' => "Искать",
|
||||
'search_report' => "Найдено [doccount] документов и [foldercount] папок",
|
||||
'search_report_fulltext' => "Найдено [doccount] документов",
|
||||
'search_results_access_filtered' => "Результаты поиска могут содержать объекты к которым у вас нет доступа",
|
||||
'search_results' => "Результаты поиска",
|
||||
'search' => "Поиск",
|
||||
'search_time' => "Прошло: [time] sec.",
|
||||
'selection' => "Выбор",
|
||||
'select_one' => "Выбрать один",
|
||||
'september' => "Сентябрь",
|
||||
'seq_after' => "После \"[prevname]\"",
|
||||
'seq_end' => "В конце",
|
||||
'seq_keep' => "Сохранить позицию",
|
||||
'seq_start' => "Первая позиция",
|
||||
'sequence' => "Последовательность",
|
||||
'set_expiry' => "Установить истечение",
|
||||
'set_owner_error' => "Ошибка при установке владельца",
|
||||
'set_owner' => "Установить владельца",
|
||||
'settings_install_welcome_title' => "Добро пожаловать в установку letoDMS",
|
||||
'settings_install_welcome_text' => "<p>Прежде чем начать, убедитесь что вы создали файл 'ENABLE_INSTALL_TOOL' в каталоге конфигурации, иначе установка не будет работать. На NIX-подобных это можно сделать командой 'touch conf/ENABLE_INSTALL_TOOL'. После установки удалите файл.</p><p>letoDMS имеет минимальные требования. Нужна mysql БД и веб-сервер с php. Для того что бы работал полнотекстовый поиск lucene, также необходима Zend framework, установленая там где ее видит php. Начиная с версии 3.2.0 letoDMS, ADOdb не будет частью дистрибутива. Скачайте ее с <a href=\"http://adodb.sourceforge.net/\">http://adodb.sourceforge.net</a> и установите. Путь к ней может быть указан позднее при установке.</p><p>Если Вы хотите создать БД до установки, тогда создайте ее ручками (тут так и было написано)))), опционально создайте юзера с правами на бд и импортируйте дамп из папки конфигурации. Установочный скрипт это может сделать и сам, но понадобится доступ к БД с правами для создания базы данных.</p>",
|
||||
'settings_start_install' => "Начать установку",
|
||||
'settings_activate_module' => "Активировать модуль",
|
||||
'settings_activate_php_extension' => "Активировать расширение PHP",
|
||||
'settings_adminIP' => "Админский IP",
|
||||
'settings_adminIP_desc' => "Если установить, то админ сможет зайти только с этого IP. Оставьте пустым во избежании апокалипсиса. Не работает с LDAP",
|
||||
'settings_ADOdbPath' => "Путь к ADOdb",
|
||||
'settings_ADOdbPath_desc' => "Папка содержащая ПАПКУ ADOdb",
|
||||
'settings_Advanced' => "Дополнительно",
|
||||
'settings_apache_mod_rewrite' => "Apache - Module Rewrite",
|
||||
'settings_Authentication' => "Настройки авторизации",
|
||||
'settings_Calendar' => "Настройки календаря",
|
||||
'settings_calendarDefaultView' => "Вид календаря по-умолчанию",
|
||||
'settings_calendarDefaultView_desc' => "Вид календаря по-умолчанию",
|
||||
'settings_contentDir' => "Каталог контента",
|
||||
'settings_contentDir_desc' => "Куда сохраняются загруженые файлы (лучше выбрать каталог, недоступный веб-серверу)",
|
||||
'settings_contentOffsetDir' => "Content Offset Directory",
|
||||
'settings_contentOffsetDir_desc' => "Во избежании проблем с файловой системой была введена новая структура папок в каталоге контента. Необходима базовая папка, откуда начать. Впрочем оставьте тут все как есть, 1048576, но может быть любым числом или строкой, не существующей уже в папке контента",
|
||||
'settings_coreDir' => "Папка Core letoDMS",
|
||||
'settings_coreDir_desc' => "Путь к SeedDMS_Core (не обязательно)",
|
||||
'settings_luceneClassDir' => "Папка Lucene SeedDMS",
|
||||
'settings_luceneClassDir_desc' => "Путь к SeedDMS_Lucene (не обязательно)",
|
||||
'settings_luceneDir' => "Папка индекса Lucene",
|
||||
'settings_luceneDir_desc' => "Путь, куда Lucene будет писать свой индекс",
|
||||
'settings_cannot_disable' => "Невозможно удлить ENABLE_INSTALL_TOOL",
|
||||
'settings_install_disabled' => "ENABLE_INSTALL_TOOL удален. Теперь можно залогиниться для последующей конфигурации системы.",
|
||||
'settings_createdatabase' => "Создать таблицы БД",
|
||||
'settings_createdirectory' => "Создать папку",
|
||||
'settings_currentvalue' => "Текущее значение",
|
||||
'settings_Database' => "Настройки БД",
|
||||
'settings_dbDatabase' => "БД",
|
||||
'settings_dbDatabase_desc' => "Название БД, введенное в ходе установки. Не изменять без необходимости, только, например, если БД перемещена.",
|
||||
'settings_dbDriver' => "Тип БД",
|
||||
'settings_dbDriver_desc' => "Тип БД, введенный в ходе установки. Не изменять без необходимости, только, например, если БД изменила движок. Драйвер adodb (читать мануал adodb)",
|
||||
'settings_dbHostname_desc' => "Хост БД, введенный в ходе установки. Не изменять без необходимости, только, например, если БД перемещена.",
|
||||
'settings_dbHostname' => "Хост",
|
||||
'settings_dbPass_desc' => "Пароль, введенный в ходе установки",
|
||||
'settings_dbPass' => "Пароль",
|
||||
'settings_dbUser_desc' => "Логин, введенный в ходе установки. Не изменять без необходимости, например если БД была перемещена.",
|
||||
'settings_dbUser' => "Логин",
|
||||
'settings_dbVersion' => "Схема БД утсрала",
|
||||
'settings_delete_install_folder' => "Удалите ENABLE_INSTALL_TOOL в каталоге конфигурации, для того что бы начать использовать систему",
|
||||
'settings_disable_install' => "Удалить ENABLE_INSTALL_TOOL есди возможно",
|
||||
'settings_disableSelfEdit_desc' => "Если включить, пользователи не смогут редактировать свою информацию",
|
||||
'settings_disableSelfEdit' => "Отключить собстенное редактирование",
|
||||
'settings_Display' => "Отключить настройки",
|
||||
'settings_Edition' => "Настройки редакции",
|
||||
'settings_enableAdminRevApp_desc' => "Отключить, что бы скрыть админа из списка рецензирующих/утверждающих",
|
||||
'settings_enableAdminRevApp' => "Админ рулит)))",
|
||||
'settings_enableCalendar_desc' => "Включить/отключить календарь",
|
||||
'settings_enableCalendar' => "Включить календарь",
|
||||
'settings_enableConverting_desc' => "Включить/отключить конвертацию файлов",
|
||||
'settings_enableConverting' => "Включить конвертацию",
|
||||
'settings_enableEmail_desc' => "Включить/отключить автоматическое уведомление по email",
|
||||
'settings_enableEmail' => "Включить E-mail",
|
||||
'settings_enableFolderTree_desc' => "Отключено - не показывать дерево папок",
|
||||
'settings_enableFolderTree' => "Включить дерево папок",
|
||||
'settings_enableFullSearch' => "Включить полнотекстовы поиск",
|
||||
'settings_enableFullSearch_desc' => "Включить полнотекстовый поиск",
|
||||
'settings_enableGuestLogin_desc' => "Что бы разрешить гостевой вход, включите эту опцию. Гостевой вход должен использоваться только в довереной среде.",
|
||||
'settings_enableGuestLogin' => "Включить гостевой вход",
|
||||
'settings_enableLargeFileUpload_desc' => "Если включено, загрузка файлов дуступна так же через ява-апплет, называемый jumploader, без лимита на размер файла. Это так же позволит загружать несколько файлов за раз.",
|
||||
'settings_enableLargeFileUpload' => "Включить ява-загрузчик файлов",
|
||||
'settings_enablePasswordForgotten_desc' => "Если включено, разрешает юзерам восстанавливать пароль на email.",
|
||||
'settings_enablePasswordForgotten' => "Включить восстановление пароля",
|
||||
'settings_enableUserImage_desc' => "Включить аватары пользователей",
|
||||
'settings_enableUserImage' => "Включить аватары",
|
||||
'settings_enableUsersView_desc' => "Включить/отключить просмотр групп/пользователей для всех пользователей",
|
||||
'settings_enableUsersView' => "Включить просмотр пользователей",
|
||||
'settings_error' => "Ошибка",
|
||||
'settings_expandFolderTree_desc' => "Разворачивать дерево папок",
|
||||
'settings_expandFolderTree' => "Разворачивать дерево папок",
|
||||
'settings_expandFolderTree_val0' => "начинать со свернутого дерева",
|
||||
'settings_expandFolderTree_val1' => "начинать с развернутого дерева с развернутым первым уровнем",
|
||||
'settings_expandFolderTree_val2' => "начинать с полностью развернутого дерева",
|
||||
'settings_firstDayOfWeek_desc' => "Первый день недели",
|
||||
'settings_firstDayOfWeek' => "Первый день недели",
|
||||
'settings_footNote_desc' => "Сообщение, показываемое внизу каждой страницы",
|
||||
'settings_footNote' => "Футер",
|
||||
'settings_guestID_desc' => "Идентификатор гостя (можно не изменять)",
|
||||
'settings_guestID' => "Идентификатор гостя",
|
||||
'settings_httpRoot_desc' => "Относительный путь в URL, после доменной части. Без http://. Например если полный URL http://www.example.com/letodms/, то нам нужно указать '/letodms/'. Если URL http://www.example.com/, то '/'",
|
||||
'settings_httpRoot' => "Корень Http",
|
||||
'settings_installADOdb' => "Установить ADOdb",
|
||||
'settings_install_success' => "Установка успешно завершена.",
|
||||
'settings_install_pear_package_log' => "Установите пакет Pear 'Log'",
|
||||
'settings_install_pear_package_webdav' => "Установите пакет Pear 'HTTP_WebDAV_Server', если собираетесь использовать этот протокол",
|
||||
'settings_install_zendframework' => "Установите Zend Framework, если собираетесь использовать полнотекстовый поиск",
|
||||
'settings_language' => "Язык по-умолчанию",
|
||||
'settings_language_desc' => "Язык по-умолчанию (название подпапки в папке \"languages\")",
|
||||
'settings_logFileEnable_desc' => "Включить/отключить лог",
|
||||
'settings_logFileEnable' => "Включить лог",
|
||||
'settings_logFileRotation_desc' => "Прокрутка лога",
|
||||
'settings_logFileRotation' => "Прокрутка лога",
|
||||
'settings_luceneDir' => "Каталог для полнотекстового индекса",
|
||||
'settings_maxDirID_desc' => "Максимум подпапок в родительской папке. По-умолчанию: 32700.",
|
||||
'settings_maxDirID' => "Максимальный ID папки",
|
||||
'settings_maxExecutionTime_desc' => "Устанавливает максимальное время выполнения скрипта, перед тем как он будет прибит парсером",
|
||||
'settings_maxExecutionTime' => "Максимальное время выполнения (с)",
|
||||
'settings_more_settings' => "Еще настройки. Дефолтный логин: admin/admin",
|
||||
'settings_no_content_dir' => "Каталог контента",
|
||||
'settings_notfound' => "Не найден",
|
||||
'settings_notwritable' => "Конфигурация не может быть сохранена, потому что файл конфигурации только для чтения.",
|
||||
'settings_partitionSize' => "Частичный размер файла",
|
||||
'settings_partitionSize_desc' => "Размер частичных файлов в байтах, загружаемых через jumploader. Не устанавливать выше максимально возможного размера, установленного на сервере.",
|
||||
'settings_perms' => "Разрешения",
|
||||
'settings_pear_log' => "Пакет Pear : Log",
|
||||
'settings_pear_webdav' => "Пакет Pear : HTTP_WebDAV_Server",
|
||||
'settings_php_dbDriver' => "PHP extension : php_'see current value'",
|
||||
'settings_php_gd2' => "PHP extension : php_gd2",
|
||||
'settings_php_mbstring' => "PHP extension : php_mbstring",
|
||||
'settings_printDisclaimer_desc' => "Если включенно, то дисклаймер из lang.inc будет выводится внизу каждой страницы",
|
||||
'settings_printDisclaimer' => "Выводить дисклаймер",
|
||||
'settings_restricted_desc' => "Разрешать вход пользователям, только если у них есть соответствующая учетка в БД (независимо от успешного входа через LDAP)",
|
||||
'settings_restricted' => "Ограниченый доступ",
|
||||
'settings_rootDir_desc' => "Путь к letoDMS",
|
||||
'settings_rootDir' => "Корневая папка",
|
||||
'settings_rootFolderID_desc' => "ID каждой корневой папки (можно не менять)",
|
||||
'settings_rootFolderID' => "ID корневой папки",
|
||||
'settings_SaveError' => "Ошибка при сохранении конфигурации",
|
||||
'settings_Server' => "Настройки сервера",
|
||||
'settings' => "Настройки",
|
||||
'settings_siteDefaultPage_desc' => "Страница,показываемая после входа. Есди пусто, то out/out.ViewFolder.php",
|
||||
'settings_siteDefaultPage' => "Страница по-умолчанию",
|
||||
'settings_siteName_desc' => "Название сайта, используемое в заголовках. По-умолчанию: letoDMS",
|
||||
'settings_siteName' => "Название сайта",
|
||||
'settings_Site' => "Сайт",
|
||||
'settings_smtpPort_desc' => "Порт сервера SMTP, по-умолчанию 25",
|
||||
'settings_smtpPort' => "SMTP порт",
|
||||
'settings_smtpSendFrom_desc' => "Отправлено от",
|
||||
'settings_smtpSendFrom' => "От",
|
||||
'settings_smtpServer_desc' => "Хост SMTP",
|
||||
'settings_smtpServer' => "Хост SMTP",
|
||||
'settings_SMTP' => "Настройки SMTP",
|
||||
'settings_stagingDir' => "Папка для частичных загрузок",
|
||||
'settings_strictFormCheck_desc' => "Если включить, то все поля формы будут проверяться на заполненость. Если выключить, то коментарии и теги станут опциональными. Коментарий всегда обезателен при рецензировании или изменении статуса.",
|
||||
'settings_strictFormCheck' => "Полная проверка форм",
|
||||
'settings_suggestionvalue' => "Предлагаемое значение",
|
||||
'settings_System' => "Система",
|
||||
'settings_theme' => "Тема по-умолчанию",
|
||||
'settings_theme_desc' => "Стиль по-умолчанию (подпапка в папке \"styles\")",
|
||||
'settings_titleDisplayHack_desc' => "Костяль для заголовков длиннее двух строк",
|
||||
'settings_titleDisplayHack' => "Костыль для заголовков",
|
||||
'settings_updateDatabase' => "Запустить обновление схемы БД",
|
||||
'settings_updateNotifyTime_desc' => "Пользователи уведомляются об измененях в документах за последние 'Update Notify Time' секунд",
|
||||
'settings_updateNotifyTime' => "Вермя уведомлений об изменениях",
|
||||
'settings_versioningFileName_desc' => "Названия файла версий, создаваемого инструментом бекапа",
|
||||
'settings_versioningFileName' => "Название файла версий",
|
||||
'settings_viewOnlineFileTypes_desc' => "Файлы с одним из следующих расширений могут просматриваться онлайн (только маленькие буквы)",
|
||||
'settings_viewOnlineFileTypes' => "Типы файлов для просмотра онлайн",
|
||||
'settings_zendframework' => "Zend Framework",
|
||||
'signed_in_as' => "Вход под",
|
||||
'sign_in' => "вход",
|
||||
'sign_out' => "выход",
|
||||
'space_used_on_data_folder' => "Размер каталога данных",
|
||||
'status_approval_rejected' => "Черновик отклонен",
|
||||
'status_approved' => "Утвержден",
|
||||
'status_approver_removed' => "Утверждающий удален из процесса",
|
||||
'status_not_approved' => "Не утвержден",
|
||||
'status_not_reviewed' => "Не рецензирован",
|
||||
'status_reviewed' => "Рецензирован",
|
||||
'status_reviewer_rejected' => "Черновик отклонен",
|
||||
'status_reviewer_removed' => "Рецензирующий удален из процесса",
|
||||
'status' => "Статус",
|
||||
'status_unknown' => "Неизвестный",
|
||||
'storage_size' => "Размер хранилища",
|
||||
'submit_approval' => "Утвердить",
|
||||
'submit_login' => "Войти",
|
||||
'submit_password' => "Установить новый пароль",
|
||||
'submit_password_forgotten' => "Начать процесс",
|
||||
'submit_review' => "Рецензировать",
|
||||
'sunday' => "Воскресенье",
|
||||
'theme' => "Тема",
|
||||
'thursday' => "Четверг",
|
||||
'toggle_manager' => "Включить менеджер",
|
||||
'to' => "к",
|
||||
'tuesday' => "Вторник",
|
||||
'under_folder' => "В папке",
|
||||
'unknown_command' => "Команда не опознана.",
|
||||
'unknown_document_category' => "Неизвестная категория",
|
||||
'unknown_group' => "Неизвестный идентификатор группы",
|
||||
'unknown_id' => "неизвестный идентификатор",
|
||||
'unknown_keyword_category' => "Неизвестная категория",
|
||||
'unknown_owner' => "Неизвестный идентификатор собственника",
|
||||
'unknown_user' => "Неизвестный идентификатор пользователя",
|
||||
'unlock_cause_access_mode_all' => "Вы все еще можете его обновить, потому что имеете уровень доступа \"all\". Блокировка будет снята автоматически.",
|
||||
'unlock_cause_locking_user' => "Вы все еще можете его обновить, потому что вы один из тех кто его заблокировал. Блокировка будет снята автоматически.",
|
||||
'unlock_document' => "Разблокировать",
|
||||
'update_approvers' => "Обновить список утверждающих",
|
||||
'update_document' => "Обновить документ",
|
||||
'update_fulltext_index' => "Обновить полнотекстовый индекс",
|
||||
'update_info' => "Обновить информацию",
|
||||
'update_locked_msg' => "Этот документ заблокирован",
|
||||
'update_reviewers' => "Обновить список рецензирующих",
|
||||
'update' => "Обновить",
|
||||
'uploaded_by' => "Загружен",
|
||||
'uploading_failed' => "Загрузка не удалась. Свяжитесь с админом",
|
||||
'use_default_categories' => "Использовать предопределенные категории",
|
||||
'use_default_keywords' => "Использовать предопределенные теги",
|
||||
'user_exists' => "Пользователь существует",
|
||||
'user_image' => "Изображение",
|
||||
'user_info' => "Информация о пользователе",
|
||||
'user_list' => "Список пользователей",
|
||||
'user_login' => "Идентификатор пользователя",
|
||||
'user_management' => "Управление пользователями",
|
||||
'user_name' => "Полное имя",
|
||||
'users' => "Пользователи",
|
||||
'user' => "Пользователь",
|
||||
'version_deleted_email' => "Версия удалена",
|
||||
'version_info' => "Информация о версии",
|
||||
'versioning_file_creation' => "Создание файла версий",
|
||||
'versioning_file_creation_warning' => "Эта операция создаст файл версий для всей папки. После создания файл будет сохранен в каталоге документов.",
|
||||
'versioning_info' => "Информация о версиях",
|
||||
'version' => "Версия",
|
||||
'view_online' => "Просмотреть",
|
||||
'warning' => "Внимание",
|
||||
'wednesday' => "Среда",
|
||||
'week_view' => "Неделя",
|
||||
'year_view' => "Год",
|
||||
'yes' => "Да",
|
||||
);
|
||||
?>
|
418
languages/sk_SK/lang.inc
Normal file
418
languages/sk_SK/lang.inc
Normal file
|
@ -0,0 +1,418 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006 Malcolm Cowe
|
||||
// Copyright (C) 2008 Ivan Masár
|
||||
// Copyright (C) 2010 Peter Nemšák
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "Prijať",
|
||||
'access_denied' => "Prístup zamietnutý.",
|
||||
'access_inheritance' => "Dedičnosť prístupu",
|
||||
'access_mode' => "Režim prístupu",
|
||||
'access_mode_all' => "Každý",
|
||||
'access_mode_none' => "Žiadny prístup",
|
||||
'access_mode_read' => "Na čítanie",
|
||||
'access_mode_readwrite' => "Na čítanie aj zápis",
|
||||
'access_permission_changed_email' => "Pristupové prava zmenene",
|
||||
'actions' => "Činnosti",
|
||||
'add' => "Pridať",
|
||||
'add_doc_reviewer_approver_warning' => "Pozn.: Dokumenty sa automaticky označia ako vydané ak nie je pridelený žiadny kontrolór alebo schvaľovateľ.",
|
||||
'add_document' => "Pridať dokument",
|
||||
'add_document_link' => "Pridať odkaz",
|
||||
'add_event' => "Pridať udalosť",
|
||||
'add_group' => "Pridať novú skupinu",
|
||||
'add_member' => "Pridať člena",
|
||||
'add_multiple_files' => "Pridať viacero súborov (názov súboru sa použije ako názov dokumentu)",
|
||||
'add_subfolder' => "Pridať podzložku",
|
||||
'add_user' => "Pridať nového používatela",
|
||||
'admin' => "Správca",
|
||||
'admin_tools' => "Nástroje správcu",
|
||||
'all_documents' => "Všetky dokumenty",
|
||||
'all_pages' => "Všetky",
|
||||
'all_users' => "Všetci používatelia",
|
||||
//$text["already_subscribed"] = "Already subscribed",
|
||||
'and' => "a",
|
||||
'approval_deletion_email' => "Poziadavka na schvalenie zmazana",
|
||||
'approval_group' => "Skupina schválenia",
|
||||
'approval_request_email' => "Poziadavka na schvalenie",
|
||||
'approval_status' => "Stav schválenia",
|
||||
'approval_submit_email' => "Poslane schvalenie",
|
||||
'approval_summary' => "Zhrnutie schválenia",
|
||||
'approval_update_failed' => "Chyba pri aktualizácii stavu schválenia. Aktualizácia zlyhala.",
|
||||
'approvers' => "Schvaľovatelia",
|
||||
'april' => "Apríl",
|
||||
'archive_creation' => "Vytvorenie archívu",
|
||||
'archive_creation_warning' => "Touto akciou môžete vytvoriť archív obsahujúci celú DMS zložku. Po vytvorení bude každý súbor uložený do dátovej zložky súborov na vašom serveri.<br>UPOZORNENIE: uživateľsky prístupný archív nie je možné použiť ako zálohu servera.",
|
||||
'assign_approvers' => "Určiť schvaľovateľov",
|
||||
'assign_reviewers' => "Určiť recenzentov",
|
||||
'assign_user_property_to' => "Assign user's properties to",
|
||||
'assumed_released' => "Pokladá sa za zverejnené",
|
||||
'august' => "August",
|
||||
'automatic_status_update' => "Automaticka zmena stavu",
|
||||
'back' => "Prejsť späť",
|
||||
'backup_list' => "Zoznam záloh",
|
||||
'backup_remove' => "Odstrániť zálohu",
|
||||
'backup_tools' => "Zálohovacie nástroje",
|
||||
'between' => "medzi",
|
||||
'calendar' => "Kalendár",
|
||||
'cancel' => "Zrušiť",
|
||||
'cannot_assign_invalid_state' => "Nie je možné prideliť schvaľovateľov dokumentu, ktorý nečaká na kontrolu alebo schválenie.",
|
||||
'cannot_change_final_states' => "Upozornenie: Nebolo možné zmeniť stav dokumentov, ktoré boli odmietnuté, označené ako zastaralé alebo platnosť vypršala.",
|
||||
//$text["cannot_delete_yourself"] = "Cannot delete yourself",
|
||||
'cannot_move_root' => "Chyba: Nie je možné presunúť koreňovú zložku.",
|
||||
'cannot_retrieve_approval_snapshot' => "Nie je možné získať informáciu o stave schválenia tejto verzie dokumentu.",
|
||||
'cannot_retrieve_review_snapshot' => "Nie je možné získať informáciu o stave kontroly tejto verzie dokumentu.",
|
||||
'cannot_rm_root' => "Chyba: Nie je možné zmazať koreňovú zložku.",
|
||||
'change_assignments' => "Zmeniť úlohy",
|
||||
'change_status' => "Zmeniť stav",
|
||||
'choose_category' => "--Vyberte prosím--",
|
||||
'choose_group' => "--Vyberte skupinu--",
|
||||
'choose_target_document' => "Vyberte dokument",
|
||||
'choose_target_folder' => "Vyberte cieľovú zložku",
|
||||
'choose_user' => "--Vyberte používateľa--",
|
||||
'comment_changed_email' => "Komentar zmeneny",
|
||||
'comment' => "Komentár",
|
||||
'comment_for_current_version' => "Version comment",
|
||||
'confirm_pwd' => "Potvrdenie hesla",
|
||||
'confirm_rm_backup' => "Skutočne si prajete odstrániť zálohu \"[arkname]\"?<br>Buďte opatrní, táto akcia je nezvratná.",
|
||||
'confirm_rm_document' => "Naozaj chcete odstrániť dokument \"[documentname]\"?<br>Buďte opatrní: Túto činnosť nemožno vrátiť späť.",
|
||||
'confirm_rm_dump' => "Skutočne si prajete odstrániť \"[dumpname]\"?<br>Buďte opatrní, táto akcia je nezvratná.",
|
||||
'confirm_rm_event' => "Skutočne si prajete odstrániť udalosť \"[name]\"?<br>Buďte opatrní, táto akcia je nezvratná.",
|
||||
'confirm_rm_file' => "Skutočne si prajete odstrániť súbor \"[name]\" z dokumentu \"[documentname]\"?<br>Buďte opatrní, táto akcia je nezvratná.",
|
||||
'confirm_rm_folder' => "Naozaj chcete odstrániť \"[foldername]\" a jeho obsah?<br>Buďte opatrní: Túto činnosť nemožno vrátiť späť.",
|
||||
'confirm_rm_folder_files' => "Skutočne si prajete odstrániť všetky súbory zložky \"[foldername]\" a všetkých jej podzložiek?<br>Buďte opatrní, táto akcia je nezvratná.",
|
||||
'confirm_rm_group' => "Skutočne si prajete odstrániť skupinu \"[groupname]\"?<br>Buďte opatrní, táto akcia je nezvratná.",
|
||||
'confirm_rm_log' => "Skutočne si prajete zmazať protokol \"[logname]\"?<br>Buďte opatrní, táto akcia je nezvratná.",
|
||||
'confirm_rm_user' => "Skutočne si prajete odstrániť používateľa \"[username]\"?<br>Buďte opatrní, táto akcia je nezvratná.",
|
||||
'confirm_rm_version' => "Naozaj chcete odstrániť verziu [version] dokumentu \"[documentname]\"?<br>Buďte opatrní: Túto činnosť nemožno vrátiť späť.",
|
||||
'content' => "Obsah",
|
||||
'continue' => "Pokračovať",
|
||||
'creation_date' => "Vytvorené",
|
||||
'current_version' => "Aktuálna verzia",
|
||||
'december' => "December",
|
||||
'default_access' => "Štandardný režim prístupu",
|
||||
'default_keywords' => "Dostupné kľúčové slová",
|
||||
'delete' => "Zmazať",
|
||||
'details' => "Podrobnosti",
|
||||
'details_version' => "Podrobnosti verzie: [version]",
|
||||
'disclaimer' => "Toto je zabezpečená zóna. Prístup je povolený len autorizovaným osobám.",
|
||||
'document_already_locked' => "Tento dokument je už zamknutý",
|
||||
'document_deleted' => "Dokument zmazaný",
|
||||
'document_deleted_email' => "Dokument zmazany",
|
||||
'document' => "Dokument",
|
||||
'document_infos' => "Informácie o dokumente",
|
||||
'document_is_not_locked' => "Tento dokument nie je zamknutý",
|
||||
'document_link_by' => "Odkazuje sem",
|
||||
'document_link_public' => "Verejný",
|
||||
'document_moved_email' => "Dokument presunuty",
|
||||
'document_renamed_email' => "Dokument premenovany",
|
||||
'documents' => "Dokumenty",
|
||||
'documents_in_process' => "Dokumenty v spracovaní",
|
||||
'documents_locked_by_you' => "Vami uzamknuté dokumenty",
|
||||
'document_status_changed_email' => "Stav dokumentu zmeneny",
|
||||
'documents_to_approve' => "Dokumenty čakajúce na schválenie používateľa",
|
||||
'documents_to_review' => "Dokumenty čakajúce na kontrolu používateľa",
|
||||
'documents_user_requiring_attention' => "Dokumenty, ktoré používateľ vlastní a vyžadujú pozornosť",
|
||||
'document_title' => "Dokument '[documentname]'",
|
||||
'document_updated_email' => "Dokument aktualizovany",
|
||||
'does_not_expire' => "Platnosť nikdy nevyprší",
|
||||
'does_not_inherit_access_msg' => "Zdediť prístup",
|
||||
'download' => "Stiahnuť",
|
||||
'draft_pending_approval' => "Návrh - čaká na schválenie",
|
||||
'draft_pending_review' => "Návrh - čaká na kontrolu",
|
||||
'dump_creation' => "Vytvorenie výstupu DB",
|
||||
'dump_creation_warning' => "Touto akciou môžete vytvoriť výstup obsahu Vašej databázy. Po vytvorení bude výstup uložený v dátovej zložke vášho servera.",
|
||||
'dump_list' => "Existujúce výstupy",
|
||||
'dump_remove' => "Odstrániť vystup",
|
||||
'edit_comment' => "Upraviť komentár",
|
||||
'edit_default_keyword_category' => "Upraviť kategórie",
|
||||
'edit_document_access' => "Upraviť prístup",
|
||||
'edit_document_notify' => "Zoznam upozornení",
|
||||
'edit_document_props' => "Upraviť dokument",
|
||||
'edit' => "upraviť",
|
||||
'edit_event' => "Upraviť udalosť",
|
||||
'edit_existing_access' => "Upraviť zoznam riadenia prístupu",
|
||||
'edit_existing_notify' => "Upraviť zoznam upozornení",
|
||||
'edit_folder_access' => "Upraviť prístup",
|
||||
'edit_folder_notify' => "Zoznam upozornení",
|
||||
'edit_folder_props_again' => "Znova upraviť vlastnosti zložky",
|
||||
'edit_group' => "Upraviť skupinu",
|
||||
'edit_user_details' => "Upraviť podrobnosti používateľa",
|
||||
'edit_user' => "Upraviť používateľa",
|
||||
'email' => "Email",
|
||||
'email_footer' => "Nastavenia e-mailu si kedykoľvek môžete zmeniť cez 'Môj účet'",
|
||||
'email_header' => "Toto je automatická správa od DMS servera.",
|
||||
'empty_notify_list' => "Žiadne položky",
|
||||
'error_occured' => "Vyskytla sa chyba",
|
||||
'event_details' => "Detail udalosti",
|
||||
'expired' => "Platnosť vypršala",
|
||||
'expires' => "Platnosť vyprší",
|
||||
'expiry_changed_email' => "Datum platnosti zmeneny",
|
||||
'february' => "Február",
|
||||
'file' => "Súbor",
|
||||
'files_deletion' => "Odstránenie súboru",
|
||||
'files_deletion_warning' => "Touto akciou môžete odstrániť celú DMS zložku. Verziovacie informácie zostanú viditeľné.",
|
||||
'files' => "Súbory",
|
||||
'file_size' => "Veľkosť súboru",
|
||||
'folder_contents' => "Obsah zložky",
|
||||
'folder_deleted_email' => "Zlozka zmazana",
|
||||
'folder' => "Zlozka",
|
||||
'folder_infos' => "Informácie o zložke",
|
||||
'folder_moved_email' => "Zlozka presunuta",
|
||||
'folder_renamed_email' => "Zlozka premenovana",
|
||||
'folders_and_documents_statistic' => "Prehľad zložiek a dokumentov",
|
||||
'folders' => "Zložky",
|
||||
'folder_title' => "Zložka '[foldername]'",
|
||||
'friday' => "Piatok",
|
||||
'from' => "Od",
|
||||
'global_default_keywords' => "Globálne kľúčové slová",
|
||||
'group_approval_summary' => "Zhrnutie skupinového schválenia",
|
||||
'group_exists' => "Skupina už existuje.",
|
||||
'group' => "Skupina",
|
||||
'group_management' => "Skupiny",
|
||||
'group_members' => "Členovia skupiny",
|
||||
'group_review_summary' => "Zhrnutie skupinovej recenzie",
|
||||
'groups' => "Skupiny",
|
||||
'guest_login_disabled' => "Prihlásenie ako hosť je vypnuté.",
|
||||
'guest_login' => "Prihlásiť sa ako hosť",
|
||||
'help' => "Pomoc",
|
||||
'human_readable' => "Použivateľský archív",
|
||||
'include_documents' => "Vrátane súborov",
|
||||
'include_subdirectories' => "Vrátane podzložiek",
|
||||
'individuals' => "Jednotlivci",
|
||||
'inherits_access_msg' => "Prístup sa dedí.",
|
||||
'inherits_access_copy_msg' => "Skopírovať zdedený zoznam riadenia prístupu",
|
||||
'inherits_access_empty_msg' => "Založiť nový zoznam riadenia prístupu",
|
||||
'internal_error_exit' => "Vnútorná chyba. Nebolo možné dokončiť požiadavku. Ukončuje sa.",
|
||||
'internal_error' => "Vnútorná chyba",
|
||||
'invalid_access_mode' => "Neplatný režim prístupu",
|
||||
'invalid_action' => "Neplatná činnosť",
|
||||
'invalid_approval_status' => "Neplatný stav schválenia",
|
||||
'invalid_create_date_end' => "Neplatný koncový dátum vytvorenia.",
|
||||
'invalid_create_date_start' => "Neplatný počiatočný dátum vytvorenia.",
|
||||
'invalid_doc_id' => "Neplatný ID dokumentu",
|
||||
'invalid_file_id' => "Nesprávne ID súboru",
|
||||
'invalid_folder_id' => "Neplatný ID zložky",
|
||||
'invalid_group_id' => "Neplatný ID skupiny",
|
||||
'invalid_link_id' => "Neplatný ID odkazu",
|
||||
'invalid_request_token' => "Invalid Request Token",
|
||||
'invalid_review_status' => "Neplatný stav kontroly",
|
||||
'invalid_sequence' => "Neplatná hodnota postupnosti",
|
||||
'invalid_status' => "Neplatný stav dokumentu",
|
||||
'invalid_target_doc_id' => "Neplatné cieľové ID dokumentu",
|
||||
'invalid_target_folder' => "Neplatné cieľové ID zložky",
|
||||
'invalid_user_id' => "Neplatné ID používateľa",
|
||||
'invalid_version' => "Neplatná verzia dokumentu",
|
||||
'is_hidden' => "Nezobrazovať v zozname používateľov",
|
||||
'january' => "Január",
|
||||
'js_no_approval_group' => "Prosím, vyberte skupinu pre schválenie",
|
||||
'js_no_approval_status' => "Prosím, vyberte stav schválenia",
|
||||
'js_no_comment' => "Žiadny komentár",
|
||||
'js_no_email' => "Napíšte svoju emailovú adresu",
|
||||
'js_no_file' => "Prosím, vyberte súbor",
|
||||
'js_no_keywords' => "Zadajte nejaké kľúčové slová",
|
||||
'js_no_login' => "Prosím, napíšte meno používateľa",
|
||||
'js_no_name' => "Prosím, napíšte meno",
|
||||
'js_no_override_status' => "Prosím, vyberte nový stav [prepíše sa]",
|
||||
'js_no_pwd' => "Budete musieť napísať svoje heslo",
|
||||
'js_no_query' => "Napíšte požiadavku",
|
||||
'js_no_review_group' => "Prosím, vyberte skupinu pre kontrolu",
|
||||
'js_no_review_status' => "Prosím, vyberte stav kontroly",
|
||||
'js_pwd_not_conf' => "Heslo a potvrdenie hesla sa nezhodujú",
|
||||
'js_select_user_or_group' => "Vyberte aspoň používateľa alebo skupinu",
|
||||
'js_select_user' => "Prosím, vyberte používateľa",
|
||||
'july' => "Júl",
|
||||
'june' => "Jún",
|
||||
'keyword_exists' => "Kľúčové slovo už existuje",
|
||||
'keywords' => "Kľúčové slová",
|
||||
'language' => "Jazyk",
|
||||
'last_update' => "Posledná aktualizácia",
|
||||
'linked_documents' => "Súvisiace dokumenty",
|
||||
'linked_files' => "Prílohy",
|
||||
'local_file' => "Lokálny súbor",
|
||||
'lock_document' => "Zamknúť",
|
||||
'lock_message' => "Tento dokument zamkol <a href=\"mailto:[email]\">[username]</a>.<br>Iba oprávnení používatelia ho môžu odomknúť (pozri koniec stránky).",
|
||||
'lock_status' => "Stav",
|
||||
'login_error_text' => "Chyba pri prihlasovaní. ID používateľa alebo heslo je nesprávne.",
|
||||
'login_error_title' => "Chyba pri prihlasovaní",
|
||||
'login_not_given' => "Nebolo zadané používateľské meno",
|
||||
'login_ok' => "Prihlásenie prebehlo úspešne",
|
||||
'log_management' => "Správa protokolov",
|
||||
'logout' => "Odhlásenie",
|
||||
'manager' => "Manager",
|
||||
'march' => "Marec",
|
||||
'max_upload_size' => "Maximálna veľkosť každého súboru",
|
||||
'may' => "Máj",
|
||||
'monday' => "Pondelok",
|
||||
'month_view' => "Mesiac",
|
||||
'move_document' => "Presunúť dokument",
|
||||
'move_folder' => "Presunúť zložku",
|
||||
'move' => "Presunúť",
|
||||
'my_account' => "Môj účet",
|
||||
'my_documents' => "Moje dokumenty",
|
||||
'name' => "Meno",
|
||||
'new_default_keyword_category' => "Pridať kategóriu",
|
||||
'new_default_keywords' => "Pridať kľúčové slová",
|
||||
'new_document_email' => "Novy dokument",
|
||||
'new_file_email' => "Nova priloha",
|
||||
//$text["new_folder"] = "New folder",
|
||||
'new' => "Nove",
|
||||
'new_subfolder_email' => "Nova zlozka",
|
||||
'new_user_image' => "Nový obrázok",
|
||||
'no_action' => "Nič sa nevykoná",
|
||||
//$text["no_approval_needed"] = "No approval pending.",
|
||||
//$text["no_attached_files"] = "No attached files",
|
||||
'no_default_keywords' => "Nie sú dostupné žiadne kľúčové slová.",
|
||||
//$text["no_docs_locked"] = "No documents locked.",
|
||||
'no_docs_to_approve' => "Momentálne neexistujú žiadne dokumenty, ktoré vyžadujú schválenie.",
|
||||
//$text["no_docs_to_look_at"] = "No documents that need attention.",
|
||||
'no_docs_to_review' => "Momentálne neexistujú žiadne dokumenty, ktoré vyžadujú kontrolu.",
|
||||
'no_group_members' => "Táto skupina nemá žiadnych členov",
|
||||
'no_groups' => "Žiadne skupiny",
|
||||
'no_linked_files' => "No linked files",
|
||||
'no' => "Nie",
|
||||
'no_previous_versions' => "Neboli nájdené žiadne iné verzie",
|
||||
'no_review_needed' => "No review pending.",
|
||||
'notify_added_email' => "Boli ste pridani do notifikacneho zoznamu",
|
||||
'notify_deleted_email' => "Boli ste odstraneni do notifikacneho zoznamu",
|
||||
'no_update_cause_locked' => "Preto nemôžete aktualizovať tento dokument. Prosím, kontaktujte používateľa, ktorý ho zamkol.",
|
||||
'no_user_image' => "nebol nájdený žiadny obrázok",
|
||||
'november' => "November",
|
||||
'obsolete' => "Zastaralé",
|
||||
'october' => "Október",
|
||||
'old' => "Stare",
|
||||
'only_jpg_user_images' => "Ako obrázky používateľov je možné použiť iba obrázky .jpg",
|
||||
'owner' => "Vlastník",
|
||||
'ownership_changed_email' => "Majitel zmeneny",
|
||||
'password' => "Heslo",
|
||||
'personal_default_keywords' => "Osobné kľúčové slová",
|
||||
'previous_versions' => "Predošlé verzie",
|
||||
'rejected' => "Odmietnuté",
|
||||
'released' => "Vydané",
|
||||
'removed_approver' => "bol odstránený zo zoznamu schvaľovateľov.",
|
||||
'removed_file_email' => "Odstranena priloha",
|
||||
'removed_reviewer' => "bol odstránený zo zoznamu kontrolórov.",
|
||||
'results_page' => "Výsledky",
|
||||
'review_deletion_email' => "Poziadavka na recenziu zmazana",
|
||||
'reviewer_already_assigned' => "je už poverený ako kontrolór",
|
||||
'reviewer_already_removed' => "už bol odstránený z procesu kontroly alebo poslal kontrolu",
|
||||
'reviewers' => "Kontrolóri",
|
||||
'review_group' => "Skupina kontroly",
|
||||
'review_request_email' => "Poziadavka na recenziu",
|
||||
'review_status' => "Stav kontroly",
|
||||
'review_submit_email' => "Poslana recenzia",
|
||||
'review_summary' => "Zhrnutie kontroly",
|
||||
'review_update_failed' => "Chyba pri aktualizácii stavu kontroly. Aktualizácia zlyhala.",
|
||||
'rm_default_keyword_category' => "Zmazať kategóriu",
|
||||
'rm_document' => "Odstrániť dokument",
|
||||
'rm_file' => "Odstrániť súbor",
|
||||
'rm_folder' => "Odstrániť zložku",
|
||||
'rm_group' => "Odstrániť túto skupinu",
|
||||
'rm_user' => "Odstrániť tohto používateľa",
|
||||
'rm_version' => "Odstrániť verziu",
|
||||
//$text["role_admin"] = "Administrator",
|
||||
//$text["role_guest"] = "Guest",
|
||||
//$text["role"] = "Role",
|
||||
'saturday' => "Sobota",
|
||||
'save' => "Uložiť",
|
||||
'search_in' => "Prehľadávať",
|
||||
'search_mode_and' => "všetky slová",
|
||||
'search_mode_or' => "aspoň jedno zo slov",
|
||||
'search_no_results' => "Vašej požiadavke nevyhovujú žiadne dokumenty ",
|
||||
'search_query' => "Hľadať",
|
||||
'search_report' => "Nájdených [count] dokumentov",
|
||||
'search_results_access_filtered' => "Výsledky hľadania môžu obsahovať obsah, ku ktorému bol zamietnutý prístup.",
|
||||
'search_results' => "Výsledky hľadania",
|
||||
'search' => "Hľadať",
|
||||
'search_time' => "Uplynulý čas: [time] sek",
|
||||
'selection' => "Výber",
|
||||
'select_one' => "Vyberte jeden",
|
||||
'september' => "September",
|
||||
'seq_after' => "Po \"[prevname]\"",
|
||||
'seq_end' => "Na koniec",
|
||||
'seq_keep' => "Ponechať pozíciu",
|
||||
'seq_start' => "Prvá pozícia",
|
||||
'sequence' => "Postupnosť",
|
||||
'set_expiry' => "Nastaviť vypršanie",
|
||||
//$text["set_owner_error"] = "Error setting owner",
|
||||
'set_owner' => "Nastaviť vlastníka",
|
||||
'signed_in_as' => "Prihlásený ako",
|
||||
'sign_out' => "odhlásiť",
|
||||
'space_used_on_data_folder' => "Space used on data folder",
|
||||
'status_approval_rejected' => "Návrh zamietnutý",
|
||||
'status_approved' => "Schválený",
|
||||
'status_approver_removed' => "Schvaľovateľ odstránený z procesu",
|
||||
'status_not_approved' => "Neschválený",
|
||||
'status_not_reviewed' => "Neskontrolovaný",
|
||||
'status_reviewed' => "Skontrolovaný",
|
||||
'status_reviewer_rejected' => "Návrh zamietnutý",
|
||||
'status_reviewer_removed' => "Kontrolór odstránený z procesu",
|
||||
'status' => "Stav",
|
||||
'status_unknown' => "Neznámy",
|
||||
'storage_size' => "Objem dát",
|
||||
'submit_approval' => "Poslať schválenie",
|
||||
'submit_login' => "Prihlásiť sa",
|
||||
'submit_review' => "Poslať kontrolu",
|
||||
'sunday' => "Nedeľa",
|
||||
'theme' => "Vzhľad",
|
||||
'thursday' => "Štvrtok",
|
||||
'toggle_manager' => "Prepnúť stav manager",
|
||||
'to' => "Do",
|
||||
'tuesday' => "Utorok",
|
||||
'under_folder' => "V zložke",
|
||||
'unknown_command' => "Príkaz nebol rozpoznaný.",
|
||||
'unknown_group' => "Neznámy ID skupiny",
|
||||
'unknown_id' => "Neznáme ID",
|
||||
'unknown_keyword_category' => "Neznáma kategória",
|
||||
'unknown_owner' => "Neznámy ID vlastníka",
|
||||
'unknown_user' => "Neznámy ID používateľa",
|
||||
'unlock_cause_access_mode_all' => "Môžete ho stále aktualizovať, pretože máte režim prístupu \"all\". Zámok bude automaticky odstránený.",
|
||||
'unlock_cause_locking_user' => "Môžete ho stále aktualizovať, pretože ste ten, kto ho aj zamkol. Zámok bude automaticky odstránený.",
|
||||
'unlock_document' => "Odomknúť",
|
||||
'update_approvers' => "Aktualizovať zoznam schvaľovateľov",
|
||||
'update_document' => "Aktualizovať",
|
||||
'update_info' => "Aktualizovať informácie",
|
||||
'update_locked_msg' => "Tento dokument je zamknutý.",
|
||||
'update_reviewers' => "Aktualizovať zoznam kontrolórov",
|
||||
'update' => "Aktualizovať",
|
||||
'uploaded_by' => "Nahral",
|
||||
'uploading_failed' => "Nahranie zlyhalo. Prosám, kontaktujte správcu.",
|
||||
'use_default_keywords' => "Použiť preddefinované kľúčové slová",
|
||||
'user_exists' => "Používateľ už existuje.",
|
||||
'user_image' => "Obrázok",
|
||||
'user_info' => "Informácie o používateľovi",
|
||||
'user_list' => "Zoznam používateľov",
|
||||
'user_login' => "ID používateľa",
|
||||
'user_management' => "Používatelia",
|
||||
'user_name' => "Plné meno",
|
||||
'users' => "Používateľ",
|
||||
'user' => "Používateľ",
|
||||
'version_deleted_email' => "Verzia zmazana",
|
||||
'version_info' => "Informácie o verzii",
|
||||
'versioning_file_creation' => "Vytvorenie verziovacieho súboru",
|
||||
'versioning_file_creation_warning' => "Touto akciou môžete vytvoriť súbor, obsahujúci verziovaciu informáciu celej DMS zložky. Po vytvorení bude každý súbor uložený do zložky súborov.",
|
||||
'versioning_info' => "Informácie o verziách",
|
||||
'version' => "Verzia",
|
||||
'view_online' => "Zobraziť online",
|
||||
'warning' => "Upozornenie",
|
||||
'wednesday' => "Streda",
|
||||
'week_view' => "Týždeň",
|
||||
'year_view' => "Rok",
|
||||
'yes' => "Áno",
|
||||
);
|
||||
?>
|
794
languages/sv_SE/lang.inc
Normal file
794
languages/sv_SE/lang.inc
Normal file
|
@ -0,0 +1,794 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Uwe Steinmann
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "Godkänn",
|
||||
'access_denied' => "Åtkomst nekas.",
|
||||
'access_inheritance' => "Ärv åtkomst",
|
||||
'access_mode' => "Åtkomstnivå",
|
||||
'access_mode_all' => "Full behörighet",
|
||||
'access_mode_none' => "Inga rättigheter",
|
||||
'access_mode_read' => "Läsrättighet",
|
||||
'access_mode_readwrite' => "Läs/Skriv-rättigheter",
|
||||
'access_permission_changed_email' => "Ändrade rättigheter",
|
||||
'according_settings' => "enl. inställningarna",
|
||||
'action' => "Åtgärd",
|
||||
'action_approve' => "Godkänn",
|
||||
'action_complete' => "Färdigställ",
|
||||
'action_is_complete' => "Är färdigställt",
|
||||
'action_is_not_complete' => "Är inte färdigställt",
|
||||
'action_reject' => "Avvisa",
|
||||
'action_review' => "Granska",
|
||||
'action_revise' => "Revidera",
|
||||
'actions' => "Åtgärder",
|
||||
'add' => "Lägg till",
|
||||
'add_doc_reviewer_approver_warning' => "OBS! Dokumentet kommer automatiskt att markeras klart för användning, om ingen person anges för granskning eller godkännande av dokumentet.",
|
||||
'add_doc_workflow_warning' => "OBS! Dokumentet kommer automatiskt att markeras klart för användning, om inget arbetsflöde anges.",
|
||||
'add_document' => "Lägg till dokument",
|
||||
'add_document_link' => "Lägg till länkat dokument",
|
||||
'add_event' => "Lägg till händelse",
|
||||
'add_group' => "Lägg till ny grupp",
|
||||
'add_member' => "Lägg till användare",
|
||||
'add_multiple_documents' => "Lägg till flera dokument",
|
||||
'add_multiple_files' => "Lägg till flera dokument (använder filnamnet som dokumentnamn)",
|
||||
'add_subfolder' => "Lägg till katalog",
|
||||
'add_to_clipboard' => "Flytta till Urklipp",
|
||||
'add_user' => "Lägg till ny användare",
|
||||
'add_user_to_group' => "Lägg till användare till grupp",
|
||||
'add_workflow' => "Lägg till nytt arbetsflöde",
|
||||
'add_workflow_state' => "Lägg till ny status",
|
||||
'add_workflow_action' => "Lägg till ny åtgärd",
|
||||
'admin' => "Administratör",
|
||||
'admin_tools' => "Admin-verktyg",
|
||||
'all' => "Alla",
|
||||
'all_categories' => "Alla kategorier",
|
||||
'all_documents' => "Alla dokument",
|
||||
'all_pages' => "Alla",
|
||||
'all_users' => "Alla användare",
|
||||
'already_subscribed' => "Prenumererar redan",
|
||||
'and' => "och",
|
||||
'apply' => "Använd",
|
||||
'approval_deletion_email' => "Begäran om godkännande har raderats",
|
||||
'approval_group' => "Grupp av personer som godkänner",
|
||||
'approval_request_email' => "Begäran om godkännande",
|
||||
'approval_status' => "Status för godkännande",
|
||||
'approval_submit_email' => "Skicka godkännande",
|
||||
'approval_summary' => "Sammanfattning av godkännande",
|
||||
'approval_update_failed' => "Fel vid uppdatering av godkännande-status. Status uppdaterades inte.",
|
||||
'approvers' => "Personer som godkänner",
|
||||
'april' => "april",
|
||||
'archive_creation' => "Skapa arkiv",
|
||||
'archive_creation_warning' => "Med denna funktion kan du skapa ett arkiv som innehåller filer från hela DMS-kataloger. När arkivet har skapats, kommer det att sparas i data-mappen på din server.<br>OBS! Skapas ett arkiv som är läsbart för användare, kan det inte användas för att återställa systemet.",
|
||||
'assign_approvers' => "Ge uppdrag till personer/grupper att godkänna dokumentet",
|
||||
'assign_reviewers' => "Ge uppdrag till personer/grupper att granska dokumentet",
|
||||
'assign_user_property_to' => "Sätt användarens egenskaper till",
|
||||
'assumed_released' => "Antas klart för användning",
|
||||
'attrdef_management' => "Hantering av attributdefinitioner",
|
||||
'attrdef_exists' => "Attributdefinitionen finns redan",
|
||||
'attrdef_in_use' => "Attributdefinitionen används",
|
||||
'attrdef_name' => "Namn",
|
||||
'attrdef_multiple' => "Tillåt flera värden",
|
||||
'attrdef_objtype' => "Objekttyp",
|
||||
'attrdef_type' => "Typ",
|
||||
'attrdef_minvalues' => "Min tillåtna värde",
|
||||
'attrdef_maxvalues' => "Max tillåtna värde",
|
||||
'attrdef_valueset' => "Värden",
|
||||
'attributes' => "Attribut",
|
||||
'august' => "augusti",
|
||||
'automatic_status_update' => "Automatisk ändring av status",
|
||||
'back' => "Tillbaka",
|
||||
'backup_list' => "Befintliga backup-filer",
|
||||
'backup_remove' => "Ta bort backup-fil",
|
||||
'backup_tools' => "Backup-verktyg",
|
||||
'backup_log_management' => "Backup/Loggning",
|
||||
'between' => "mellan",
|
||||
'calendar' => "Kalender",
|
||||
'cancel' => "Avbryt",
|
||||
'cannot_assign_invalid_state' => "Kan inte ändra ett dokument som har gått ut eller avvisats.",
|
||||
'cannot_change_final_states' => "OBS: Du kan inte ändra statusen för ett dokument som har avvisats eller gått ut eller som väntar på att bli godkänt.",
|
||||
'cannot_delete_yourself' => "Du kan inte ta bort dig själv.",
|
||||
'cannot_move_root' => "Fel: Det går inte att flytta root-katalogen.",
|
||||
'cannot_retrieve_approval_snapshot' => "Det är inte möjligt att skapa en snapshot av godkännande-statusen för denna version av dokumentet.",
|
||||
'cannot_retrieve_review_snapshot' => "Det är inte möjligt att skapa en snapshot för denna version av dokumentet.",
|
||||
'cannot_rm_root' => "Fel: Det går inte att ta bort root-katalogen.",
|
||||
'category' => "Kategori",
|
||||
'category_exists' => "Kategorin finns redan.",
|
||||
'category_filter' => "Bara kategorier",
|
||||
'category_in_use' => "Denna kategori används av ett dokument.",
|
||||
'category_noname' => "Inget kategorinamn angivet",
|
||||
'categories' => "Kategorier",
|
||||
'change_assignments' => "Ändra uppdrag",
|
||||
'change_password' => "Ändra lösenord",
|
||||
'change_password_message' => "Ditt lösenord har ändrats.",
|
||||
'change_status' => "Ändra status",
|
||||
'choose_attrdef' => "Välj attributdefinition",
|
||||
'choose_category' => "Välj",
|
||||
'choose_group' => "Välj grupp",
|
||||
'choose_target_category' => "Välj kategori",
|
||||
'choose_target_document' => "Välj dokument",
|
||||
'choose_target_file' => "Välj fil",
|
||||
'choose_target_folder' => "Välj katalog",
|
||||
'choose_user' => "Välj användare",
|
||||
'choose_workflow' => "Välj arbetsflöde",
|
||||
'choose_workflow_state' => "Välj status för arbetsflödet",
|
||||
'choose_workflow_action' => "Välj åtgärd för arbetsflödet",
|
||||
'comment_changed_email' => "Ändrad kommentar",
|
||||
'comment' => "Kommentar",
|
||||
'comment_for_current_version' => "Kommentar till versionen",
|
||||
'confirm_create_fulltext_index' => "Ja, jag vill återskapa fulltext-sökindex !",
|
||||
'confirm_pwd' => "Bekräfta lösenord",
|
||||
'confirm_rm_backup' => "Vill du verkligen ta bort filen \"[arkname]\"?<br>OBS! Om filen tas bort, kan den inte återskapas!",
|
||||
'confirm_rm_document' => "Vill du verkligen ta bort dokumentet \"[documentname]\"?<br>OBS! Om dokumentet tas bort, kan det inte återskapas!",
|
||||
'confirm_rm_dump' => "Vill du verkligen ta bort filen \"[dumpname]\"?<br>OBS! Om filen tas bort, kan den inte återskapas!",
|
||||
'confirm_rm_event' => "Vill du verkligen ta bort händelsen \"[name]\"?<br>OBS! Om händelsen tas bort, kan den inte återskapas!",
|
||||
'confirm_rm_file' => "Vill du verkligen ta bort filen \"[name]\" i dokumentet \"[documentname]\"?<br>OBS! Om filen tas bort, kan den inte återskapas!",
|
||||
'confirm_rm_folder' => "Vill du verkligen ta bort katalogen \"[foldername]\" och katalogens innehåll?<br>OBS! Katalogen och innehållet kan inte återskapas!",
|
||||
'confirm_rm_folder_files' => "Vill du verkligen ta bort alla filer i katalogen \"[foldername]\" och i katalogens undermappar?<br>OBS! Filerna kan inte återskapas!",
|
||||
'confirm_rm_group' => "Vill du verkligen ta bort gruppen \"[groupname]\"?<br>OBS! Gruppen kan inte återskapas!",
|
||||
'confirm_rm_log' => "Vill du verkligen ta bort loggfilen \"[logname]\"?<br>OBS! Loggfilen kan inte återskapas!",
|
||||
'confirm_rm_user' => "Vill du verkligen ta bort användaren \"[username]\"?<br>OBS! Användaren kan inte återskapas!",
|
||||
'confirm_rm_version' => "Vill du verkligen ta bort versionen [version] av dokumentet \"[documentname]\"?<br>OBS! Versionen kan inte återskapas!",
|
||||
'content' => "Innehåll",
|
||||
'continue' => "Fortsätt",
|
||||
'create_fulltext_index' => "Skapa fulltext-sökindex",
|
||||
'create_fulltext_index_warning' => "Du håller på att skapa fulltext-sökindex. Detta kan ta mycket lång tid och sakta ner den allmänna systemprestandan. Om du verkligen vill skapa indexet, bekräfta åtgärden.",
|
||||
'creation_date' => "Skapat",
|
||||
'current_password' => "Nuvarande lösenord",
|
||||
'current_version' => "Aktuell version",
|
||||
'daily' => "dagligen",
|
||||
'days' => "dagar",
|
||||
'databasesearch' => "Sök databas",
|
||||
'date' => "Datum",
|
||||
'december' => "december",
|
||||
'default_access' => "Standardrättigheter",
|
||||
'default_keywords' => "Möjliga nyckelord",
|
||||
'definitions' => "Definitioner",
|
||||
'delete' => "Ta bort",
|
||||
'details' => "Detaljer",
|
||||
'details_version' => "Detaljer för version: [version]",
|
||||
'disclaimer' => "Detta är ett sekretessbelagt område. Bara auktoriserade personer äger tillträde. Vid överträdelse kommer åtal att väckas i enlighet med nationella och internationella lagar.",
|
||||
'do_object_repair' => "Försök att laga kataloger och dokument.",
|
||||
'do_object_setfilesize' => "Ange filstorlek",
|
||||
'document_already_locked' => "Detta dokument är redan låst",
|
||||
'document_deleted' => "Dokumentet raderades",
|
||||
'document_deleted_email' => "Dokument har raderats",
|
||||
'document_duplicate_name' => "Dubbelt dokumentnamn",
|
||||
'document' => "Dokument",
|
||||
'document_has_no_workflow' => "Dokumentet har inget arbetsflöde",
|
||||
'document_infos' => "Dokumentinformation",
|
||||
'document_is_not_locked' => "Detta dokument är inte låst",
|
||||
'document_link_by' => "Länkat av",
|
||||
'document_link_public' => "Offentlig länk",
|
||||
'document_moved_email' => "Dokument har flyttats",
|
||||
'document_renamed_email' => "Dokument har bytt namn",
|
||||
'documents' => "Dokument",
|
||||
'documents_in_process' => "Dokument i bearbetning",
|
||||
'documents_locked_by_you' => "Dokument som du har låst",
|
||||
'documents_only' => "Bara dokument",
|
||||
'document_status_changed_email' => "Dokumentstatus ändrad",
|
||||
'documents_to_approve' => "Dokument som du behöver godkänna",
|
||||
'documents_to_review' => "Dokument som du behöver granska",
|
||||
'documents_user_requiring_attention' => "Dokument som du äger och som behöver din uppmärksamhet",
|
||||
'document_title' => "Dokument '[documentname]'",
|
||||
'document_updated_email' => "Dokument har uppdaterats",
|
||||
'does_not_expire' => "Löper aldrig ut",
|
||||
'does_not_inherit_access_msg' => "Ärv behörighet",
|
||||
'download' => "Ladda ner",
|
||||
'draft_pending_approval' => "Utkast: väntar på godkännande",
|
||||
'draft_pending_review' => "Utkast: väntar på granskning",
|
||||
'dropfolder_file' => "Fil från mellanlagrings-mappen",
|
||||
'dump_creation' => "Skapa DB-dump",
|
||||
'dump_creation_warning' => "Med denna funktion kan du skapa en dumpfil av innehållet i din databas. När dumpfilen har skapats, kommer den att sparas i datamappen på servern.",
|
||||
'dump_list' => "Befintliga dumpfiler",
|
||||
'dump_remove' => "Ta bort dumpfil",
|
||||
'edit_attributes' => "Ändra attribut",
|
||||
'edit_comment' => "Ändra kommentar",
|
||||
'edit_default_keywords' => "Ändra nyckelord",
|
||||
'edit_document_access' => "Ändra behörighet",
|
||||
'edit_document_notify' => "Dokument-meddelandelista",
|
||||
'edit_document_props' => "Ändra dokumentet",
|
||||
'edit' => "Ändrat",
|
||||
'edit_event' => "Ändra händelse",
|
||||
'edit_existing_access' => "Ändra lista med behörigheter",
|
||||
'edit_existing_notify' => "Ändra lista med meddelanden",
|
||||
'edit_folder_access' => "Ändra behörighet",
|
||||
'edit_folder_notify' => "Katalog-meddelandelista",
|
||||
'edit_folder_props' => "Ändra katalog",
|
||||
'edit_group' => "Ändra grupp",
|
||||
'edit_user_details' => "Ändra användarens information",
|
||||
'edit_user' => "Ändra användare",
|
||||
'email' => "E-post",
|
||||
'email_error_title' => "E-post saknas",
|
||||
'email_footer' => "Du kan alltid ändra dina e-postinställningar genom att gå till 'Min Sida'",
|
||||
'email_header' => "Detta meddelande skapades automatiskt från dokumentservern.",
|
||||
'email_not_given' => "Skriv in en giltig e-postadress.",
|
||||
'empty_folder_list' => "Inga dokument eller mappar",
|
||||
'empty_notify_list' => "Inga meddelanden",
|
||||
'equal_transition_states' => "Start and slut status är lika",
|
||||
'error' => "Fel",
|
||||
'error_no_document_selected' => "Inget dokument har valts",
|
||||
'error_no_folder_selected' => "Ingen katalog har valts",
|
||||
'error_occured' => "Ett fel har inträffat.",
|
||||
'event_details' => "Händelseinställningar",
|
||||
'expired' => "Har gått ut",
|
||||
'expires' => "Kommer att gå ut",
|
||||
'expiry_changed_email' => "Utgångsdatum ändrat",
|
||||
'february' => "februari",
|
||||
'file' => "Fil",
|
||||
'files_deletion' => "Ta bort alla filer",
|
||||
'files_deletion_warning' => "Med detta alternativ kan du ta bort alla filer i en dokumentkatalog. Versionsinformationen kommer fortfarande att visas.",
|
||||
'files' => "Filer",
|
||||
'file_size' => "Filstorlek",
|
||||
'folder_contents' => "Kataloginnehåll",
|
||||
'folder_deleted_email' => "Katalog har tagits bort",
|
||||
'folder' => "Katalog",
|
||||
'folder_infos' => "Kataloginformation",
|
||||
'folder_moved_email' => "Katalog har flyttats",
|
||||
'folder_renamed_email' => "Katalog har bytt namn",
|
||||
'folders_and_documents_statistic' => "Innehållsöversikt",
|
||||
'folders' => "Kataloger",
|
||||
'folder_title' => "Katalog '[foldername]'",
|
||||
'friday' => "fredag",
|
||||
'from' => "från",
|
||||
'fullsearch' => "Fulltext-sökning",
|
||||
'fullsearch_hint' => "Använd fulltext-index",
|
||||
'fulltext_info' => "Fulltext-indexinfo",
|
||||
'global_attributedefinitions' => "Attributdefinitioner",
|
||||
'global_default_keywords' => "Globala nyckelord",
|
||||
'global_document_categories' => "Kategorier",
|
||||
'global_workflows' => "Arbetsflöden",
|
||||
'global_workflow_actions' => "Åtgärder för arbetsflödet",
|
||||
'global_workflow_states' => "Status för arbetsflödet",
|
||||
'group_approval_summary' => "Sammanfattning av gruppgodkännande",
|
||||
'group_exists' => "Grupp finns redan.",
|
||||
'group' => "Grupp",
|
||||
'group_management' => "Grupphantering",
|
||||
'group_members' => "Gruppmedlemmar",
|
||||
'group_review_summary' => "Sammanfattning av gruppgranskning",
|
||||
'groups' => "Grupper",
|
||||
'guest_login_disabled' => "Gästinloggningen är inaktiverad.",
|
||||
'guest_login' => "Gästinloggning",
|
||||
'help' => "Hjälp",
|
||||
'hourly' => "timvis",
|
||||
'hours' => "timmar",
|
||||
'human_readable' => "Arkiv som är läsbart av användare",
|
||||
'id' => "ID",
|
||||
'identical_version' => "Ny version är lika med den aktuella versionen.",
|
||||
'include_documents' => "Inkludera dokument",
|
||||
'include_subdirectories' => "Inkludera under-kataloger",
|
||||
'index_converters' => "Omvandling av indexdokument",
|
||||
'individuals' => "Personer",
|
||||
'inherited' => "ärvd",
|
||||
'inherits_access_msg' => "Behörigheten har ärvts.",
|
||||
'inherits_access_copy_msg' => "Kopiera behörighetsarvslista",
|
||||
'inherits_access_empty_msg' => "Börja med tom behörighetslista",
|
||||
'internal_error_exit' => "Internt fel. Förfrågan kunde inte utföras. Avslutar.",
|
||||
'internal_error' => "Internt fel",
|
||||
'invalid_access_mode' => "Ogiltig behörighetsnivå",
|
||||
'invalid_action' => "Ogiltig handling",
|
||||
'invalid_approval_status' => "Ogiltig godkännandestatus",
|
||||
'invalid_create_date_end' => "Ogiltigt slutdatum för intervall.",
|
||||
'invalid_create_date_start' => "Ogiltigt startdatum för intervall.",
|
||||
'invalid_doc_id' => "Ogiltigt dokument-ID",
|
||||
'invalid_file_id' => "Ogiltigt fil-ID",
|
||||
'invalid_folder_id' => "Ogiltigt katalog-ID",
|
||||
'invalid_group_id' => "Ogiltigt grupp-ID",
|
||||
'invalid_link_id' => "Ogiltigt länk-ID",
|
||||
'invalid_request_token' => "Ogiltig förfrågan",
|
||||
'invalid_review_status' => "Ogiltig granskningsstatus",
|
||||
'invalid_sequence' => "Ogiltigt sekvensvärde",
|
||||
'invalid_status' => "Ogiltig dokumentstatus",
|
||||
'invalid_target_doc_id' => "Ogiltigt ID för måldokumentet",
|
||||
'invalid_target_folder' => "Ogiltigt ID för målkatalogen",
|
||||
'invalid_user_id' => "Ogiltigt användar-ID",
|
||||
'invalid_version' => "Ogiltig dokumentversion",
|
||||
'in_workflow' => "Utkast: under bearbetning",
|
||||
'is_disabled' => "Inaktivera kontot",
|
||||
'is_hidden' => "Dölj från listan med användare",
|
||||
'january' => "januari",
|
||||
'js_no_approval_group' => "Välj en grupp som ska godkänna",
|
||||
'js_no_approval_status' => "Välj godkännandestatus",
|
||||
'js_no_comment' => "Det finns inga kommentarer",
|
||||
'js_no_email' => "Ange din e-postadress",
|
||||
'js_no_file' => "Välj en fil",
|
||||
'js_no_keywords' => "Skriv några nyckelord",
|
||||
'js_no_login' => "Skriv ett användarnamn",
|
||||
'js_no_name' => "Skriv ett namn",
|
||||
'js_no_override_status' => "Välj ny [override] status",
|
||||
'js_no_pwd' => "Du måste ange ditt lösenord",
|
||||
'js_no_query' => "Skriv en fråga",
|
||||
'js_no_review_group' => "Välj en grupp som ska utföra granskningen",
|
||||
'js_no_review_status' => "Välj status för granskningen",
|
||||
'js_pwd_not_conf' => "Lösenord och bekräftat lösenord stämmer inte överens",
|
||||
'js_select_user_or_group' => "Välj minst en användare eller en grupp",
|
||||
'js_select_user' => "Välj en användare",
|
||||
'july' => "juli",
|
||||
'june' => "juni",
|
||||
'keep_doc_status' => "Bibehåll dokumentstatus",
|
||||
'keyword_exists' => "Nyckelordet finns redan",
|
||||
'keywords' => "Nyckelord",
|
||||
'language' => "Språk",
|
||||
'last_update' => "Senast uppdaterat",
|
||||
'legend' => "Förteckning",
|
||||
'link_alt_updatedocument' => "Om du vill ladda upp filer som är större än den aktuella största tillåtna storleken, använd dig av den alternativa metoden att ladda upp filer <a href=\"%s\">Alternativ uppladdning</a>.",
|
||||
'linked_documents' => "Relaterade dokument",
|
||||
'linked_files' => "Bilagor",
|
||||
'local_file' => "Lokal fil",
|
||||
'locked_by' => "Låst av",
|
||||
'lock_document' => "Lås dokumentet",
|
||||
'lock_message' => "Detta dokument har låsts av <a href=\"mailto:[email]\">[username]</a>. Bara auktoriserade användare kan låsa upp dokumentet.",
|
||||
'lock_status' => "Status",
|
||||
'login' => "Inloggning",
|
||||
'login_disabled_text' => "Ditt konto är inaktivt, förmodligen för att du har överskridit tillåtna antal inloggningsförsök.",
|
||||
'login_disabled_title' => "Kontot är inaktivt",
|
||||
'login_error_text' => "Fel vid inloggningen. Användar-ID eller lösenord är felaktigt.",
|
||||
'login_error_title' => "Fel vid inloggningen",
|
||||
'login_not_given' => "Användarnamn saknas",
|
||||
'login_ok' => "Inloggningen lyckades",
|
||||
'log_management' => "Loggfilshantering",
|
||||
'logout' => "Logga ut",
|
||||
'manager' => "Manager",
|
||||
'march' => "mars",
|
||||
'max_upload_size' => "Maximal storlek för uppladdning",
|
||||
'may' => "maj",
|
||||
'mimetype' => "Mimetyp",
|
||||
'misc' => "Diverse",
|
||||
'missing_filesize' => "Filstorlek saknas",
|
||||
'missing_transition_user_group' => "Användare/grupp saknas för övergång",
|
||||
'minutes' => "minuter",
|
||||
'monday' => "måndag",
|
||||
'month_view' => "månadsvisning",
|
||||
'monthly' => "månadsvis",
|
||||
'move_document' => "Flytta dokumentet",
|
||||
'move_folder' => "Flytta katalog",
|
||||
'move' => "Flytta",
|
||||
'my_account' => "Min Sida",
|
||||
'my_documents' => "Mina dokument",
|
||||
'name' => "Namn",
|
||||
'new_attrdef' => "Lägg till attributdefinition",
|
||||
'new_default_keyword_category' => "Lägg till nyckelordskategori",
|
||||
'new_default_keywords' => "Lägg till nyckelord",
|
||||
'new_document_category' => "Lägg till kategori",
|
||||
'new_document_email' => "Nytt dokument",
|
||||
'new_file_email' => "Ny bilaga",
|
||||
'new_folder' => "Ny katalog",
|
||||
'new_password' => "Nytt lösenord",
|
||||
'new' => "Ny",
|
||||
'new_subfolder_email' => "Ny katalog",
|
||||
'new_user_image' => "Ny användarbild",
|
||||
'next_state' => "Ny status",
|
||||
'no_action' => "Ingen åtgärd behövs.",
|
||||
'no_approval_needed' => "Inget godkännande behövs.",
|
||||
'no_attached_files' => "Inga filer har bifogats.",
|
||||
'no_default_keywords' => "Inga nyckelord tillgängliga",
|
||||
'no_docs_locked' => "Inga dokument är låsta.",
|
||||
'no_docs_to_approve' => "Det finns inga dokument som du behöver godkänna.",
|
||||
'no_docs_to_look_at' => "Det finns inga dokument som behöver din uppmärksamhet.",
|
||||
'no_docs_to_review' => "Det finns inga dokument som du behöver granska.",
|
||||
'no_fulltextindex' => "Fulltext-index saknas",
|
||||
'no_group_members' => "Denna grupp har inga medlemmar",
|
||||
'no_groups' => "Inga grupper",
|
||||
'no' => "Nej",
|
||||
'no_linked_files' => "Inga länkade dokumenter",
|
||||
'no_previous_versions' => "Inga andra versioner hittades.",
|
||||
'no_review_needed' => "Det finns inga dokument som du behöver granska.",
|
||||
'notify_added_email' => "Du har lagts till för att få meddelanden",
|
||||
'notify_deleted_email' => "Du har tagits bort från att få meddelanden",
|
||||
'no_update_cause_locked' => "Därför kan du inte uppdatera detta dokument. Ta kontakt med användaren som låst dokumentet.",
|
||||
'no_user_image' => "Ingen bild hittades",
|
||||
'november' => "november",
|
||||
'now' => "nu",
|
||||
'objectcheck' => "Katalog/Dokument-kontroll",
|
||||
'obsolete' => "Föråldrat",
|
||||
'october' => "oktober",
|
||||
'old' => "gammalt",
|
||||
'only_jpg_user_images' => "Bara .jpg-bilder kan användas som användarbild",
|
||||
'original_filename' => "Ursprungligt filnamn",
|
||||
'owner' => "Ägare",
|
||||
'ownership_changed_email' => "Ägare har ändrats",
|
||||
'password' => "Lösenord",
|
||||
'password_already_used' => "Lösenordet används redan",
|
||||
'password_repeat' => "Upprepa lösenord",
|
||||
'password_expiration' => "Lösenord utgår",
|
||||
'password_expiration_text' => "Ditt lösenord har gått ut. Vänligen välj ett nytt för att fortsätta använda DMS.",
|
||||
'password_forgotten' => "Glömt lösenord",
|
||||
'password_forgotten_email_subject' => "Glömt lösenord",
|
||||
'password_forgotten_email_body' => "Bästa användare av dokumenthanteringssystemet,\n\nvi fick en förfrågan om att ändra ditt lösenord.\n\nDu kan göra det genom att klicka på följande länk:\n\n###URL_PREFIX###out/out.ChangePassword.php?hash=###HASH###\n\nOm du fortfarande har problem med inloggningen, kontakta administratören.",
|
||||
'password_forgotten_send_hash' => "En beskrivning av vad du måste göra har nu skickats till din e-postadress.",
|
||||
'password_forgotten_text' => "Fyll i formuläret nedan och följ instruktionerna som skickas till din e-postadress.",
|
||||
'password_forgotten_title' => "Glömt lösenord",
|
||||
'password_strength' => "Lösenordskvalitet",
|
||||
'password_strength_insuffient' => "För låg kvalitet på lösenordet",
|
||||
'password_wrong' => "Fel lösenord",
|
||||
'personal_default_keywords' => "Personlig nyckelordslista",
|
||||
'previous_state' => "Föregående status",
|
||||
'previous_versions' => "Föregående versioner",
|
||||
'quota' => "Kvot",
|
||||
'quota_exceeded' => "Din minneskvot har överskridits med [bytes].",
|
||||
'quota_warning' => "Din maximala minneskvot har överskridits med [bytes]. Ta bort dokument eller tidigare versioner.",
|
||||
'refresh' => "Uppdatera",
|
||||
'rejected' => "Avvisat",
|
||||
'released' => "Klart för användning",
|
||||
'removed_approver' => "har tagits bort från listan med personer som ska godkänna dokumentet.",
|
||||
'removed_file_email' => "Borttagen bilaga",
|
||||
'removed_reviewer' => "har tagits bort från listan med personer som ska granska dokumentet.",
|
||||
'repairing_objects' => "Förbereder dokument och kataloger.",
|
||||
'results_page' => "Resultatsida",
|
||||
'review_deletion_email' => "Förfrågan om granskning borttagen",
|
||||
'reviewer_already_assigned' => "ska redan granska dokumentet",
|
||||
'reviewer_already_removed' => "har redan tagits bort från granskningen eller har redan skickat en granskning",
|
||||
'reviewers' => "Personer som granskar",
|
||||
'review_group' => "Grupp som granskar",
|
||||
'review_request_email' => "Förfrågan om granskning",
|
||||
'review_status' => "Status för granskningen",
|
||||
'review_submit_email' => "Skickat granskning",
|
||||
'review_summary' => "Sammanfattning av granskningen",
|
||||
'review_update_failed' => "Fel vid uppdatering av granskningsstatus. Kunde inte uppdatera.",
|
||||
'rewind_workflow' => "Återställ arbetsflödet",
|
||||
'rewind_workflow_warning' => "Om du återställer ett arbetsflöde till sin ursprungliga status, kommer hela loggboken för dokumentets arbetsflöde att raderas och kan då inte återställas.",
|
||||
'rm_attrdef' => "Ta bort attributdefinition",
|
||||
'rm_default_keyword_category' => "Ta bort kategori",
|
||||
'rm_document' => "Ta bort dokumentet",
|
||||
'rm_document_category' => "Ta bort kategori",
|
||||
'rm_file' => "Ta bort fil",
|
||||
'rm_folder' => "Ta bort katalog",
|
||||
'rm_from_clipboard' => "Ta bort från Urklipp",
|
||||
'rm_group' => "Ta bort denna grupp",
|
||||
'rm_user' => "Ta bort denna användare",
|
||||
'rm_version' => "Ta bort version",
|
||||
'rm_workflow' => "Ta bort arbetsflöde",
|
||||
'rm_workflow_state' => "Ta bort status från arbetsflödet",
|
||||
'rm_workflow_action' => "Ta bort åtgärd från arbetsflödet",
|
||||
'rm_workflow_warning' => "Du håller på att ta bort arbetsflödet från dokumentet. Denna åtgärd kan inte ångras.",
|
||||
'role_admin' => "Administratör",
|
||||
'role_guest' => "Gäst",
|
||||
'role_user' => "Användare",
|
||||
'role' => "Roll",
|
||||
'return_from_subworkflow' => "Tillbaka från under-arbetsflöde",
|
||||
'run_subworkflow' => "Utför under-arbetsflöde",
|
||||
'saturday' => "lördag",
|
||||
'save' => "Spara",
|
||||
'search_fulltext' => "Fulltext-sökning",
|
||||
'search_in' => "Sök i",
|
||||
'search_mode_and' => "alla ord",
|
||||
'search_mode_or' => "minst ett ord",
|
||||
'search_no_results' => "Det finns inga dokument som matchar din sökning",
|
||||
'search_query' => "Sök efter",
|
||||
'search_report' => "Hittat [doccount] dokument och [foldercount] kataloger",
|
||||
'search_report_fulltext' => "Hittat [doccount] dokument",
|
||||
'search_results_access_filtered' => "Sökresultatet kan innehålla filer/dokument som du inte har behörighet att öppna.",
|
||||
'search_results' => "Sökresultat",
|
||||
'search' => "Sök",
|
||||
'search_time' => "Förfluten tid: [time] sek",
|
||||
'seconds' => "sekunder",
|
||||
'selection' => "Urval",
|
||||
'select_groups' => "Välj grupper",
|
||||
'select_ind_reviewers' => "Välj en person som ska granska",
|
||||
'select_ind_approvers' => "Välj en person som ska godkänna",
|
||||
'select_grp_reviewers' => "Välj en grupp som ska granska",
|
||||
'select_grp_approvers' => "Välj en grupp som ska godkänna",
|
||||
'select_one' => "Välj",
|
||||
'select_users' => "Välj användare",
|
||||
'select_workflow' => "Välj arbetsflöde",
|
||||
'september' => "september",
|
||||
'seq_after' => "efter \"[prevname]\"",
|
||||
'seq_end' => "på slutet",
|
||||
'seq_keep' => "behåll positionen",
|
||||
'seq_start' => "första positionen",
|
||||
'sequence' => "Position",
|
||||
'set_expiry' => "Sätt utgångstid",
|
||||
'set_owner_error' => "Fel vid val av ägare",
|
||||
'set_owner' => "Ange dokumentägare",
|
||||
'set_password' => "Ändra lösenord",
|
||||
'set_workflow' => "Välj arbetsflöde",
|
||||
'settings_install_welcome_title' => "Välkommen till installationen av letoDMS",
|
||||
'settings_install_welcome_text' => "<p>Innan du börjar installationen av letoDMS, se till att du har skapat en fil med namnet 'ENABLE_INSTALL_TOOL' i konfigurationsmappen, annars kommer installationen inte att fungera. På Unix-system kan detta göras med 'touch conf/ENABLE_INSTALL_TOOL'. När du har avslutat installationen måste filen tas bort.</p><p>letoDMS har bara minimala krav. Du behöver en mysql-databas och php måste finnas på din webbserver. För lucene fulltext-sökning måste du lägga Zend framework på servern, så att det kan hittas av php. Från och med version 3.2.0 av letoDMS, är ADOdb inte längre del av distributionen. En kopia kan laddas ner från <a href=\"http://adodb.sourceforge.net/\">http://adodb.sourceforge.net</a>. Installera detta. Sökvägen kan sättas senare i samband med installationsprocessen.</p><p>Om du vill skapa en databas innan du börjar installationen, kan den skapas manuellt med ett valfritt verktyg. Alternativt, skapa en databas med en användare som har tillgång till databasen och importera en av databasdumparna som ligger i konfigurationsmappen. Installationsskriptet kan göra detta automatiskt, men det behöver tillgång till databasen och tillräckliga rättigheter för att skapa databasen.</p>",
|
||||
'settings_start_install' => "Börja installationen",
|
||||
'settings_sortUsersInList' => "Sortera användare i listan",
|
||||
'settings_sortUsersInList_desc' => "Sortering av användare i urvalsmenyer efter person- eller inloggningsnamn",
|
||||
'settings_sortUsersInList_val_login' => "Sortera efter inloggning",
|
||||
'settings_sortUsersInList_val_fullname' => "Sortera efter namn",
|
||||
'settings_stopWordsFile' => "Sökväg till filen med förbjudna ord",
|
||||
'settings_stopWordsFile_desc' => "Om fulltextsökning är aktiverad, kommer denna fil innehålla förbjudna ord som inte är indexerade.",
|
||||
'settings_activate_module' => "Aktivera modul",
|
||||
'settings_activate_php_extension' => "Aktivera PHP-extension",
|
||||
'settings_adminIP' => "Admin-IP",
|
||||
'settings_adminIP_desc' => "Om den har satts, kan administratören bara logga in från den angivna IP-adressen. Lämna detta fält tomt för att undvika begränsningar. OBS! Fungerar bara med lokal autentisering (ingen LDAP).",
|
||||
'settings_ADOdbPath' => "ADOdb Sökväg",
|
||||
'settings_ADOdbPath_desc' => "Sökväg till ADOdb. Detta är mappen som innehåller ADOdb-mappen",
|
||||
'settings_Advanced' => "Avancerat",
|
||||
'settings_apache_mod_rewrite' => "Apache - Module Rewrite",
|
||||
'settings_Authentication' => "Autentiseringsinställningar",
|
||||
'settings_cacheDir' => "Cache-mapp",
|
||||
'settings_cacheDir_desc' => "Här kommer bilder för förhandsvisning att sparas. (Det är bäst att använda en mapp som inte är tillgänglig från webbservern)",
|
||||
'settings_Calendar' => "Kalenderinställningar",
|
||||
'settings_calendarDefaultView' => "Standardvy kalender",
|
||||
'settings_calendarDefaultView_desc' => "Standardvy kalender",
|
||||
'settings_cookieLifetime' => "Livslängd för cookies",
|
||||
'settings_cookieLifetime_desc' => "Livslängd för en cookie i sekunder. Om värdet sätts till 0, kommer cookien att tas bort efter att webbläsaren har stängts ner.",
|
||||
'settings_contentDir' => "Mapp för innehållet",
|
||||
'settings_contentDir_desc' => "Mappen där alla uppladdade filer kommer att sparas. (Det bästa är att välja en mapp som inte är tillgänglig från webbservern)",
|
||||
'settings_contentOffsetDir' => "Innehåll offset-mapp",
|
||||
'settings_contentOffsetDir_desc' => "För att undvika begränsningar i det underliggande filsystemet har en ny mappstruktur skapats inom innehållsmappen (Content Directory). Detta behöver en bas-mapp att utgå ifrån. Vanligtvis är default-inställningen 1048576 men det kan vara vilket nummer eller vilken sträng som helst som inte redan finns i mappen (Content Directory)",
|
||||
'settings_coreDir' => "SeedDMS_Core-mapp",
|
||||
'settings_coreDir_desc' => "Sökväg till SeedDMS_Core (valfritt)",
|
||||
'settings_loginFailure_desc' => "Inaktivera kontot efter n antal misslyckade inloggningar.",
|
||||
'settings_loginFailure' => "Fel vid inloggning",
|
||||
'settings_luceneClassDir' => "Lucene SeedDMS-mapp",
|
||||
'settings_luceneClassDir_desc' => "Sökväg till SeedDMS_Lucene (valfritt)",
|
||||
'settings_luceneDir' => "Lucene index-mapp",
|
||||
'settings_luceneDir_desc' => "Sökväg till Lucene-index",
|
||||
'settings_cannot_disable' => "Filen ENABLE_INSTALL_TOOL kunde inte tas bort",
|
||||
'settings_install_disabled' => "Filen ENABLE_INSTALL_TOOL har tagits bort. Du kan nu logga in till SeedDMS och göra ytterligare inställningar.",
|
||||
'settings_createdatabase' => "Skapa databastabeller",
|
||||
'settings_createdirectory' => "Skapa katalog",
|
||||
'settings_currentvalue' => "Aktuellt värde",
|
||||
'settings_Database' => "Databasinställningar",
|
||||
'settings_dbDatabase' => "Databas",
|
||||
'settings_dbDatabase_desc' => "Namnet på din databas som angavs under installationsprocessen. Ändra inte om det inte är nödvändigt, t.ex. om databasen har flyttats.",
|
||||
'settings_dbDriver' => "Databastyp",
|
||||
'settings_dbDriver_desc' => "Typ av databas som används. Angavs under installationsprocessen. Ändra inte om det inte är nödvändigt. Typ av DB-drivrutin som används av ADOdb (se ADOdb-readme)",
|
||||
'settings_dbHostname_desc' => "Host-namnet för databasen som angavs under installationsprocessen. Ändra inte om det inte är nödvändigt.",
|
||||
'settings_dbHostname' => "Servernamn",
|
||||
'settings_dbPass_desc' => "Lösenordet för tillgång till databasen. Lösenordet angavs under installationsprocessen.",
|
||||
'settings_dbPass' => "Lösenord",
|
||||
'settings_dbUser_desc' => "Användarnamnet för tillgång till databasen. Användarnamnet angavs under installationsprocessen.",
|
||||
'settings_dbUser' => "Användarnamn",
|
||||
'settings_dbVersion' => "Databasschemat för gammalt",
|
||||
'settings_delete_install_folder' => "För att kunna använda SeedDMS måste du ta bort filen ENABLE_INSTALL_TOOL som finns i konfigurationsmappen.",
|
||||
'settings_disable_install' => "Ta bort filen ENABLE_INSTALL_TOOL, om det är möjligt.",
|
||||
'settings_disableSelfEdit_desc' => "Om utvald, kan användare inte ändra sin egen profil.",
|
||||
'settings_disableSelfEdit' => "Inaktivera själveditering",
|
||||
'settings_dropFolderDir_desc' => "Denna mapp kan användas för att mellanlagra filer på serverns filsystem och den kan importeras därifrån istället för att filen laddas upp via webbläsaren. Mappen måste innehålla en undermapp för varje användare som har tillstånd att importera filer denna vägen.",
|
||||
'settings_dropFolderDir' => "Mapp för mellanlagring av filer",
|
||||
'settings_Display' => "Sidinställningar",
|
||||
'settings_Edition' => "Redigeringsinställningar",
|
||||
'settings_enableAdminRevApp_desc' => "Ta bort utval, så att administratören inte visas som person som granskar/godkänner",
|
||||
'settings_enableAdminRevApp' => "Visa Admin i granskning/godkänn",
|
||||
'settings_enableCalendar_desc' => "Aktivera/Inaktivera kalendar",
|
||||
'settings_enableCalendar' => "Aktivera kalendern",
|
||||
'settings_enableConverting_desc' => "Aktivera/Inaktivera konvertering av filer",
|
||||
'settings_enableConverting' => "Aktivera filkonvertering",
|
||||
'settings_enableDuplicateDocNames_desc' => "Tillåter att det finns dokument med samma namn i en mapp.",
|
||||
'settings_enableDuplicateDocNames' => "Tillåter samma dokumentnamn",
|
||||
'settings_enableNotificationAppRev_desc' => "Kryssa i, för att skicka ett meddelande till personer som granskar/godkänner när en ny version av dokumentet har lagts till",
|
||||
'settings_enableNotificationAppRev' => "Aktivera meddelande till personer som granskar/godkänner",
|
||||
'settings_enableVersionModification_desc' => "Aktivera/Inaktivera modifiering av en dokumentversionen genom användare efter att en version har laddats upp. Administratören kan alltid ändra versionen efter att den har laddats upp.",
|
||||
'settings_enableVersionModification' => "Aktivera modifiering av versionen",
|
||||
'settings_enableVersionDeletion_desc' => "Aktivera/Inaktivera möjlighet att ta bort äldre dokumentversioner genom användare. Administratorn kan alltid ta bort äldre versioner.",
|
||||
'settings_enableVersionDeletion' => "Aktivera möjligheten att ta bort äldre versioner",
|
||||
'settings_enableEmail_desc' => "Aktivera/Inaktivera automatiska e-postmeddelanden",
|
||||
'settings_enableEmail' => "Använd e-postmeddelanden",
|
||||
'settings_enableFolderTree_desc' => "Av för att inte visa katalogernas trädstruktur",
|
||||
'settings_enableFolderTree' => "Visa katalogers trädstruktur",
|
||||
'settings_enableFullSearch' => "Aktivera fulltext-sökning",
|
||||
'settings_enableFullSearch_desc' => "Aktivera fulltext-sökning",
|
||||
'settings_enableGuestLogin' => "Tillåt gäst-inloggning",
|
||||
'settings_enableGuestLogin_desc' => "Om du vill att alla ska kunna logga in som gäst, aktivera denna option. OBS! Gästinloggning bör endast användas i en säker omgivning",
|
||||
'settings_enableLanguageSelector' => "Aktivera språkval",
|
||||
'settings_enableLanguageSelector_desc' => "Visa språkurval i användargränssnittet efter inloggning. Detta påverkar inte språkurval på inloggningssidan.",
|
||||
'settings_enableLargeFileUpload_desc' => "Om aktiverad, kan filer laddas upp via javaapplet med namnet jumploader, utan begränsningar i filstorlek. Flera filer kan även laddas upp samtidigt i ett steg.",
|
||||
'settings_enableLargeFileUpload' => "Aktivera uppladdning av stora filer",
|
||||
'settings_enableOwnerNotification_desc' => "Kryssa i, för att skapa ett meddelande till ägaren av dokumentet, när en ny version av dokumentet har laddats upp.",
|
||||
'settings_enableOwnerNotification' => "Aktivera meddelande till dokumentägaren",
|
||||
'settings_enablePasswordForgotten_desc' => "Om du vill tillåta att användare kan få nytt lösenord genom att skicka e-post, aktivera denna option.",
|
||||
'settings_enablePasswordForgotten' => "Aktivera glömt lösenord",
|
||||
'settings_enableUserImage_desc' => "Aktivera användarbilder",
|
||||
'settings_enableUserImage' => "Aktivera användarbilder",
|
||||
'settings_enableUsersView_desc' => "Aktivera/Inaktivera visning av grupp och användare för alla användare",
|
||||
'settings_enableUsersView' => "Aktivera visning av användare",
|
||||
'settings_encryptionKey' => "Krypteringsnyckel",
|
||||
'settings_encryptionKey_desc' => "Denna sträng används för att generera en unik identifierare, som är inrymd som ett dolt fält i ett formulär. Det används för att förhindra CSRF-attacker.",
|
||||
'settings_error' => "Fel",
|
||||
'settings_expandFolderTree_desc' => "Expandera katalogträd",
|
||||
'settings_expandFolderTree' => "Expandera katalogträd",
|
||||
'settings_expandFolderTree_val0' => "Börja med dolt träd",
|
||||
'settings_expandFolderTree_val1' => "Börja med att visa trädet och första nivån",
|
||||
'settings_expandFolderTree_val2' => "Börja med att visa hela trädet",
|
||||
'settings_firstDayOfWeek_desc' => "Första dagen i veckan",
|
||||
'settings_firstDayOfWeek' => "Första dagen i veckan",
|
||||
'settings_footNote_desc' => "Meddelande som visas på slutet av varje sida",
|
||||
'settings_footNote' => "Fotnot",
|
||||
'settings_guestID_desc' => "ID som används för inloggad gästanvändare (behöver oftast inte ändras)",
|
||||
'settings_guestID' => "Gäst-ID",
|
||||
'settings_httpRoot_desc' => "Den relativa sökvägen i URL, efter domänen. Ta inte med http:// eller web host-namnet. t.ex. om hela URLen är http://www.example.com/letodms/, sätt '/letodms/'. Om URLen är http://www.example.com/, sätt '/'",
|
||||
'settings_httpRoot' => "Http-Root",
|
||||
'settings_installADOdb' => "Installera ADOdb",
|
||||
'settings_install_success' => "Installationen har avslutats utan problem.",
|
||||
'settings_install_pear_package_log' => "Installera Pear-paketet 'Log'",
|
||||
'settings_install_pear_package_webdav' => "Installera Pear-paketet 'HTTP_WebDAV_Server', om du tänker använda webdav-gränssnittet",
|
||||
'settings_install_zendframework' => "Installera Zend Framework, om du tänker använda fulltext-sökningen",
|
||||
'settings_language' => "Standardspråk",
|
||||
'settings_language_desc' => "Standardspråk (namn på sub-mappen i mappen \"languages\")",
|
||||
'settings_logFileEnable_desc' => "Aktivera/Inaktivera loggfil",
|
||||
'settings_logFileEnable' => "Aktivera loggfil",
|
||||
'settings_logFileRotation_desc' => "Loggfils-rotation",
|
||||
'settings_logFileRotation' => "Loggfils-rotation",
|
||||
'settings_luceneDir' => "Mapp för fulltext-index",
|
||||
'settings_maxDirID_desc' => "Högsta antal undermappar per överliggande mapp. Standard: 32700.",
|
||||
'settings_maxDirID' => "Max. mapp-ID",
|
||||
'settings_maxExecutionTime_desc' => "Detta sätter hösta tillåtna tiden i sekunder som ett skript får på sig att utföras innan det avslutas.",
|
||||
'settings_maxExecutionTime' => "Max. exekveringstid (s)",
|
||||
'settings_more_settings' => "Konfigurera flera inställningar. Standard-inloggning: admin/admin",
|
||||
'settings_Notification' => "Meddelandeinställningar",
|
||||
'settings_no_content_dir' => "Mapp för innehåll",
|
||||
'settings_notfound' => "Hittades inte",
|
||||
'settings_notwritable' => "Konfigurationen kunde inte sparas, eftersom konfigurationsfilen inte är skrivbar.",
|
||||
'settings_partitionSize' => "Uppdelad filstorlek",
|
||||
'settings_partitionSize_desc' => "Storlek hos uppdelade filer i bytes som laddades upp med jumploader. Sätt inte ett värde som är större än den högsta tillåtna storleken på servern.",
|
||||
'settings_passwordExpiration' => "Lösenord utgångsdatum",
|
||||
'settings_passwordExpiration_desc' => "Antal dagar efter vilka det nuvarande lösenordet går ut och måste anges på nytt. 0 stänger av utgångsdatumet.",
|
||||
'settings_passwordHistory' => "Lösenordshistoria",
|
||||
'settings_passwordHistory_desc' => "Antalet lösenord som användaren ska ha använt innan användaren får använda samma lösenord igen. 0 stänger av lösenordshistoria.",
|
||||
'settings_passwordStrength' => "Lägsta kvalitet på lösenord",
|
||||
'settings_passwordЅtrength_desc' => "Den lägsta kvaliteten som ett lösenord måste ha. Det är ett värde från 0 till 100. Inställningen 0 stränger av övervakningen av lösenordets minimala kvalitet.",
|
||||
'settings_passwordStrengthAlgorithm' => "Algoritm för lösenordets kvalitet",
|
||||
'settings_passwordStrengthAlgorithm_desc' => "Algoritmen används för att beräkna lösenordets kvalitet. Den 'enkla' algoritmen kollar att det finns minst 8 tecken, minst en liten bokstav, minst en stor bokstav, en siffra och ett specialtecken. Om alla dessa delar används, räknas kvaliteten som 100, annars 0.",
|
||||
'settings_passwordStrengthAlgorithm_valsimple' => "enkel",
|
||||
'settings_passwordStrengthAlgorithm_valadvanced' => "avancerad",
|
||||
'settings_perms' => "Behörigheter",
|
||||
'settings_pear_log' => "Pear-paketet : Logg",
|
||||
'settings_pear_webdav' => "Pear-paketet : HTTP_WebDAV_Server",
|
||||
'settings_php_dbDriver' => "PHP-extension : php_'see current value'",
|
||||
'settings_php_gd2' => "PHP-extension : php_gd2",
|
||||
'settings_php_mbstring' => "PHP-extension : php_mbstring",
|
||||
'settings_printDisclaimer_desc' => "Om denna inställning sätts till ja, används meddelande som finns i lang.inc-filen och skrivs ut på slutet av sidan",
|
||||
'settings_printDisclaimer' => "Visa disclaimer-meddelande",
|
||||
'settings_quota' => "Användarens kvot",
|
||||
'settings_quota_desc' => "Maximala storlek av minnet i bytes som en användare har tillgång till. Storlek 0 bytes betyder obegränsad minne. Detta värde kan sättas individuellt för varje användare i dess profil.",
|
||||
'settings_restricted_desc' => "Tillåt användare att logga in bara om det finns en inloggning för användaren i den lokala databasen (irrespective of successful authentication with LDAP)",
|
||||
'settings_restricted' => "Begränsad behörighet",
|
||||
'settings_rootDir_desc' => "Sökväk där letoDMS befinner sig",
|
||||
'settings_rootDir' => "Root-mapp",
|
||||
'settings_rootFolderID_desc' => "ID för root-mappen (oftast behövs ingen ändring här)",
|
||||
'settings_rootFolderID' => "ID för root-mappen",
|
||||
'settings_SaveError' => "Fel när konfigurationsfilen sparades",
|
||||
'settings_Server' => "Server-inställningar",
|
||||
'settings' => "Inställningar",
|
||||
'settings_siteDefaultPage_desc' => "Standardsida efter inloggning. Om fältet är tomt, används standard-out/out.ViewFolder.php",
|
||||
'settings_siteDefaultPage' => "Standardsida",
|
||||
'settings_siteName_desc' => "Sidans namn som visas i sidhuvud. Standard: letoDMS",
|
||||
'settings_siteName' => "Sidans namn",
|
||||
'settings_Site' => "Sida",
|
||||
'settings_smtpPort_desc' => "SMTP server-port, default 25",
|
||||
'settings_smtpPort' => "SMTP server-port",
|
||||
'settings_smtpSendFrom_desc' => "Skickat från",
|
||||
'settings_smtpSendFrom' => "Skickat från",
|
||||
'settings_smtpServer_desc' => "SMTP server-hostname",
|
||||
'settings_smtpServer' => "SMTP server-hostname",
|
||||
'settings_SMTP' => "SMTP server-inställningar",
|
||||
'settings_stagingDir' => "Mapp för i delar uppladdade filer",
|
||||
'settings_strictFormCheck_desc' => "Noggrann format-kontroll. Om ja, kontrolleras alla fält i ett formulär på att de innehåller ett värde. Om nej, blir de flesta kommentar- och nyckelordsfält frivilliga. Kommentarer måste alltid anges när en granskning skickas eller när dokumentstatus skrivs över.",
|
||||
'settings_strictFormCheck' => "Noggrann format-kontroll",
|
||||
'settings_suggestionvalue' => "Föreslå ett värde",
|
||||
'settings_System' => "System",
|
||||
'settings_theme' => "Standardtema",
|
||||
'settings_theme_desc' => "Standardtema (namn på undermappar i mappen \"styles\")",
|
||||
'settings_titleDisplayHack_desc' => "Speciallösning för sidor med titlar som går över två rader.",
|
||||
'settings_titleDisplayHack' => "Titelvisningshack",
|
||||
'settings_updateDatabase' => "Kör schemauppdateringsskript på databasen",
|
||||
'settings_updateNotifyTime_desc' => "Användare meddelas om att ändringar i dokumentet har genomförts inom de senaste 'Uppdateringsmeddelandetid' sekunder.",
|
||||
'settings_updateNotifyTime' => "Uppdateringsmeddelandetid",
|
||||
'settings_versioningFileName_desc' => "Namnet på versionsinfo-fil som skapas med backup-verktyget",
|
||||
'settings_versioningFileName' => "Versionsinfo-filnamn",
|
||||
'settings_viewOnlineFileTypes_desc' => "Filer av en av de följande filtyperna kan visas online. OBS! ANVÄND BARA SMÅ BOKSTÄVER",
|
||||
'settings_viewOnlineFileTypes' => "Visa online-filtyper",
|
||||
'settings_workflowMode_desc' => "Det avancerade arbetsflödet gör det möjligt att lägga upp ett eget definerat gransknings- och godkännandeflöde för dokumentversioner.",
|
||||
'settings_workflowMode' => "Typ av arbetsflöde",
|
||||
'settings_workflowMode_valtraditional' => "traditionellt",
|
||||
'settings_workflowMode_valadvanced' => "avancerat",
|
||||
'settings_zendframework' => "Zend Framework",
|
||||
'signed_in_as' => "Inloggad som",
|
||||
'sign_in' => "logga in",
|
||||
'sign_out' => "logga ut",
|
||||
'space_used_on_data_folder' => "Plats använd i datamappen",
|
||||
'status_approval_rejected' => "Utkast avvisat",
|
||||
'status_approved' => "Godkänt",
|
||||
'status_approver_removed' => "Person som godkänner har tagits bort från processen",
|
||||
'status_not_approved' => "Ej godkänt",
|
||||
'status_not_reviewed' => "Ej granskat",
|
||||
'status_reviewed' => "Granskat",
|
||||
'status_reviewer_rejected' => "Utkast avvisat",
|
||||
'status_reviewer_removed' => "Person som granskar har tagits bort från processen",
|
||||
'status' => "Status",
|
||||
'status_unknown' => "Okänd",
|
||||
'storage_size' => "Platsstorlek",
|
||||
'submit_approval' => "Skicka godkännande",
|
||||
'submit_login' => "Logga in",
|
||||
'submit_password' => "Sätt nytt lösenord",
|
||||
'submit_password_forgotten' => "Starta process",
|
||||
'submit_review' => "Skicka granskning",
|
||||
'submit_userinfo' => "Skicka info",
|
||||
'sunday' => "söndag",
|
||||
'theme' => "Visningstema",
|
||||
'thursday' => "torsdag",
|
||||
'toggle_manager' => "Byt manager",
|
||||
'to' => "till",
|
||||
'transition_triggered_email' => "Arbetsflödesövergång utlöstes",
|
||||
'trigger_workflow' => "Arbetsflöde",
|
||||
'tuesday' => "tisdag",
|
||||
'type_to_search' => "Skriv för att söka",
|
||||
'under_folder' => "I katalogen",
|
||||
'unknown_command' => "Okänt kommando.",
|
||||
'unknown_document_category' => "Okänd kategori",
|
||||
'unknown_group' => "Okänt grupp-ID",
|
||||
'unknown_id' => "Okänt ID",
|
||||
'unknown_keyword_category' => "Okänd kategori",
|
||||
'unknown_owner' => "Okänt ägar-ID",
|
||||
'unknown_user' => "Okänt användar-ID",
|
||||
'unlinked_content' => "Olänkat innehåll",
|
||||
'unlock_cause_access_mode_all' => "Du kan fortfarande uppdatera, eftersom du har behörighetsnivå \"all\". Låsningen kommer automatiskt att tas bort.",
|
||||
'unlock_cause_locking_user' => "Du kan fortfarande uppdatera, eftersom du är samma person som låste dokumentet. Låsningen kommer automatiskt att tas bort.",
|
||||
'unlock_document' => "Lås upp",
|
||||
'update_approvers' => "Uppdatera lista med personer som godkänner",
|
||||
'update_document' => "Uppdatera dokument",
|
||||
'update_fulltext_index' => "Uppdatera fulltext-index",
|
||||
'update_info' => "Uppdatera information",
|
||||
'update_locked_msg' => "Dokumentet är låst.",
|
||||
'update_reviewers' => "Uppdatera listan med personer som granskar",
|
||||
'update' => "Uppdatera",
|
||||
'uploaded_by' => "Uppladdat av",
|
||||
'uploading_failed' => "Fel vid uppladdningen. Kontakta administratören.",
|
||||
'uploading_zerosize' => "Uppladdning av tom fil. Uppladdningen avbryts.",
|
||||
'use_default_categories' => "Använd fördefinerade kategorier",
|
||||
'use_default_keywords' => "Använd fördefinerade nyckelord",
|
||||
'used_discspace' => "Använt minne",
|
||||
'user_exists' => "Användaren finns redan.",
|
||||
'user_group_management' => "Hantering av användare/grupper",
|
||||
'user_image' => "Bild",
|
||||
'user_info' => "Användarinformation",
|
||||
'user_list' => "Lista med användare",
|
||||
'user_login' => "Användarnamn",
|
||||
'user_management' => "Användar-hantering",
|
||||
'user_name' => "Fullt namn",
|
||||
'users' => "Användare",
|
||||
'user' => "Användare",
|
||||
'version_deleted_email' => "Version borttagen",
|
||||
'version_info' => "Versionsinformation",
|
||||
'versioning_file_creation' => "Skapa versionsfil",
|
||||
'versioning_file_creation_warning' => "Med denna funktion kan du skapa en fil som innehåller versionsinformationen för hela DMS-mappen. Efter skapandet kommer alla filer att sparas inom dokumentets mapp.",
|
||||
'versioning_info' => "Versionsinformation",
|
||||
'version' => "Version",
|
||||
'view' => "Vy",
|
||||
'view_online' => "Visa online",
|
||||
'warning' => "Varning",
|
||||
'wednesday' => "onsdag",
|
||||
'week_view' => "veckovy",
|
||||
'weeks' => "veckor",
|
||||
'workflow' => "Arbetsflöde",
|
||||
'workflow_action_in_use' => "Denna åtgärd används i ett arbetsflöde.",
|
||||
'workflow_action_name' => "Namn",
|
||||
'workflow_editor' => "Arbetsflöde Editor",
|
||||
'workflow_group_summary' => "Sammanfattning grupp",
|
||||
'workflow_name' => "Namn",
|
||||
'workflow_in_use' => "Detta arbetsflöde används i ett dokument.",
|
||||
'workflow_initstate' => "Ursprungsstatus",
|
||||
'workflow_management' => "Arbetsflöden",
|
||||
'workflow_states_management' => "Status för arbetsflöde",
|
||||
'workflow_actions_management' => "Åtgärder för arbetsflöde",
|
||||
'workflow_state_docstatus' => "Dokumentstatus",
|
||||
'workflow_state_in_use' => "Detta status används i ett arbetsflöde.",
|
||||
'workflow_state_name' => "Namn",
|
||||
'workflow_summary' => "Sammanfattning arbetsflöde",
|
||||
'workflow_user_summary' => "Sammanfattning användare",
|
||||
'year_view' => "årsvy",
|
||||
'yes' => "Ja",
|
||||
);
|
||||
?>
|
420
languages/zh_CN/lang.inc
Normal file
420
languages/zh_CN/lang.inc
Normal file
|
@ -0,0 +1,420 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "接受",// "Accept",
|
||||
'access_denied' => "拒绝访问",// "Access denied.",
|
||||
'access_inheritance' => "继承访问权限",// "Access Inheritance",
|
||||
'access_mode' => "访问模式",// "Access mode",
|
||||
'access_mode_all' => "所有权限",// "All permissions",
|
||||
'access_mode_none' => "不能访问",// "No access",
|
||||
'access_mode_read' => "只读权限",// "Read permissions",
|
||||
'access_mode_readwrite' => "读写权限",// "Read-Write permissions",
|
||||
'access_permission_changed_email' => "权限已改变",// "Permission changed",
|
||||
'actions' => "动作",// "Actions",
|
||||
'add' => "添加",// "Add",
|
||||
'add_doc_reviewer_approver_warning' => "备注:如果没有指派校对人或审核人那么文档将被自动标注为发布",// "N.B. Documents are automatically marked as released if no reviewer or approver is assigned.",
|
||||
'add_document' => "添加文档",// "Add document",
|
||||
'add_document_link' => "添加链接",// "Add link",
|
||||
'add_event' => "添加事件",// "Add event",
|
||||
'add_group' => "增加新组",// "Add new group",
|
||||
'add_member' => "添加成员",// "Add a member",
|
||||
'add_multiple_files' => "批量添加文档(文档名无法手动修改)",// "Add multiple files (will use filename as document name)",
|
||||
'add_subfolder' => "添加子文件夹",// "Add subfolder",
|
||||
'add_user' => "添加新用户",// "Add new user",
|
||||
'admin' => "管理员",// "Administrator",
|
||||
'admin_tools' => "管理员工具",// "Admin-Tools",
|
||||
'all_documents' => "所有文档",// "All Documents",
|
||||
'all_pages' => "所有页面",// "All",
|
||||
'all_users' => "所有用户",// "All users",
|
||||
'already_subscribed' => "已经订阅",// "Already subscribed",
|
||||
'and' => "and",
|
||||
'approval_deletion_email' => "审核请求已被删除",// "Approval request deleted",
|
||||
'approval_group' => "审核组",// "Approval Group",
|
||||
'approval_request_email' => "审核请求",// "Approval request",
|
||||
'approval_status' => "审核状态",// "Approval Status",
|
||||
'approval_submit_email' => "提交审核",// "Submitted approval",
|
||||
'approval_summary' => "审核汇总",// "Approval Summary",
|
||||
'approval_update_failed' => "错误:更新审核状态.更新失败.",// "Error updating approval status. Update failed.",
|
||||
'approvers' => "审核人",// "Approvers",
|
||||
'april' => "四 月",// "April",
|
||||
'archive_creation' => "创建存档",// "Archive creation",
|
||||
'archive_creation_warning' => "通过此操作您可以创建一个包含这个DMS(文档管理系统)的数据文件夹。之后,所有文档都将保存到您服务器的数据文件夹中.<br>警告:如果所创建文档名为非数字的,那么将在服务器备份中不可用",// "With this operation you can create achive containing the files of entire DMS folders. After the creation the archive will be saved in the data folder of your server.<br>WARNING: an archive created as human readable will be unusable as server backup.",@@@@@@@@@@
|
||||
'assign_approvers' => "指派审核人",// "Assign Approvers",
|
||||
'assign_reviewers' => "指派校对人",// "Assign Reviewers",
|
||||
'assign_user_property_to' => "分配用户属性给",// "Assign user's properties to",
|
||||
'assumed_released' => "假定发布",// "Assumed released",
|
||||
'august' => "八 月",// "August",
|
||||
'automatic_status_update' => "自动状态变化",// "Automatic status change",*
|
||||
'back' => "返回",// "Go back",
|
||||
'backup_list' => "备份列表",// "Existings backup list",
|
||||
'backup_remove' => "删除备份",// "Remove backup file",
|
||||
'backup_tools' => "备份工具",// "Backup tools",
|
||||
'between' => "between",
|
||||
'calendar' => "日历",// "Calendar",
|
||||
'cancel' => "取消",// "Cancel",
|
||||
'cannot_assign_invalid_state' => "不能修改文档的最终状态",// "Cannot modify a document yet in final state",
|
||||
'cannot_change_final_states' => "警告:您不能更改文档的拒绝、过期、待校对、或是待审核等状态",// "Warning: You cannot alter status for document rejected, expired or with pending review or approval",
|
||||
'cannot_delete_yourself' => "不能删除自己",// "Cannot delete yourself",
|
||||
'cannot_move_root' => "错误:不能移动根目录",// "Error: Cannot move root folder.",
|
||||
'cannot_retrieve_approval_snapshot' => "无法检索到该文件版本的审核快照.",// "Unable to retrieve approval status snapshot for this document version.",
|
||||
'cannot_retrieve_review_snapshot' => "无法检索到该文件版本的校对快照.",// "Unable to retrieve review status snapshot for this document version.",
|
||||
'cannot_rm_root' => "错误:不能删除根目录.",// "Error: Cannot delete root folder.",
|
||||
'change_assignments' => "分配变更",// "Change Assignments",
|
||||
'change_status' => "变更状态",// "Change Status",
|
||||
'choose_category' => "请选择",// "Please choose",
|
||||
'choose_group' => "选择组别",// "Choose group",
|
||||
'choose_target_document' => "选择文档",// "Choose document",
|
||||
'choose_target_folder' => "选择文件夹",// "Choose folder",
|
||||
'choose_user' => "选择用户",// "Choose user",
|
||||
'comment_changed_email' => "评论已更改",// "Comment changed",
|
||||
'comment' => "说明",// "Comment",
|
||||
'comment_for_current_version' => "版本说明",// "Version comment",
|
||||
'confirm_pwd' => "确认密码",// "Confirm Password",
|
||||
'confirm_rm_backup' => "您确定要删除\"[arkname]\"备份文档?<br>请注意:此动作执行后不能撤销.",// "Do you really want to remove the file \"[arkname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_document' => "您确定要删除\"[documentname]\"文档?<br>请注意:此动作执行后不能撤销.",// "Do you really want to remove the document \"[documentname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_dump' => "您确定要删除\"[dumpname]\"转储文件?<br>请注意:此动作执行后不能撤销.",// "Do you really want to remove the file \"[dumpname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_event' => "您确定要删除\"[name]\"事件?<br>请注意:此动作执行后不能撤销.",// "Do you really want to remove event \"[name]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_file' => "您确定要删除\"[documentname]\"文档中的\"[name]\"文件 ?<br>请注意:此动作执行后不能撤销.",// "Do you really want to remove file \"[name]\" of document \"[documentname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_folder' => "您确定要删除\"[foldername]\"文件夹 及其内文件?<br>请注意:此动作执行后不能撤销.",// "Do you really want to remove the folder \"[foldername]\" and its content?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_folder_files' => "您确定要删除\"[foldername]\" 中所有文件及其子文件夹?<br>请注意:此动作执行后不能撤销.",// "Do you really want to remove all the files of the folder \"[foldername]\" and of its subfolders?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_group' => "您确定要删除\"[groupname]\"组?<br>请注意:此动作执行后不能撤销.",// "Do you really want to remove the group \"[groupname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_log' => "您确定要删除\"[logname]\"日志文件?<br>请注意:此动作执行后不能撤销.",// "Do you really want to remove log file \"[logname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_user' => "您确定要删除\"[username]\"用户?<br>请注意:此动作执行后不能撤销.",// "Do you really want to remove the user \"[username]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_version' => "您确定要删除\"[documentname]\文档的[version]版本文件?<br>请注意:此动作执行后不能撤销.",// "Do you really want to remove version [version] of document \"[documentname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'content' => "内容",// "Content",
|
||||
'continue' => "继续",// "Continue",
|
||||
'creation_date' => "创建日期",// "Created",
|
||||
'current_version' => "当前版本",// "Current version",
|
||||
'december' => "十二月",// "December",
|
||||
'default_access' => "缺省访问模式",// "Default Access Mode",
|
||||
'default_keywords' => "可用关键字",// "Available keywords",
|
||||
'delete' => "删除",// "Delete",
|
||||
'details' => "详细情况",// "Details",
|
||||
'details_version' => "版本详情:[version]",// "Details for version: [version]",
|
||||
'disclaimer' =>"警告:这是机密区.只有授权用户才被允许访问.任何违反行为将受到法律制裁",// "This is a classified area. Access is permitted only to authorized personnel. Any violation will be prosecuted according to the national and international laws.",
|
||||
'document_already_locked' => "该文档已被锁定",// "This document is aleady locked",
|
||||
'document_deleted' => "删除文档",// "Document deleted",
|
||||
'document_deleted_email' => "文档已被删除",// "Document deleted",
|
||||
'document' => "文档",// "Document",
|
||||
'document_infos' => "文档信息",// "Document Information",
|
||||
'document_is_not_locked' => "该文档没有被锁定",// "This document is not locked",
|
||||
'document_link_by' => "链接",// "Linked by",
|
||||
'document_link_public' => "公开",// "Public",
|
||||
'document_moved_email' => "文档已被移动",// "Document moved",
|
||||
'document_renamed_email' => "文档已被重命名",// "Document renamed",
|
||||
'documents' => "文档",// "Documents",
|
||||
'documents_in_process' => "待处理文档",// "Documents In Process",
|
||||
'documents_locked_by_you' => "被您锁定的文档",// "Documents locked by you",
|
||||
'document_status_changed_email' => "文档状态已被更改",// "Document status changed",
|
||||
'documents_to_approve' => "待您审核的文档",// "Documents awaiting your approval",
|
||||
'documents_to_review' => "待您校对的文档",// "Documents awaiting your Review",
|
||||
'documents_user_requiring_attention' => "需您关注的文档",// "Documents owned by you that require attention",
|
||||
'document_title' => "文档名称 '[documentname]'",// "Document '[documentname]'",
|
||||
'document_updated_email' => "文档已被更新",// "Document updated",
|
||||
'does_not_expire' => "永不过期",// "Does not expire",
|
||||
'does_not_inherit_access_msg' => "继承访问权限",// "<a class= "",//\"inheritAccess\" href= "",//\"[inheriturl]\">Inherit access</a>",
|
||||
'download' => "下载",// "Download",
|
||||
'draft_pending_approval' => "待审核",// "Draft - pending approval",
|
||||
'draft_pending_review' => "待校对",// "Draft - pending review",
|
||||
'dump_creation' => "转储数据",// "DB dump creation",
|
||||
'dump_creation_warning' => "通过此操作,您可以创建一个您数据库的转储文件,之后可以将转储数据保存到您服务器所在的数据文件夹中",// "With this operation you can create a dump file of your database content. After the creation the dump file will be saved in the data folder of your server.",
|
||||
'dump_list' => "存在转储文件",// "Existings dump files",
|
||||
'dump_remove' => "删除转储文件",// "Remove dump file",转储文件:内存镜像
|
||||
'edit_comment' => "编辑说明",// "Edit comment",
|
||||
'edit_default_keywords' => "编辑关键字",// "Edit keywords",
|
||||
'edit_document_access' => "编辑访问权限",// "Edit Access",
|
||||
'edit_document_notify' => "文档通知列表",// "Document Notification List",
|
||||
'edit_document_props' => "编辑文档",// "Edit document",
|
||||
'edit' => "编辑",// "Edit",
|
||||
'edit_event' => "编辑事件",// "Edit event",
|
||||
'edit_existing_access' => "编辑访问列表",// "Edit Access List",
|
||||
'edit_existing_notify' => "编辑通知列表",// "Edit notification list",
|
||||
'edit_folder_access' => "编辑访问权限",// "Edit access",
|
||||
'edit_folder_notify' => "文件夹通知列表",// "Folder Notification List",
|
||||
'edit_folder_props' => "编辑文件夹",// "Edit folder",
|
||||
'edit_group' => "编辑组别",// "Edit group",
|
||||
'edit_user_details' => "编辑用户详情",// "Edit User Details",
|
||||
'edit_user' => "编辑用户",// "Edit user",
|
||||
'email' => "Email",
|
||||
'email_footer' => "您可以用‘我的账户’选项来改变您的e-mail设置",// "You can always change your e-mail settings using 'My Account' functions",
|
||||
'email_header' => "这是来自于DMS(文档管理系统)的自动发送消息",// "This is an automatic message from the DMS server.",
|
||||
'empty_notify_list' => "没有条目",// "No entries",
|
||||
'error_no_document_selected' => "请选择文档",// "No document selected",
|
||||
'error_no_folder_selected' => "请选择文件夹",// "No folder selected",
|
||||
'error_occured' => "出错",// "An error has occured",
|
||||
'event_details' => "错误详情",// "Event details",
|
||||
'expired' => "过期",// "Expired",
|
||||
'expires' => "有效限期",// "Expires",@@@@@@
|
||||
'expiry_changed_email' => "到期日子已改变",// "Expiry date changed",
|
||||
'february' => "二 月",// "February",
|
||||
'file' => "文件",// "File",
|
||||
'files_deletion' => "删除文件",// "Files deletion",
|
||||
'files_deletion_warning' => "通过此操作,您可以删除整个DMS(文档管理系统)文件夹里的所有文件.但版本信息将被保留",// "With this option you can delete all files of entire DMS folders. The versioning information will remain visible.",
|
||||
'files' => "文件",// "Files",
|
||||
'file_size' => "文件大小",// "Filesize",
|
||||
'folder_contents' => "文件夹内容",// "Folder Contents",
|
||||
'folder_deleted_email' => "文件夹已被删除",// "Folder deleted",
|
||||
'folder' => "文件夹",// "Folder",
|
||||
'folder_infos' => "文件夹信息",// "Folder Information",
|
||||
'folder_moved_email' => "文件夹已被移动",// "Folder moved",
|
||||
'folder_renamed_email' => "文件夹已被重命名",// "Folder renamed",
|
||||
'folders_and_documents_statistic' => "内容概要",// "Contents overview",
|
||||
'folders' => "文件夹",// "Folders",
|
||||
'folder_title' => "文件夹 '[foldername]'",// "Folder '[foldername]'",
|
||||
'friday' => "Friday",
|
||||
'from' => "从",//"From",
|
||||
'global_default_keywords' => "全局关键字",// "Global keywords",
|
||||
'group_approval_summary' => "审核组汇总",// "Group approval summary",
|
||||
'group_exists' => "组已存在",// "Group already exists.",
|
||||
'group' => "组别",// "Group",
|
||||
'group_management' => "组管理",// "Groups management",
|
||||
'group_members' => "组成员",// "Group members",
|
||||
'group_review_summary' => "校对组汇总",// "Group review summary",
|
||||
'groups' => "组别",// "Groups",
|
||||
'guest_login_disabled' => "来宾登录被禁止",// "Guest login is disabled.",
|
||||
'guest_login' => "来宾登录",// "Login as guest",
|
||||
'help' => "帮助",// "Help",
|
||||
'human_readable' => "可读存档",// "Human readable archive",
|
||||
'include_documents' => "包含文档",// "Include documents",
|
||||
'include_subdirectories' => "包含子目录",// "Include subdirectories",
|
||||
'individuals' => "个人",// "Individuals",
|
||||
'inherits_access_msg' => "继承访问权限",//"Access is being inherited.<p><a class=\"inheritAccess\" href=\"[copyurl]\">Copy inherited access list</a><br><a class=\"inheritAccess\" href=\"[emptyurl]\">Start with empty access list</a>",
|
||||
'inherits_access_copy_msg' => "复制继承访问权限列表",
|
||||
'inherits_access_empty_msg' => "从访问权限空列表开始",
|
||||
'internal_error_exit' => "内部错误.无法完成请求.离开系统",// "Internal error. Unable to complete request. Exiting.",
|
||||
'internal_error' => "内部错误",// "Internal error",
|
||||
'invalid_access_mode' => "无效访问模式",// "Invalid Access Mode",
|
||||
'invalid_action' => "无效动作",// "Invalid Action",
|
||||
'invalid_approval_status' => "无效审核状态",// "Invalid Approval Status",
|
||||
'invalid_create_date_end' => "无效截止日期,不在创建日期范围内",// "Invalid end date for creation date range.",
|
||||
'invalid_create_date_start' => "无效开始日期,不在创建日期范围内",// "Invalid start date for creation date range.",
|
||||
'invalid_doc_id' => "无效文档ID号",// "Invalid Document ID",
|
||||
'invalid_file_id' => "无效文件ID号",// "Invalid file ID",
|
||||
'invalid_folder_id' => "无效文件夹ID号",// "Invalid Folder ID",
|
||||
'invalid_group_id' => "无效组别ID号",// "Invalid Group ID",
|
||||
'invalid_link_id' => "无效链接标示",// "Invalid link identifier",
|
||||
'invalid_request_token' => "Invalid Request Token",
|
||||
'invalid_review_status' => "无效校对状态",// "Invalid Review Status",
|
||||
'invalid_sequence' => "无效序列值",// "Invalid sequence value",
|
||||
'invalid_status' => "无效文档状态",// "Invalid Document Status",
|
||||
'invalid_target_doc_id' => "无效目标文档ID号",// "Invalid Target Document ID",
|
||||
'invalid_target_folder' => "无效目标文件夹ID号",// "Invalid Target Folder ID",
|
||||
'invalid_user_id' => "无效用户ID号",// "Invalid User ID",
|
||||
'invalid_version' => "无效文档版本",// "Invalid Document Version",
|
||||
'is_hidden' => "从用户列表中隐藏",// "Hide from users list",
|
||||
'january' => "一 月",// "January",
|
||||
'js_no_approval_group' => "请选择审核组",// "Please select a approval group",
|
||||
'js_no_approval_status' => "请选择审核状态",// "Please select the approval status",
|
||||
'js_no_comment' => "没有添加说明",// "There is no comment",
|
||||
'js_no_email' => "输入您的e-mail",// "Type in your Email-address",
|
||||
'js_no_file' => "请选择一个文件",// "Please select a file",
|
||||
'js_no_keywords' => "指定关键字",// "Specify some keywords",
|
||||
'js_no_login' => "输入用户名",// "Please type in a username",
|
||||
'js_no_name' => "请输入名称",// "Please type in a name",
|
||||
'js_no_override_status' => "请选择一个新的[override]状态",// "Please select the new [override] status",
|
||||
'js_no_pwd' => "您需要输入您的密码",// "You need to type in your password",
|
||||
'js_no_query' => "输入查询",// "Type in a query",
|
||||
'js_no_review_group' => "请选择一个校对组",// "Please select a review group",
|
||||
'js_no_review_status' => "请选择校对状态",// "Please select the review status",
|
||||
'js_pwd_not_conf' => "密码与确认密码不一致",// "Password and passwords-confirmation are not equal",
|
||||
'js_select_user_or_group' => "选择至少一个用户或一个组",// "Select at least a user or a group",
|
||||
'js_select_user' => "请选择一个用户",// "Please select an user",
|
||||
'july' => "七 月",// "July",
|
||||
'june' => "六 月",// "June",
|
||||
'keyword_exists' => "关键字已存在",// "Keyword already exists",
|
||||
'keywords' => "关键字",// "Keywords",
|
||||
'language' => "语言",// "Language",
|
||||
'last_update' => "上次更新",// "Last Update",
|
||||
'linked_documents' => "相关文档",// "Related Documents",
|
||||
'linked_files' => "附件",// "Attachments",
|
||||
'local_file' => "本地文件",// "Local file",
|
||||
'lock_document' => "锁定",// "Lock",
|
||||
'lock_message' => "此文档已被 <a href=\"mailto:[email]\">[username]</a>锁定. 只有授权用户才能解锁.", //"This document is locked by <a href=\"mailto:[email]\">[username]</a>. Only authorized users can unlock this document.",
|
||||
'lock_status' => "锁定状态",// "Status",
|
||||
'login_error_text' => "登录错误.用户名或密码不正确",// "Error signing in. User ID or password incorrect.",
|
||||
'login_error_title' => "登录错误",// "Sign in error",
|
||||
'login_not_given' => "缺少用户名",// "No username has been supplied",@@
|
||||
'login_ok' => "登录成功",// "Sign in successful",
|
||||
'log_management' => "日志管理",// "Log files management",
|
||||
'logout' => "登出",// "Logout",
|
||||
'manager' => "管理员",// "Manager",@@
|
||||
'march' => "三 月",// "March",
|
||||
'max_upload_size' => "最大上传文件大小",// "Maximum upload size",
|
||||
'may' => "五 月",// "May",
|
||||
'monday' => "Monday",
|
||||
'month_view' => "月视图",// "Month view",
|
||||
'move_document' => "移动文档",// "Move document",
|
||||
'move_folder' => "移动文件夹",// "Move Folder",
|
||||
'move' => "移动",// "Move",
|
||||
'my_account' => "我的账户",// "My Account",
|
||||
'my_documents' => "我的文档",// "My Documents",
|
||||
'name' => "名称",// "Name",@@
|
||||
'new_default_keyword_category' => "添加类别",// "Add category",
|
||||
'new_default_keywords' => "添加关键字",// "Add keywords",
|
||||
'new_document_email' => "添加新文档",// "New document",
|
||||
'new_file_email' => "添加新附件",// "New attachment",
|
||||
'new_folder' => "新建文件夹",// "New folder",
|
||||
'new' => "New", @@@@
|
||||
'new_subfolder_email' => "创建新文件夹",// "New folder",
|
||||
'new_user_image' => "新建图片",// "New image",
|
||||
'no_action' => "无动作请求",// "No action required",
|
||||
'no_approval_needed' => "无待审核的文件",// "No approval pending.",
|
||||
'no_attached_files' => "无附件",// "No attached files",
|
||||
'no_default_keywords' => "无关键字",// "No keywords available",
|
||||
'no_docs_locked' => "无锁定的文档",// "No documents locked.",
|
||||
'no_docs_to_approve' => "当前没有需要审核的文档",// "There are currently no documents that require approval.",
|
||||
'no_docs_to_look_at' => "没有需要关注的文档",// "No documents that need attention.",
|
||||
'no_docs_to_review' => "当前没有需要校对的文档",// "There are currently no documents that require review.",
|
||||
'no_group_members' => "该组没有成员",// "This group has no members",
|
||||
'no_groups' => "无组别",// "No groups",
|
||||
'no_linked_files' => "无链接文件",// "No linked files",
|
||||
'no' => "否",//"No",
|
||||
'no_previous_versions' => "无其它版本",// "No other versions found",
|
||||
'no_review_needed' => "无待校对的文件",// "No review pending.",
|
||||
'notify_added_email' => "您已被添加到了通知名单中",// "You've been added to notify list",
|
||||
'notify_deleted_email' => "您已经从通知名单中删除",// "You've been removed from notify list",
|
||||
'no_update_cause_locked' => "您不能更新此文档,请联系该文档锁定人",// "You can therefore not update this document. Please contanct the locking user.",
|
||||
'no_user_image' => "无图片",// "No image found",
|
||||
'november' => "十一月",// "November",
|
||||
'obsolete' => "Obsolete",@@
|
||||
'october' => "十 月",// "October",
|
||||
'old' => "Old",//@@
|
||||
'only_jpg_user_images' => "只用jpg格式的图片才可以作为用户身份图片",// "Only .jpg-images may be used as user-images",
|
||||
'owner' => "所有者",// "Owner",
|
||||
'ownership_changed_email' => "所有者已变更",// "Owner changed",
|
||||
'password' => "密码",// "Password",
|
||||
'personal_default_keywords' => "用户关键字",// "Personal keywords",@@
|
||||
'previous_versions' => "先前版本",// "Previous Versions",
|
||||
'rejected' => "拒绝",// "Rejected",
|
||||
'released' => "发布",// "Released",
|
||||
'removed_approver' => "已经从审核人名单中删除",// "has been removed from the list of approvers.",
|
||||
'removed_file_email' => "删除附件",// "Removed attachment",
|
||||
'removed_reviewer' => "已经从校对人名单中删除",// "has been removed from the list of reviewers.",
|
||||
'results_page' => "结果页面",// "Results Page",
|
||||
'review_deletion_email' => "校对请求被删除",// "Review request deleted",
|
||||
'reviewer_already_assigned' => "已经被指派为校对人",// "is already assigned as a reviewer",
|
||||
'reviewer_already_removed' => "已经从校对队列中删除或者已经提交校对",// "has already been removed from review process or has already submitted a review",
|
||||
'reviewers' => "校对人",// "Reviewers",
|
||||
'review_group' => "校对组",// "Review Group",
|
||||
'review_request_email' => "校对请求",// "Review request",
|
||||
'review_status' => "校对状态",// "Review Status",
|
||||
'review_submit_email' => "提交校对",// "Submitted review",
|
||||
'review_summary' => "校对汇总",// "Review Summary",
|
||||
'review_update_failed' => "错误 更新校对状态.更新失败",// "Error updating review status. Update failed.",
|
||||
'rm_default_keyword_category' => "删除类别",// "Delete category",
|
||||
'rm_document' => "删除文档",// "Remove document",
|
||||
'rm_file' => "删除文件",// "Remove file",
|
||||
'rm_folder' => "删除文件夹",// "Remove folder",
|
||||
'rm_group' => "删除该组",// "Remove this group",
|
||||
'rm_user' => "删除该用户",// "Remove this user",
|
||||
'rm_version' => "删除该版本",// "Remove version",
|
||||
'role_admin' => "管理员",// "Administrator",
|
||||
'role_guest' => "来宾",// "Guest",
|
||||
'role_user' => "用户",// "User",
|
||||
'role' => "角色",// "Role",
|
||||
'saturday' => "Saturday",
|
||||
'save' => "保存",// "Save",
|
||||
'search_in' => "搜索于",// "Search in",
|
||||
'search_mode_and' => "与模式",// "all words",
|
||||
'search_mode_or' => "或模式",// "at least one word",
|
||||
'search_no_results' => "没有找到与您搜索添加相匹配的文件",// "There are no documents that match your search",
|
||||
'search_query' => "搜索",// "Search for",
|
||||
'search_report' => "找到 [count] 个文档",// "Found [count] documents",
|
||||
'search_results_access_filtered' => "搜索到得结果中可能包含受限访问的文档",// "Search results may contain content to which access has been denied.",
|
||||
'search_results' => "搜索结果",// "Search results",
|
||||
'search' => "搜索",// "Search",
|
||||
'search_time' => "耗时:[time]秒",// "Elapsed time: [time] sec.",
|
||||
'selection' => "选择",// "Selection",
|
||||
'select_one' => "选择一个",// "Select one",
|
||||
'september' => "九 月",// "September",
|
||||
'seq_after' => "在\"[prevname]\"之后",// "After \"[prevname]\"",
|
||||
'seq_end' => "末尾",// "At the end",
|
||||
'seq_keep' => "当前",// "Keep Position",@@@@
|
||||
'seq_start' => "首位",// "First position",
|
||||
'sequence' => "次序",// "Sequence",
|
||||
'set_expiry' => "设置截止日期",// "Set Expiry",
|
||||
'set_owner_error' => "错误 设置所有者",// "Error setting owner",
|
||||
'set_owner' => "设置所有者",// "Set Owner",
|
||||
'signed_in_as' => "登录为",// "Signed in as",
|
||||
'sign_out' => "登出",// "sign out",
|
||||
'space_used_on_data_folder' => "数据文件夹使用空间",// "Space used on data folder",@@
|
||||
'status_approval_rejected' => "拟拒绝",// "Draft rejected",
|
||||
'status_approved' => "批准",// "Approved",
|
||||
'status_approver_removed' => "从审核队列中删除",// "Approver removed from process",
|
||||
'status_not_approved' => "未批准",// "Not approved",
|
||||
'status_not_reviewed' => "未校对",// "Not reviewed",
|
||||
'status_reviewed' => "通过",// "Reviewed",
|
||||
'status_reviewer_rejected' => "拟拒绝",// "Draft rejected",
|
||||
'status_reviewer_removed' => "从校对队列中删除",// "Reviewer removed from process",
|
||||
'status' => "状态",// "Status",
|
||||
'status_unknown' => "未知",// "Unknown",
|
||||
'storage_size' => "存储大小",// "Storage size",
|
||||
'submit_approval' => "提交审核",// "Submit approval",
|
||||
'submit_login' => "登录",// "Sign in",
|
||||
'submit_review' => "提交校对",// "Submit review",
|
||||
'sunday' => "Sunday",
|
||||
'theme' => "主题",// "Theme",
|
||||
'thursday' => "Thursday",
|
||||
'toggle_manager' => "角色切换",// "Toggle manager",@@
|
||||
'to' => "到",//"To",
|
||||
'tuesday' => "Tuesday",
|
||||
'under_folder' => "文件夹内",// "In folder",
|
||||
'unknown_command' => "未知命令",// "Command not recognized.",
|
||||
'unknown_group' => "未知组ID号",// "Unknown group id",
|
||||
'unknown_id' => "未知ID号",// "unknown id",
|
||||
'unknown_keyword_category' => "未知类别",// "Unknown category",
|
||||
'unknown_owner' => "未知所有者ID号",// "Unknown owner id",
|
||||
'unknown_user' => "未知用户ID号",// "Unknown user id",
|
||||
'unlock_cause_access_mode_all' => "您仍然可以更新,因为您有拥有所有权限\"all\". 锁定状态被自动解除.",// "You can still update it because you have access-mode \"all\". Locking will automatically be removed.",
|
||||
'unlock_cause_locking_user' => "您仍然可以更新,因为是您锁定了该文件. 锁定状态被自动解除.",// "You can still update it because you are also the one that locked it. Locking will automatically be removed.",@@
|
||||
'unlock_document' => "解锁",// "Unlock",
|
||||
'update_approvers' => "更新审核人名单",// "Update List of Approvers",
|
||||
'update_document' => "更新",// "Update",
|
||||
'update_info' => "更新信息",// "Update Information",
|
||||
'update_locked_msg' => "该文档被锁定",// "This document is locked.",
|
||||
'update_reviewers' => "更新校对人名单",// "Update List of Reviewers",
|
||||
'update' => "更新",// "Update",
|
||||
'uploaded_by' => "上传者",// "Uploaded by",@@
|
||||
'uploading_failed' => "上传失败.请联系管理员",// "Upload failed. Please contact the administrator.",
|
||||
'use_default_keywords' => "使用预定义关键字",// "Use predefined keywords",
|
||||
'user_exists' => "用户已存在",// "User already exists.",
|
||||
'user_image' => "用户图片",// "Image",@@
|
||||
'user_info' => "用户信息",// "User Information",
|
||||
'user_list' => "用户列表",// "List of Users",
|
||||
'user_login' => "用户ID",// "User ID",
|
||||
'user_management' => "用户管理",// "Users management",
|
||||
'user_name' => "全名",// "Full name",
|
||||
'users' => "用户",// "Users",
|
||||
'user' => "用户",// "User",
|
||||
'version_deleted_email' => "版本已被删除",// "Version deleted",
|
||||
'version_info' => "版本信息",// "Version Information",
|
||||
'versioning_file_creation' => "创建版本文件",// "Versioning file creation",@@
|
||||
'versioning_file_creation_warning' => "通过此操作,您可以一个包含整个DMS文件夹的版本信息文件. 版本文件一经创建,每个文件都将保存到文件夹中.",// "With this operation you can create a file containing the versioning information of an entire DMS folder. After the creation every file will be saved inside the document folder.",@@
|
||||
'versioning_info' => "版本信息",// "Versioning info",
|
||||
'version' => "版本",// "Version",
|
||||
'view_online' => "在线浏览",// "View online",
|
||||
'warning' => "警告",// "Warning",
|
||||
'wednesday' => "Wednesday",
|
||||
'week_view' => "周视图",// "Week view",
|
||||
'year_view' => "年视图",// "Year View",
|
||||
'yes' => "是",// "Yes",
|
||||
);
|
||||
?>
|
587
languages/zh_TW/lang.inc
Normal file
587
languages/zh_TW/lang.inc
Normal file
|
@ -0,0 +1,587 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
$text = array(
|
||||
'accept' => "…Éî†äÅ",
|
||||
'access_denied' => "Access denied.",
|
||||
'access_inheritance' => "Access Inheritance",
|
||||
'access_mode' => "…¡ÿ…Åû†¿í…Å",
|
||||
'access_mode_all' => "…«î…à¿",
|
||||
'access_mode_none' => "†™Æ†£ë…¡ÿ…Åû†¼è‰ÖÉ",
|
||||
'access_mode_read' => "…ö¯ˆ«Ç",
|
||||
'access_mode_readwrite' => "ˆ«Ç…¯½",
|
||||
'account_summary' => "Account Summary",
|
||||
'action_summary' => "Action Summary",
|
||||
'actions' => "Actions",
|
||||
'add' => "Add",
|
||||
'add_access' => "…ó¤…èá…¡ÿ…Åû",
|
||||
'add_doc_reviewer_approver_warning' => "N.B. Documents are automatically marked as released if no reviewer or approver is assigned.",
|
||||
'add_document' => "…ó¤…èᆬö†íê",
|
||||
'add_document_link' => "…ó¤…èá‰Çú‡´É",
|
||||
'add_group' => "†û—…󤇾ñ‡´ä",
|
||||
'add_link' => "Create Link",
|
||||
'add_member' => "…ó¤…èá†êÉ…ôí",
|
||||
'add_new_notify' => "†û—…ó¤‡ò—…ïò‰Ç܇–Ñ",
|
||||
'add_subfolder' => "…ó¤…èᅡɈþç†ûÖ…ñ¾",
|
||||
'add_user' => "†û—…󤄻À‡ö¿ˆÇà",
|
||||
'adding_default_keywords' => "†û—…ó¤‰ù£‰ì´…¡ù...",
|
||||
'adding_document' => "†¡ú…£¿†û—…󤆬ö†íê\"[documentname]\"…ê—ˆþç†ûÖ…ñ¾\"[foldername]\"...",
|
||||
'adding_document_link' => "…ó¤…èáˆê燢¹‰ù£†¬ö†íê‡Üä‰Çú‡´É...",
|
||||
'adding_document_notify' => "†û—…ó¤…ê—‡ò—…ïò‰Ç܇–Ñ...",
|
||||
'adding_folder_notify' => "†¡ú…£¿‡ò—…ïò‰Ç܇–Ñ„¹¡†û—…ó¤…à⇳á...",
|
||||
'adding_group' => "…—燾ñ‡´ä…èá…àÑ…ê—‡þ©‡´˜„¹¡...",
|
||||
'adding_member' => "…ó¤…èá†êÉ…ôí…ê—‡¾ñ‡´ä„¹¡...",
|
||||
'adding_sub_folder' => "…ó¤…èᅡɈþç†ûÖ…ñ¾\"[subfoldername]\"…ê—ˆþç†ûÖ…ñ¾\"[foldername]\"...",
|
||||
'adding_user' => "…ó¤…èá„»À‡ö¿ˆÇà…ê—‡þ©‡´˜„¹¡...",
|
||||
'admin' => "Administrator",
|
||||
'admin_set_owner' => "Only an Administrator may set a new owner",
|
||||
'admin_tools' => "‡«í‡É典хà¸",
|
||||
'all_documents' => "All Documents",
|
||||
'all_users' => "†ëdž£ë„»À‡ö¿ˆÇà",
|
||||
'and' => "…ê—",
|
||||
'approval_group' => "Approval Group",
|
||||
'approval_status' => "Approval Status",
|
||||
'approval_summary' => "Approval Summary",
|
||||
'approval_update_failed' => "Error updating approval status. Update failed.",
|
||||
'approve_document' => "Approve Document",
|
||||
'approve_document_complete' => "Approve Document: Complete",
|
||||
'approve_document_complete_records_updated' => "Document approval completed and records updated",
|
||||
'approver_added' => "added as an approver",
|
||||
'approver_already_assigned' => "is already assigned as an approver",
|
||||
'approver_already_removed' => "has already been removed from approval process or has already submitted an approval",
|
||||
'approver_no_privilege' => "is not sufficiently privileged to approve this document",
|
||||
'approver_removed' => "removed from approval process",
|
||||
'approvers' => "Approvers",
|
||||
'as_approver' => "as an approver",
|
||||
'as_reviewer' => "as a reviewer",
|
||||
'assign_privilege_insufficient' => "Access denied. Privileges insufficient to assign reviewers or approvers to this document.",
|
||||
'assumed_released' => "Assumed released",
|
||||
'back' => "ˆÀö…¢¤",
|
||||
'between' => "…¾¤",
|
||||
'cancel' => "†ö¾†úä",
|
||||
'cannot_approve_pending_review' => "Document is currently pending review. Cannot submit an approval at this time.",
|
||||
'cannot_assign_invalid_state' => "Cannot assign new reviewers to a document that is not pending review or pending approval.",
|
||||
'cannot_change_final_states' => "Warning: Unable to alter document status for documents that have been rejected, marked obsolete or expired.",
|
||||
'cannot_delete_admin' => "Unable to delete the primary administrative user.",
|
||||
'cannot_move_root' => "Error: Cannot move root folder.",
|
||||
'cannot_retrieve_approval_snapshot' => "Unable to retrieve approval status snapshot for this document version.",
|
||||
'cannot_retrieve_review_snapshot' => "Unable to retrieve review status snapshot for this document version.",
|
||||
'cannot_rm_root' => "Error: Cannot delete root folder.",
|
||||
'choose_category' => "--ˆ½ï‰ü¹†ôç--",
|
||||
'choose_group' => "--‰ü¹†ô燾ñ‡´ä--",
|
||||
'choose_target_document' => "‰ü¹†ô熬ö†íê",
|
||||
'choose_target_folder' => "‰ü¹†ô燢«‡Üäˆþç†ûÖ…ñ¾",
|
||||
'choose_user' => "--‰ü¹†ôç„»À‡ö¿ˆÇà--",
|
||||
'comment' => "…éÖˆ¿©",
|
||||
'comment_for_current_version' => "‡¢«…ëì‡ëꆣ¼ˆ¬¬†ÿÄ",
|
||||
'confirm_pwd' => "‡ó¦ˆ¬ì…¯å‡ó",
|
||||
'confirm_rm_document' => "‡ó¦ˆ¬ì…ꬉÖñ†¬ö†íê…ùÄ\"[documentname]\"?<br>†þ¿†äÅ<C3A4>Ü †¡ñ†ôì„»£„¹ìˆâ»†ü󅾨ƒÇé",
|
||||
'confirm_rm_folder' => "‡ó¦ˆ¬ì…ꬉÖñˆþç†ûÖ…ñ¾\"[foldername]\" …Æî…ൄ¹¡‡Üä…຅« …ùÄ?<br>†þ¿†äÅ<C3A4>Ü †¡ñ†ôì„»£„¹ìˆâ»†ü󅾨ƒÇé",
|
||||
'confirm_rm_version' => "†é¿‡ó¦…«Üˆªü‡º©‰Öñ†¬ö†íê \"[documentname]\" ‡Üä‡ëꆣ¼ [version] <20>–<br>†þ¿†äÅ<C3A4>Ü †¡ñ†ôì„»£„¹ìˆâ»†ü󅾨ƒÇé",
|
||||
'content' => "…຅« ",
|
||||
'continue' => "Continue",
|
||||
'creating_new_default_keyword_category' => "†û—…ó¤‰í¤…êÑ...",
|
||||
'creation_date' => "…©¦‡½ï†ùц£–",
|
||||
'current_version' => "‡¢«…ëì‡ëꆣ¼",
|
||||
'default_access' => "‰áɈ¿¡‡Üä…¡ÿ…Åû†¿í…Å",
|
||||
'default_keyword_category' => "‰í¤…êÑ<EFBFBD>Ü",
|
||||
'default_keyword_category_name' => "…É쇿˜",
|
||||
'default_keywords' => "…ů„©Ñ„»À‡ö¿‡Üä‰ù£‰ì´…¡ù",
|
||||
'delete' => "…ꬉÖñ",
|
||||
'delete_last_version' => "Document has only one revision. Deleting entire document record...",
|
||||
'deleting_document_notify' => "…¾¤‡ò—…ïò‰Ç܇–Ñ„¹¡…ꬉÖñ...",
|
||||
'deleting_folder_notify' => "…¾¤‡ò—…ïò‰Ç܇–Ñ„¹¡…ꬉÖñ…à⇳á...",
|
||||
'details' => "Details",
|
||||
'details_version' => "Details for version: [version]",
|
||||
'document' => "Document",
|
||||
'document_access_again' => "‡¸¿ˆ¯†¬ö†íê‡Üä…¡ÿ…Åû†¼è‰ÖÉ",
|
||||
'document_add_access' => "†¡ú…£¿†û—…ó¤…à⇳á…ê—†¼è‰ÖɆĺ…êµˆí¿„¹¡...",
|
||||
'document_already_locked' => "†¡ñ†¬ö†íê…¸™ˆó½‰Äû…«Ü",
|
||||
'document_del_access' => "†¡ú…£¿…¾¤†¼è‰ÖɆĺ…êµˆí¿„¹¡…ꬉÖñ…à⇳á...",
|
||||
'document_edit_access' => "†¡ú…£¿†ö ˆ«è…¡ÿ…Åû†¿í…Å...",
|
||||
'document_infos' => "†¬ö†íêˆþ爿è",
|
||||
'document_is_not_locked' => "†¡ñ†¬ö†íꆙƆ£ëˆó½‰Äû…«Ü",
|
||||
'document_link_by' => "‰Çú‡´É„¦¦",
|
||||
'document_link_public' => "…༉ûï",
|
||||
'document_list' => "†¬ö†íê",
|
||||
'document_notify_again' => "…å솼í„À«†ö ‡ò—…ïò‰Ç܇–Ñ",
|
||||
'document_overview' => "†¬ö†íê-†ªé†þü",
|
||||
'document_set_default_access' => "†¡ú…£¿ˆ¿¡…«Ü†¬ö†íê‰áɈ¿¡‡Üä…¡ÿ…Åû†¼è‰ÖÉ...",
|
||||
'document_set_inherit' => "†¡ú…£¿†¹à‰Öñ†¼è‰ÖɆĺ…굈í¿<EFBFBD>ö†íê…—ç‡ †ëÀ…¡ÿ…Åû†¼è‰ÖÉ...",
|
||||
'document_set_not_inherit_copy' => "†¡ú…£¿ˆñçˆú»…¡ÿ…Åû†¼è‰ÖÉ...",
|
||||
'document_set_not_inherit_empty' => "†¡ú…£¿†¹à‰Öñ‡ †ëÀ‡Üä…¡ÿ…Åû†¼è‰ÖɃÇé…ò–‡ö¿‡¨¦‡Ü䆼è‰ÖɆĺ…굈í¿...",
|
||||
'document_status' => "Document Status",
|
||||
'document_title' => "†¬ö†íꇫí‡Éå - †¬ö†íê [documentname]",
|
||||
'document_versions' => "†ëdž£ë‡ëꆣ¼",
|
||||
'documents_in_process' => "Documents In Process",
|
||||
'documents_owned_by_user' => "Documents Owned by User",
|
||||
'documents_to_approve' => "Documents Awaiting User's Approval",
|
||||
'documents_to_review' => "Documents Awaiting User's Review",
|
||||
'documents_user_requiring_attention' => "Documents Owned by User That Require Attention",
|
||||
'does_not_expire' => "‰é䆙ƉüĆ£–",
|
||||
'does_not_inherit_access_msg' => "„¹ì†ÿ¯‡ †ëÀ‡Üä…¡ÿ…Åû†¼è‰ÖÉ",
|
||||
'download' => "†¬ö†íꄹïˆë",
|
||||
'draft_pending_approval' => "Draft - pending approval",
|
||||
'draft_pending_review' => "Draft - pending review",
|
||||
'edit' => "edit",
|
||||
'edit_default_keyword_category' => "‡¸¿ˆ¯‰í¤…êÑ",
|
||||
'edit_default_keywords' => "‡¸¿ˆ¯‰ù£‰ì´…¡ù",
|
||||
'edit_document' => "‡¸¿ˆ¯†¬ö†íê",
|
||||
'edit_document_access' => "„À«†ö ˆ¿¬…òņ¼è‰ÖÉ",
|
||||
'edit_document_notify' => "‡ò—…ïò‰Ç܇–Ñ",
|
||||
'edit_document_props' => "‡¸¿ˆ¯†¬ö†íê…˜¼†Çº",
|
||||
'edit_document_props_again' => "…å솼퇸¿ˆ¯†¬ö†íê",
|
||||
'edit_existing_access' => "‡¸¿ˆ¯†¼è‰ÖÉ",
|
||||
'edit_existing_notify' => "‡¸¿ˆ¯‡ò—…ïò‰Ç܇–Ñ",
|
||||
'edit_folder' => "‡¸¿ˆ¯ˆþç†ûÖ…ñ¾",
|
||||
'edit_folder_access' => "‡¸¿ˆ¯…¡ÿ…Åû†¼è‰ÖÉ",
|
||||
'edit_folder_notify' => "‡ò—…ïò‰Ç܇–Ñ",
|
||||
'edit_folder_props' => "‡¸¿ˆ¯ˆþç†ûÖ…ñ¾…˜¼†Çº",
|
||||
'edit_folder_props_again' => "‡¸¿ˆ¯ˆþç†ûÖ…ñ¾…˜¼†Çº",
|
||||
'edit_group' => "‡¸¿ˆ¯‡¾ñ‡´ä\"[groupname]\"",
|
||||
'edit_inherit_access' => "‡ †ëÀ†Çº…¡ÿ…Åû",
|
||||
'edit_personal_default_keywords' => "‡¸¿ˆ¯…Ç¦‰ù£‰ì´…¡ù",
|
||||
'edit_user' => "‡¸¿ˆ¯„»À‡ö¿ˆÇà\"[username]\"",
|
||||
'edit_user_details' => "Edit User Details",
|
||||
'editing_default_keyword_category' => "„À«†ö ‰í¤…êÑ...",
|
||||
'editing_default_keywords' => "„À«†ö ‰ù£‰ì´…¡ù„¹¡...",
|
||||
'editing_document_props' => "†¬ö†íꇸ¿ˆ¯...",
|
||||
'editing_folder_props' => "†¡ú…£¿‡¸¿ˆ¯ˆþç†ûÖ…ñ¾...",
|
||||
'editing_group' => "‡¸¿ˆ¯„»À‡ö¿ˆÇà‡¾ñ‡´ä...",
|
||||
'editing_user' => "‡¸¿ˆ¯„»À‡ö¿ˆÇà...",
|
||||
'editing_user_data' => "‡¸¿ˆ¯„»À‡ö¿ˆÇàˆ¿¡…«Ü...",
|
||||
'email' => "‰¢©…¡É‰â´„©µ",
|
||||
'email_err_group' => "Error sending email to one or more members of this group.",
|
||||
'email_err_user' => "Error sending email to user.",
|
||||
'email_sent' => "Email sent",
|
||||
'empty_access_list' => "†¼è‰ÖɆÿ¯‡¨¦‡Üä",
|
||||
'empty_notify_list' => "†™Æ†£ë…຅« ",
|
||||
'error_adding_session' => "Error occured while creating session.",
|
||||
'error_occured' => "‰î¯ˆ¬ñ<EFBFBD>ü",
|
||||
'error_removing_old_sessions' => "Error occured while removing old sessions",
|
||||
'error_updating_revision' => "Error updating status of document revision.",
|
||||
'exp_date' => "‰üĆ£–†ùц£–",
|
||||
'expired' => "Expired",
|
||||
'expires' => "‰üĆ£–ˆ¿¡…«Ü",
|
||||
'file' => "File",
|
||||
'file_info' => "File Information",
|
||||
'file_size' => "†¬ö†íê…ñº…—Å",
|
||||
'folder_access_again' => "‡¸¿ˆ¯ˆþç†ûÖ…ñ¾‡Üä…¡ÿ…Åû†¼è‰ÖÉ",
|
||||
'folder_add_access' => "…Éæ†¼è‰ÖÉ„¹¡†û—…ó¤…à⇳á...",
|
||||
'folder_contents' => "Folders",
|
||||
'folder_del_access' => "†¡ú…£¿…¾¤†¼è‰ÖÉ„¹¡…ꬉÖñ…à⇳á...",
|
||||
'folder_edit_access' => "‡¸¿ˆ¯…¡ÿ…Åû†¼è‰ÖÉ...",
|
||||
'folder_infos' => "ˆþç†ûÖ…ñ¾ˆþ爿è",
|
||||
'folder_notify_again' => "‡¸¿ˆ¯‡ò—…ïò‰Ç܇–Ñ",
|
||||
'folder_overview' => "ˆþç†ûÖ…ñ¾-†ªé†þü",
|
||||
'folder_path' => "ˆ¸¯…¾æ",
|
||||
'folder_set_default_access' => "‡é¦ˆþç†ûÖ…ñ¾ˆ¿¡…«Ü‰áɈ¿¡‡Üä…¡ÿ…Åû†¿í…Å...",
|
||||
'folder_set_inherit' => "†¡ú…£¿†¹à‰Öñ†¼è‰ÖɆĺ…êµˆí¿ƒÇé…ò–‡ö¿‡ †ëÀ†¼è‰ÖÉ",
|
||||
'folder_set_not_inherit_copy' => "ˆñçˆú»…¡ÿ…Åû†¼è‰ÖÉ…êùˆí¿...",
|
||||
'folder_set_not_inherit_empty' => "†¡ú…£¿†¹à‰Öñ‡ †ëÀ‡Ü䆼è‰ÖɃÇé…ò–‡ö¿‡¨¦‡Ü䆼è‰ÖɆĺ…굈í¿...",
|
||||
'folder_title' => "†¬ö†íꇫí‡Éå - ˆþç†ûÖ…ñ¾ [foldername]",
|
||||
'folders_and_documents_statistic' => "†–ч£ï†¬ö†íêˆêçˆþç†ûÖ…ñ¾ˆþ爿è",
|
||||
'foldertree' => "ˆþç†ûÖ…ñ¾†¿ ",
|
||||
'from_approval_process' => "from approval process",
|
||||
'from_review_process' => "from review process",
|
||||
'global_default_keywords' => "…à¿…––‰ù£‰ì´…¡ù",
|
||||
'goto' => "…ëì…¾Ç",
|
||||
'group' => "‡¾ñ‡´ä",
|
||||
'group_already_approved' => "An approval has already been submitted on behalf of group",
|
||||
'group_already_reviewed' => "A review has already been submitted on behalf of group",
|
||||
'group_approvers' => "Group Approvers",
|
||||
'group_email_sent' => "Email sent to group members",
|
||||
'group_exists' => "Group already exists.",
|
||||
'group_management' => "„»À‡ö¿ˆÇà‡¾ñ‡´ä",
|
||||
'group_members' => "‡¾ñ‡´ä†êÉ…ôí",
|
||||
'group_reviewers' => "Group Reviewers",
|
||||
'group_unable_to_add' => "Unable to add group",
|
||||
'group_unable_to_remove' => "Unable to remove group",
|
||||
'groups' => "„»À‡ö¿ˆÇà‡¾ñ‡´ä",
|
||||
'guest_login' => "„©Ñˆ¿¬…«óˆ¦½„©»‡Ö©…àÑ",
|
||||
'guest_login_disabled' => "Guest login is disabled.",
|
||||
'individual_approvers' => "Individual Approvers",
|
||||
'individual_reviewers' => "Individual Reviewers",
|
||||
'individuals' => "Individuals",
|
||||
'inherits_access_msg' => "ˆ«Ç…¯½†¼è‰ÖÉˆó½‡ †ëÀƒÇé",
|
||||
'inherits_access_copy_msg' => "ˆñçˆú»†¼è‰ÖÉ…êùˆí¿",
|
||||
'inherits_access_empty_msg' => "„»À‡ö¿‡¨¦‡Ü䆼è‰ÖÉ…êùˆí¿",
|
||||
'internal_error' => "Internal error",
|
||||
'internal_error_exit' => "Internal error. Unable to complete request. Exiting.",
|
||||
'invalid_access_mode' => "Invalid Access Mode",
|
||||
'invalid_action' => "Invalid Action",
|
||||
'invalid_approval_status' => "Invalid Approval Status",
|
||||
'invalid_create_date_end' => "Invalid end date for creation date range.",
|
||||
'invalid_create_date_start' => "Invalid start date for creation date range.",
|
||||
'invalid_doc_id' => "Invalid Document ID",
|
||||
'invalid_folder_id' => "Invalid Folder ID",
|
||||
'invalid_group_id' => "Invalid Group ID",
|
||||
'invalid_link_id' => "Invalid link identifier",
|
||||
'invalid_request_token' => "Invalid Request Token",
|
||||
'invalid_review_status' => "Invalid Review Status",
|
||||
'invalid_sequence' => "Invalid sequence value",
|
||||
'invalid_status' => "Invalid Document Status",
|
||||
'invalid_target_doc_id' => "Invalid Target Document ID",
|
||||
'invalid_target_folder' => "Invalid Target Folder ID",
|
||||
'invalid_user_id' => "Invalid User ID",
|
||||
'invalid_version' => "Invalid Document Version",
|
||||
'is_admin' => "Administrator Privilege",
|
||||
'js_no_approval_group' => "Please select a approval group",
|
||||
'js_no_approval_status' => "Please select the approval status",
|
||||
'js_no_comment' => "†™Æ†£ëˆ¬¬†ÿÄ",
|
||||
'js_no_email' => "ˆ¹…àÑ„»á‡Ü䉢©…¡É‰â´„©µ…£—…¥Ç",
|
||||
'js_no_file' => "ˆ½ï‰ü¹†ô焹DžÇö†íê",
|
||||
'js_no_keywords' => "†–ш¨ó‰ù£‰ì´ˆ¨¤",
|
||||
'js_no_login' => "ˆ½ïˆ¹…àÑ…¹þˆÖ–‡¿˜",
|
||||
'js_no_name' => "ˆ½ïˆ¹…àÑ…É쇿˜",
|
||||
'js_no_override_status' => "Please select the new [override] status",
|
||||
'js_no_pwd' => "†é¿‰£Çˆªüˆ¹…àц鿇Üä…¯å‡ó",
|
||||
'js_no_query' => "ˆ½ïˆ¹…àц–ш¨ó…຅« ",
|
||||
'js_no_review_group' => "Please select a review group",
|
||||
'js_no_review_status' => "Please select the review status",
|
||||
'js_pwd_not_conf' => "…¯å‡ó…Åè…¯å‡ó‡ó¦ˆ¬ì…຅« „¹ì„¹Çˆç³",
|
||||
'js_select_user' => "ˆ½ï‰ü¹†ô焹DžÇï„»À‡ö¿ˆÇà",
|
||||
'js_select_user_or_group' => "ˆçþ…—æ‰ü¹†ô焹DžÇñ‡´ä†êû„»À‡ö¿ˆÇà",
|
||||
'keyword_exists' => "Keyword already exists",
|
||||
'keywords' => "‰ù£‰ì´ˆ¨¤",
|
||||
'language' => "ˆ¬¤ˆ¿Ç",
|
||||
'last_update' => "†¢³†û—†ùц£–",
|
||||
'last_updated_by' => "Last updated by",
|
||||
'latest_version' => "Latest Version",
|
||||
'linked_documents' => "‡¢¹‰ù£†¬ö†íê",
|
||||
'local_file' => "†£¼…£—†¬ö†íê",
|
||||
'lock_document' => "‰Äû…«Ü",
|
||||
'lock_message' => "†£¼†¬ö†íê…¸™ˆó½<a href=\"mailto:[email]\">[username]</a>‰Äû…«ÜƒÇé<br>…âà†¼è‰ÖÉ„»À‡ö¿ˆÇà…ů„©Ñ„À«†ö ‰Äû…«Ü(ˆªï‰áü…—¾)ƒÇé",
|
||||
'lock_status' => "‰Äû…«Ü‡ïdžàï",
|
||||
'locking_document' => "†¬ö†íê‰Äû…«Ü...",
|
||||
'logged_in_as' => "‡Ö©…àÑ",
|
||||
'login' => "‡Ö©…àÑ",
|
||||
'login_error_text' => "Error signing in. User ID or password incorrect.",
|
||||
'login_error_title' => "Sign in error",
|
||||
'login_not_found' => "…¹þˆÖ–„¹ì…¡ÿ…£¿",
|
||||
'login_not_given' => "No username has been supplied",
|
||||
'login_ok' => "Sign in successful",
|
||||
'logout' => "‡Ö©…ç¦",
|
||||
'mime_type' => "Mime‰í¤…¤ï",
|
||||
'move' => "Move",
|
||||
'move_document' => "‡º©…ïò†¬ö†íê",
|
||||
'move_folder' => "‡º©…ïòˆþç†ûÖ…ñ¾",
|
||||
'moving_document' => "†¡ú…£¿‡º©…ïò†¬ö†íê...",
|
||||
'moving_folder' => "†¡ú…£¿‡º©…ïòˆþç†ûÖ…ñ¾...",
|
||||
'msg_document_expired' => "†¬ö†íê\"[documentname]\" (ˆ¸¯…¾æ<C2BE>Ü \"[path]\") …¸™‡µô…£¿[expires]†Öé‰üĆ£–",
|
||||
'msg_document_updated' => "†¬ö†íê\"[documentname]\" (ˆ¸¯…¾æ<C2BE>Ü \"[path]\") †ÿ¯…£¿[updated]†Öé…©¦‡½ï†êû†¢³†û—‡Üä",
|
||||
'my_account' => "†êæ‡Üä…¹þˆÖ–",
|
||||
'my_documents' => "My Documents",
|
||||
'name' => "…É쇿˜",
|
||||
'new_default_keyword_category' => "†û—…ó¤‰í¤…êÑ",
|
||||
'new_default_keywords' => "†û—…ó¤‰ù£‰ì´…¡ù",
|
||||
'new_equals_old_state' => "Warning: Proposed status and existing status are identical. No action required.",
|
||||
'new_user_image' => "†û—‡àº‡ëç",
|
||||
'no' => "…ɪ",
|
||||
'no_action' => "No action required",
|
||||
'no_action_required' => "n/a",
|
||||
'no_active_user_docs' => "There are currently no documents owned by the user that require review or approval.",
|
||||
'no_approvers' => "No approvers assigned.",
|
||||
'no_default_keywords' => "†™Æ†£ë…ů‡ö¿‡Üä‰ù£‰ì´…¡ù",
|
||||
'no_docs_to_approve' => "There are currently no documents that require approval.",
|
||||
'no_docs_to_review' => "There are currently no documents that require review.",
|
||||
'no_document_links' => "†™Æ†£ë‡¢¹‰ù£‡Üä‰Çú‡´É",
|
||||
'no_documents' => "†™Æ†£ë†¬ö†íê",
|
||||
'no_group_members' => "†¡ñ‡¾ñ‡´ä†™Æ†£ë†êÉ…ôí",
|
||||
'no_groups' => "†™Æ†£ë„»À‡ö¿ˆÇà‡¾ñ‡´ä",
|
||||
'no_previous_versions' => "No other versions found",
|
||||
'no_reviewers' => "No reviewers assigned.",
|
||||
'no_subfolders' => "†™Æ†£ë…¡Éˆþç†ûÖ…ñ¾",
|
||||
'no_update_cause_locked' => "†é¿„¹ìˆâ»†¢³†û—†¡ñ†¬ö†íê<EFBFBD>ïˆêç‰Äû…«Ü„¦¦ˆü¯‡ ½ƒÇé",
|
||||
'no_user_image' => "†™Æ†ë¾…ꗇງëç",
|
||||
'not_approver' => "User is not currently assigned as an approver of this document revision.",
|
||||
'not_reviewer' => "User is not currently assigned as a reviewer of this document revision.",
|
||||
'notify_subject' => "†¬ö†íꇫí‡Éå‡þ©‡´˜„¹¡†£ë†û—‡Üä†êû‰üĆ£–‡Ü䆬ö†íê",
|
||||
'obsolete' => "Obsolete",
|
||||
'old_folder' => "old folder",
|
||||
'only_jpg_user_images' => "‡àº‡ëç…Ŭ†ÄÑ…Åù .JPG(JPEG) †á…Å",
|
||||
'op_finished' => "†êÉ…è–",
|
||||
'operation_not_allowed' => "†é¿‡Ü䆼è‰ÖÉ„¹ì…ñá",
|
||||
'override_content_status' => "Override Status",
|
||||
'override_content_status_complete' => "Override Status Complete",
|
||||
'override_privilege_insufficient' => "Access denied. Privileges insufficient to override the status of this document.",
|
||||
'overview' => "Overview",
|
||||
'owner' => "†ëdž£ë„¦¦",
|
||||
'password' => "…¯å‡ó",
|
||||
'pending_approval' => "Documents pending approval",
|
||||
'pending_review' => "Documents pending review",
|
||||
'personal_default_keywords' => "…Ç¦‰ù£‰ì´…¡ù",
|
||||
'previous_versions' => "Previous Versions",
|
||||
'rejected' => "Rejected",
|
||||
'released' => "Released",
|
||||
'remove_document_link' => "…ꬉÖñ‰Çú‡´É",
|
||||
'remove_member' => "…ꬉÖñ†êÉ…ôí",
|
||||
'removed_approver' => "has been removed from the list of approvers.",
|
||||
'removed_reviewer' => "has been removed from the list of reviewers.",
|
||||
'removing_default_keyword_category' => "…ꬉÖñ‰í¤…êÑ...",
|
||||
'removing_default_keywords' => "…ꬉÖñ‰ù£‰ì´…¡ù„¹¡...",
|
||||
'removing_document' => "…ꬉÖñ†¬ö†íê...",
|
||||
'removing_document_link' => "…ꬉÖñˆê燢¹‰ù£†¬ö†íê‡Üä‰Çú‡´É...",
|
||||
'removing_folder' => "…ꬉÖñˆþç†ûÖ…ñ¾...",
|
||||
'removing_group' => "…¾¤‡þ©‡´˜„¹¡…ꬉÖñ†¡ñ‡¾ñ‡´ä...",
|
||||
'removing_member' => "…¾¤‡¾ñ‡´ä„¹¡…ꬉÖñ†êÉ…ôí...",
|
||||
'removing_user' => "…¾¤‡þ©‡´˜„¹¡…ꬉÖñ„»À‡ö¿ˆÇà...",
|
||||
'removing_version' => "‡º©‰Öñ‡ëꆣ¼ [version] „¹¡...",
|
||||
'review_document' => "Review Document",
|
||||
'review_document_complete' => "Review Document: Complete",
|
||||
'review_document_complete_records_updated' => "Document review completed and records updated",
|
||||
'review_group' => "Review Group",
|
||||
'review_status' => "Review Status",
|
||||
'review_summary' => "Review Summary",
|
||||
'review_update_failed' => "Error updating review status. Update failed.",
|
||||
'reviewer_added' => "added as a reviewer",
|
||||
'reviewer_already_assigned' => "is already assigned as a reviewer",
|
||||
'reviewer_already_removed' => "has already been removed from review process or has already submitted a review",
|
||||
'reviewer_no_privilege' => "is not sufficiently privileged to review this document",
|
||||
'reviewer_removed' => "removed from review process",
|
||||
'reviewers' => "Reviewers",
|
||||
'rm_default_keyword_category' => "…ꬉÖñˆ¨™‰í¤…êÑ",
|
||||
'rm_default_keywords' => "…ꬉÖñ‰ù£‰ì´…¡ù",
|
||||
'rm_document' => "…ꬉÖñ†¬ö†íê",
|
||||
'rm_folder' => "…ꬉÖñˆþç†ûÖ…ñ¾",
|
||||
'rm_group' => "…ꬉÖñ†¡ñ‡¾ñ‡´ä",
|
||||
'rm_user' => "…ꬉÖñ†¡ñ„»À‡ö¿ˆÇà",
|
||||
'rm_version' => "‡º©‰Öñ‡ëꆣ¼",
|
||||
'root_folder' => "†á ˆþç†ûÖ…ñ¾",
|
||||
'save' => "…ä™…¡ÿ",
|
||||
'search' => "†É£‡³ó",
|
||||
'search_in' => "†É£…—䅣ì",
|
||||
'search_in_all' => "†ëdž£ëˆþç†ûÖ…ñ¾",
|
||||
'search_in_current' => "…Ŭ†£ë([foldername]) …îà…ɽ…¡Éˆþç†ûÖ…ñ¾",
|
||||
'search_mode' => "†É£…—í…Å",
|
||||
'search_mode_and' => "†ëdž£ë‡Ü䈨¤",
|
||||
'search_mode_or' => "ˆçþ…—憣넹DžÇ¤",
|
||||
'search_no_results' => "†™Æ†£ë†¬ö†íꇼª…Éꆖш¨ó†ó¥„©µƒÇé",
|
||||
'search_query' => "†É£…—ï",
|
||||
'search_report' => "†£ë [count] …Çö†íꇼª…Éꆖш¨ó†ó¥„©µ\ƒÇé",
|
||||
'search_result_pending_approval' => "status 'pending approval'",
|
||||
'search_result_pending_review' => "status 'pending review'",
|
||||
'search_results' => "†É£‡³ó‡´É†¤£",
|
||||
'search_results_access_filtered' => "Search results may contain content to which access has been denied.",
|
||||
'search_time' => "†–ш¨óˆÇù†Öé<EFBFBD>Ü [time] ‡ºÆƒÇé",
|
||||
'select_one' => "ˆ½ï‰ü¹…ൄ¹Ç",
|
||||
'selected_document' => "‰ü¹†ôç‡Ü䆬ö†íê",
|
||||
'selected_folder' => "‰ü¹†ôç‡Üäˆþç†ûÖ…ñ¾",
|
||||
'selection' => "Selection",
|
||||
'seq_after' => "…£¿\"[prevname]\"„ ï…¾î",
|
||||
'seq_end' => "†£Ç…¾î„¹Ç…Çï",
|
||||
'seq_keep' => "‡¢«…ë섻쇻«",
|
||||
'seq_start' => "‡¼¼„¹Ç…Çï",
|
||||
'sequence' => "…èá…àщáå…¦Å",
|
||||
'set_default_access' => "Set Default Access Mode",
|
||||
'set_expiry' => "Set Expiry",
|
||||
'set_owner' => "ˆ¿¡…«Ü†ëdž£ë„¦¦",
|
||||
'set_reviewers_approvers' => "Assign Reviewers and Approvers",
|
||||
'setting_expires' => "ˆ¿¡…«Ü‰Ç¾†Öé...",
|
||||
'setting_owner' => "ˆ¿¡…«Ü†ëdž£ë„¦¦...",
|
||||
'setting_user_image' => "<br>‡é¦„»À‡ö¿ˆÇàˆ¿¡…«Ü‡àº‡ëç...",
|
||||
'show_all_versions' => "Show All Revisions",
|
||||
'show_current_versions' => "Show Current",
|
||||
'start' => "‰ûï…ºï",
|
||||
'status' => "Status",
|
||||
'status_approval_rejected' => "Draft rejected",
|
||||
'status_approved' => "Approved",
|
||||
'status_approver_removed' => "Approver removed from process",
|
||||
'status_change_summary' => "Document revision changed from status '[oldstatus]' to status '[newstatus]'.",
|
||||
'status_changed_by' => "Status changed by",
|
||||
'status_not_approved' => "Not approved",
|
||||
'status_not_reviewed' => "Not reviewed",
|
||||
'status_reviewed' => "Reviewed",
|
||||
'status_reviewer_rejected' => "Draft rejected",
|
||||
'status_reviewer_removed' => "Reviewer removed from process",
|
||||
'status_unknown' => "Unknown",
|
||||
'subfolder_list' => "…¡Éˆþç†ûÖ…ñ¾",
|
||||
'submit_approval' => "Submit approval",
|
||||
'submit_login' => "Sign in",
|
||||
'submit_review' => "Submit review",
|
||||
'theme' => "„»ê†Ö¯",
|
||||
'unable_to_add' => "Unable to add",
|
||||
'unable_to_remove' => "Unable to remove",
|
||||
'under_folder' => "…£¿ˆþç†ûÖ…ñ¾ˆúí",
|
||||
'unknown_command' => "Command not recognized.",
|
||||
'unknown_group' => "Unknown group id",
|
||||
'unknown_keyword_category' => "Unknown category",
|
||||
'unknown_owner' => "Unknown owner id",
|
||||
'unknown_user' => "Unknown user id",
|
||||
'unlock_cause_access_mode_all' => "…¢á‡é¦†é¿†£ë…¡ÿ…Åû†¼è‰ÖÉ\"all\"<EFBFBD>î†é¿„©ì‡äµ…ů„©Ñ†¢³†û—ƒÇ醢³†û—…¾î‰Äû…«Ü…—çˆç¬…ïòˆºú‰ÖñƒÇé",
|
||||
'unlock_cause_locking_user' => "…¢á‡é¦†é¿„ –†ÿ¯‰Äû…«Ü„¦¦„ Ç<EFBFBD>î†é¿„©ì‡äµ…ů„©Ñ†¢³†û—ƒÇ醢³†û—…¾î‰Äû…«Ü…—çˆç¬…ïòˆºú‰ÖñƒÇé",
|
||||
'unlock_document' => "†£¬‰Äû…«Ü",
|
||||
'unlocking_denied' => "†é¿‡Ü䆼è‰ÖÉ„¹ìˆµþ„©Ñˆºú‰Äû†¬ö†íê",
|
||||
'unlocking_document' => "†¬ö†íꈺú‰Äû...",
|
||||
'update' => "Update",
|
||||
'update_approvers' => "Update List of Approvers",
|
||||
'update_document' => "†¢³†û—",
|
||||
'update_info' => "Update Information",
|
||||
'update_locked_msg' => "†¡ñ†¬ö†íêˆÖò†û‰Äû…«Ü‡ïdžàïƒÇé",
|
||||
'update_reviewers' => "Update List of Reviewers",
|
||||
'update_reviewers_approvers' => "Update List of Reviewers and Approvers",
|
||||
'updated_by' => "Updated by",
|
||||
'updating_document' => "†¬ö†íꆢ³†û—...",
|
||||
'upload_date' => "„¹è…éþ†ùц£–",
|
||||
'uploaded' => "Uploaded",
|
||||
'uploaded_by' => "†¬ö†íê†ÅÉ„¾¢ˆÇà",
|
||||
'uploading_failed' => "„¹è…éþ…ñ˜†òù<EFBFBD>ïˆê燫í‡Éå…ôíˆü¯‡ ½ƒÇé",
|
||||
'use_default_keywords' => "„»À‡ö¿‰áÉ…àꅫ܇¾¨‡Üä‰ù£‰ì´…¡ù",
|
||||
'user' => "„»À‡ö¿ˆÇà",
|
||||
'user_already_approved' => "User has already submitted an approval of this document version",
|
||||
'user_already_reviewed' => "User has already submitted a review of this document version",
|
||||
'user_approval_not_required' => "No document approval required of user at this time.",
|
||||
'user_exists' => "User already exists.",
|
||||
'user_image' => "‡àº‡ëç",
|
||||
'user_info' => "User Information",
|
||||
'user_list' => "„»À‡ö¿ˆÇà…êùˆí¿",
|
||||
'user_login' => "…¹þˆÖ–",
|
||||
'user_management' => "„»À‡ö¿ˆÇà",
|
||||
'user_name' => "…à¿…Éì",
|
||||
'user_removed_approver' => "User has been removed from the list of individual approvers.",
|
||||
'user_removed_reviewer' => "User has been removed from the list of individual reviewers.",
|
||||
'user_review_not_required' => "No document review required of user at this time.",
|
||||
'users' => "„»À‡ö¿ˆÇà",
|
||||
'version' => "‡ëꆣ¼",
|
||||
'version_info' => "Version Information",
|
||||
'version_under_approval' => "Version under approval",
|
||||
'version_under_review' => "Version under review",
|
||||
'view_document' => "View Document",
|
||||
'view_online' => "‡¸Ü„¹è‡Çňª»",
|
||||
'warning' => "Warning",
|
||||
'wrong_pwd' => "…¯å‡ó‰î¯ˆ¬ñ<EFBFBD>ï‰ç숨ªƒÇé",
|
||||
'yes' => "†ÿ¯",
|
||||
'already_subscribed' => "Target is already subscribed.",
|
||||
// New as of 1.7.1. Require updated translation.
|
||||
'documents' => "Documents",
|
||||
'folders' => "Folders",
|
||||
'no_folders' => "No folders",
|
||||
'notification_summary' => "Notification Summary",
|
||||
// New as of 1.7.2
|
||||
'all_pages' => "All",
|
||||
'results_page' => "Results Page",
|
||||
// New
|
||||
'sign_out' => "sign out",
|
||||
'signed_in_as' => "Signed in as",
|
||||
'assign_reviewers' => "Assign Reviewers",
|
||||
'assign_approvers' => "Assign Approvers",
|
||||
'override_status' => "Override Status",
|
||||
'change_status' => "Change Status",
|
||||
'change_assignments' => "Change Assignments",
|
||||
'no_user_docs' => "There are currently no documents owned by the user",
|
||||
'disclaimer' => "This is a classified area. Access is permitted only to authorized personnel. Any violation will be prosecuted according to the english and international laws.",
|
||||
|
||||
'backup_tools' => "Backup tools",
|
||||
'versioning_file_creation' => "Versioning file creation",
|
||||
'archive_creation' => "Archive creation",
|
||||
'files_deletion' => "Files deletion",
|
||||
'folder' => "Folder",
|
||||
|
||||
'unknown_id' => "unknown id",
|
||||
'help' => "Help",
|
||||
|
||||
'versioning_info' => "Versioning info",
|
||||
'versioning_file_creation_warning' => "With this operation you can create a file containing the versioning information of an entire DMS folder. After the creation every file will be saved inside the document folder.",
|
||||
'archive_creation_warning' => "With this operation you can create achive containing the files of entire DMS folders. After the creation the archive will be saved in the data folder of your server.<br>WARNING: an archive created as human readable will be unusable as server backup.",
|
||||
'files_deletion_warning' => "With this option you can delete all files of entire DMS folders. The versioning information will remain visible.",
|
||||
|
||||
'backup_list' => "Existings backup list",
|
||||
'backup_remove' => "Remove backup file",
|
||||
'confirm_rm_backup' => "Do you really want to remove the file \"[arkname]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'document_deleted' => "Document deleted",
|
||||
'linked_files' => "Attachments",
|
||||
'invalid_file_id' => "Invalid file ID",
|
||||
'rm_file' => "Remove file",
|
||||
'confirm_rm_file' => "Do you really want to remove file \"[name]\" of document \"[documentname]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'edit_comment' => "Edit comment",
|
||||
|
||||
// new from 1.9
|
||||
|
||||
'is_hidden' => "Hide from users list",
|
||||
'log_management' => "Log files management",
|
||||
'confirm_rm_log' => "Do you really want to remove log file \"[logname]\"?<br>Be careful: This action cannot be undone.",
|
||||
'include_subdirectories' => "Include subdirectories",
|
||||
'include_documents' => "Include documents",
|
||||
'manager' => "Manager",
|
||||
'toggle_manager' => "Toggle manager",
|
||||
|
||||
// new from 2.0
|
||||
|
||||
'calendar' => "Calendar",
|
||||
'week_view' => "Week view",
|
||||
'month_view' => "Month view",
|
||||
'year_view' => "Year View",
|
||||
'add_event' => "Add event",
|
||||
'edit_event' => "Edit event",
|
||||
|
||||
'january' => "January",
|
||||
'february' => "February",
|
||||
'march' => "March",
|
||||
'april' => "April",
|
||||
'may' => "May",
|
||||
'june' => "June",
|
||||
'july' => "July",
|
||||
'august' => "August",
|
||||
'september' => "September",
|
||||
'october' => "October",
|
||||
'november' => "November",
|
||||
'december' => "December",
|
||||
|
||||
'sunday' => "Sunday",
|
||||
'monday' => "Monday",
|
||||
'tuesday' => "Tuesday",
|
||||
'wednesday' => "Wednesday",
|
||||
'thursday' => "Thursday",
|
||||
'friday' => "Friday",
|
||||
'saturday' => "Saturday",
|
||||
|
||||
'from' => "From",
|
||||
'to' => "To",
|
||||
|
||||
'event_details' => "Event details",
|
||||
'confirm_rm_event' => "Do you really want to remove event \"[name]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'dump_creation' => "DB dump creation",
|
||||
'dump_creation_warning' => "With this operation you can create a dump file of your database content. After the creation the dump file will be saved in the data folder of your server.",
|
||||
'dump_list' => "Existings dump files",
|
||||
'dump_remove' => "Remove dump file",
|
||||
'confirm_rm_dump' => "Do you really want to remove the file \"[dumpname]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'confirm_rm_user' => "Do you really want to remove the user \"[username]\"?<br>Be careful: This action cannot be undone.",
|
||||
'confirm_rm_group' => "Do you really want to remove the group \"[groupname]\"?<br>Be careful: This action cannot be undone.",
|
||||
|
||||
'human_readable' => "Human readable archive",
|
||||
|
||||
'email_header' => "This is an automatic message from the DMS server.",
|
||||
'email_footer' => "You can always change your e-mail settings using 'My Account' functions",
|
||||
|
||||
'add_multiple_files' => "Add multiple files (will use filename as document name)",
|
||||
|
||||
// new from 2.0.1
|
||||
|
||||
'max_upload_size' => "Maximum upload size for each file",
|
||||
|
||||
// new from 2.0.2
|
||||
|
||||
'space_used_on_data_folder' => "Space used on data folder",
|
||||
'assign_user_property_to' => "Assign user's properties to",
|
||||
);
|
||||
?>
|
|
@ -76,7 +76,7 @@ if (!is_numeric($sequence)) {
|
|||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("invalid_sequence"));
|
||||
}
|
||||
|
||||
$expires = ($_POST["expires"] == "true") ? mktime(0,0,0, intval($_POST["expmonth"]), intval($_POST["expday"]), intval($_POST["expyear"])) : false;
|
||||
$expires = (isset($_POST["expires"]) && $_POST["expires"] == "true") ? mktime(0,0,0, intval($_POST["expmonth"]), intval($_POST["expday"]), intval($_POST["expyear"])) : false;
|
||||
|
||||
// Get the list of reviewers and approvers for this document.
|
||||
$reviewers = array();
|
||||
|
@ -152,7 +152,7 @@ foreach ($res as $r){
|
|||
}
|
||||
|
||||
if($settings->_dropFolderDir) {
|
||||
if($_POST["dropfolderfileform1"]) {
|
||||
if(isset($_POST["dropfolderfileform1"]) && $_POST["dropfolderfileform1"]) {
|
||||
$fullfile = $settings->_dropFolderDir.'/'.$user->getLogin().'/'.$_POST["dropfolderfileform1"];
|
||||
if(file_exists($fullfile)) {
|
||||
/* Check if a local file is uploaded as well */
|
||||
|
@ -260,6 +260,7 @@ for ($file_num=0;$file_num<count($_FILES["userfile"]["tmp_name"]);$file_num++){
|
|||
$notifyList['groups'][] = $dms->getGroup($approvergrpid);
|
||||
}
|
||||
}
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("new_document_email");
|
||||
$message = getMLText("new_document_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -274,6 +275,25 @@ for ($file_num=0;$file_num<count($_FILES["userfile"]["tmp_name"]);$file_num++){
|
|||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "new_document_email_subject";
|
||||
$message = "new_document_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $name;
|
||||
$params['folder_name'] = $folder->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['comment'] = $comment;
|
||||
$params['version_comment'] = $version_comment;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
@ -71,6 +71,6 @@ if (is_bool($res) && !$res) {
|
|||
|
||||
add_log_line("?name=".$name."&from=".$from."&to=".$to);
|
||||
|
||||
header("Location:../out/out.Calendar.php?mode=w&day=".$_POST["fromday"]."&year=".$_POST["fromyear"]."&month=".$_POST["frommonth"]);
|
||||
header("Location:../out/out.Calendar.php?mode=w&day=".date('d', $from)."&year=".date('Y', $from)."&month=".date('m', $from));
|
||||
|
||||
?>
|
||||
|
|
|
@ -69,9 +69,11 @@ $res = $document->addDocumentFile($name, $comment, $user, $userfiletmp,
|
|||
if (is_bool($res) && !$res) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("error_occured"));
|
||||
} else {
|
||||
$document->getNotifyList();
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("new_file_email");
|
||||
$message = getMLText("new_file_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -87,6 +89,22 @@ if (is_bool($res) && !$res) {
|
|||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "new_file_email_subject";
|
||||
$message = "new_file_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $name;
|
||||
$params['document'] = $document->getName();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['comment'] = $comment;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
@ -77,9 +77,11 @@ if( move_uploaded_file( $source_file_path, $target_file_path ) ) {
|
|||
if (is_bool($res) && !$res) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("error_occured"));
|
||||
} else {
|
||||
$document->getNotifyList();
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
// Send notification to subscribers.
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("new_file_email");
|
||||
$message = getMLText("new_file_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -88,13 +90,26 @@ if( move_uploaded_file( $source_file_path, $target_file_path ) ) {
|
|||
getMLText("user").": ".$user->getFullName()." <". $user->getEmail() .">\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
$subject=$subject;
|
||||
$message=$message;
|
||||
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "new_file_email_subject";
|
||||
$message = "new_file_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $name;
|
||||
$params['document'] = $document->getName();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['comment'] = $comment;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
add_log_line("?name=".$name."&documentid=".$documentid);
|
||||
|
|
|
@ -41,13 +41,12 @@ if( move_uploaded_file( $source_file_path, $target_file_path ) ) {
|
|||
}
|
||||
fclose($fpnew);
|
||||
|
||||
if (!isset($_POST["folderid"]) || !is_numeric($_POST["folderid"]) || intval($_POST["folderid"])<1) {
|
||||
if (!isset($_REQUEST["folderid"]) || !is_numeric($_REQUEST["folderid"]) || intval($_REQUEST["folderid"])<1) {
|
||||
echo getMLText("invalid_folder_id");
|
||||
}
|
||||
|
||||
$folderid = $_POST["folderid"];
|
||||
$folderid = $_REQUEST["folderid"];
|
||||
$folder = $dms->getFolder($folderid);
|
||||
|
||||
if (!is_object($folder)) {
|
||||
echo getMLText("invalid_folder_id");
|
||||
}
|
||||
|
@ -194,7 +193,9 @@ if( move_uploaded_file( $source_file_path, $target_file_path ) ) {
|
|||
}
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$folder->getNotifyList();
|
||||
$notifyList = $folder->getNotifyList();
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("new_document_email");
|
||||
$message = getMLText("new_document_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -211,6 +212,24 @@ if( move_uploaded_file( $source_file_path, $target_file_path ) ) {
|
|||
foreach ($folder->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "new_document_email_subject";
|
||||
$message = "new_document_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $name;
|
||||
$params['folder_name'] = $folder->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['comment'] = $comment;
|
||||
$params['version_comment'] = $version_comment;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
@ -65,7 +65,9 @@ $subFolder = $folder->addSubFolder($name, $comment, $user, $sequence, $attribute
|
|||
if (is_object($subFolder)) {
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$folder->getNotifyList();
|
||||
$notifyList = $folder->getNotifyList();
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("new_subfolder_email");
|
||||
$message = getMLText("new_subfolder_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -75,13 +77,26 @@ if (is_object($subFolder)) {
|
|||
getMLText("user").": ".$user->getFullName()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewFolder.php?folderid=".$subFolder->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $folder->_notifyList["users"], $subject, $message);
|
||||
foreach ($folder->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "new_subfolder_email_subject";
|
||||
$message = "new_subfolder_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $subFolder->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['comment'] = $comment;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php?folderid=".$subFolder->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
|
||||
} else {
|
||||
|
|
|
@ -37,6 +37,7 @@ if (isset($_GET["id"]) && is_numeric($_GET["id"]) && isset($_GET['type'])) {
|
|||
}
|
||||
}
|
||||
|
||||
/* FIXME: this does not work because the folder id is not passed */
|
||||
$folderid = $_GET['folderid'];
|
||||
header("Location:../out/out.ViewFolder.php?folderid=".$folderid);
|
||||
|
||||
|
|
|
@ -86,6 +86,7 @@ if ($_POST["approvalType"] == "ind") {
|
|||
else {
|
||||
// Send an email notification to the document updater.
|
||||
if($notifier) {
|
||||
/*
|
||||
$subject = $settings->_siteName.": ".$document->getName().", v.".$version." - ".getMLText("approval_submit_email");
|
||||
$message = getMLText("approval_submit_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -95,17 +96,28 @@ if ($_POST["approvalType"] == "ind") {
|
|||
getMLText("status").": ".getApprovalStatusText($_POST["approvalStatus"])."\r\n".
|
||||
getMLText("comment").": ".$comment."\r\n".
|
||||
"URL: http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$documentid."\r\n";
|
||||
*/
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toIndividual($user, $content->getUser(), $subject, $message);
|
||||
$subject = "approval_submit_email_subject";
|
||||
$message = "approval_submit_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['version'] = $version;
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['status'] = getApprovalStatusText($_POST["approvalStatus"]);
|
||||
$params['comment'] = $comment;
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
|
||||
$notifier->toIndividual($user, $content->getUser(), $subject, $message, $params);
|
||||
|
||||
// Send notification to subscribers.
|
||||
$nl=$document->getNotifyList();
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -119,6 +131,7 @@ else if ($_POST["approvalType"] == "grp") {
|
|||
else {
|
||||
// Send an email notification to the document updater.
|
||||
if($notifier) {
|
||||
/*
|
||||
$subject = $settings->_siteName.": ".$document->getName().", v.".$version." - ".getMLText("approval_submit_email");
|
||||
$message = getMLText("approval_submit_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -128,17 +141,28 @@ else if ($_POST["approvalType"] == "grp") {
|
|||
getMLText("status").": ".getApprovalStatusText($_POST["approvalStatus"])."\r\n".
|
||||
getMLText("comment").": ".$comment."\r\n".
|
||||
"URL: http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$documentid."\r\n";
|
||||
*/
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toIndividual($user, $content->getUser(), $subject, $message);
|
||||
$subject = "approval_submit_email_subject";
|
||||
$message = "approval_submit_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['version'] = $version;
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['status'] = getApprovalStatusText($_POST["approvalStatus"]);
|
||||
$params['comment'] = $comment;
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
|
||||
$notifier->toIndividual($user, $content->getUser(), $subject, $message, $params);
|
||||
|
||||
// Send notification to subscribers.
|
||||
$nl=$document->getNotifyList();
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -151,10 +175,11 @@ else if ($_POST["approvalType"] == "grp") {
|
|||
|
||||
if ($_POST["approvalStatus"]==-1){
|
||||
if($content->setStatus(S_REJECTED,$comment,$user)) {
|
||||
$nl=$document->getNotifyList();
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$nl=$document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("document_status_changed_email");
|
||||
$message = getMLText("document_status_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -163,13 +188,23 @@ if ($_POST["approvalStatus"]==-1){
|
|||
getMLText("folder").": ".$folder->getFolderPathPlain()."\r\n".
|
||||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."&version=".$content->_version."\r\n";
|
||||
*/
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
$subject = "document_status_changed_email_subject";
|
||||
$message = "document_status_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['status'] = getOverallStatusText($status);
|
||||
$params['comment'] = $document->getComment();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -198,10 +233,11 @@ if ($_POST["approvalStatus"]==-1){
|
|||
// Change the status to released.
|
||||
$newStatus=2;
|
||||
if($content->setStatus($newStatus, getMLText("automatic_status_update"), $user)) {
|
||||
$nl=$document->getNotifyList();
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$nl=$document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("document_status_changed_email");
|
||||
$message = getMLText("document_status_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -211,12 +247,22 @@ if ($_POST["approvalStatus"]==-1){
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."&version=".$content->_version."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
*/
|
||||
$subject = "document_status_changed_email_subject";
|
||||
$message = "document_status_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['status'] = getOverallStatusText($newStatus);
|
||||
$params['comment'] = $document->getComment();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
@ -107,7 +107,7 @@ if (isset($_GET["groupid"])) {
|
|||
}
|
||||
}
|
||||
|
||||
//Ändern des Besitzers ----------------------------------------------------------------------------
|
||||
// Change owner -----------------------------------------------------------
|
||||
if ($action == "setowner") {
|
||||
if (!$user->isAdmin()) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("access_denied"));
|
||||
|
@ -123,10 +123,12 @@ if ($action == "setowner") {
|
|||
}
|
||||
$oldOwner = $document->getOwner();
|
||||
if($document->setOwner($newOwner)) {
|
||||
$document->getNotifyList();
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("ownership_changed_email");
|
||||
$message = getMLText("ownership_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -137,27 +139,45 @@ if ($action == "setowner") {
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
// Send notification to previous owner.
|
||||
$notifier->toIndividual($user, $oldOwner, $subject, $message);
|
||||
*/
|
||||
|
||||
$subject = "ownership_changed_email_subject";
|
||||
$message = "ownership_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['old_owner'] = $oldOwner->getFullName();
|
||||
$params['new_owner'] = $newOwner->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
$notifier->toIndividual($user, $oldOwner, $subject, $message, $params);
|
||||
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
//Änderung auf nicht erben ------------------------------------------------------------------------
|
||||
// Change to not inherit ---------------------------------------------------
|
||||
else if ($action == "notinherit") {
|
||||
|
||||
$defAccess = $document->getDefaultAccess();
|
||||
if($document->setInheritAccess(false)) {
|
||||
$document->getNotifyList();
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
|
||||
/*
|
||||
// Send notification to subscribers.
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("access_permission_changed_email");
|
||||
$message = getMLText("access_permission_changed_email")."\r\n";
|
||||
|
@ -166,19 +186,33 @@ else if ($action == "notinherit") {
|
|||
getMLText("folder").": ".$folder->getFolderPathPlain()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "access_permission_changed_email_subject";
|
||||
$message = "access_permission_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
|
||||
}
|
||||
}
|
||||
if($document->setDefaultAccess($defAccess)) {
|
||||
$document->getNotifyList();
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
|
||||
/*
|
||||
// Send notification to subscribers.
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("access_permission_changed_email");
|
||||
$message = getMLText("access_permission_changed_email")."\r\n";
|
||||
|
@ -194,6 +228,21 @@ else if ($action == "notinherit") {
|
|||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "access_permission_changed_email_subject";
|
||||
$message = "access_permission_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -207,18 +256,20 @@ else if ($action == "notinherit") {
|
|||
}
|
||||
}
|
||||
|
||||
//Änderung auf erben ------------------------------------------------------------------------------
|
||||
// Change to inherit-----------------------------------------------------
|
||||
else if ($action == "inherit") {
|
||||
$document->clearAccessList();
|
||||
$document->setInheritAccess(true);
|
||||
}
|
||||
|
||||
//Standardberechtigung setzen----------------------------------------------------------------------
|
||||
// Set default permissions ----------------------------------------------
|
||||
else if ($action == "setdefault") {
|
||||
if($document->setDefaultAccess($mode)) {
|
||||
$document->getNotifyList();
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
|
||||
/*
|
||||
// Send notification to subscribers.
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("access_permission_changed_email");
|
||||
$message = getMLText("access_permission_changed_email")."\r\n";
|
||||
|
@ -227,18 +278,30 @@ else if ($action == "setdefault") {
|
|||
getMLText("folder").": ".$folder->getFolderPathPlain()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "access_permission_changed_email_subject";
|
||||
$message = "access_permission_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// Bestehende Berechtigung ändern --------------------------------------------
|
||||
// Modify permission ------------------------------------------------------
|
||||
else if ($action == "editaccess") {
|
||||
if (isset($userid)) {
|
||||
$document->changeAccess($mode, $userid, true);
|
||||
|
@ -248,7 +311,7 @@ else if ($action == "editaccess") {
|
|||
}
|
||||
}
|
||||
|
||||
//Berechtigung löschen ----------------------------------------------------------------------------
|
||||
// Delete permission-------------------------------------------------------
|
||||
else if ($action == "delaccess") {
|
||||
if (isset($userid)) {
|
||||
$document->removeAccess($userid, true);
|
||||
|
@ -258,7 +321,7 @@ else if ($action == "delaccess") {
|
|||
}
|
||||
}
|
||||
|
||||
//Neue Berechtigung hinzufügen --------------------------------------------------------------------
|
||||
// Add new permission -----------------------------------------------------
|
||||
else if ($action == "addaccess") {
|
||||
if (isset($userid) && $userid != -1) {
|
||||
$document->addAccess($mode, $userid, true);
|
||||
|
|
|
@ -1,58 +1,58 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
include("../inc/inc.Utils.php");
|
||||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
include("../inc/inc.Utils.php");
|
||||
include("../inc/inc.DBInit.php");
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
include("../inc/inc.Authentication.php");
|
||||
|
||||
if (!isset($_GET["documentid"]) || !is_numeric($_GET["documentid"]) || intval($_GET["documentid"])<1) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("invalid_doc_id"));
|
||||
if (!isset($_GET["documentid"]) || !is_numeric($_GET["documentid"]) || intval($_GET["documentid"])<1) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("invalid_doc_id"));
|
||||
}
|
||||
|
||||
$documentid = $_GET["documentid"];
|
||||
|
||||
$documentid = $_GET["documentid"];
|
||||
$document = $dms->getDocument($documentid);
|
||||
|
||||
if (!is_object($document)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("invalid_doc_id"));
|
||||
|
||||
if (!is_object($document)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("invalid_doc_id"));
|
||||
}
|
||||
|
||||
|
||||
if (!isset($_GET["action"]) || (strcasecmp($_GET["action"], "delnotify") && strcasecmp($_GET["action"],"addnotify"))) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("invalid_action"));
|
||||
}
|
||||
|
||||
$action = $_GET["action"];
|
||||
|
||||
if (isset($_GET["userid"]) && (!is_numeric($_GET["userid"]) || $_GET["userid"]<-1)) {
|
||||
|
||||
$action = $_GET["action"];
|
||||
|
||||
if (isset($_GET["userid"]) && (!is_numeric($_GET["userid"]) || $_GET["userid"]<-1)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("unknown_user"));
|
||||
}
|
||||
|
||||
|
||||
if(isset($_GET["userid"]))
|
||||
$userid = $_GET["userid"];
|
||||
|
||||
if (isset($_GET["groupid"]) && (!is_numeric($_GET["groupid"]) || $_GET["groupid"]<-1)) {
|
||||
$userid = $_GET["userid"];
|
||||
|
||||
if (isset($_GET["groupid"]) && (!is_numeric($_GET["groupid"]) || $_GET["groupid"]<-1)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("unknown_group"));
|
||||
}
|
||||
|
||||
|
||||
if(isset($_GET["groupid"]))
|
||||
$groupid = $_GET["groupid"];
|
||||
|
||||
|
@ -60,51 +60,41 @@ if (isset($_GET["groupid"])&&$_GET["groupid"]!=-1){
|
|||
$group=$dms->getGroup($groupid);
|
||||
if (!$group->isMember($user,true) && !$user->isAdmin())
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("access_denied"));
|
||||
}
|
||||
|
||||
$folder = $document->getFolder();
|
||||
$docPathHTML = getFolderPathHTML($folder, true). " / <a href=\"../out/out.ViewDocument.php?documentid=".$documentid."\">".$document->getName()."</a>";
|
||||
|
||||
}
|
||||
|
||||
$folder = $document->getFolder();
|
||||
$docPathHTML = getFolderPathHTML($folder, true). " / <a href=\"../out/out.ViewDocument.php?documentid=".$documentid."\">".$document->getName()."</a>";
|
||||
|
||||
if ($document->getAccessMode($user) < M_READ) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("access_denied"));
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("access_denied"));
|
||||
}
|
||||
|
||||
// delete notification
|
||||
if ($action == "delnotify"){
|
||||
if (isset($userid)) {
|
||||
if($res = $document->removeNotify($userid, true)) {
|
||||
$obj = $dms->getUser($userid);
|
||||
}
|
||||
}
|
||||
else if (isset($groupid)) {
|
||||
if($res = $document->removeNotify($groupid, false)) {
|
||||
$obj = $dms->getGroup($groupid);
|
||||
}
|
||||
}
|
||||
switch ($res) {
|
||||
if ($action == "delnotify"){
|
||||
if (isset($userid)) {
|
||||
$obj = $dms->getUser($userid);
|
||||
$res = $document->removeNotify($userid, true);
|
||||
} elseif (isset($groupid)) {
|
||||
$obj = $dms->getGroup($groupid);
|
||||
$res = $document->removeNotify($groupid, false);
|
||||
}
|
||||
switch ($res) {
|
||||
case -1:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),isset($userid) ? getMLText("unknown_user") : getMLText("unknown_group"));
|
||||
break;
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),isset($userid) ? getMLText("unknown_user") : getMLText("unknown_group"));
|
||||
break;
|
||||
case -2:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("access_denied"));
|
||||
break;
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("access_denied"));
|
||||
break;
|
||||
case -3:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("already_subscribed"));
|
||||
break;
|
||||
case -4:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("internal_error"));
|
||||
break;
|
||||
case 0:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("already_subscribed"));
|
||||
break;
|
||||
case -4:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("internal_error"));
|
||||
break;
|
||||
case 0:
|
||||
// Email user / group, informing them of subscription change.
|
||||
if($notifier) {
|
||||
$path="";
|
||||
$folder = $document->getFolder();
|
||||
$folderPath = $folder->getPath();
|
||||
for ($i = 0; $i < count($folderPath); $i++) {
|
||||
$path .= $folderPath[$i]->getName();
|
||||
if ($i +1 < count($folderPath))
|
||||
$path .= " / ";
|
||||
}
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("notify_deleted_email");
|
||||
$message = getMLText("notify_deleted_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -113,86 +103,57 @@ if ($action == "delnotify"){
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
if (isset($userid)) {
|
||||
$obj = $dms->getUser($userid);
|
||||
$notifier->toIndividual($user, $obj, $subject, $message);
|
||||
}
|
||||
else if (isset($groupid)) {
|
||||
$obj = $dms->getGroup($groupid);
|
||||
$notifier->toGroup($user, $obj, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "notify_deleted_email_subject";
|
||||
$message = "notify_deleted_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
|
||||
if ($userid > 0) {
|
||||
$notifier->toIndividual($user, $obj, $subject, $message, $params);
|
||||
}
|
||||
else {
|
||||
$notifier->toGroup($user, $obj, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
break;
|
||||
}
|
||||
}
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
// add notification
|
||||
else if ($action == "addnotify") {
|
||||
|
||||
if ($userid != -1) {
|
||||
$res = $document->addNotify($userid, true);
|
||||
switch ($res) {
|
||||
else if ($action == "addnotify") {
|
||||
|
||||
if ($userid != -1) {
|
||||
$res = $document->addNotify($userid, true);
|
||||
switch ($res) {
|
||||
case -1:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("unknown_user"));
|
||||
break;
|
||||
case -2:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("access_denied"));
|
||||
break;
|
||||
case -3:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("already_subscribed"));
|
||||
break;
|
||||
case -4:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("internal_error"));
|
||||
break;
|
||||
case 0:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("unknown_user"));
|
||||
break;
|
||||
case -2:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("access_denied"));
|
||||
break;
|
||||
case -3:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("already_subscribed"));
|
||||
break;
|
||||
case -4:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("internal_error"));
|
||||
break;
|
||||
case 0:
|
||||
// Email user / group, informing them of subscription.
|
||||
if ($notifier){
|
||||
$path="";
|
||||
$folder = $document->getFolder();
|
||||
$folderPath = $folder->getPath();
|
||||
for ($i = 0; $i < count($folderPath); $i++) {
|
||||
$path .= $folderPath[$i]->getName();
|
||||
if ($i +1 < count($folderPath))
|
||||
$path .= " / ";
|
||||
}
|
||||
$obj = $dms->getUser($userid);
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("notify_added_email");
|
||||
$message = getMLText("notify_added_email")."\r\n";
|
||||
$message .=
|
||||
getMLText("document").": ".$document->getName()."\r\n".
|
||||
getMLText("folder").": ".$path."\r\n".
|
||||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toIndividual($user, $obj, $subject, $message);
|
||||
}
|
||||
|
||||
break;
|
||||
}
|
||||
}
|
||||
if ($groupid != -1) {
|
||||
$res = $document->addNotify($groupid, false);
|
||||
switch ($res) {
|
||||
case -1:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("unknown_group"));
|
||||
break;
|
||||
case -2:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("access_denied"));
|
||||
break;
|
||||
case -3:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("already_subscribed"));
|
||||
break;
|
||||
case -4:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("internal_error"));
|
||||
break;
|
||||
case 0:
|
||||
if ($notifier){
|
||||
/*
|
||||
$path="";
|
||||
$folder = $document->getFolder();
|
||||
$folderPath = $folder->getPath();
|
||||
|
@ -201,7 +162,6 @@ else if ($action == "addnotify") {
|
|||
if ($i +1 < count($folderPath))
|
||||
$path .= " / ";
|
||||
}
|
||||
$obj = $dms->getGroup($groupid);
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("notify_added_email");
|
||||
$message = getMLText("notify_added_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -210,17 +170,79 @@ else if ($action == "addnotify") {
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toGroup($user, $obj, $subject, $message);
|
||||
$notifier->toIndividual($user, $obj, $subject, $message);
|
||||
*/
|
||||
$subject = "notify_added_email_subject";
|
||||
$message = "notify_added_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
|
||||
$notifier->toIndividual($user, $obj, $subject, $message, $params);
|
||||
}
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
|
||||
break;
|
||||
}
|
||||
}
|
||||
if ($groupid != -1) {
|
||||
$res = $document->addNotify($groupid, false);
|
||||
switch ($res) {
|
||||
case -1:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("unknown_group"));
|
||||
break;
|
||||
case -2:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("access_denied"));
|
||||
break;
|
||||
case -3:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("already_subscribed"));
|
||||
break;
|
||||
case -4:
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("internal_error"));
|
||||
break;
|
||||
case 0:
|
||||
if ($notifier){
|
||||
$obj = $dms->getGroup($groupid);
|
||||
/*
|
||||
$path="";
|
||||
$folder = $document->getFolder();
|
||||
$folderPath = $folder->getPath();
|
||||
for ($i = 0; $i < count($folderPath); $i++) {
|
||||
$path .= $folderPath[$i]->getName();
|
||||
if ($i +1 < count($folderPath))
|
||||
$path .= " / ";
|
||||
}
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("notify_added_email");
|
||||
$message = getMLText("notify_added_email")."\r\n";
|
||||
$message .=
|
||||
getMLText("document").": ".$document->getName()."\r\n".
|
||||
getMLText("folder").": ".$path."\r\n".
|
||||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
$notifier->toGroup($user, $obj, $subject, $message);
|
||||
*/
|
||||
$subject = "notify_added_email_subject";
|
||||
$message = "notify_added_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
|
||||
$notifier->toGroup($user, $obj, $subject, $message, $params);
|
||||
}
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
header("Location:../out/out.DocumentNotify.php?documentid=".$documentid);
|
||||
|
||||
?>
|
||||
|
||||
?>
|
||||
|
|
|
@ -66,8 +66,9 @@ if($attributes) {
|
|||
if(!$version->setAttributeValue($dms->getAttributeDefinition($attrdefid), $attribute)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("error_occured"));
|
||||
} else {
|
||||
$document->getNotifyList();
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName().", v.".$version->_version." - ".getMLText("attribute_changed_email");
|
||||
$message = getMLText("attribute_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -77,9 +78,6 @@ if($attributes) {
|
|||
getMLText("user").": ".$user->getFullName()." <". $user->getEmail() .">\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."&version=".$version->_version."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
if(isset($document->_notifyList["users"])) {
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
}
|
||||
|
@ -88,6 +86,27 @@ if($attributes) {
|
|||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
}
|
||||
*/
|
||||
$subject = "attribute_changed_email_subject";
|
||||
$message = "attribute_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['version'] = $version->getVersion();
|
||||
$params['attribute'] = $attribute;
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID()."&version=".$version->getVersion();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
// if user is not owner send notification to owner
|
||||
if ($user->getID() != $document->getOwner()->getID())
|
||||
$notifier->toIndividual($user, $document->getOwner(), $subject, $message, $params);
|
||||
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -61,10 +61,12 @@ $comment = $_POST["comment"];
|
|||
|
||||
if (($oldcomment = $version->getComment()) != $comment) {
|
||||
if($version->setComment($comment)) {
|
||||
$document->getNotifyList();
|
||||
if($notifier) {
|
||||
$subject = "###SITENAME###: ".$document->getName().", v.".$version->_version." - ".getMLText("comment_changed_email");
|
||||
$message = getMLText("comment_changed_email")."\r\n";
|
||||
$notifyList = $document->getNotifyList();
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName().", v.".$version->_version." - ".getMLText("document_comment_changed_email");
|
||||
$message = getMLText("document_comment_changed_email")."\r\n";
|
||||
$message .=
|
||||
getMLText("document").": ".$document->getName()."\r\n".
|
||||
getMLText("version").": ".$version->_version."\r\n".
|
||||
|
@ -72,9 +74,6 @@ if (($oldcomment = $version->getComment()) != $comment) {
|
|||
getMLText("user").": ".$user->getFullName()." <". $user->getEmail() .">\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."&version=".$version->_version."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
if(isset($document->_notifyList["users"])) {
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
}
|
||||
|
@ -83,6 +82,25 @@ if (($oldcomment = $version->getComment()) != $comment) {
|
|||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "document_comment_changed_email_subject";
|
||||
$message = "document_comment_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['version'] = $version->getVersion();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['new_comment'] = $comment;
|
||||
$params['old_comment'] = $oldcomment;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID()."&version=".$version->getVersion();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
|
||||
}
|
||||
}
|
||||
else {
|
||||
|
|
|
@ -18,7 +18,7 @@
|
|||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
include("../inc/inc.LogInit.php");
|
||||
include("../inc/inc.LogInit.php");
|
||||
include("../inc/inc.Utils.php");
|
||||
include("../inc/inc.DBInit.php");
|
||||
include("../inc/inc.Language.php");
|
||||
|
@ -63,9 +63,10 @@ $attributes = $_POST["attributes"];
|
|||
if (($oldname = $document->getName()) != $name) {
|
||||
if($document->setName($name)) {
|
||||
// Send notification to subscribers.
|
||||
$document->getNotifyList();
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$oldname." - ".getMLText("document_renamed_email");
|
||||
$message = getMLText("document_renamed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -75,9 +76,6 @@ if (($oldname = $document->getName()) != $name) {
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
|
@ -86,6 +84,24 @@ if (($oldname = $document->getName()) != $name) {
|
|||
// if user is not owner send notification to owner
|
||||
if ($user->getID() != $document->getOwner()->getID())
|
||||
$notifier->toIndividual($user, $document->getOwner(), $subject, $message);
|
||||
*/
|
||||
$subject = "document_renamed_email_subject";
|
||||
$message = "document_renamed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['old_name'] = $oldname;
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
// if user is not owner send notification to owner
|
||||
if ($user->getID() != $document->getOwner()->getID())
|
||||
$notifier->toIndividual($user, $document->getOwner(), $subject, $message, $params);
|
||||
}
|
||||
|
||||
}
|
||||
|
@ -97,20 +113,19 @@ if (($oldname = $document->getName()) != $name) {
|
|||
if (($oldcomment = $document->getComment()) != $comment) {
|
||||
if($document->setComment($comment)) {
|
||||
// Send notification to subscribers.
|
||||
$document->getNotifyList();
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("comment_changed_email");
|
||||
$message = getMLText("comment_changed_email")."\r\n";
|
||||
$message = getMLText("document_comment_changed_email")."\r\n";
|
||||
$message .=
|
||||
getMLText("document").": ".$document->getName()."\r\n".
|
||||
getMLText("folder").": ".$folder->getFolderPathPlain()."\r\n".
|
||||
getMLText("comment").": ".$comment."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
|
@ -119,6 +134,26 @@ if (($oldcomment = $document->getComment()) != $comment) {
|
|||
// if user is not owner send notification to owner
|
||||
if ($user->getID() != $document->getOwner())
|
||||
$notifier->toIndividual($user, $document->getOwner(), $subject, $message);
|
||||
*/
|
||||
$subject = "document_comment_changed_email_subject";
|
||||
$message = "document_comment_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['old_comment'] = $oldcomment;
|
||||
$params['new_comment'] = $comment;
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
// if user is not owner send notification to owner
|
||||
if ($user->getID() != $document->getOwner()->getID())
|
||||
$notifier->toIndividual($user, $document->getOwner(), $subject, $message, $params);
|
||||
|
||||
}
|
||||
}
|
||||
else {
|
||||
|
|
|
@ -1,55 +1,55 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
include("../inc/inc.LogInit.php");
|
||||
include("../inc/inc.Utils.php");
|
||||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// 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.DBInit.php");
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
include("../inc/inc.Authentication.php");
|
||||
|
||||
if (!isset($_POST["folderid"]) || !is_numeric($_POST["folderid"]) || intval($_POST["folderid"])<1) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
include("../inc/inc.Authentication.php");
|
||||
|
||||
if (!isset($_POST["folderid"]) || !is_numeric($_POST["folderid"]) || intval($_POST["folderid"])<1) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
|
||||
$folderid = $_POST["folderid"];
|
||||
|
||||
$folderid = $_POST["folderid"];
|
||||
$folder = $dms->getFolder($folderid);
|
||||
|
||||
if (!is_object($folder)) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
|
||||
$folderPathHTML = getFolderPathHTML($folder, true);
|
||||
|
||||
if ($folder->getAccessMode($user) < M_READWRITE) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("access_denied"));
|
||||
}
|
||||
|
||||
$name = $_POST["name"];
|
||||
$comment = $_POST["comment"];
|
||||
|
||||
if (!is_object($folder)) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
|
||||
$folderPathHTML = getFolderPathHTML($folder, true);
|
||||
|
||||
if ($folder->getAccessMode($user) < M_READWRITE) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("access_denied"));
|
||||
}
|
||||
|
||||
$name = $_POST["name"];
|
||||
$comment = $_POST["comment"];
|
||||
if(isset($_POST["sequence"])) {
|
||||
$sequence = $_POST["sequence"];
|
||||
if (!is_numeric($sequence)) {
|
||||
$sequence = "keep";
|
||||
}
|
||||
$sequence = $_POST["sequence"];
|
||||
if (!is_numeric($sequence)) {
|
||||
$sequence = "keep";
|
||||
}
|
||||
} else {
|
||||
$sequence = "keep";
|
||||
}
|
||||
|
@ -63,7 +63,8 @@ if(($oldname = $folder->getName()) != $name) {
|
|||
if($folder->setName($name)) {
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$folder->getNotifyList();
|
||||
$notifyList = $folder->getNotifyList();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("folder_renamed_email");
|
||||
$message = getMLText("folder_renamed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -80,6 +81,25 @@ if(($oldname = $folder->getName()) != $name) {
|
|||
foreach ($folder->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "folder_renamed_email_subject";
|
||||
$message = "folder_renamed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $folder->getName();
|
||||
$params['old_name'] = $oldname;
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php?folderid=".$folder->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
// if user is not owner send notification to owner
|
||||
if ($user->getID() != $folder->getOwner()->getID())
|
||||
$notifier->toIndividual($user, $folder->getOwner(), $subject, $message, $params);
|
||||
}
|
||||
} else {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("error_occured"));
|
||||
|
@ -89,9 +109,10 @@ if(($oldcomment = $folder->getComment()) != $comment) {
|
|||
if($folder->setComment($comment)) {
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$folder->getNotifyList();
|
||||
$notifyList = $folder->getNotifyList();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("comment_changed_email");
|
||||
$message = getMLText("comment_changed_email")."\r\n";
|
||||
$message = getMLText("folder_comment_changed_email")."\r\n";
|
||||
$message .=
|
||||
getMLText("name").": ".$folder->getName()."\r\n".
|
||||
getMLText("folder").": ".$folder->getFolderPathPlain()."\r\n".
|
||||
|
@ -105,6 +126,27 @@ if(($oldcomment = $folder->getComment()) != $comment) {
|
|||
foreach ($folder->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "folder_comment_changed_email_subject";
|
||||
$message = "folder_comment_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $folder->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['old_comment'] = $oldcomment;
|
||||
$params['comment'] = $dcomment;
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
// if user is not owner send notification to owner
|
||||
if ($user->getID() != $folder->getOwner()->getID())
|
||||
$notifier->toIndividual($user, $folder->getOwner(), $subject, $message, $params);
|
||||
|
||||
}
|
||||
} else {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("error_occured"));
|
||||
|
@ -131,5 +173,5 @@ if(strcasecmp($sequence, "keep")) {
|
|||
add_log_line("?folderid=".$folderid);
|
||||
|
||||
header("Location:../out/out.ViewFolder.php?folderid=".$folderid."&showtree=".$_POST["showtree"]);
|
||||
|
||||
?>
|
||||
|
||||
?>
|
||||
|
|
|
@ -1,129 +1,130 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
include("../inc/inc.LogInit.php");
|
||||
include("../inc/inc.Utils.php");
|
||||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// 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.DBInit.php");
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
include("../inc/inc.Authentication.php");
|
||||
|
||||
if (!isset($_GET["folderid"]) || !is_numeric($_GET["folderid"]) || intval($_GET["folderid"])<1) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
include("../inc/inc.Authentication.php");
|
||||
|
||||
if (!isset($_GET["folderid"]) || !is_numeric($_GET["folderid"]) || intval($_GET["folderid"])<1) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
|
||||
$folderid = $_GET["folderid"];
|
||||
|
||||
$folderid = $_GET["folderid"];
|
||||
$folder = $dms->getFolder($folderid);
|
||||
|
||||
if (!is_object($folder)) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
|
||||
$folderPathHTML = getFolderPathHTML($folder, true);
|
||||
|
||||
if ($folder->getAccessMode($user) < M_ALL) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("access_denied"));
|
||||
}
|
||||
|
||||
|
||||
if (!is_object($folder)) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
|
||||
$folderPathHTML = getFolderPathHTML($folder, true);
|
||||
|
||||
if ($folder->getAccessMode($user) < M_ALL) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("access_denied"));
|
||||
}
|
||||
|
||||
/* Check if the form data comes for a trusted request */
|
||||
/* FIXME: Currently GET request are allowed. */
|
||||
if(!checkFormKey('folderaccess', 'GET')) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("invalid_request_token"));
|
||||
}
|
||||
|
||||
switch ($_GET["action"]) {
|
||||
case "setowner":
|
||||
case "delaccess":
|
||||
case "inherit":
|
||||
$action = $_GET["action"];
|
||||
break;
|
||||
case "setdefault":
|
||||
case "editaccess":
|
||||
case "addaccess":
|
||||
$action = $_GET["action"];
|
||||
if (!isset($_GET["mode"]) || !is_numeric($_GET["mode"]) || $_GET["mode"]<M_ANY || $_GET["mode"]>M_ALL) {
|
||||
switch ($_GET["action"]) {
|
||||
case "setowner":
|
||||
case "delaccess":
|
||||
case "inherit":
|
||||
$action = $_GET["action"];
|
||||
break;
|
||||
case "setdefault":
|
||||
case "editaccess":
|
||||
case "addaccess":
|
||||
$action = $_GET["action"];
|
||||
if (!isset($_GET["mode"]) || !is_numeric($_GET["mode"]) || $_GET["mode"]<M_ANY || $_GET["mode"]>M_ALL) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("invalid_access_mode"));
|
||||
}
|
||||
$mode = $_GET["mode"];
|
||||
break;
|
||||
case "notinherit":
|
||||
$action = $_GET["action"];
|
||||
if (strcasecmp($_GET["mode"], "copy") && strcasecmp($_GET["mode"], "empty")) {
|
||||
}
|
||||
$mode = $_GET["mode"];
|
||||
break;
|
||||
case "notinherit":
|
||||
$action = $_GET["action"];
|
||||
if (strcasecmp($_GET["mode"], "copy") && strcasecmp($_GET["mode"], "empty")) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("invalid_access_mode"));
|
||||
}
|
||||
$mode = $_GET["mode"];
|
||||
break;
|
||||
default:
|
||||
}
|
||||
$mode = $_GET["mode"];
|
||||
break;
|
||||
default:
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("invalid_action"));
|
||||
break;
|
||||
}
|
||||
|
||||
if (isset($_GET["userid"])) {
|
||||
break;
|
||||
}
|
||||
|
||||
if (isset($_GET["userid"])) {
|
||||
if (!is_numeric($_GET["userid"])) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_user"));
|
||||
}
|
||||
if (!strcasecmp($action, "addaccess") && $_GET["userid"]==-1) {
|
||||
$userid = -1;
|
||||
}
|
||||
else {
|
||||
if (!is_object($dms->getUser($_GET["userid"]))) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_user"));
|
||||
}
|
||||
$userid = $_GET["userid"];
|
||||
}
|
||||
}
|
||||
|
||||
if (isset($_GET["groupid"])) {
|
||||
if (!is_numeric($_GET["groupid"])) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_group"));
|
||||
}
|
||||
if (!strcasecmp($action, "addaccess") && $_GET["groupid"]==-1) {
|
||||
$groupid = -1;
|
||||
}
|
||||
else {
|
||||
if (!is_object($dms->getGroup($_GET["groupid"]))) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_group"));
|
||||
}
|
||||
$groupid = $_GET["groupid"];
|
||||
}
|
||||
}
|
||||
|
||||
//Ändern des Besitzers ----------------------------------------------------------------------------
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_user"));
|
||||
}
|
||||
if (!strcasecmp($action, "addaccess") && $_GET["userid"]==-1) {
|
||||
$userid = -1;
|
||||
}
|
||||
else {
|
||||
if (!is_object($dms->getUser($_GET["userid"]))) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_user"));
|
||||
}
|
||||
$userid = $_GET["userid"];
|
||||
}
|
||||
}
|
||||
|
||||
if (isset($_GET["groupid"])) {
|
||||
if (!is_numeric($_GET["groupid"])) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_group"));
|
||||
}
|
||||
if (!strcasecmp($action, "addaccess") && $_GET["groupid"]==-1) {
|
||||
$groupid = -1;
|
||||
}
|
||||
else {
|
||||
if (!is_object($dms->getGroup($_GET["groupid"]))) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_group"));
|
||||
}
|
||||
$groupid = $_GET["groupid"];
|
||||
}
|
||||
}
|
||||
|
||||
// Change owner -----------------------------------------------------------
|
||||
if ($action == "setowner") {
|
||||
|
||||
|
||||
if (!$user->isAdmin()) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("access_denied"));
|
||||
}
|
||||
if (!isset($_GET["ownerid"]) || !is_numeric($_GET["ownerid"]) || $_GET["ownerid"]<1) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_user"));
|
||||
}
|
||||
$newOwner = $dms->getUser($_GET["ownerid"]);
|
||||
if (!is_object($newOwner)) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_user"));
|
||||
}
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("access_denied"));
|
||||
}
|
||||
if (!isset($_GET["ownerid"]) || !is_numeric($_GET["ownerid"]) || $_GET["ownerid"]<1) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_user"));
|
||||
}
|
||||
$newOwner = $dms->getUser($_GET["ownerid"]);
|
||||
if (!is_object($newOwner)) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_user"));
|
||||
}
|
||||
$oldOwner = $folder->getOwner();
|
||||
if($folder->setOwner($newOwner)) {
|
||||
if($notifier) {
|
||||
// Send notification to subscribers.
|
||||
$folder->getNotifyList();
|
||||
$notifyList = $folder->getNotifyList();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("ownership_changed_email");
|
||||
$message = getMLText("ownership_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -134,27 +135,44 @@ if ($action == "setowner") {
|
|||
getMLText("comment").": ".$folder->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewFolder.php?folderid=".$folder->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $folder->_notifyList["users"], $subject, $message);
|
||||
foreach ($folder->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "ownership_changed_email_subject";
|
||||
$message = "ownership_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $folder->getName();
|
||||
$params['folder_path'] = $folder->getParent()->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['old_owner'] = $oldOwner->getFullName();
|
||||
$params['new_owner'] = $newOwner->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php?folderid=".$folder->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
$notifier->toIndividual($user, $oldOwner, $subject, $message, $params);
|
||||
|
||||
}
|
||||
} else {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("set_owner_error"));
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("set_owner_error"));
|
||||
}
|
||||
}
|
||||
|
||||
//Änderung auf nicht erben ------------------------------------------------------------------------
|
||||
else if ($action == "notinherit") {
|
||||
|
||||
$defAccess = $folder->getDefaultAccess();
|
||||
}
|
||||
|
||||
// Set Permission to no inherit -------------------------------------------
|
||||
else if ($action == "notinherit") {
|
||||
|
||||
$defAccess = $folder->getDefaultAccess();
|
||||
if($folder->setInheritAccess(false)) {
|
||||
if($notifier) {
|
||||
// Send notification to subscribers.
|
||||
$folder->getNotifyList();
|
||||
$notifyList = $folder->getNotifyList();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("access_permission_changed_email");
|
||||
$message = getMLText("access_permission_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -162,19 +180,32 @@ else if ($action == "notinherit") {
|
|||
getMLText("folder").": ".$folder->getFolderPathPlain()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewFolder.php?folderid=".$folder->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $folder->_notifyList["users"], $subject, $message);
|
||||
foreach ($folder->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "access_permission_changed_email_subject";
|
||||
$message = "access_permission_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $folder->getName();
|
||||
$params['folder_path'] = $folder->getParent()->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php?folderid=".$folder->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
|
||||
}
|
||||
}
|
||||
if($folder->setDefaultAccess($defAccess)) {
|
||||
if($notifier) {
|
||||
// Send notification to subscribers.
|
||||
$folder->getNotifyList();
|
||||
$notifyList = $folder->getNotifyList();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("access_permission_changed_email");
|
||||
$message = getMLText("access_permission_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -182,35 +213,49 @@ else if ($action == "notinherit") {
|
|||
getMLText("folder").": ".$folder->getFolderPathPlain()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewFolder.php?folderid=".$folder->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $folder->_notifyList["users"], $subject, $message);
|
||||
foreach ($folder->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "access_permission_changed_email_subject";
|
||||
$message = "access_permission_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $folder->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php?folderid=".$folder->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
|
||||
}
|
||||
}
|
||||
if ($mode == "copy") {
|
||||
$parent = $folder->getParent();
|
||||
$accessList = $parent->getAccessList();
|
||||
foreach ($accessList["users"] as $userAccess)
|
||||
$folder->addAccess($userAccess->getMode(), $userAccess->getUserID(), true);
|
||||
foreach ($accessList["groups"] as $groupAccess)
|
||||
$folder->addAccess($groupAccess->getMode(), $groupAccess->getGroupID(), false);
|
||||
}
|
||||
}
|
||||
|
||||
//Änderung auf erben ------------------------------------------------------------------------------
|
||||
if ($mode == "copy") {
|
||||
$parent = $folder->getParent();
|
||||
$accessList = $parent->getAccessList();
|
||||
foreach ($accessList["users"] as $userAccess)
|
||||
$folder->addAccess($userAccess->getMode(), $userAccess->getUserID(), true);
|
||||
foreach ($accessList["groups"] as $groupAccess)
|
||||
$folder->addAccess($groupAccess->getMode(), $groupAccess->getGroupID(), false);
|
||||
}
|
||||
}
|
||||
|
||||
// Set permission to inherit ----------------------------------------------
|
||||
else if ($action == "inherit") {
|
||||
|
||||
if ($folderid == $settings->_rootFolderID || !$folder->getParent()) return;
|
||||
|
||||
$folder->clearAccessList();
|
||||
|
||||
$folder->clearAccessList();
|
||||
if($folder->setInheritAccess(true)) {
|
||||
if($notifier) {
|
||||
// Send notification to subscribers.
|
||||
$folder->getNotifyList();
|
||||
$notifyList = $folder->getNotifyList();
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("access_permission_changed_email");
|
||||
$message = getMLText("access_permission_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -218,23 +263,37 @@ else if ($action == "inherit") {
|
|||
getMLText("folder").": ".$folder->getFolderPathPlain()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewFolder.php?folderid=".$folder->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $folder->_notifyList["users"], $subject, $message);
|
||||
foreach ($folder->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "access_permission_changed_email_subject";
|
||||
$message = "access_permission_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $folder->getName();
|
||||
$params['folder_path'] = $folder->getParent()->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php?folderid=".$folder->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
//Standardberechtigung setzen----------------------------------------------------------------------
|
||||
else if ($action == "setdefault") {
|
||||
}
|
||||
|
||||
// Set default permission -------------------------------------------------
|
||||
else if ($action == "setdefault") {
|
||||
if($folder->setDefaultAccess($mode)) {
|
||||
if($notifier) {
|
||||
// Send notification to subscribers.
|
||||
$folder->getNotifyList();
|
||||
$notifyList = $folder->getNotifyList();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("access_permission_changed_email");
|
||||
$message = getMLText("access_permission_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -242,51 +301,64 @@ else if ($action == "setdefault") {
|
|||
getMLText("folder").": ".$folder->getFolderPathPlain()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewFolder.php?folderid=".$folder->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $folder->_notifyList["users"], $subject, $message);
|
||||
foreach ($folder->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "access_permission_changed_email_subject";
|
||||
$message = "access_permission_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $folder->getName();
|
||||
$params['folder_path'] = $folder->getParent()->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php?folderid=".$folder->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
//Bestehende Berechtigung änndern -----------------------------------------------------------------
|
||||
else if ($action == "editaccess") {
|
||||
if (isset($userid)) {
|
||||
$folder->changeAccess($mode, $userid, true);
|
||||
}
|
||||
else if (isset($groupid)) {
|
||||
$folder->changeAccess($mode, $groupid, false);
|
||||
}
|
||||
}
|
||||
|
||||
//Berechtigung löschen ----------------------------------------------------------------------------
|
||||
else if ($action == "delaccess") {
|
||||
|
||||
if (isset($userid)) {
|
||||
$folder->removeAccess($userid, true);
|
||||
}
|
||||
else if (isset($groupid)) {
|
||||
$folder->removeAccess($groupid, false);
|
||||
}
|
||||
}
|
||||
|
||||
//Neue Berechtigung hinzufügen --------------------------------------------------------------------
|
||||
else if ($action == "addaccess") {
|
||||
|
||||
if (isset($userid) && $userid != -1) {
|
||||
$folder->addAccess($mode, $userid, true);
|
||||
}
|
||||
if (isset($groupid) && $groupid != -1) {
|
||||
$folder->addAccess($mode, $groupid, false);
|
||||
}
|
||||
}
|
||||
|
||||
add_log_line();
|
||||
// Modify permission ------------------------------------------------------
|
||||
else if ($action == "editaccess") {
|
||||
if (isset($userid)) {
|
||||
$folder->changeAccess($mode, $userid, true);
|
||||
}
|
||||
else if (isset($groupid)) {
|
||||
$folder->changeAccess($mode, $groupid, false);
|
||||
}
|
||||
}
|
||||
|
||||
// Delete Permission ------------------------------------------------------
|
||||
else if ($action == "delaccess") {
|
||||
|
||||
if (isset($userid)) {
|
||||
$folder->removeAccess($userid, true);
|
||||
}
|
||||
else if (isset($groupid)) {
|
||||
$folder->removeAccess($groupid, false);
|
||||
}
|
||||
}
|
||||
|
||||
// Add new permission -----------------------------------------------------
|
||||
else if ($action == "addaccess") {
|
||||
|
||||
if (isset($userid) && $userid != -1) {
|
||||
$folder->addAccess($mode, $userid, true);
|
||||
}
|
||||
if (isset($groupid) && $groupid != -1) {
|
||||
$folder->addAccess($mode, $groupid, false);
|
||||
}
|
||||
}
|
||||
|
||||
add_log_line();
|
||||
|
||||
header("Location:../out/out.FolderAccess.php?folderid=".$folderid);
|
||||
|
||||
?>
|
||||
|
||||
?>
|
||||
|
|
|
@ -48,12 +48,12 @@ $action = $_POST["action"];
|
|||
if (isset($_POST["userid"]) && (!is_numeric($_POST["userid"]) || $_POST["userid"]<-1)) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_user"));
|
||||
}
|
||||
$userid = $_POST["userid"];
|
||||
$userid = isset($_POST["userid"]) ? $_POST["userid"] : -1;
|
||||
|
||||
if (isset($_POST["groupid"]) && (!is_numeric($_POST["groupid"]) || $_POST["groupid"]<-1)) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("unknown_group"));
|
||||
}
|
||||
$groupid = $_POST["groupid"];
|
||||
$groupid = isset($_POST["groupid"]) ? $_POST["groupid"] : -1;
|
||||
|
||||
if (isset($_POST["groupid"])&&$_POST["groupid"]!=-1){
|
||||
$group=$dms->getGroup($groupid);
|
||||
|
@ -94,14 +94,7 @@ if ($action == "delnotify") {
|
|||
case 0:
|
||||
if($notifier) {
|
||||
// Email user / group, informing them of subscription.
|
||||
$path="";
|
||||
$folderPath = $folder->getPath();
|
||||
for ($i = 0; $i < count($folderPath); $i++) {
|
||||
$path .= $folderPath[$i]->getName();
|
||||
if ($i +1 < count($folderPath))
|
||||
$path .= " / ";
|
||||
}
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("notify_deleted_email");
|
||||
$message = getMLText("notify_deleted_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -110,21 +103,35 @@ if ($action == "delnotify") {
|
|||
getMLText("comment").": ".$folder->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewFolder.php?folderid=".$folder->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
if ($userid > 0) {
|
||||
$notifier->toIndividual($user, $obj, $subject, $message);
|
||||
}
|
||||
else {
|
||||
$notifier->toGroup($user, $obj, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "notify_deleted_email_subject";
|
||||
$message = "notify_deleted_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $folder->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php?folderid=".$folder->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
|
||||
if ($userid > 0) {
|
||||
$notifier->toIndividual($user, $obj, $subject, $message, $params);
|
||||
}
|
||||
else {
|
||||
$notifier->toGroup($user, $obj, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
//Benachrichtigung hinzufügen ---------------------------------------------------------------------
|
||||
// Add notification ----------------------------------------------------------
|
||||
else if ($action == "addnotify") {
|
||||
|
||||
if ($userid != -1) {
|
||||
|
@ -143,16 +150,17 @@ else if ($action == "addnotify") {
|
|||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("internal_error"));
|
||||
break;
|
||||
case 0:
|
||||
$obj = $dms->getUser($userid);
|
||||
// Email user / group, informing them of subscription.
|
||||
$path="";
|
||||
$folderPath = $folder->getPath();
|
||||
for ($i = 0; $i < count($folderPath); $i++) {
|
||||
$path .= $folderPath[$i]->getName();
|
||||
if ($i +1 < count($folderPath))
|
||||
$path .= " / ";
|
||||
}
|
||||
if($notifier) {
|
||||
$obj = $dms->getUser($userid);
|
||||
// Email user / group, informing them of subscription.
|
||||
/*
|
||||
$path="";
|
||||
$folderPath = $folder->getPath();
|
||||
for ($i = 0; $i < count($folderPath); $i++) {
|
||||
$path .= $folderPath[$i]->getName();
|
||||
if ($i +1 < count($folderPath))
|
||||
$path .= " / ";
|
||||
}
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("notify_added_email");
|
||||
$message = getMLText("notify_added_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -161,10 +169,19 @@ else if ($action == "addnotify") {
|
|||
getMLText("comment").": ".$folder->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewFolder.php?folderid=".$folder->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toIndividual($user, $obj, $subject, $message);
|
||||
*/
|
||||
$subject = "notify_added_email_subject";
|
||||
$message = "notify_added_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $folder->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php?folderid=".$folder->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
|
||||
$notifier->toIndividual($user, $obj, $subject, $message, $params);
|
||||
}
|
||||
|
||||
break;
|
||||
|
@ -186,16 +203,17 @@ else if ($action == "addnotify") {
|
|||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("internal_error"));
|
||||
break;
|
||||
case 0:
|
||||
$obj = $dms->getGroup($groupid);
|
||||
// Email user / group, informing them of subscription.
|
||||
$path="";
|
||||
$folderPath = $folder->getPath();
|
||||
for ($i = 0; $i < count($folderPath); $i++) {
|
||||
$path .= $folderPath[$i]->getName();
|
||||
if ($i +1 < count($folderPath))
|
||||
$path .= " / ";
|
||||
}
|
||||
if($notifier) {
|
||||
$obj = $dms->getGroup($groupid);
|
||||
// Email user / group, informing them of subscription.
|
||||
/*
|
||||
$path="";
|
||||
$folderPath = $folder->getPath();
|
||||
for ($i = 0; $i < count($folderPath); $i++) {
|
||||
$path .= $folderPath[$i]->getName();
|
||||
if ($i +1 < count($folderPath))
|
||||
$path .= " / ";
|
||||
}
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("notify_added_email");
|
||||
$message = getMLText("notify_added_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -204,10 +222,19 @@ else if ($action == "addnotify") {
|
|||
getMLText("comment").": ".$folder->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewFolder.php?folderid=".$folder->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toGroup($user, $obj, $subject, $message);
|
||||
*/
|
||||
$subject = "notify_added_email_subject";
|
||||
$message = "notify_added_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $folder->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php?folderid=".$folder->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
|
||||
$notifier->toGroup($user, $obj, $subject, $message, $params);
|
||||
}
|
||||
break;
|
||||
}
|
||||
|
|
|
@ -1,26 +1,26 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
include("../inc/inc.DBInit.php");
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
include("../inc/inc.Authentication.php");
|
||||
|
||||
if ($user->isGuest()) {
|
||||
|
@ -36,7 +36,7 @@ function add_folder_notify($folder,$userid,$recursefolder,$recursedoc) {
|
|||
|
||||
// include all folder's document
|
||||
|
||||
$documents = $folder->getDocuments();
|
||||
$documents = $folder->getDocuments();
|
||||
$documents = SeedDMS_Core_DMS::filterAccess($documents, $dms->getUser($userid), M_READ);
|
||||
|
||||
foreach($documents as $document)
|
||||
|
@ -47,24 +47,24 @@ function add_folder_notify($folder,$userid,$recursefolder,$recursedoc) {
|
|||
|
||||
// recurse all folder's folders
|
||||
|
||||
$subFolders = $folder->getSubFolders();
|
||||
$subFolders = SeedDMS_Core_DMS::filterAccess($subFolders, $dms->getUser($userid), M_READ);
|
||||
$subFolders = $folder->getSubFolders();
|
||||
$subFolders = SeedDMS_Core_DMS::filterAccess($subFolders, $dms->getUser($userid), M_READ);
|
||||
|
||||
foreach($subFolders as $subFolder)
|
||||
add_folder_notify($subFolder,$userid,$recursefolder,$recursedoc);
|
||||
}
|
||||
}
|
||||
|
||||
if (!isset($_GET["type"])) UI::exitError(getMLText("my_account"),getMLText("error_occured"));
|
||||
if (!isset($_GET["action"])) UI::exitError(getMLText("my_account"),getMLText("error_occured"));
|
||||
if (!isset($_GET["type"])) UI::exitError(getMLText("my_account"),getMLText("error_occured"));
|
||||
if (!isset($_GET["action"])) UI::exitError(getMLText("my_account"),getMLText("error_occured"));
|
||||
|
||||
$userid=$user->getID();
|
||||
|
||||
if ($_GET["type"]=="document"){
|
||||
|
||||
if ($_GET["action"]=="add"){
|
||||
if (!isset($_POST["docidform2"])) UI::exitError(getMLText("my_account"),getMLText("error_occured"));
|
||||
$documentid = $_POST["docidform2"];
|
||||
if (!isset($_POST["docidform1"])) UI::exitError(getMLText("my_account"),getMLText("error_occured"));
|
||||
$documentid = $_POST["docidform1"];
|
||||
}else if ($_GET["action"]=="del"){
|
||||
if (!isset($_GET["id"])) UI::exitError(getMLText("my_account"),getMLText("error_occured"));
|
||||
$documentid = $_GET["id"];
|
||||
|
@ -107,10 +107,11 @@ if ($_GET["type"]=="document"){
|
|||
add_folder_notify($folder,$userid,$recursefolder,$recursedoc);
|
||||
|
||||
} elseif ($_GET["action"]=="del") {
|
||||
if($folder->removeNotify($userid, true)) {
|
||||
$obj = $dms->getUser($userid);
|
||||
if(0 == $folder->removeNotify($userid, true)) {
|
||||
if($notifier) {
|
||||
$obj = $dms->getUser($userid);
|
||||
// Email user / group, informing them of subscription.
|
||||
/*
|
||||
$path="";
|
||||
$folderPath = $folder->getPath();
|
||||
for ($i = 0; $i < count($folderPath); $i++) {
|
||||
|
@ -127,15 +128,24 @@ if ($_GET["type"]=="document"){
|
|||
getMLText("comment").": ".$folder->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewFolder.php?folderid=".$folder->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toIndividual($user, $obj, $subject, $message);
|
||||
*/
|
||||
$subject = "notify_deleted_email_subject";
|
||||
$message = "notify_deleted_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $folder->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php?folderid=".$folder->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
|
||||
$notifier->toIndividual($user, $obj, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
header("Location:../out/out.ManageNotify.php");
|
||||
|
||||
?>
|
||||
|
||||
?>
|
||||
|
|
|
@ -55,9 +55,10 @@ if (($document->getAccessMode($user) < M_READWRITE) || ($targetFolder->getAccess
|
|||
|
||||
if ($targetid != $oldFolder->getID()) {
|
||||
if ($document->setFolder($targetFolder)) {
|
||||
$document->getNotifyList();
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("document_moved_email");
|
||||
$message = getMLText("document_moved_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -66,9 +67,6 @@ if ($targetid != $oldFolder->getID()) {
|
|||
getMLText("new_folder").": ".$targetFolder->getFolderPathPlain()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
|
@ -77,6 +75,24 @@ if ($targetid != $oldFolder->getID()) {
|
|||
// if user is not owner send notification to owner
|
||||
if ($user->getID()!= $document->getOwner())
|
||||
$notifier->toIndividual($user, $document->getOwner(), $subject, $message);
|
||||
*/
|
||||
$subject = "document_moved_email_subject";
|
||||
$message = "document_moved_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['old_folder_path'] = $oldFolder->getFolderPathPlain();
|
||||
$params['new_folder_path'] = $targetFolder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
// if user is not owner send notification to owner
|
||||
if ($user->getID() != $document->getOwner()->getID())
|
||||
$notifier->toIndividual($user, $document->getOwner(), $subject, $message, $params);
|
||||
}
|
||||
|
||||
} else {
|
||||
|
|
|
@ -1,63 +1,65 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
include("../inc/inc.LogInit.php");
|
||||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
include("../inc/inc.LogInit.php");
|
||||
include("../inc/inc.DBInit.php");
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
include("../inc/inc.Authentication.php");
|
||||
|
||||
if (!isset($_GET["folderid"]) || !is_numeric($_GET["folderid"]) || intval($_GET["folderid"])<1) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
$folderid = $_GET["folderid"];
|
||||
$folder = $dms->getFolder($folderid);
|
||||
|
||||
if (!is_object($folder)) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
|
||||
if ($folderid == $settings->_rootFolderID || !$folder->getParent()) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("cannot_move_root"));
|
||||
}
|
||||
|
||||
if (!isset($_GET["targetidform1"]) || !is_numeric($_GET["targetidform1"]) || intval($_GET["targetidform1"])<1) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
include("../inc/inc.Authentication.php");
|
||||
|
||||
if (!isset($_GET["folderid"]) || !is_numeric($_GET["folderid"]) || intval($_GET["folderid"])<1) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
|
||||
$targetid = $_GET["targetidform1"];
|
||||
$folderid = $_GET["folderid"];
|
||||
$folder = $dms->getFolder($folderid);
|
||||
|
||||
if (!is_object($folder)) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
|
||||
if ($folderid == $settings->_rootFolderID || !$folder->getParent()) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("cannot_move_root"));
|
||||
}
|
||||
|
||||
if (!isset($_GET["targetidform1"]) || !is_numeric($_GET["targetidform1"]) || intval($_GET["targetidform1"])<1) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
|
||||
$targetid = $_GET["targetidform1"];
|
||||
$targetFolder = $dms->getFolder($targetid);
|
||||
|
||||
if (!is_object($targetFolder)) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
|
||||
|
||||
if (!is_object($targetFolder)) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => getMLText("invalid_folder_id"))),getMLText("invalid_folder_id"));
|
||||
}
|
||||
|
||||
if ($folder->getAccessMode($user) < M_READWRITE || $targetFolder->getAccessMode($user) < M_READWRITE) {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("access_denied"));
|
||||
}
|
||||
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("access_denied"));
|
||||
}
|
||||
|
||||
$oldFolder = $folder->getParent();
|
||||
if ($folder->setParent($targetFolder)) {
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$folder->getNotifyList();
|
||||
$notifyList = $folder->getNotifyList();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("folder_moved_email");
|
||||
$message = getMLText("folder_moved_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -66,19 +68,35 @@ if ($folder->setParent($targetFolder)) {
|
|||
getMLText("comment").": ".$folder->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewFolder.php?folderid=".$folder->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $folder->_notifyList["users"], $subject, $message);
|
||||
foreach ($folder->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "folder_moved_email_subject";
|
||||
$message = "folder_moved_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $folder->getName();
|
||||
$params['old_folder_path'] = $oldFolder->getFolderPathPlain();
|
||||
$params['new_folder_path'] = $targetFolder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewFolder.php?folderid=".$folder->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
// if user is not owner send notification to owner
|
||||
if ($user->getID() != $folder->getOwner()->getID())
|
||||
$notifier->toIndividual($user, $folder->getOwner(), $subject, $message, $params);
|
||||
|
||||
}
|
||||
} else {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("error_occured"));
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("error_occured"));
|
||||
}
|
||||
|
||||
add_log_line();
|
||||
header("Location:../out/out.ViewFolder.php?folderid=".$folderid."&showtree=".$_GET["showtree"]);
|
||||
|
||||
?>
|
||||
header("Location:../out/out.ViewFolder.php?folderid=".$folderid."&showtree=".$_GET["showtree"]);
|
||||
|
||||
?>
|
||||
|
|
|
@ -73,10 +73,11 @@ if ($overrideStatus != $overallStatus["status"]) {
|
|||
if (!$content->setStatus($overrideStatus, $comment, $user)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("error_occured"));
|
||||
} else {
|
||||
$nl=$document->getNotifyList();
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$nl = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("document_status_changed_email");
|
||||
$message = getMLText("document_status_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -86,16 +87,28 @@ if ($overrideStatus != $overallStatus["status"]) {
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."&version=".$content->_version."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "document_status_changed_email_subject";
|
||||
$message = "document_status_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['status'] = getOverallStatusText($overrideStatus);
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
|
||||
$notifier->toIndividual($user, $content->getUser(), $subject, $message, $params);
|
||||
}
|
||||
|
||||
// TODO: if user os not owner send notification to owner
|
||||
}
|
||||
}
|
||||
add_log_line("?documentid=".$documentid);
|
||||
|
|
|
@ -1,55 +1,56 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
include("../inc/inc.LogInit.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2002-2005 Markus Westphal
|
||||
// Copyright (C) 2006-2008 Malcolm Cowe
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
include("../inc/inc.LogInit.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
include("../inc/inc.DBInit.php");
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.Authentication.php");
|
||||
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.Authentication.php");
|
||||
|
||||
/* Check if the form data comes for a trusted request */
|
||||
if(!checkFormKey('removedocument')) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_request_token"))),getMLText("invalid_request_token"));
|
||||
}
|
||||
|
||||
if (!isset($_POST["documentid"]) || !is_numeric($_POST["documentid"]) || intval($_POST["documentid"])<1) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("invalid_doc_id"));
|
||||
}
|
||||
$documentid = $_POST["documentid"];
|
||||
if (!isset($_POST["documentid"]) || !is_numeric($_POST["documentid"]) || intval($_POST["documentid"])<1) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("invalid_doc_id"));
|
||||
}
|
||||
$documentid = $_POST["documentid"];
|
||||
$document = $dms->getDocument($documentid);
|
||||
|
||||
if (!is_object($document)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("invalid_doc_id"));
|
||||
|
||||
if (!is_object($document)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("invalid_doc_id"));
|
||||
}
|
||||
|
||||
if ($document->getAccessMode($user) < M_ALL) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("access_denied"));
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("access_denied"));
|
||||
}
|
||||
|
||||
$folder = $document->getFolder();
|
||||
|
||||
|
||||
$folder = $document->getFolder();
|
||||
|
||||
/* Get the notify list before removing the document */
|
||||
$nl = $document->getNotifyList();
|
||||
$docname = $document->getName();
|
||||
if (!$document->remove()) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("error_occured"));
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("error_occured"));
|
||||
} else {
|
||||
|
||||
/* Remove the document from the fulltext index */
|
||||
|
@ -68,6 +69,7 @@ if (!$document->remove()) {
|
|||
}
|
||||
|
||||
if ($notifier){
|
||||
/*
|
||||
$path = "";
|
||||
$folderPath = $folder->getPath();
|
||||
for ($i = 0; $i < count($folderPath); $i++) {
|
||||
|
@ -84,19 +86,29 @@ if (!$document->remove()) {
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
getMLText("user").": ".$user->getFullName()." <". $user->getEmail() ."> ";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
// Send notification to subscribers.
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "document_deleted_email_subject";
|
||||
$message = "document_deleted_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $docname;
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
add_log_line("?documentid=".$documentid);
|
||||
|
||||
add_log_line("?documentid=".$documentid);
|
||||
|
||||
header("Location:../out/out.ViewFolder.php?folderid=".$folder->getID());
|
||||
|
||||
?>
|
||||
|
||||
?>
|
||||
|
|
|
@ -1,67 +1,68 @@
|
|||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
include("../inc/inc.LogInit.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
<?php
|
||||
// MyDMS. Document Management System
|
||||
// Copyright (C) 2010 Matteo Lucarelli
|
||||
//
|
||||
// This program is free software; you can redistribute it and/or modify
|
||||
// it under the terms of the GNU General Public License as published by
|
||||
// the Free Software Foundation; either version 2 of the License, or
|
||||
// (at your option) any later version.
|
||||
//
|
||||
// This program is distributed in the hope that it will be useful,
|
||||
// but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
// GNU General Public License for more details.
|
||||
//
|
||||
// You should have received a copy of the GNU General Public License
|
||||
// along with this program; if not, write to the Free Software
|
||||
// Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
|
||||
|
||||
include("../inc/inc.Settings.php");
|
||||
include("../inc/inc.LogInit.php");
|
||||
include("../inc/inc.ClassEmail.php");
|
||||
include("../inc/inc.DBInit.php");
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.Authentication.php");
|
||||
|
||||
include("../inc/inc.Language.php");
|
||||
include("../inc/inc.ClassUI.php");
|
||||
include("../inc/inc.Authentication.php");
|
||||
|
||||
/* Check if the form data comes for a trusted request */
|
||||
if(!checkFormKey('removedocumentfile')) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_request_token"))),getMLText("invalid_request_token"));
|
||||
}
|
||||
|
||||
if (!isset($_POST["documentid"]) || !is_numeric($_POST["documentid"]) || intval($_POST["documentid"])<1) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("invalid_doc_id"));
|
||||
}
|
||||
|
||||
$documentid = $_POST["documentid"];
|
||||
if (!isset($_POST["documentid"]) || !is_numeric($_POST["documentid"]) || intval($_POST["documentid"])<1) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("invalid_doc_id"));
|
||||
}
|
||||
|
||||
$documentid = $_POST["documentid"];
|
||||
$document = $dms->getDocument($documentid);
|
||||
|
||||
if (!is_object($document)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("invalid_doc_id"));
|
||||
}
|
||||
|
||||
|
||||
if (!is_object($document)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => getMLText("invalid_doc_id"))),getMLText("invalid_doc_id"));
|
||||
}
|
||||
|
||||
if (!isset($_POST["fileid"]) || !is_numeric($_POST["fileid"]) || intval($_POST["fileid"])<1) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("invalid_file_id"));
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("invalid_file_id"));
|
||||
}
|
||||
|
||||
$fileid = $_POST["fileid"];
|
||||
|
||||
$fileid = $_POST["fileid"];
|
||||
$file = $document->getDocumentFile($fileid);
|
||||
|
||||
if (!is_object($file)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("invalid_file_id"));
|
||||
|
||||
if (!is_object($file)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("invalid_file_id"));
|
||||
}
|
||||
|
||||
|
||||
|
||||
if (($document->getAccessMode($user) < M_ALL)&&($user->getID()!=$file->getUserID())) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("access_denied"));
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("access_denied"));
|
||||
}
|
||||
|
||||
if (!$document->removeDocumentFile($fileid)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("error_occured"));
|
||||
|
||||
if (!$document->removeDocumentFile($fileid)) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("error_occured"));
|
||||
} else {
|
||||
// Send notification to subscribers.
|
||||
$document->getNotifyList();
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("removed_file_email");
|
||||
$message = getMLText("removed_file_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -70,18 +71,28 @@ if (!$document->removeDocumentFile($fileid)) {
|
|||
getMLText("user").": ".$user->getFullName()." <". $user->getEmail() .">\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "removed_file_email_subject";
|
||||
$message = "removed_file_email_body";
|
||||
$params = array();
|
||||
$params['document'] = $document->getName();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
add_log_line("?documentid=".$documentid."&fileid=".$fileid);
|
||||
|
||||
|
||||
header("Location:../out/out.ViewDocument.php?documentid=".$documentid);
|
||||
|
||||
?>
|
||||
|
||||
?>
|
||||
|
|
|
@ -72,10 +72,12 @@ if($settings->_enableFullSearch) {
|
|||
$dms->setCallback('onPreRemoveDocument', 'removeFromIndex', $index);
|
||||
}
|
||||
|
||||
$nl = $folder->getNotifyList();
|
||||
$foldername = $folder->getName();
|
||||
if ($folder->remove()) {
|
||||
// Send notification to subscribers.
|
||||
if ($notifier) {
|
||||
$folder->getNotifyList();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$folder->getName()." - ".getMLText("folder_deleted_email");
|
||||
$message = getMLText("folder_deleted_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -88,6 +90,19 @@ if ($folder->remove()) {
|
|||
foreach ($folder->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "folder_deleted_email_subject";
|
||||
$message = "folder_deleted_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $foldername;
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
} else {
|
||||
UI::exitError(getMLText("folder_title", array("foldername" => $folder->getName())),getMLText("error_occured"));
|
||||
|
|
|
@ -60,11 +60,13 @@ if (!is_object($version)) {
|
|||
}
|
||||
|
||||
if (count($document->getContent())==1) {
|
||||
$nl = $document->getNotifyList();
|
||||
$docname = $document->getName();
|
||||
if (!$document->remove()) {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("error_occured"));
|
||||
} else {
|
||||
$document->getNotifyList();
|
||||
if ($notifier){
|
||||
/*
|
||||
$path = "";
|
||||
$folder = $document->getFolder();
|
||||
$folderPath = $folder->getPath();
|
||||
|
@ -82,14 +84,24 @@ if (count($document->getContent())==1) {
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
getMLText("user").": ".$user->getFullName()." <". $user->getEmail() ."> ";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
// Send notification to subscribers.
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "document_deleted_email_subject";
|
||||
$message = "document_deleted_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $docname;
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -117,12 +129,13 @@ else {
|
|||
} else {
|
||||
// Notify affected users.
|
||||
if ($notifier){
|
||||
|
||||
$nl=$document->getNotifyList();
|
||||
$recipients = array();
|
||||
foreach ($emailList as $eID) {
|
||||
$eU = $version->_document->_dms->getUser($eID);
|
||||
$recipients[] = $eU;
|
||||
}
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName().", v.".$version->_version." - ".getMLText("version_deleted_email");
|
||||
$message = getMLText("version_deleted_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -131,17 +144,29 @@ else {
|
|||
getMLText("comment").": ".$version->getComment()."\r\n".
|
||||
getMLText("user").": ".$user->getFullName()." <". $user->getEmail() ."> ";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $recipients, $subject, $message);
|
||||
|
||||
// Send notification to subscribers.
|
||||
$nl=$document->getNotifyList();
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "version_deleted_email_subject";
|
||||
$message = "version_deleted_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['version'] = $version->getVersion();
|
||||
$params['folder_path'] = $document->getFolder()->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $recipients, $subject, $message, $params);
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -61,7 +61,9 @@ if (!is_object($workflow)) {
|
|||
if($version->removeWorkflow($user)) {
|
||||
if ($notifier) {
|
||||
$nl = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("remove_workflow_email");
|
||||
$message = getMLText("remove_workflow_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -69,10 +71,22 @@ if($version->removeWorkflow($user)) {
|
|||
getMLText("workflow").": ".$workflow->getName()."\r\n".
|
||||
getMLText("user").": ".$user->getFullName()." <". $user->getEmail() ."> ";
|
||||
|
||||
*/
|
||||
$subject = "removed_workflow_email_subject";
|
||||
$message = "removed_workflow_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['version'] = $version->getVersion();
|
||||
$params['workflow'] = $workflow->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
// Send notification to subscribers.
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -72,7 +72,9 @@ if(isset($_POST["transition"]) && $_POST["transition"]) {
|
|||
if($version->returnFromSubWorkflow($user, $transition, $_POST["comment"])) {
|
||||
if ($notifier) {
|
||||
$nl = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("return_from_subworkflow_email");
|
||||
$message = getMLText("return_from_subwork_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -81,11 +83,24 @@ if($version->returnFromSubWorkflow($user, $transition, $_POST["comment"])) {
|
|||
getMLText("workflow").": ".$parentworkflow->getName()."\r\n".
|
||||
getMLText("current_state").": ".$version->getWorkflowState()->getName()."\r\n".
|
||||
getMLText("user").": ".$user->getFullName()." <". $user->getEmail() ."> ";
|
||||
*/
|
||||
|
||||
$subject = "return_from_subworkflow_email_subject";
|
||||
$message = "return_from_subworkflow_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['version'] = $version->getVersion();
|
||||
$params['workflow'] = $parentworkflow->getName();
|
||||
$params['subworkflow'] = $workflow->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
// Send notification to subscribers.
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -83,6 +83,9 @@ if ($_POST["reviewType"] == "ind") {
|
|||
else {
|
||||
// Send an email notification to the document updater.
|
||||
if($notifier) {
|
||||
$nl=$document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
/*
|
||||
$subject = $settings->_siteName.": ".$document->getName().", v.".$version." - ".getMLText("review_submit_email");
|
||||
$message = getMLText("review_submit_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -93,17 +96,31 @@ if ($_POST["reviewType"] == "ind") {
|
|||
getMLText("comment").": ".$comment."\r\n".
|
||||
"URL: http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$documentid."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toIndividual($user, $content->getUser(), $subject, $message);
|
||||
|
||||
// Send notification to subscribers.
|
||||
$nl=$document->getNotifyList();
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
|
||||
$subject = "review_submit_email_subject";
|
||||
$message = "review_submit_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['version'] = $version;
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['status'] = getReviewStatusText($_POST["reviewStatus"]);
|
||||
$params['comment'] = $comment;
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
$notifier->toIndividual($user, $content->getUser(), $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -117,6 +134,9 @@ else if ($_POST["reviewType"] == "grp") {
|
|||
else {
|
||||
// Send an email notification to the document updater.
|
||||
if($notifier) {
|
||||
$nl=$document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
/*
|
||||
$subject = $settings->_siteName.": ".$document->getName().", v.".$version." - ".getMLText("review_submit_email");
|
||||
$message = getMLText("review_submit_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -127,17 +147,30 @@ else if ($_POST["reviewType"] == "grp") {
|
|||
getMLText("comment").": ".$comment."\r\n".
|
||||
"URL: http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$documentid."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toIndividual($user, $content->getUser(), $subject, $message);
|
||||
|
||||
// Send notification to subscribers.
|
||||
$nl=$document->getNotifyList();
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "review_submit_email_subject";
|
||||
$message = "review_submit_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['version'] = $version;
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['status'] = getReviewStatusText($_POST["reviewStatus"]);
|
||||
$params['comment'] = $comment;
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
$notifier->toIndividual($user, $content->getUser(), $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -150,10 +183,11 @@ else if ($_POST["reviewType"] == "grp") {
|
|||
if ($_POST["reviewStatus"]==-1){
|
||||
|
||||
if($content->setStatus(S_REJECTED,$comment,$user)) {
|
||||
$nl=$document->getNotifyList();
|
||||
// Send notification to subscribers.
|
||||
if($notifier) {
|
||||
$nl=$document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("document_status_changed_email");
|
||||
$message = getMLText("document_status_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -163,16 +197,26 @@ if ($_POST["reviewStatus"]==-1){
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."&version=".$content->_version."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "document_status_changed_email_subject";
|
||||
$message = "document_status_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['status'] = getReviewStatusText(S_REJECTED);
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
$notifier->toIndividual($user, $content->getUser(), $subject, $message, $params);
|
||||
}
|
||||
|
||||
// TODO: if user os not owner send notification to owner
|
||||
}
|
||||
|
||||
}else{
|
||||
|
@ -219,16 +263,16 @@ if ($_POST["reviewStatus"]==-1){
|
|||
}
|
||||
if ($content->setStatus($newStatus, getMLText("automatic_status_update"), $user)) {
|
||||
// Send notification to subscribers.
|
||||
$nl=$document->getNotifyList();
|
||||
if($notifier) {
|
||||
$nl=$document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("document_status_changed_email");
|
||||
$message = getMLText("document_status_changed_email")."\r\n";
|
||||
$message .=
|
||||
getMLText("document").": ".$document->getName()."\r\n".
|
||||
getMLText("status").": ".getOverallStatusText($newStatus)."\r\n".
|
||||
getMLText("folder").": ".$folder->getFolderPathPlain()."\r\n".
|
||||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."&version=".$content->_version."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
|
@ -238,6 +282,20 @@ if ($_POST["reviewStatus"]==-1){
|
|||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "document_status_changed_email_subject";
|
||||
$message = "document_status_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['status'] = getReviewStatusText($newStatus);
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
|
||||
// TODO: if user os not owner send notification to owner
|
||||
|
@ -247,6 +305,7 @@ if ($_POST["reviewStatus"]==-1){
|
|||
$requestUser = $document->getOwner();
|
||||
|
||||
if($notifier) {
|
||||
/*
|
||||
$subject = $settings->_siteName.": ".$document->getName().", v.".$version." - ".getMLText("approval_request_email");
|
||||
$message = getMLText("approval_request_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -254,22 +313,27 @@ if ($_POST["reviewStatus"]==-1){
|
|||
getMLText("version").": ".$version."\r\n".
|
||||
getMLText("comment").": ".$content->getComment()."\r\n".
|
||||
"URL: http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$documentid."&version=".$version."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
*/
|
||||
$subject = "approval_request_email_subject";
|
||||
$message = "approval_request_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['version'] = $version;
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
foreach ($docApprovalStatus as $dastat) {
|
||||
|
||||
if ($dastat["status"] == 0) {
|
||||
if ($dastat["type"] == 0) {
|
||||
|
||||
$approver = $dms->getUser($dastat["required"]);
|
||||
$notifier->toIndividual($document->getOwner(), $approver, $subject, $message);
|
||||
}
|
||||
else if ($dastat["type"] == 1) {
|
||||
$notifier->toIndividual($document->getOwner(), $approver, $subject, $message, $params);
|
||||
} elseif ($dastat["type"] == 1) {
|
||||
|
||||
$group = $dms->getGroup($dastat["required"]);
|
||||
$notifier->toGroup($document->getOwner(), $group, $subject, $message);
|
||||
$notifier->toGroup($document->getOwner(), $group, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -61,18 +61,31 @@ if (!is_object($workflow)) {
|
|||
if($version->rewindWorkflow()) {
|
||||
if ($notifier) {
|
||||
$nl = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("rewind_workflow_email");
|
||||
$message = getMLText("rewind_workflow_email")."\r\n";
|
||||
$message .=
|
||||
getMLText("document").": ".$document->getName()."\r\n".
|
||||
getMLText("workflow").": ".$workflow->getName()."\r\n".
|
||||
getMLText("user").": ".$user->getFullName()." <". $user->getEmail() ."> ";
|
||||
|
||||
*/
|
||||
$subject = "rewind_workflow_email_subject";
|
||||
$message = "rewind_workflow_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['version'] = $version->getVersion();
|
||||
$params['workflow'] = $workflow->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
// Send notification to subscribers.
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -67,7 +67,9 @@ if($version->getWorkflowState()->getID() != $subworkflow->getInitState()->getID(
|
|||
if($version->runSubWorkflow($subworkflow)) {
|
||||
if ($notifier) {
|
||||
$nl = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("run_subworkflow_email");
|
||||
$message = getMLText("run_subwork_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -75,11 +77,24 @@ if($version->runSubWorkflow($subworkflow)) {
|
|||
getMLText("workflow").": ".$subworkflow->getName()."\r\n".
|
||||
getMLText("current_state").": ".$version->getWorkflowState()->getName()."\r\n".
|
||||
getMLText("user").": ".$user->getFullName()." <". $user->getEmail() ."> ";
|
||||
*/
|
||||
|
||||
$subject = "run_subworkflow_email_subject";
|
||||
$message = "run_subworkflow_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['version'] = $version->getVersion();
|
||||
$params['workflow'] = $workflow->getName();
|
||||
$params['subworkflow'] = $subworkflow->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
// Send notification to subscribers.
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -43,7 +43,7 @@ if ($document->getAccessMode($user) < M_READWRITE) {
|
|||
|
||||
$expires = false;
|
||||
if (!isset($_POST["expires"]) || $_POST["expires"] != "false") {
|
||||
if($_POST["expdate"]) {
|
||||
if(isset($_POST["expdate"]) && $_POST["expdate"]) {
|
||||
$tmp = explode('-', $_POST["expdate"]);
|
||||
$expires = mktime(0,0,0, $tmp[1], $tmp[0], $tmp[2]);
|
||||
} else {
|
||||
|
|
|
@ -132,6 +132,8 @@ if ($action == "saveSettings")
|
|||
$settings->_versioningFileName = $_POST["versioningFileName"];
|
||||
$settings->_workflowMode = $_POST["workflowMode"];
|
||||
$settings->_enableAdminRevApp = getBoolValue("enableAdminRevApp");
|
||||
$settings->_enableOwnerRevApp = getBoolValue("enableOwnerRevApp");
|
||||
$settings->_enableSelfRevApp = getBoolValue("enableSelfRevApp");
|
||||
$settings->_enableVersionDeletion = getBoolValue("enableVersionDeletion");
|
||||
$settings->_enableVersionModification = getBoolValue("enableVersionModification");
|
||||
$settings->_enableDuplicateDocNames = getBoolValue("enableDuplicateDocNames");
|
||||
|
|
|
@ -69,7 +69,9 @@ $workflow = $transition->getWorkflow();
|
|||
if($version->triggerWorkflowTransition($user, $transition, $_POST["comment"])) {
|
||||
if ($notifier) {
|
||||
$nl = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("transition_triggered_email");
|
||||
$message = getMLText("transition_triggered_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -80,11 +82,27 @@ if($version->triggerWorkflowTransition($user, $transition, $_POST["comment"])) {
|
|||
getMLText("previous_state").": ".$transition->getState()->getName()."\r\n".
|
||||
getMLText("current_state").": ".$transition->getNextState()->getName()."\r\n".
|
||||
getMLText("user").": ".$user->getFullName()." <". $user->getEmail() ."> ";
|
||||
*/
|
||||
$subject = "transition_triggered_email_subject";
|
||||
$message = "transition_triggered_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['version'] = $version->getVersion();
|
||||
$params['workflow'] = $workflow->getName();
|
||||
$params['action'] = $transition->getAction()->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['comment'] = $_POST["comment"];
|
||||
$params['previous_state'] = $transition->getState()->getName();
|
||||
$params['current_state'] = $transition->getNextState()->getName();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
|
||||
// Send notification to subscribers.
|
||||
$notifier->toList($user, $nl["users"], $subject, $message);
|
||||
$notifier->toList($user, $nl["users"], $subject, $message, $params);
|
||||
foreach ($nl["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -49,7 +49,10 @@ if ($document->isLocked()) {
|
|||
else $document->setLocked(false);
|
||||
}
|
||||
|
||||
$comment = $_POST["comment"];
|
||||
if(isset($_POST["comment"]))
|
||||
$comment = $_POST["comment"];
|
||||
else
|
||||
$comment = "";
|
||||
|
||||
if ($_FILES['userfile']['error'] == 0) {
|
||||
if(!is_uploaded_file($_FILES["userfile"]["tmp_name"]))
|
||||
|
@ -173,9 +176,10 @@ if ($_FILES['userfile']['error'] == 0) {
|
|||
}
|
||||
else {
|
||||
// Send notification to subscribers.
|
||||
$document->getNotifyList();
|
||||
if ($notifier){
|
||||
$notifyList = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("document_updated_email");
|
||||
$message = getMLText("document_updated_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -184,8 +188,6 @@ if ($_FILES['userfile']['error'] == 0) {
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
|
@ -195,6 +197,24 @@ if ($_FILES['userfile']['error'] == 0) {
|
|||
// if user is not owner send notification to owner
|
||||
if ($user->getID()!= $document->getOwner()->getID())
|
||||
$notifier->toIndividual($user, $document->getOwner(), $subject, $message);
|
||||
*/
|
||||
$subject = "document_updated_email_subject";
|
||||
$message = "document_updated_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
// if user is not owner send notification to owner
|
||||
if ($user->getID() != $document->getOwner()->getID())
|
||||
$notifier->toIndividual($user, $document->getOwner(), $subject, $message, $params);
|
||||
|
||||
}
|
||||
|
||||
$expires = false;
|
||||
|
@ -209,10 +229,11 @@ if ($_FILES['userfile']['error'] == 0) {
|
|||
|
||||
if ($expires) {
|
||||
if($document->setExpires($expires)) {
|
||||
$document->getNotifyList();
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
// Send notification to subscribers.
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("expiry_changed_email");
|
||||
$message = getMLText("expiry_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -221,13 +242,24 @@ if ($_FILES['userfile']['error'] == 0) {
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "expiry_changed_email_subject";
|
||||
$message = "expiry_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
} else {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("error_occured"));
|
||||
|
|
|
@ -155,9 +155,10 @@ if( move_uploaded_file( $source_file_path, $target_file_path ) ) {
|
|||
echo getMLText("error_occured");
|
||||
} else {
|
||||
// Send notification to subscribers.
|
||||
$document->getNotifyList();
|
||||
if ($notifier){
|
||||
$notifyList = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("document_updated_email");
|
||||
$message = getMLText("document_updated_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -166,9 +167,6 @@ if( move_uploaded_file( $source_file_path, $target_file_path ) ) {
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
|
@ -177,15 +175,33 @@ if( move_uploaded_file( $source_file_path, $target_file_path ) ) {
|
|||
// if user is not owner send notification to owner
|
||||
if ($user->getID()!= $document->getOwner()->getID())
|
||||
$notifier->toIndividual($user, $document->getOwner(), $subject, $message);
|
||||
*/
|
||||
$subject = "document_updated_email_subject";
|
||||
$message = "document_updated_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
// if user is not owner send notification to owner
|
||||
if ($user->getID() != $document->getOwner()->getID())
|
||||
$notifier->toIndividual($user, $document->getOwner(), $subject, $message, $params);
|
||||
}
|
||||
|
||||
$expires = ($_POST["expires"] == "true") ? mktime(0,0,0, $_POST["expmonth"], $_POST["expday"], $_POST["expyear"]) : false;
|
||||
|
||||
if ($document->setExpires($expires)) {
|
||||
$document->getNotifyList();
|
||||
if($notifier) {
|
||||
$notifyList = $document->getNotifyList();
|
||||
$folder = $document->getFolder();
|
||||
// Send notification to subscribers.
|
||||
/*
|
||||
$subject = "###SITENAME###: ".$document->getName()." - ".getMLText("expiry_changed_email");
|
||||
$message = getMLText("expiry_changed_email")."\r\n";
|
||||
$message .=
|
||||
|
@ -194,13 +210,24 @@ if( move_uploaded_file( $source_file_path, $target_file_path ) ) {
|
|||
getMLText("comment").": ".$document->getComment()."\r\n".
|
||||
"URL: ###URL_PREFIX###out/out.ViewDocument.php?documentid=".$document->getID()."\r\n";
|
||||
|
||||
// $subject=mydmsDecodeString($subject);
|
||||
// $message=mydmsDecodeString($message);
|
||||
|
||||
$notifier->toList($user, $document->_notifyList["users"], $subject, $message);
|
||||
foreach ($document->_notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message);
|
||||
}
|
||||
*/
|
||||
$subject = "expiry_changed_email_subject";
|
||||
$message = "expiry_changed_email_body";
|
||||
$params = array();
|
||||
$params['name'] = $document->getName();
|
||||
$params['folder_path'] = $folder->getFolderPathPlain();
|
||||
$params['username'] = $user->getFullName();
|
||||
$params['url'] = "http".((isset($_SERVER['HTTPS']) && (strcmp($_SERVER['HTTPS'],'off')!=0)) ? "s" : "")."://".$_SERVER['HTTP_HOST'].$settings->_httpRoot."out/out.ViewDocument.php?documentid=".$document->getID();
|
||||
$params['sitename'] = $settings->_siteName;
|
||||
$params['http_root'] = $settings->_httpRoot;
|
||||
$notifier->toList($user, $notifyList["users"], $subject, $message, $params);
|
||||
foreach ($notifyList["groups"] as $grp) {
|
||||
$notifier->toGroup($user, $grp, $subject, $message, $params);
|
||||
}
|
||||
}
|
||||
} else {
|
||||
UI::exitError(getMLText("document_title", array("documentname" => $document->getName())),getMLText("error_occured"));
|
||||
|
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
Reference in New Issue
Block a user