profil finis
This commit is contained in:
282
projet/doku/lib/plugins/config/admin.php
Normal file
282
projet/doku/lib/plugins/config/admin.php
Normal file
@@ -0,0 +1,282 @@
|
||||
<?php
|
||||
/**
|
||||
* Configuration Manager admin plugin
|
||||
*
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
* @author Christopher Smith <chris@jalakai.co.uk>
|
||||
* @author Ben Coburn <btcoburn@silicodon.net>
|
||||
*/
|
||||
|
||||
use dokuwiki\plugin\config\core\Configuration;
|
||||
use dokuwiki\plugin\config\core\Setting\Setting;
|
||||
use dokuwiki\plugin\config\core\Setting\SettingFieldset;
|
||||
use dokuwiki\plugin\config\core\Setting\SettingHidden;
|
||||
|
||||
/**
|
||||
* All DokuWiki plugins to extend the admin function
|
||||
* need to inherit from this class
|
||||
*/
|
||||
class admin_plugin_config extends DokuWiki_Admin_Plugin {
|
||||
|
||||
const IMGDIR = DOKU_BASE . 'lib/plugins/config/images/';
|
||||
|
||||
/** @var Configuration */
|
||||
protected $configuration;
|
||||
|
||||
/** @var bool were there any errors in the submitted data? */
|
||||
protected $hasErrors = false;
|
||||
|
||||
/** @var bool have the settings translations been loaded? */
|
||||
protected $promptsLocalized = false;
|
||||
|
||||
|
||||
/**
|
||||
* handle user request
|
||||
*/
|
||||
public function handle() {
|
||||
global $ID, $INPUT;
|
||||
|
||||
// always initialize the configuration
|
||||
$this->configuration = new Configuration();
|
||||
|
||||
if(!$INPUT->bool('save') || !checkSecurityToken()) {
|
||||
return;
|
||||
}
|
||||
|
||||
// don't go any further if the configuration is locked
|
||||
if($this->configuration->isLocked()) return;
|
||||
|
||||
// update settings and redirect of successful
|
||||
$ok = $this->configuration->updateSettings($INPUT->arr('config'));
|
||||
if($ok) { // no errors
|
||||
try {
|
||||
if($this->configuration->hasChanged()) {
|
||||
$this->configuration->save();
|
||||
} else {
|
||||
$this->configuration->touch();
|
||||
}
|
||||
msg($this->getLang('updated'), 1);
|
||||
} catch(Exception $e) {
|
||||
msg($this->getLang('error'), -1);
|
||||
}
|
||||
send_redirect(wl($ID, array('do' => 'admin', 'page' => 'config'), true, '&'));
|
||||
} else {
|
||||
$this->hasErrors = true;
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* output appropriate html
|
||||
*/
|
||||
public function html() {
|
||||
$allow_debug = $GLOBALS['conf']['allowdebug']; // avoid global $conf; here.
|
||||
global $lang;
|
||||
global $ID;
|
||||
|
||||
$this->setupLocale(true);
|
||||
|
||||
echo $this->locale_xhtml('intro');
|
||||
|
||||
echo '<div id="config__manager">';
|
||||
|
||||
if($this->configuration->isLocked()) {
|
||||
echo '<div class="info">' . $this->getLang('locked') . '</div>';
|
||||
}
|
||||
|
||||
// POST to script() instead of wl($ID) so config manager still works if
|
||||
// rewrite config is broken. Add $ID as hidden field to remember
|
||||
// current ID in most cases.
|
||||
echo '<form id="dw__configform" action="' . script() . '" method="post">';
|
||||
echo '<div class="no"><input type="hidden" name="id" value="' . $ID . '" /></div>';
|
||||
formSecurityToken();
|
||||
$this->printH1('dokuwiki_settings', $this->getLang('_header_dokuwiki'));
|
||||
|
||||
$in_fieldset = false;
|
||||
$first_plugin_fieldset = true;
|
||||
$first_template_fieldset = true;
|
||||
foreach($this->configuration->getSettings() as $setting) {
|
||||
if(is_a($setting, SettingHidden::class)) {
|
||||
continue;
|
||||
} else if(is_a($setting, settingFieldset::class)) {
|
||||
// config setting group
|
||||
if($in_fieldset) {
|
||||
echo '</table>';
|
||||
echo '</div>';
|
||||
echo '</fieldset>';
|
||||
} else {
|
||||
$in_fieldset = true;
|
||||
}
|
||||
if($first_plugin_fieldset && $setting->getType() == 'plugin') {
|
||||
$this->printH1('plugin_settings', $this->getLang('_header_plugin'));
|
||||
$first_plugin_fieldset = false;
|
||||
} else if($first_template_fieldset && $setting->getType() == 'template') {
|
||||
$this->printH1('template_settings', $this->getLang('_header_template'));
|
||||
$first_template_fieldset = false;
|
||||
}
|
||||
echo '<fieldset id="' . $setting->getKey() . '">';
|
||||
echo '<legend>' . $setting->prompt($this) . '</legend>';
|
||||
echo '<div class="table">';
|
||||
echo '<table class="inline">';
|
||||
} else {
|
||||
// config settings
|
||||
list($label, $input) = $setting->html($this, $this->hasErrors);
|
||||
|
||||
$class = $setting->isDefault()
|
||||
? ' class="default"'
|
||||
: ($setting->isProtected() ? ' class="protected"' : '');
|
||||
$error = $setting->hasError()
|
||||
? ' class="value error"'
|
||||
: ' class="value"';
|
||||
$icon = $setting->caution()
|
||||
? '<img src="' . self::IMGDIR . $setting->caution() . '.png" ' .
|
||||
'alt="' . $setting->caution() . '" title="' . $this->getLang($setting->caution()) . '" />'
|
||||
: '';
|
||||
|
||||
echo '<tr' . $class . '>';
|
||||
echo '<td class="label">';
|
||||
echo '<span class="outkey">' . $setting->getPrettyKey() . '</span>';
|
||||
echo $icon . $label;
|
||||
echo '</td>';
|
||||
echo '<td' . $error . '>' . $input . '</td>';
|
||||
echo '</tr>';
|
||||
}
|
||||
}
|
||||
|
||||
echo '</table>';
|
||||
echo '</div>';
|
||||
if($in_fieldset) {
|
||||
echo '</fieldset>';
|
||||
}
|
||||
|
||||
// show undefined settings list
|
||||
$undefined_settings = $this->configuration->getUndefined();
|
||||
if($allow_debug && !empty($undefined_settings)) {
|
||||
/**
|
||||
* Callback for sorting settings
|
||||
*
|
||||
* @param Setting $a
|
||||
* @param Setting $b
|
||||
* @return int if $a is lower/equal/higher than $b
|
||||
*/
|
||||
function settingNaturalComparison($a, $b) {
|
||||
return strnatcmp($a->getKey(), $b->getKey());
|
||||
}
|
||||
|
||||
usort($undefined_settings, 'settingNaturalComparison');
|
||||
$this->printH1('undefined_settings', $this->getLang('_header_undefined'));
|
||||
echo '<fieldset>';
|
||||
echo '<div class="table">';
|
||||
echo '<table class="inline">';
|
||||
foreach($undefined_settings as $setting) {
|
||||
list($label, $input) = $setting->html($this);
|
||||
echo '<tr>';
|
||||
echo '<td class="label">' . $label . '</td>';
|
||||
echo '<td>' . $input . '</td>';
|
||||
echo '</tr>';
|
||||
}
|
||||
echo '</table>';
|
||||
echo '</div>';
|
||||
echo '</fieldset>';
|
||||
}
|
||||
|
||||
// finish up form
|
||||
echo '<p>';
|
||||
echo '<input type="hidden" name="do" value="admin" />';
|
||||
echo '<input type="hidden" name="page" value="config" />';
|
||||
|
||||
if(!$this->configuration->isLocked()) {
|
||||
echo '<input type="hidden" name="save" value="1" />';
|
||||
echo '<button type="submit" name="submit" accesskey="s">' . $lang['btn_save'] . '</button>';
|
||||
echo '<button type="reset">' . $lang['btn_reset'] . '</button>';
|
||||
}
|
||||
|
||||
echo '</p>';
|
||||
|
||||
echo '</form>';
|
||||
echo '</div>';
|
||||
}
|
||||
|
||||
/**
|
||||
* @param bool $prompts
|
||||
*/
|
||||
public function setupLocale($prompts = false) {
|
||||
parent::setupLocale();
|
||||
if(!$prompts || $this->promptsLocalized) return;
|
||||
$this->lang = array_merge($this->lang, $this->configuration->getLangs());
|
||||
$this->promptsLocalized = true;
|
||||
}
|
||||
|
||||
/**
|
||||
* Generates a two-level table of contents for the config plugin.
|
||||
*
|
||||
* @author Ben Coburn <btcoburn@silicodon.net>
|
||||
*
|
||||
* @return array
|
||||
*/
|
||||
public function getTOC() {
|
||||
$this->setupLocale(true);
|
||||
|
||||
$allow_debug = $GLOBALS['conf']['allowdebug']; // avoid global $conf; here.
|
||||
$toc = array();
|
||||
$check = false;
|
||||
|
||||
// gather settings data into three sub arrays
|
||||
$labels = ['dokuwiki' => [], 'plugin' => [], 'template' => []];
|
||||
foreach($this->configuration->getSettings() as $setting) {
|
||||
if(is_a($setting, SettingFieldset::class)) {
|
||||
$labels[$setting->getType()][] = $setting;
|
||||
}
|
||||
}
|
||||
|
||||
// top header
|
||||
$title = $this->getLang('_configuration_manager');
|
||||
$toc[] = html_mktocitem(sectionID($title, $check), $title, 1);
|
||||
|
||||
// main entries
|
||||
foreach(['dokuwiki', 'plugin', 'template'] as $section) {
|
||||
if(empty($labels[$section])) continue; // no entries, skip
|
||||
|
||||
// create main header
|
||||
$toc[] = html_mktocitem(
|
||||
$section . '_settings',
|
||||
$this->getLang('_header_' . $section),
|
||||
1
|
||||
);
|
||||
|
||||
// create sub headers
|
||||
foreach($labels[$section] as $setting) {
|
||||
/** @var SettingFieldset $setting */
|
||||
$name = $setting->prompt($this);
|
||||
$toc[] = html_mktocitem($setting->getKey(), $name, 2);
|
||||
}
|
||||
}
|
||||
|
||||
// undefined settings if allowed
|
||||
if(count($this->configuration->getUndefined()) && $allow_debug) {
|
||||
$toc[] = html_mktocitem('undefined_settings', $this->getLang('_header_undefined'), 1);
|
||||
}
|
||||
|
||||
return $toc;
|
||||
}
|
||||
|
||||
/**
|
||||
* @param string $id
|
||||
* @param string $text
|
||||
*/
|
||||
protected function printH1($id, $text) {
|
||||
echo '<h1 id="' . $id . '">' . $text . '</h1>';
|
||||
}
|
||||
|
||||
/**
|
||||
* Adds a translation to this plugin's language array
|
||||
*
|
||||
* Used by some settings to set up dynamic translations
|
||||
*
|
||||
* @param string $key
|
||||
* @param string $value
|
||||
*/
|
||||
public function addLang($key, $value) {
|
||||
if(!$this->localised) $this->setupLocale();
|
||||
$this->lang[$key] = $value;
|
||||
}
|
||||
}
|
1
projet/doku/lib/plugins/config/admin.svg
Normal file
1
projet/doku/lib/plugins/config/admin.svg
Normal file
@@ -0,0 +1 @@
|
||||
<svg xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24"><path d="M12 15.5A3.5 3.5 0 0 1 8.5 12 3.5 3.5 0 0 1 12 8.5a3.5 3.5 0 0 1 3.5 3.5 3.5 3.5 0 0 1-3.5 3.5m7.43-2.53c.04-.32.07-.64.07-.97 0-.33-.03-.66-.07-1l2.11-1.63c.19-.15.24-.42.12-.64l-2-3.46c-.12-.22-.39-.31-.61-.22l-2.49 1c-.52-.39-1.06-.73-1.69-.98l-.37-2.65A.506.506 0 0 0 14 2h-4c-.25 0-.46.18-.5.42l-.37 2.65c-.63.25-1.17.59-1.69.98l-2.49-1c-.22-.09-.49 0-.61.22l-2 3.46c-.13.22-.07.49.12.64L4.57 11c-.04.34-.07.67-.07 1 0 .33.03.65.07.97l-2.11 1.66c-.19.15-.25.42-.12.64l2 3.46c.12.22.39.3.61.22l2.49-1.01c.52.4 1.06.74 1.69.99l.37 2.65c.04.24.25.42.5.42h4c.25 0 .46-.18.5-.42l.37-2.65c.63-.26 1.17-.59 1.69-.99l2.49 1.01c.22.08.49 0 .61-.22l2-3.46c.12-.22.07-.49-.12-.64l-2.11-1.66z"/></svg>
|
After Width: | Height: | Size: 786 B |
90
projet/doku/lib/plugins/config/core/ConfigParser.php
Normal file
90
projet/doku/lib/plugins/config/core/ConfigParser.php
Normal file
@@ -0,0 +1,90 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core;
|
||||
|
||||
/**
|
||||
* A naive PHP file parser
|
||||
*
|
||||
* This parses our very simple config file in PHP format. We use this instead of simply including
|
||||
* the file, because we want to keep expressions such as 24*60*60 as is.
|
||||
*
|
||||
* @author Chris Smith <chris@jalakai.co.uk>
|
||||
*/
|
||||
class ConfigParser {
|
||||
/** @var string variable to parse from the file */
|
||||
protected $varname = 'conf';
|
||||
/** @var string the key to mark sub arrays */
|
||||
protected $keymarker = Configuration::KEYMARKER;
|
||||
|
||||
/**
|
||||
* Parse the given PHP file into an array
|
||||
*
|
||||
* When the given files does not exist, this returns an empty array
|
||||
*
|
||||
* @param string $file
|
||||
* @return array
|
||||
*/
|
||||
public function parse($file) {
|
||||
if(!file_exists($file)) return array();
|
||||
|
||||
$config = array();
|
||||
$contents = @php_strip_whitespace($file);
|
||||
$pattern = '/\$' . $this->varname . '\[[\'"]([^=]+)[\'"]\] ?= ?(.*?);(?=[^;]*(?:\$' . $this->varname . '|$))/s';
|
||||
$matches = array();
|
||||
preg_match_all($pattern, $contents, $matches, PREG_SET_ORDER);
|
||||
|
||||
for($i = 0; $i < count($matches); $i++) {
|
||||
$value = $matches[$i][2];
|
||||
|
||||
// merge multi-dimensional array indices using the keymarker
|
||||
$key = preg_replace('/.\]\[./', $this->keymarker, $matches[$i][1]);
|
||||
|
||||
// handle arrays
|
||||
if(preg_match('/^array ?\((.*)\)/', $value, $match)) {
|
||||
$arr = explode(',', $match[1]);
|
||||
|
||||
// remove quotes from quoted strings & unescape escaped data
|
||||
$len = count($arr);
|
||||
for($j = 0; $j < $len; $j++) {
|
||||
$arr[$j] = trim($arr[$j]);
|
||||
$arr[$j] = $this->readValue($arr[$j]);
|
||||
}
|
||||
|
||||
$value = $arr;
|
||||
} else {
|
||||
$value = $this->readValue($value);
|
||||
}
|
||||
|
||||
$config[$key] = $value;
|
||||
}
|
||||
|
||||
return $config;
|
||||
}
|
||||
|
||||
/**
|
||||
* Convert php string into value
|
||||
*
|
||||
* @param string $value
|
||||
* @return bool|string
|
||||
*/
|
||||
protected function readValue($value) {
|
||||
$removequotes_pattern = '/^(\'|")(.*)(?<!\\\\)\1$/s';
|
||||
$unescape_pairs = array(
|
||||
'\\\\' => '\\',
|
||||
'\\\'' => '\'',
|
||||
'\\"' => '"'
|
||||
);
|
||||
|
||||
if($value == 'true') {
|
||||
$value = true;
|
||||
} elseif($value == 'false') {
|
||||
$value = false;
|
||||
} else {
|
||||
// remove quotes from quoted strings & unescape escaped data
|
||||
$value = preg_replace($removequotes_pattern, '$2', $value);
|
||||
$value = strtr($value, $unescape_pairs);
|
||||
}
|
||||
return $value;
|
||||
}
|
||||
|
||||
}
|
219
projet/doku/lib/plugins/config/core/Configuration.php
Normal file
219
projet/doku/lib/plugins/config/core/Configuration.php
Normal file
@@ -0,0 +1,219 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core;
|
||||
|
||||
use dokuwiki\plugin\config\core\Setting\Setting;
|
||||
use dokuwiki\plugin\config\core\Setting\SettingNoClass;
|
||||
use dokuwiki\plugin\config\core\Setting\SettingNoDefault;
|
||||
use dokuwiki\plugin\config\core\Setting\SettingNoKnownClass;
|
||||
use dokuwiki\plugin\config\core\Setting\SettingUndefined;
|
||||
|
||||
/**
|
||||
* Holds all the current settings and proxies the Loader and Writer
|
||||
*
|
||||
* @author Chris Smith <chris@jalakai.co.uk>
|
||||
* @author Ben Coburn <btcoburn@silicodon.net>
|
||||
* @author Andreas Gohr <andi@splitbrain.org>
|
||||
*/
|
||||
class Configuration {
|
||||
|
||||
const KEYMARKER = '____';
|
||||
|
||||
/** @var Setting[] metadata as array of Settings objects */
|
||||
protected $settings = array();
|
||||
/** @var Setting[] undefined and problematic settings */
|
||||
protected $undefined = array();
|
||||
|
||||
/** @var array all metadata */
|
||||
protected $metadata;
|
||||
/** @var array all default settings */
|
||||
protected $default;
|
||||
/** @var array all local settings */
|
||||
protected $local;
|
||||
/** @var array all protected settings */
|
||||
protected $protected;
|
||||
|
||||
/** @var bool have the settings been changed since loading from disk? */
|
||||
protected $changed = false;
|
||||
|
||||
/** @var Loader */
|
||||
protected $loader;
|
||||
/** @var Writer */
|
||||
protected $writer;
|
||||
|
||||
/**
|
||||
* ConfigSettings constructor.
|
||||
*/
|
||||
public function __construct() {
|
||||
$this->loader = new Loader(new ConfigParser());
|
||||
$this->writer = new Writer();
|
||||
|
||||
$this->metadata = $this->loader->loadMeta();
|
||||
$this->default = $this->loader->loadDefaults();
|
||||
$this->local = $this->loader->loadLocal();
|
||||
$this->protected = $this->loader->loadProtected();
|
||||
|
||||
$this->initSettings();
|
||||
}
|
||||
|
||||
/**
|
||||
* Get all settings
|
||||
*
|
||||
* @return Setting[]
|
||||
*/
|
||||
public function getSettings() {
|
||||
return $this->settings;
|
||||
}
|
||||
|
||||
/**
|
||||
* Get all unknown or problematic settings
|
||||
*
|
||||
* @return Setting[]
|
||||
*/
|
||||
public function getUndefined() {
|
||||
return $this->undefined;
|
||||
}
|
||||
|
||||
/**
|
||||
* Have the settings been changed since loading from disk?
|
||||
*
|
||||
* @return bool
|
||||
*/
|
||||
public function hasChanged() {
|
||||
return $this->changed;
|
||||
}
|
||||
|
||||
/**
|
||||
* Check if the config can be written
|
||||
*
|
||||
* @return bool
|
||||
*/
|
||||
public function isLocked() {
|
||||
return $this->writer->isLocked();
|
||||
}
|
||||
|
||||
/**
|
||||
* Update the settings using the data provided
|
||||
*
|
||||
* @param array $input as posted
|
||||
* @return bool true if all updates went through, false on errors
|
||||
*/
|
||||
public function updateSettings($input) {
|
||||
$ok = true;
|
||||
|
||||
foreach($this->settings as $key => $obj) {
|
||||
$value = isset($input[$key]) ? $input[$key] : null;
|
||||
if($obj->update($value)) {
|
||||
$this->changed = true;
|
||||
}
|
||||
if($obj->hasError()) $ok = false;
|
||||
}
|
||||
|
||||
return $ok;
|
||||
}
|
||||
|
||||
/**
|
||||
* Save the settings
|
||||
*
|
||||
* This save the current state as defined in this object, including the
|
||||
* undefined settings
|
||||
*
|
||||
* @throws \Exception
|
||||
*/
|
||||
public function save() {
|
||||
// only save the undefined settings that have not been handled in settings
|
||||
$undefined = array_diff_key($this->undefined, $this->settings);
|
||||
$this->writer->save(array_merge($this->settings, $undefined));
|
||||
}
|
||||
|
||||
/**
|
||||
* Touch the settings
|
||||
*
|
||||
* @throws \Exception
|
||||
*/
|
||||
public function touch() {
|
||||
$this->writer->touch();
|
||||
}
|
||||
|
||||
/**
|
||||
* Load the extension language strings
|
||||
*
|
||||
* @return array
|
||||
*/
|
||||
public function getLangs() {
|
||||
return $this->loader->loadLangs();
|
||||
}
|
||||
|
||||
/**
|
||||
* Initalizes the $settings and $undefined properties
|
||||
*/
|
||||
protected function initSettings() {
|
||||
$keys = array_merge(
|
||||
array_keys($this->metadata),
|
||||
array_keys($this->default),
|
||||
array_keys($this->local),
|
||||
array_keys($this->protected)
|
||||
);
|
||||
$keys = array_unique($keys);
|
||||
|
||||
foreach($keys as $key) {
|
||||
$obj = $this->instantiateClass($key);
|
||||
|
||||
if($obj->shouldHaveDefault() && !isset($this->default[$key])) {
|
||||
$this->undefined[$key] = new SettingNoDefault($key);
|
||||
}
|
||||
|
||||
$d = isset($this->default[$key]) ? $this->default[$key] : null;
|
||||
$l = isset($this->local[$key]) ? $this->local[$key] : null;
|
||||
$p = isset($this->protected[$key]) ? $this->protected[$key] : null;
|
||||
|
||||
$obj->initialize($d, $l, $p);
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Instantiates the proper class for the given config key
|
||||
*
|
||||
* The class is added to the $settings or $undefined arrays and returned
|
||||
*
|
||||
* @param string $key
|
||||
* @return Setting
|
||||
*/
|
||||
protected function instantiateClass($key) {
|
||||
if(isset($this->metadata[$key])) {
|
||||
$param = $this->metadata[$key];
|
||||
$class = $this->determineClassName(array_shift($param), $key); // first param is class
|
||||
$obj = new $class($key, $param);
|
||||
$this->settings[$key] = $obj;
|
||||
} else {
|
||||
$obj = new SettingUndefined($key);
|
||||
$this->undefined[$key] = $obj;
|
||||
}
|
||||
return $obj;
|
||||
}
|
||||
|
||||
/**
|
||||
* Return the class to load
|
||||
*
|
||||
* @param string $class the class name as given in the meta file
|
||||
* @param string $key the settings key
|
||||
* @return string
|
||||
*/
|
||||
protected function determineClassName($class, $key) {
|
||||
// try namespaced class first
|
||||
if(is_string($class)) {
|
||||
$modern = str_replace('_', '', ucwords($class, '_'));
|
||||
$modern = '\\dokuwiki\\plugin\\config\\core\\Setting\\Setting' . $modern;
|
||||
if($modern && class_exists($modern)) return $modern;
|
||||
// try class as given
|
||||
if(class_exists($class)) return $class;
|
||||
// class wasn't found add to errors
|
||||
$this->undefined[$key] = new SettingNoKnownClass($key);
|
||||
} else {
|
||||
// no class given, add to errors
|
||||
$this->undefined[$key] = new SettingNoClass($key);
|
||||
}
|
||||
return '\\dokuwiki\\plugin\\config\\core\\Setting\\Setting';
|
||||
}
|
||||
|
||||
}
|
269
projet/doku/lib/plugins/config/core/Loader.php
Normal file
269
projet/doku/lib/plugins/config/core/Loader.php
Normal file
@@ -0,0 +1,269 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core;
|
||||
|
||||
use dokuwiki\Extension\Event;
|
||||
|
||||
/**
|
||||
* Configuration loader
|
||||
*
|
||||
* Loads configuration meta data and settings from the various files. Honors the
|
||||
* configuration cascade and installed plugins.
|
||||
*/
|
||||
class Loader {
|
||||
/** @var ConfigParser */
|
||||
protected $parser;
|
||||
|
||||
/** @var string[] list of enabled plugins */
|
||||
protected $plugins;
|
||||
/** @var string current template */
|
||||
protected $template;
|
||||
|
||||
/**
|
||||
* Loader constructor.
|
||||
* @param ConfigParser $parser
|
||||
* @triggers PLUGIN_CONFIG_PLUGINLIST
|
||||
*/
|
||||
public function __construct(ConfigParser $parser) {
|
||||
global $conf;
|
||||
$this->parser = $parser;
|
||||
$this->plugins = plugin_list();
|
||||
$this->template = $conf['template'];
|
||||
// allow plugins to remove configurable plugins
|
||||
Event::createAndTrigger('PLUGIN_CONFIG_PLUGINLIST', $this->plugins);
|
||||
}
|
||||
|
||||
/**
|
||||
* Read the settings meta data
|
||||
*
|
||||
* Reads the main file, plugins and template settings meta data
|
||||
*
|
||||
* @return array
|
||||
*/
|
||||
public function loadMeta() {
|
||||
// load main file
|
||||
$meta = array();
|
||||
include DOKU_PLUGIN . 'config/settings/config.metadata.php';
|
||||
|
||||
// plugins
|
||||
foreach($this->plugins as $plugin) {
|
||||
$meta = array_merge(
|
||||
$meta,
|
||||
$this->loadExtensionMeta(
|
||||
DOKU_PLUGIN . $plugin . '/conf/metadata.php',
|
||||
'plugin',
|
||||
$plugin
|
||||
)
|
||||
);
|
||||
}
|
||||
|
||||
// current template
|
||||
$meta = array_merge(
|
||||
$meta,
|
||||
$this->loadExtensionMeta(
|
||||
tpl_incdir() . '/conf/metadata.php',
|
||||
'tpl',
|
||||
$this->template
|
||||
)
|
||||
);
|
||||
|
||||
return $meta;
|
||||
}
|
||||
|
||||
/**
|
||||
* Read the default values
|
||||
*
|
||||
* Reads the main file, plugins and template defaults
|
||||
*
|
||||
* @return array
|
||||
*/
|
||||
public function loadDefaults() {
|
||||
// load main files
|
||||
global $config_cascade;
|
||||
$conf = $this->loadConfigs($config_cascade['main']['default']);
|
||||
|
||||
// plugins
|
||||
foreach($this->plugins as $plugin) {
|
||||
$conf = array_merge(
|
||||
$conf,
|
||||
$this->loadExtensionConf(
|
||||
DOKU_PLUGIN . $plugin . '/conf/default.php',
|
||||
'plugin',
|
||||
$plugin
|
||||
)
|
||||
);
|
||||
}
|
||||
|
||||
// current template
|
||||
$conf = array_merge(
|
||||
$conf,
|
||||
$this->loadExtensionConf(
|
||||
tpl_incdir() . '/conf/default.php',
|
||||
'tpl',
|
||||
$this->template
|
||||
)
|
||||
);
|
||||
|
||||
return $conf;
|
||||
}
|
||||
|
||||
/**
|
||||
* Reads the language strings
|
||||
*
|
||||
* Only reads extensions, main one is loaded the usual way
|
||||
*
|
||||
* @return array
|
||||
*/
|
||||
public function loadLangs() {
|
||||
$lang = array();
|
||||
|
||||
// plugins
|
||||
foreach($this->plugins as $plugin) {
|
||||
$lang = array_merge(
|
||||
$lang,
|
||||
$this->loadExtensionLang(
|
||||
DOKU_PLUGIN . $plugin . '/',
|
||||
'plugin',
|
||||
$plugin
|
||||
)
|
||||
);
|
||||
}
|
||||
|
||||
// current template
|
||||
$lang = array_merge(
|
||||
$lang,
|
||||
$this->loadExtensionLang(
|
||||
tpl_incdir() . '/',
|
||||
'tpl',
|
||||
$this->template
|
||||
)
|
||||
);
|
||||
|
||||
return $lang;
|
||||
}
|
||||
|
||||
/**
|
||||
* Read the local settings
|
||||
*
|
||||
* @return array
|
||||
*/
|
||||
public function loadLocal() {
|
||||
global $config_cascade;
|
||||
return $this->loadConfigs($config_cascade['main']['local']);
|
||||
}
|
||||
|
||||
/**
|
||||
* Read the protected settings
|
||||
*
|
||||
* @return array
|
||||
*/
|
||||
public function loadProtected() {
|
||||
global $config_cascade;
|
||||
return $this->loadConfigs($config_cascade['main']['protected']);
|
||||
}
|
||||
|
||||
/**
|
||||
* Read the config values from the given files
|
||||
*
|
||||
* @param string[] $files paths to config php's
|
||||
* @return array
|
||||
*/
|
||||
protected function loadConfigs($files) {
|
||||
$conf = array();
|
||||
foreach($files as $file) {
|
||||
$conf = array_merge($conf, $this->parser->parse($file));
|
||||
}
|
||||
return $conf;
|
||||
}
|
||||
|
||||
/**
|
||||
* Read settings file from an extension
|
||||
*
|
||||
* This is used to read the settings.php files of plugins and templates
|
||||
*
|
||||
* @param string $file php file to read
|
||||
* @param string $type should be 'plugin' or 'tpl'
|
||||
* @param string $extname name of the extension
|
||||
* @return array
|
||||
*/
|
||||
protected function loadExtensionMeta($file, $type, $extname) {
|
||||
if(!file_exists($file)) return array();
|
||||
$prefix = $type . Configuration::KEYMARKER . $extname . Configuration::KEYMARKER;
|
||||
|
||||
// include file
|
||||
$meta = array();
|
||||
include $file;
|
||||
if(empty($meta)) return array();
|
||||
|
||||
// read data
|
||||
$data = array();
|
||||
$data[$prefix . $type . '_settings_name'] = ['fieldset'];
|
||||
foreach($meta as $key => $value) {
|
||||
if($value[0] == 'fieldset') continue; //plugins only get one fieldset
|
||||
$data[$prefix . $key] = $value;
|
||||
}
|
||||
|
||||
return $data;
|
||||
}
|
||||
|
||||
/**
|
||||
* Read a default file from an extension
|
||||
*
|
||||
* This is used to read the default.php files of plugins and templates
|
||||
*
|
||||
* @param string $file php file to read
|
||||
* @param string $type should be 'plugin' or 'tpl'
|
||||
* @param string $extname name of the extension
|
||||
* @return array
|
||||
*/
|
||||
protected function loadExtensionConf($file, $type, $extname) {
|
||||
if(!file_exists($file)) return array();
|
||||
$prefix = $type . Configuration::KEYMARKER . $extname . Configuration::KEYMARKER;
|
||||
|
||||
// parse file
|
||||
$conf = $this->parser->parse($file);
|
||||
if(empty($conf)) return array();
|
||||
|
||||
// read data
|
||||
$data = array();
|
||||
foreach($conf as $key => $value) {
|
||||
$data[$prefix . $key] = $value;
|
||||
}
|
||||
|
||||
return $data;
|
||||
}
|
||||
|
||||
/**
|
||||
* Read the language file of an extension
|
||||
*
|
||||
* @param string $dir directory of the extension
|
||||
* @param string $type should be 'plugin' or 'tpl'
|
||||
* @param string $extname name of the extension
|
||||
* @return array
|
||||
*/
|
||||
protected function loadExtensionLang($dir, $type, $extname) {
|
||||
global $conf;
|
||||
$ll = $conf['lang'];
|
||||
$prefix = $type . Configuration::KEYMARKER . $extname . Configuration::KEYMARKER;
|
||||
|
||||
// include files
|
||||
$lang = array();
|
||||
if(file_exists($dir . 'lang/en/settings.php')) {
|
||||
include $dir . 'lang/en/settings.php';
|
||||
}
|
||||
if($ll != 'en' && file_exists($dir . 'lang/' . $ll . '/settings.php')) {
|
||||
include $dir . 'lang/' . $ll . '/settings.php';
|
||||
}
|
||||
|
||||
// set up correct keys
|
||||
$strings = array();
|
||||
foreach($lang as $key => $val) {
|
||||
$strings[$prefix . $key] = $val;
|
||||
}
|
||||
|
||||
// add fieldset key
|
||||
$strings[$prefix . $type . '_settings_name'] = ucwords(str_replace('_', ' ', $extname));
|
||||
|
||||
return $strings;
|
||||
}
|
||||
}
|
294
projet/doku/lib/plugins/config/core/Setting/Setting.php
Normal file
294
projet/doku/lib/plugins/config/core/Setting/Setting.php
Normal file
@@ -0,0 +1,294 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
use dokuwiki\plugin\config\core\Configuration;
|
||||
|
||||
/**
|
||||
* Class Setting
|
||||
*/
|
||||
class Setting {
|
||||
/** @var string unique identifier of this setting */
|
||||
protected $key = '';
|
||||
|
||||
/** @var mixed the default value of this setting */
|
||||
protected $default = null;
|
||||
/** @var mixed the local value of this setting */
|
||||
protected $local = null;
|
||||
/** @var mixed the protected value of this setting */
|
||||
protected $protected = null;
|
||||
|
||||
/** @var array valid alerts, images matching the alerts are in the plugin's images directory */
|
||||
static protected $validCautions = array('warning', 'danger', 'security');
|
||||
|
||||
protected $pattern = '';
|
||||
protected $error = false; // only used by those classes which error check
|
||||
protected $input = null; // only used by those classes which error check
|
||||
protected $caution = null; // used by any setting to provide an alert along with the setting
|
||||
|
||||
/**
|
||||
* Constructor.
|
||||
*
|
||||
* The given parameters will be set up as class properties
|
||||
*
|
||||
* @see initialize() to set the actual value of the setting
|
||||
*
|
||||
* @param string $key
|
||||
* @param array|null $params array with metadata of setting
|
||||
*/
|
||||
public function __construct($key, $params = null) {
|
||||
$this->key = $key;
|
||||
|
||||
if(is_array($params)) {
|
||||
foreach($params as $property => $value) {
|
||||
$property = trim($property, '_'); // we don't use underscores anymore
|
||||
$this->$property = $value;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Set the current values for the setting $key
|
||||
*
|
||||
* This is used to initialize the setting with the data read form the config files.
|
||||
*
|
||||
* @see update() to set a new value
|
||||
* @param mixed $default default setting value
|
||||
* @param mixed $local local setting value
|
||||
* @param mixed $protected protected setting value
|
||||
*/
|
||||
public function initialize($default = null, $local = null, $protected = null) {
|
||||
$this->default = $this->cleanValue($default);
|
||||
$this->local = $this->cleanValue($local);
|
||||
$this->protected = $this->cleanValue($protected);
|
||||
}
|
||||
|
||||
/**
|
||||
* update changed setting with validated user provided value $input
|
||||
* - if changed value fails validation check, save it to $this->input (to allow echoing later)
|
||||
* - if changed value passes validation check, set $this->local to the new value
|
||||
*
|
||||
* @param mixed $input the new value
|
||||
* @return boolean true if changed, false otherwise
|
||||
*/
|
||||
public function update($input) {
|
||||
if(is_null($input)) return false;
|
||||
if($this->isProtected()) return false;
|
||||
$input = $this->cleanValue($input);
|
||||
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
if($value == $input) return false;
|
||||
|
||||
// validate new value
|
||||
if($this->pattern && !preg_match($this->pattern, $input)) {
|
||||
$this->error = true;
|
||||
$this->input = $input;
|
||||
return false;
|
||||
}
|
||||
|
||||
// update local copy of this setting with new value
|
||||
$this->local = $input;
|
||||
|
||||
// setting ready for update
|
||||
return true;
|
||||
}
|
||||
|
||||
/**
|
||||
* Clean a value read from a config before using it internally
|
||||
*
|
||||
* Default implementation returns $value as is. Subclasses can override.
|
||||
* Note: null should always be returned as null!
|
||||
*
|
||||
* This is applied in initialize() and update()
|
||||
*
|
||||
* @param mixed $value
|
||||
* @return mixed
|
||||
*/
|
||||
protected function cleanValue($value) {
|
||||
return $value;
|
||||
}
|
||||
|
||||
/**
|
||||
* Should this type of config have a default?
|
||||
*
|
||||
* @return bool
|
||||
*/
|
||||
public function shouldHaveDefault() {
|
||||
return true;
|
||||
}
|
||||
|
||||
/**
|
||||
* Get this setting's unique key
|
||||
*
|
||||
* @return string
|
||||
*/
|
||||
public function getKey() {
|
||||
return $this->key;
|
||||
}
|
||||
|
||||
/**
|
||||
* Get the key of this setting marked up human readable
|
||||
*
|
||||
* @param bool $url link to dokuwiki.org manual?
|
||||
* @return string
|
||||
*/
|
||||
public function getPrettyKey($url = true) {
|
||||
$out = str_replace(Configuration::KEYMARKER, "»", $this->key);
|
||||
if($url && !strstr($out, '»')) {//provide no urls for plugins, etc.
|
||||
if($out == 'start') {
|
||||
// exception, because this config name is clashing with our actual start page
|
||||
return '<a href="http://www.dokuwiki.org/config:startpage">' . $out . '</a>';
|
||||
} else {
|
||||
return '<a href="http://www.dokuwiki.org/config:' . $out . '">' . $out . '</a>';
|
||||
}
|
||||
}
|
||||
return $out;
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns setting key as an array key separator
|
||||
*
|
||||
* This is used to create form output
|
||||
*
|
||||
* @return string key
|
||||
*/
|
||||
public function getArrayKey() {
|
||||
return str_replace(Configuration::KEYMARKER, "']['", $this->key);
|
||||
}
|
||||
|
||||
/**
|
||||
* What type of configuration is this
|
||||
*
|
||||
* Returns one of
|
||||
*
|
||||
* 'plugin' for plugin configuration
|
||||
* 'template' for template configuration
|
||||
* 'dokuwiki' for core configuration
|
||||
*
|
||||
* @return string
|
||||
*/
|
||||
public function getType() {
|
||||
if(substr($this->getKey(), 0, 10) == 'plugin' . Configuration::KEYMARKER) {
|
||||
return 'plugin';
|
||||
} else if(substr($this->getKey(), 0, 7) == 'tpl' . Configuration::KEYMARKER) {
|
||||
return 'template';
|
||||
} else {
|
||||
return 'dokuwiki';
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Build html for label and input of setting
|
||||
*
|
||||
* @param \admin_plugin_config $plugin object of config plugin
|
||||
* @param bool $echo true: show inputted value, when error occurred, otherwise the stored setting
|
||||
* @return string[] with content array(string $label_html, string $input_html)
|
||||
*/
|
||||
public function html(\admin_plugin_config $plugin, $echo = false) {
|
||||
$disable = '';
|
||||
|
||||
if($this->isProtected()) {
|
||||
$value = $this->protected;
|
||||
$disable = 'disabled="disabled"';
|
||||
} else {
|
||||
if($echo && $this->error) {
|
||||
$value = $this->input;
|
||||
} else {
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
}
|
||||
}
|
||||
|
||||
$key = htmlspecialchars($this->key);
|
||||
$value = formText($value);
|
||||
|
||||
$label = '<label for="config___' . $key . '">' . $this->prompt($plugin) . '</label>';
|
||||
$input = '<textarea rows="3" cols="40" id="config___' . $key .
|
||||
'" name="config[' . $key . ']" class="edit" ' . $disable . '>' . $value . '</textarea>';
|
||||
return array($label, $input);
|
||||
}
|
||||
|
||||
/**
|
||||
* Should the current local value be saved?
|
||||
*
|
||||
* @see out() to run when this returns true
|
||||
* @return bool
|
||||
*/
|
||||
public function shouldBeSaved() {
|
||||
if($this->isProtected()) return false;
|
||||
if($this->local === null) return false;
|
||||
if($this->default == $this->local) return false;
|
||||
return true;
|
||||
}
|
||||
|
||||
/**
|
||||
* Generate string to save local setting value to file according to $fmt
|
||||
*
|
||||
* @see shouldBeSaved() to check if this should be called
|
||||
* @param string $var name of variable
|
||||
* @param string $fmt save format
|
||||
* @return string
|
||||
*/
|
||||
public function out($var, $fmt = 'php') {
|
||||
if($fmt != 'php') return '';
|
||||
|
||||
$tr = array("\\" => '\\\\', "'" => '\\\''); // escape the value
|
||||
$out = '$' . $var . "['" . $this->getArrayKey() . "'] = '" . strtr(cleanText($this->local), $tr) . "';\n";
|
||||
|
||||
return $out;
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns the localized prompt
|
||||
*
|
||||
* @param \admin_plugin_config $plugin object of config plugin
|
||||
* @return string text
|
||||
*/
|
||||
public function prompt(\admin_plugin_config $plugin) {
|
||||
$prompt = $plugin->getLang($this->key);
|
||||
if(!$prompt) $prompt = htmlspecialchars(str_replace(array('____', '_'), ' ', $this->key));
|
||||
return $prompt;
|
||||
}
|
||||
|
||||
/**
|
||||
* Is setting protected
|
||||
*
|
||||
* @return bool
|
||||
*/
|
||||
public function isProtected() {
|
||||
return !is_null($this->protected);
|
||||
}
|
||||
|
||||
/**
|
||||
* Is setting the default?
|
||||
*
|
||||
* @return bool
|
||||
*/
|
||||
public function isDefault() {
|
||||
return !$this->isProtected() && is_null($this->local);
|
||||
}
|
||||
|
||||
/**
|
||||
* Has an error?
|
||||
*
|
||||
* @return bool
|
||||
*/
|
||||
public function hasError() {
|
||||
return $this->error;
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns caution
|
||||
*
|
||||
* @return false|string caution string, otherwise false for invalid caution
|
||||
*/
|
||||
public function caution() {
|
||||
if(empty($this->caution)) return false;
|
||||
if(!in_array($this->caution, Setting::$validCautions)) {
|
||||
throw new \RuntimeException(
|
||||
'Invalid caution string (' . $this->caution . ') in metadata for setting "' . $this->key . '"'
|
||||
);
|
||||
}
|
||||
return $this->caution;
|
||||
}
|
||||
|
||||
}
|
105
projet/doku/lib/plugins/config/core/Setting/SettingArray.php
Normal file
105
projet/doku/lib/plugins/config/core/Setting/SettingArray.php
Normal file
@@ -0,0 +1,105 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_array
|
||||
*/
|
||||
class SettingArray extends Setting {
|
||||
|
||||
/**
|
||||
* Create an array from a string
|
||||
*
|
||||
* @param string $string
|
||||
* @return array
|
||||
*/
|
||||
protected function fromString($string) {
|
||||
$array = explode(',', $string);
|
||||
$array = array_map('trim', $array);
|
||||
$array = array_filter($array);
|
||||
$array = array_unique($array);
|
||||
return $array;
|
||||
}
|
||||
|
||||
/**
|
||||
* Create a string from an array
|
||||
*
|
||||
* @param array $array
|
||||
* @return string
|
||||
*/
|
||||
protected function fromArray($array) {
|
||||
return join(', ', (array) $array);
|
||||
}
|
||||
|
||||
/**
|
||||
* update setting with user provided value $input
|
||||
* if value fails error check, save it
|
||||
*
|
||||
* @param string $input
|
||||
* @return bool true if changed, false otherwise (incl. on error)
|
||||
*/
|
||||
public function update($input) {
|
||||
if(is_null($input)) return false;
|
||||
if($this->isProtected()) return false;
|
||||
|
||||
$input = $this->fromString($input);
|
||||
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
if($value == $input) return false;
|
||||
|
||||
foreach($input as $item) {
|
||||
if($this->pattern && !preg_match($this->pattern, $item)) {
|
||||
$this->error = true;
|
||||
$this->input = $input;
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
$this->local = $input;
|
||||
return true;
|
||||
}
|
||||
|
||||
/**
|
||||
* Escaping
|
||||
*
|
||||
* @param string $string
|
||||
* @return string
|
||||
*/
|
||||
protected function escape($string) {
|
||||
$tr = array("\\" => '\\\\', "'" => '\\\'');
|
||||
return "'" . strtr(cleanText($string), $tr) . "'";
|
||||
}
|
||||
|
||||
/** @inheritdoc */
|
||||
public function out($var, $fmt = 'php') {
|
||||
if($fmt != 'php') return '';
|
||||
|
||||
$vals = array_map(array($this, 'escape'), $this->local);
|
||||
$out = '$' . $var . "['" . $this->getArrayKey() . "'] = array(" . join(', ', $vals) . ");\n";
|
||||
return $out;
|
||||
}
|
||||
|
||||
/** @inheritdoc */
|
||||
public function html(\admin_plugin_config $plugin, $echo = false) {
|
||||
$disable = '';
|
||||
|
||||
if($this->isProtected()) {
|
||||
$value = $this->protected;
|
||||
$disable = 'disabled="disabled"';
|
||||
} else {
|
||||
if($echo && $this->error) {
|
||||
$value = $this->input;
|
||||
} else {
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
}
|
||||
}
|
||||
|
||||
$key = htmlspecialchars($this->key);
|
||||
$value = htmlspecialchars($this->fromArray($value));
|
||||
|
||||
$label = '<label for="config___' . $key . '">' . $this->prompt($plugin) . '</label>';
|
||||
$input = '<input id="config___' . $key . '" name="config[' . $key .
|
||||
']" type="text" class="edit" value="' . $value . '" ' . $disable . '/>';
|
||||
return array($label, $input);
|
||||
}
|
||||
}
|
@@ -0,0 +1,60 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_authtype
|
||||
*/
|
||||
class SettingAuthtype extends SettingMultichoice {
|
||||
|
||||
/** @inheritdoc */
|
||||
public function initialize($default = null, $local = null, $protected = null) {
|
||||
/** @var $plugin_controller \dokuwiki\Extension\PluginController */
|
||||
global $plugin_controller;
|
||||
|
||||
// retrieve auth types provided by plugins
|
||||
foreach($plugin_controller->getList('auth') as $plugin) {
|
||||
$this->choices[] = $plugin;
|
||||
}
|
||||
|
||||
parent::initialize($default, $local, $protected);
|
||||
}
|
||||
|
||||
/** @inheritdoc */
|
||||
public function update($input) {
|
||||
/** @var $plugin_controller \dokuwiki\Extension\PluginController */
|
||||
global $plugin_controller;
|
||||
|
||||
// is an update possible/requested?
|
||||
$local = $this->local; // save this, parent::update() may change it
|
||||
if(!parent::update($input)) return false; // nothing changed or an error caught by parent
|
||||
$this->local = $local; // restore original, more error checking to come
|
||||
|
||||
// attempt to load the plugin
|
||||
$auth_plugin = $plugin_controller->load('auth', $input);
|
||||
|
||||
// @TODO: throw an error in plugin controller instead of returning null
|
||||
if(is_null($auth_plugin)) {
|
||||
$this->error = true;
|
||||
msg('Cannot load Auth Plugin "' . $input . '"', -1);
|
||||
return false;
|
||||
}
|
||||
|
||||
// verify proper instantiation (is this really a plugin?) @TODO use instanceof? implement interface?
|
||||
if(is_object($auth_plugin) && !method_exists($auth_plugin, 'getPluginName')) {
|
||||
$this->error = true;
|
||||
msg('Cannot create Auth Plugin "' . $input . '"', -1);
|
||||
return false;
|
||||
}
|
||||
|
||||
// did we change the auth type? logout
|
||||
global $conf;
|
||||
if($conf['authtype'] != $input) {
|
||||
msg('Authentication system changed. Please re-login.');
|
||||
auth_logoff();
|
||||
}
|
||||
|
||||
$this->local = $input;
|
||||
return true;
|
||||
}
|
||||
}
|
@@ -0,0 +1,21 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_compression
|
||||
*/
|
||||
class SettingCompression extends SettingMultichoice {
|
||||
|
||||
protected $choices = array('0'); // 0 = no compression, always supported
|
||||
|
||||
/** @inheritdoc */
|
||||
public function initialize($default = null, $local = null, $protected = null) {
|
||||
|
||||
// populate _choices with the compression methods supported by this php installation
|
||||
if(function_exists('gzopen')) $this->choices[] = 'gz';
|
||||
if(function_exists('bzopen')) $this->choices[] = 'bz2';
|
||||
|
||||
parent::initialize($default, $local, $protected);
|
||||
}
|
||||
}
|
@@ -0,0 +1,33 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_dirchoice
|
||||
*/
|
||||
class SettingDirchoice extends SettingMultichoice {
|
||||
|
||||
protected $dir = '';
|
||||
|
||||
/** @inheritdoc */
|
||||
public function initialize($default = null, $local = null, $protected = null) {
|
||||
|
||||
// populate $this->_choices with a list of directories
|
||||
$list = array();
|
||||
|
||||
if($dh = @opendir($this->dir)) {
|
||||
while(false !== ($entry = readdir($dh))) {
|
||||
if($entry == '.' || $entry == '..') continue;
|
||||
if($this->pattern && !preg_match($this->pattern, $entry)) continue;
|
||||
|
||||
$file = (is_link($this->dir . $entry)) ? readlink($this->dir . $entry) : $this->dir . $entry;
|
||||
if(is_dir($file)) $list[] = $entry;
|
||||
}
|
||||
closedir($dh);
|
||||
}
|
||||
sort($list);
|
||||
$this->choices = $list;
|
||||
|
||||
parent::initialize($default, $local, $protected);
|
||||
}
|
||||
}
|
@@ -0,0 +1,23 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_disableactions
|
||||
*/
|
||||
class SettingDisableactions extends SettingMulticheckbox {
|
||||
|
||||
/** @inheritdoc */
|
||||
public function html(\admin_plugin_config $plugin, $echo = false) {
|
||||
global $lang;
|
||||
|
||||
// make some language adjustments (there must be a better way)
|
||||
// transfer some DokuWiki language strings to the plugin
|
||||
$plugin->addLang($this->key . '_revisions', $lang['btn_revs']);
|
||||
foreach($this->choices as $choice) {
|
||||
if(isset($lang['btn_' . $choice])) $plugin->addLang($this->key . '_' . $choice, $lang['btn_' . $choice]);
|
||||
}
|
||||
|
||||
return parent::html($plugin, $echo);
|
||||
}
|
||||
}
|
58
projet/doku/lib/plugins/config/core/Setting/SettingEmail.php
Normal file
58
projet/doku/lib/plugins/config/core/Setting/SettingEmail.php
Normal file
@@ -0,0 +1,58 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_email
|
||||
*/
|
||||
class SettingEmail extends SettingString {
|
||||
protected $multiple = false;
|
||||
protected $placeholders = false;
|
||||
|
||||
/** @inheritdoc */
|
||||
public function update($input) {
|
||||
if(is_null($input)) return false;
|
||||
if($this->isProtected()) return false;
|
||||
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
if($value == $input) return false;
|
||||
if($input === '') {
|
||||
$this->local = $input;
|
||||
return true;
|
||||
}
|
||||
$mail = $input;
|
||||
|
||||
if($this->placeholders) {
|
||||
// replace variables with pseudo values
|
||||
$mail = str_replace('@USER@', 'joe', $mail);
|
||||
$mail = str_replace('@NAME@', 'Joe Schmoe', $mail);
|
||||
$mail = str_replace('@MAIL@', 'joe@example.com', $mail);
|
||||
}
|
||||
|
||||
// multiple mail addresses?
|
||||
if($this->multiple) {
|
||||
$mails = array_filter(array_map('trim', explode(',', $mail)));
|
||||
} else {
|
||||
$mails = array($mail);
|
||||
}
|
||||
|
||||
// check them all
|
||||
foreach($mails as $mail) {
|
||||
// only check the address part
|
||||
if(preg_match('#(.*?)<(.*?)>#', $mail, $matches)) {
|
||||
$addr = $matches[2];
|
||||
} else {
|
||||
$addr = $mail;
|
||||
}
|
||||
|
||||
if(!mail_isvalid($addr)) {
|
||||
$this->error = true;
|
||||
$this->input = $input;
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
$this->local = $input;
|
||||
return true;
|
||||
}
|
||||
}
|
@@ -0,0 +1,17 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* A do-nothing class used to detect the 'fieldset' type.
|
||||
*
|
||||
* Used to start a new settings "display-group".
|
||||
*/
|
||||
class SettingFieldset extends Setting {
|
||||
|
||||
/** @inheritdoc */
|
||||
public function shouldHaveDefault() {
|
||||
return false;
|
||||
}
|
||||
|
||||
}
|
@@ -0,0 +1,10 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_hidden
|
||||
*/
|
||||
class SettingHidden extends Setting {
|
||||
// Used to explicitly ignore a setting in the configuration manager.
|
||||
}
|
@@ -0,0 +1,28 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_im_convert
|
||||
*/
|
||||
class SettingImConvert extends SettingString {
|
||||
|
||||
/** @inheritdoc */
|
||||
public function update($input) {
|
||||
if($this->isProtected()) return false;
|
||||
|
||||
$input = trim($input);
|
||||
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
if($value == $input) return false;
|
||||
|
||||
if($input && !file_exists($input)) {
|
||||
$this->error = true;
|
||||
$this->input = $input;
|
||||
return false;
|
||||
}
|
||||
|
||||
$this->local = $input;
|
||||
return true;
|
||||
}
|
||||
}
|
@@ -0,0 +1,23 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_license
|
||||
*/
|
||||
class SettingLicense extends SettingMultichoice {
|
||||
|
||||
protected $choices = array(''); // none choosen
|
||||
|
||||
/** @inheritdoc */
|
||||
public function initialize($default = null, $local = null, $protected = null) {
|
||||
global $license;
|
||||
|
||||
foreach($license as $key => $data) {
|
||||
$this->choices[] = $key;
|
||||
$this->lang[$this->key . '_o_' . $key] = $data['name']; // stored in setting
|
||||
}
|
||||
|
||||
parent::initialize($default, $local, $protected);
|
||||
}
|
||||
}
|
@@ -0,0 +1,163 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_multicheckbox
|
||||
*/
|
||||
class SettingMulticheckbox extends SettingString {
|
||||
|
||||
protected $choices = array();
|
||||
protected $combine = array();
|
||||
protected $other = 'always';
|
||||
|
||||
/** @inheritdoc */
|
||||
public function update($input) {
|
||||
if($this->isProtected()) return false;
|
||||
|
||||
// split any combined values + convert from array to comma separated string
|
||||
$input = ($input) ? $input : array();
|
||||
$input = $this->array2str($input);
|
||||
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
if($value == $input) return false;
|
||||
|
||||
if($this->pattern && !preg_match($this->pattern, $input)) {
|
||||
$this->error = true;
|
||||
$this->input = $input;
|
||||
return false;
|
||||
}
|
||||
|
||||
$this->local = $input;
|
||||
return true;
|
||||
}
|
||||
|
||||
/** @inheritdoc */
|
||||
public function html(\admin_plugin_config $plugin, $echo = false) {
|
||||
|
||||
$disable = '';
|
||||
|
||||
if($this->isProtected()) {
|
||||
$value = $this->protected;
|
||||
$disable = 'disabled="disabled"';
|
||||
} else {
|
||||
if($echo && $this->error) {
|
||||
$value = $this->input;
|
||||
} else {
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
}
|
||||
}
|
||||
|
||||
$key = htmlspecialchars($this->key);
|
||||
|
||||
// convert from comma separated list into array + combine complimentary actions
|
||||
$value = $this->str2array($value);
|
||||
$default = $this->str2array($this->default);
|
||||
|
||||
$input = '';
|
||||
foreach($this->choices as $choice) {
|
||||
$idx = array_search($choice, $value);
|
||||
$idx_default = array_search($choice, $default);
|
||||
|
||||
$checked = ($idx !== false) ? 'checked="checked"' : '';
|
||||
|
||||
// @todo ideally this would be handled using a second class of "default"
|
||||
$class = (($idx !== false) == (false !== $idx_default)) ? " selectiondefault" : "";
|
||||
|
||||
$prompt = ($plugin->getLang($this->key . '_' . $choice) ?
|
||||
$plugin->getLang($this->key . '_' . $choice) : htmlspecialchars($choice));
|
||||
|
||||
$input .= '<div class="selection' . $class . '">' . "\n";
|
||||
$input .= '<label for="config___' . $key . '_' . $choice . '">' . $prompt . "</label>\n";
|
||||
$input .= '<input id="config___' . $key . '_' . $choice . '" name="config[' . $key .
|
||||
'][]" type="checkbox" class="checkbox" value="' . $choice . '" ' . $disable . ' ' . $checked . "/>\n";
|
||||
$input .= "</div>\n";
|
||||
|
||||
// remove this action from the disabledactions array
|
||||
if($idx !== false) unset($value[$idx]);
|
||||
if($idx_default !== false) unset($default[$idx_default]);
|
||||
}
|
||||
|
||||
// handle any remaining values
|
||||
if($this->other != 'never') {
|
||||
$other = join(',', $value);
|
||||
// test equivalent to ($this->_other == 'always' || ($other && $this->_other == 'exists')
|
||||
// use != 'exists' rather than == 'always' to ensure invalid values default to 'always'
|
||||
if($this->other != 'exists' || $other) {
|
||||
|
||||
$class = (
|
||||
(count($default) == count($value)) &&
|
||||
(count($value) == count(array_intersect($value, $default)))
|
||||
) ?
|
||||
" selectiondefault" : "";
|
||||
|
||||
$input .= '<div class="other' . $class . '">' . "\n";
|
||||
$input .= '<label for="config___' . $key . '_other">' .
|
||||
$plugin->getLang($key . '_other') .
|
||||
"</label>\n";
|
||||
$input .= '<input id="config___' . $key . '_other" name="config[' . $key .
|
||||
'][other]" type="text" class="edit" value="' . htmlspecialchars($other) .
|
||||
'" ' . $disable . " />\n";
|
||||
$input .= "</div>\n";
|
||||
}
|
||||
}
|
||||
$label = '<label>' . $this->prompt($plugin) . '</label>';
|
||||
return array($label, $input);
|
||||
}
|
||||
|
||||
/**
|
||||
* convert comma separated list to an array and combine any complimentary values
|
||||
*
|
||||
* @param string $str
|
||||
* @return array
|
||||
*/
|
||||
protected function str2array($str) {
|
||||
$array = explode(',', $str);
|
||||
|
||||
if(!empty($this->combine)) {
|
||||
foreach($this->combine as $key => $combinators) {
|
||||
$idx = array();
|
||||
foreach($combinators as $val) {
|
||||
if(($idx[] = array_search($val, $array)) === false) break;
|
||||
}
|
||||
|
||||
if(count($idx) && $idx[count($idx) - 1] !== false) {
|
||||
foreach($idx as $i) unset($array[$i]);
|
||||
$array[] = $key;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
return $array;
|
||||
}
|
||||
|
||||
/**
|
||||
* convert array of values + other back to a comma separated list, incl. splitting any combined values
|
||||
*
|
||||
* @param array $input
|
||||
* @return string
|
||||
*/
|
||||
protected function array2str($input) {
|
||||
|
||||
// handle other
|
||||
$other = trim($input['other']);
|
||||
$other = !empty($other) ? explode(',', str_replace(' ', '', $input['other'])) : array();
|
||||
unset($input['other']);
|
||||
|
||||
$array = array_unique(array_merge($input, $other));
|
||||
|
||||
// deconstruct any combinations
|
||||
if(!empty($this->combine)) {
|
||||
foreach($this->combine as $key => $combinators) {
|
||||
|
||||
$idx = array_search($key, $array);
|
||||
if($idx !== false) {
|
||||
unset($array[$idx]);
|
||||
$array = array_merge($array, $combinators);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
return join(',', array_unique($array));
|
||||
}
|
||||
}
|
@@ -0,0 +1,71 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_multichoice
|
||||
*/
|
||||
class SettingMultichoice extends SettingString {
|
||||
protected $choices = array();
|
||||
public $lang; //some custom language strings are stored in setting
|
||||
|
||||
/** @inheritdoc */
|
||||
public function html(\admin_plugin_config $plugin, $echo = false) {
|
||||
$disable = '';
|
||||
$nochoice = '';
|
||||
|
||||
if($this->isProtected()) {
|
||||
$value = $this->protected;
|
||||
$disable = ' disabled="disabled"';
|
||||
} else {
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
}
|
||||
|
||||
// ensure current value is included
|
||||
if(!in_array($value, $this->choices)) {
|
||||
$this->choices[] = $value;
|
||||
}
|
||||
// disable if no other choices
|
||||
if(!$this->isProtected() && count($this->choices) <= 1) {
|
||||
$disable = ' disabled="disabled"';
|
||||
$nochoice = $plugin->getLang('nochoice');
|
||||
}
|
||||
|
||||
$key = htmlspecialchars($this->key);
|
||||
|
||||
$label = '<label for="config___' . $key . '">' . $this->prompt($plugin) . '</label>';
|
||||
|
||||
$input = "<div class=\"input\">\n";
|
||||
$input .= '<select class="edit" id="config___' . $key . '" name="config[' . $key . ']"' . $disable . '>' . "\n";
|
||||
foreach($this->choices as $choice) {
|
||||
$selected = ($value == $choice) ? ' selected="selected"' : '';
|
||||
$option = $plugin->getLang($this->key . '_o_' . $choice);
|
||||
if(!$option && isset($this->lang[$this->key . '_o_' . $choice])) {
|
||||
$option = $this->lang[$this->key . '_o_' . $choice];
|
||||
}
|
||||
if(!$option) $option = $choice;
|
||||
|
||||
$choice = htmlspecialchars($choice);
|
||||
$option = htmlspecialchars($option);
|
||||
$input .= ' <option value="' . $choice . '"' . $selected . ' >' . $option . '</option>' . "\n";
|
||||
}
|
||||
$input .= "</select> $nochoice \n";
|
||||
$input .= "</div>\n";
|
||||
|
||||
return array($label, $input);
|
||||
}
|
||||
|
||||
/** @inheritdoc */
|
||||
public function update($input) {
|
||||
if(is_null($input)) return false;
|
||||
if($this->isProtected()) return false;
|
||||
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
if($value == $input) return false;
|
||||
|
||||
if(!in_array($input, $this->choices)) return false;
|
||||
|
||||
$this->local = $input;
|
||||
return true;
|
||||
}
|
||||
}
|
@@ -0,0 +1,12 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_no_class
|
||||
* A do-nothing class used to detect settings with a missing setting class.
|
||||
* Used internaly to hide undefined settings, and generate the undefined settings list.
|
||||
*/
|
||||
class SettingNoClass extends SettingUndefined {
|
||||
protected $errorMessage = '_msg_setting_no_class';
|
||||
}
|
@@ -0,0 +1,13 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_no_default
|
||||
*
|
||||
* A do-nothing class used to detect settings with no default value.
|
||||
* Used internaly to hide undefined settings, and generate the undefined settings list.
|
||||
*/
|
||||
class SettingNoDefault extends SettingUndefined {
|
||||
protected $errorMessage = '_msg_setting_no_default';
|
||||
}
|
@@ -0,0 +1,11 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* A do-nothing class used to detect settings with a missing setting class.
|
||||
* Used internaly to hide undefined settings, and generate the undefined settings list.
|
||||
*/
|
||||
class SettingNoKnownClass extends SettingUndefined {
|
||||
protected $errorMessage = '_msg_setting_no_known_class';
|
||||
}
|
@@ -0,0 +1,42 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_numeric
|
||||
*/
|
||||
class SettingNumeric extends SettingString {
|
||||
// This allows for many PHP syntax errors...
|
||||
// var $_pattern = '/^[-+\/*0-9 ]*$/';
|
||||
// much more restrictive, but should eliminate syntax errors.
|
||||
protected $pattern = '/^[-+]? *[0-9]+ *(?:[-+*] *[0-9]+ *)*$/';
|
||||
protected $min = null;
|
||||
protected $max = null;
|
||||
|
||||
/** @inheritdoc */
|
||||
public function update($input) {
|
||||
$local = $this->local;
|
||||
$valid = parent::update($input);
|
||||
if($valid && !(is_null($this->min) && is_null($this->max))) {
|
||||
$numeric_local = (int) eval('return ' . $this->local . ';');
|
||||
if((!is_null($this->min) && $numeric_local < $this->min) ||
|
||||
(!is_null($this->max) && $numeric_local > $this->max)) {
|
||||
$this->error = true;
|
||||
$this->input = $input;
|
||||
$this->local = $local;
|
||||
$valid = false;
|
||||
}
|
||||
}
|
||||
return $valid;
|
||||
}
|
||||
|
||||
/** @inheritdoc */
|
||||
public function out($var, $fmt = 'php') {
|
||||
if($fmt != 'php') return '';
|
||||
|
||||
$local = $this->local === '' ? "''" : $this->local;
|
||||
$out = '$' . $var . "['" . $this->getArrayKey() . "'] = " . $local . ";\n";
|
||||
|
||||
return $out;
|
||||
}
|
||||
}
|
@@ -0,0 +1,25 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_numericopt
|
||||
*/
|
||||
class SettingNumericopt extends SettingNumeric {
|
||||
// just allow an empty config
|
||||
protected $pattern = '/^(|[-]?[0-9]+(?:[-+*][0-9]+)*)$/';
|
||||
|
||||
/**
|
||||
* @inheritdoc
|
||||
* Empty string is valid for numericopt
|
||||
*/
|
||||
public function update($input) {
|
||||
if($input === '') {
|
||||
if($input == $this->local) return false;
|
||||
$this->local = $input;
|
||||
return true;
|
||||
}
|
||||
|
||||
return parent::update($input);
|
||||
}
|
||||
}
|
57
projet/doku/lib/plugins/config/core/Setting/SettingOnoff.php
Normal file
57
projet/doku/lib/plugins/config/core/Setting/SettingOnoff.php
Normal file
@@ -0,0 +1,57 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_onoff
|
||||
*/
|
||||
class SettingOnoff extends SettingNumeric {
|
||||
|
||||
/**
|
||||
* We treat the strings 'false' and 'off' as false
|
||||
* @inheritdoc
|
||||
*/
|
||||
protected function cleanValue($value) {
|
||||
if($value === null) return null;
|
||||
|
||||
if(is_string($value)) {
|
||||
if(strtolower($value) === 'false') return 0;
|
||||
if(strtolower($value) === 'off') return 0;
|
||||
if(trim($value) === '') return 0;
|
||||
}
|
||||
|
||||
return (int) (bool) $value;
|
||||
}
|
||||
|
||||
/** @inheritdoc */
|
||||
public function html(\admin_plugin_config $plugin, $echo = false) {
|
||||
$disable = '';
|
||||
|
||||
if($this->isProtected()) {
|
||||
$value = $this->protected;
|
||||
$disable = ' disabled="disabled"';
|
||||
} else {
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
}
|
||||
|
||||
$key = htmlspecialchars($this->key);
|
||||
$checked = ($value) ? ' checked="checked"' : '';
|
||||
|
||||
$label = '<label for="config___' . $key . '">' . $this->prompt($plugin) . '</label>';
|
||||
$input = '<div class="input"><input id="config___' . $key . '" name="config[' . $key .
|
||||
']" type="checkbox" class="checkbox" value="1"' . $checked . $disable . '/></div>';
|
||||
return array($label, $input);
|
||||
}
|
||||
|
||||
/** @inheritdoc */
|
||||
public function update($input) {
|
||||
if($this->isProtected()) return false;
|
||||
|
||||
$input = ($input) ? 1 : 0;
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
if($value == $input) return false;
|
||||
|
||||
$this->local = $input;
|
||||
return true;
|
||||
}
|
||||
}
|
@@ -0,0 +1,39 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_password
|
||||
*/
|
||||
class SettingPassword extends SettingString {
|
||||
|
||||
protected $code = 'plain'; // mechanism to be used to obscure passwords
|
||||
|
||||
/** @inheritdoc */
|
||||
public function update($input) {
|
||||
if($this->isProtected()) return false;
|
||||
if(!$input) return false;
|
||||
|
||||
if($this->pattern && !preg_match($this->pattern, $input)) {
|
||||
$this->error = true;
|
||||
$this->input = $input;
|
||||
return false;
|
||||
}
|
||||
|
||||
$this->local = conf_encodeString($input, $this->code);
|
||||
return true;
|
||||
}
|
||||
|
||||
/** @inheritdoc */
|
||||
public function html(\admin_plugin_config $plugin, $echo = false) {
|
||||
|
||||
$disable = $this->isProtected() ? 'disabled="disabled"' : '';
|
||||
|
||||
$key = htmlspecialchars($this->key);
|
||||
|
||||
$label = '<label for="config___' . $key . '">' . $this->prompt($plugin) . '</label>';
|
||||
$input = '<input id="config___' . $key . '" name="config[' . $key .
|
||||
']" autocomplete="off" type="password" class="edit" value="" ' . $disable . ' />';
|
||||
return array($label, $input);
|
||||
}
|
||||
}
|
34
projet/doku/lib/plugins/config/core/Setting/SettingRegex.php
Normal file
34
projet/doku/lib/plugins/config/core/Setting/SettingRegex.php
Normal file
@@ -0,0 +1,34 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_regex
|
||||
*/
|
||||
class SettingRegex extends SettingString {
|
||||
|
||||
protected $delimiter = '/'; // regex delimiter to be used in testing input
|
||||
protected $pregflags = 'ui'; // regex pattern modifiers to be used in testing input
|
||||
|
||||
/** @inheritdoc */
|
||||
public function update($input) {
|
||||
|
||||
// let parent do basic checks, value, not changed, etc.
|
||||
$local = $this->local;
|
||||
if(!parent::update($input)) return false;
|
||||
$this->local = $local;
|
||||
|
||||
// see if the regex compiles and runs (we don't check for effectiveness)
|
||||
$regex = $this->delimiter . $input . $this->delimiter . $this->pregflags;
|
||||
$lastError = error_get_last();
|
||||
@preg_match($regex, 'testdata');
|
||||
if(preg_last_error() != PREG_NO_ERROR || error_get_last() != $lastError) {
|
||||
$this->input = $input;
|
||||
$this->error = true;
|
||||
return false;
|
||||
}
|
||||
|
||||
$this->local = $input;
|
||||
return true;
|
||||
}
|
||||
}
|
@@ -0,0 +1,56 @@
|
||||
<?php
|
||||
/**
|
||||
* additional setting classes specific to these settings
|
||||
*
|
||||
* @author Chris Smith <chris@jalakai.co.uk>
|
||||
*/
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_renderer
|
||||
*/
|
||||
class SettingRenderer extends SettingMultichoice {
|
||||
protected $prompts = array();
|
||||
protected $format = null;
|
||||
|
||||
/** @inheritdoc */
|
||||
public function initialize($default = null, $local = null, $protected = null) {
|
||||
$format = $this->format;
|
||||
|
||||
foreach(plugin_list('renderer') as $plugin) {
|
||||
$renderer = plugin_load('renderer', $plugin);
|
||||
if(method_exists($renderer, 'canRender') && $renderer->canRender($format)) {
|
||||
$this->choices[] = $plugin;
|
||||
|
||||
$info = $renderer->getInfo();
|
||||
$this->prompts[$plugin] = $info['name'];
|
||||
}
|
||||
}
|
||||
|
||||
parent::initialize($default, $local, $protected);
|
||||
}
|
||||
|
||||
/** @inheritdoc */
|
||||
public function html(\admin_plugin_config $plugin, $echo = false) {
|
||||
|
||||
// make some language adjustments (there must be a better way)
|
||||
// transfer some plugin names to the config plugin
|
||||
foreach($this->choices as $choice) {
|
||||
if(!$plugin->getLang($this->key . '_o_' . $choice)) {
|
||||
if(!isset($this->prompts[$choice])) {
|
||||
$plugin->addLang(
|
||||
$this->key . '_o_' . $choice,
|
||||
sprintf($plugin->getLang('renderer__core'), $choice)
|
||||
);
|
||||
} else {
|
||||
$plugin->addLang(
|
||||
$this->key . '_o_' . $choice,
|
||||
sprintf($plugin->getLang('renderer__plugin'), $this->prompts[$choice])
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
return parent::html($plugin, $echo);
|
||||
}
|
||||
}
|
@@ -0,0 +1,26 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_savedir
|
||||
*/
|
||||
class SettingSavedir extends SettingString {
|
||||
|
||||
/** @inheritdoc */
|
||||
public function update($input) {
|
||||
if($this->isProtected()) return false;
|
||||
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
if($value == $input) return false;
|
||||
|
||||
if(!init_path($input)) {
|
||||
$this->error = true;
|
||||
$this->input = $input;
|
||||
return false;
|
||||
}
|
||||
|
||||
$this->local = $input;
|
||||
return true;
|
||||
}
|
||||
}
|
@@ -0,0 +1,18 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_sepchar
|
||||
*/
|
||||
class SettingSepchar extends SettingMultichoice {
|
||||
|
||||
/** @inheritdoc */
|
||||
public function __construct($key, $param = null) {
|
||||
$str = '_-.';
|
||||
for($i = 0; $i < strlen($str); $i++) $this->choices[] = $str[$i];
|
||||
|
||||
// call foundation class constructor
|
||||
parent::__construct($key, $param);
|
||||
}
|
||||
}
|
@@ -0,0 +1,32 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
/**
|
||||
* Class setting_string
|
||||
*/
|
||||
class SettingString extends Setting {
|
||||
/** @inheritdoc */
|
||||
public function html(\admin_plugin_config $plugin, $echo = false) {
|
||||
$disable = '';
|
||||
|
||||
if($this->isProtected()) {
|
||||
$value = $this->protected;
|
||||
$disable = 'disabled="disabled"';
|
||||
} else {
|
||||
if($echo && $this->error) {
|
||||
$value = $this->input;
|
||||
} else {
|
||||
$value = is_null($this->local) ? $this->default : $this->local;
|
||||
}
|
||||
}
|
||||
|
||||
$key = htmlspecialchars($this->key);
|
||||
$value = htmlspecialchars($value);
|
||||
|
||||
$label = '<label for="config___' . $key . '">' . $this->prompt($plugin) . '</label>';
|
||||
$input = '<input id="config___' . $key . '" name="config[' . $key .
|
||||
']" type="text" class="edit" value="' . $value . '" ' . $disable . '/>';
|
||||
return array($label, $input);
|
||||
}
|
||||
}
|
@@ -0,0 +1,40 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core\Setting;
|
||||
|
||||
use dokuwiki\plugin\config\core\Configuration;
|
||||
|
||||
/**
|
||||
* A do-nothing class used to detect settings with no metadata entry.
|
||||
* Used internaly to hide undefined settings, and generate the undefined settings list.
|
||||
*/
|
||||
class SettingUndefined extends SettingHidden {
|
||||
|
||||
protected $errorMessage = '_msg_setting_undefined';
|
||||
|
||||
/** @inheritdoc */
|
||||
public function shouldHaveDefault() {
|
||||
return false;
|
||||
}
|
||||
|
||||
/** @inheritdoc */
|
||||
public function html(\admin_plugin_config $plugin, $echo = false) {
|
||||
// determine the name the meta key would be called
|
||||
if(preg_match(
|
||||
'/^(?:plugin|tpl)' . Configuration::KEYMARKER . '.*?' . Configuration::KEYMARKER . '(.*)$/',
|
||||
$this->getKey(),
|
||||
$undefined_setting_match
|
||||
)) {
|
||||
$undefined_setting_key = $undefined_setting_match[1];
|
||||
} else {
|
||||
$undefined_setting_key = $this->getKey();
|
||||
}
|
||||
|
||||
$label = '<span title="$meta[\'' . $undefined_setting_key . '\']">$' .
|
||||
'conf' . '[\'' . $this->getArrayKey() . '\']</span>';
|
||||
$input = $plugin->getLang($this->errorMessage);
|
||||
|
||||
return array($label, $input);
|
||||
}
|
||||
|
||||
}
|
116
projet/doku/lib/plugins/config/core/Writer.php
Normal file
116
projet/doku/lib/plugins/config/core/Writer.php
Normal file
@@ -0,0 +1,116 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core;
|
||||
use dokuwiki\plugin\config\core\Setting\Setting;
|
||||
|
||||
/**
|
||||
* Writes the settings to the correct local file
|
||||
*/
|
||||
class Writer {
|
||||
/** @var string header info */
|
||||
protected $header = 'Dokuwiki\'s Main Configuration File - Local Settings';
|
||||
|
||||
/** @var string the file where the config will be saved to */
|
||||
protected $savefile;
|
||||
|
||||
/**
|
||||
* Writer constructor.
|
||||
*/
|
||||
public function __construct() {
|
||||
global $config_cascade;
|
||||
$this->savefile = end($config_cascade['main']['local']);
|
||||
}
|
||||
|
||||
/**
|
||||
* Save the given settings
|
||||
*
|
||||
* @param Setting[] $settings
|
||||
* @throws \Exception
|
||||
*/
|
||||
public function save($settings) {
|
||||
global $conf;
|
||||
if($this->isLocked()) throw new \Exception('no save');
|
||||
|
||||
// backup current file (remove any existing backup)
|
||||
if(file_exists($this->savefile)) {
|
||||
if(file_exists($this->savefile . '.bak.php')) @unlink($this->savefile . '.bak.php');
|
||||
if(!io_rename($this->savefile, $this->savefile . '.bak.php')) throw new \Exception('no backup');
|
||||
}
|
||||
|
||||
if(!$fh = @fopen($this->savefile, 'wb')) {
|
||||
io_rename($this->savefile . '.bak.php', $this->savefile); // problem opening, restore the backup
|
||||
throw new \Exception('no save');
|
||||
}
|
||||
|
||||
$out = $this->getHeader();
|
||||
foreach($settings as $setting) {
|
||||
if($setting->shouldBeSaved()) {
|
||||
$out .= $setting->out('conf', 'php');
|
||||
}
|
||||
}
|
||||
|
||||
fwrite($fh, $out);
|
||||
fclose($fh);
|
||||
if($conf['fperm']) chmod($this->savefile, $conf['fperm']);
|
||||
$this->opcacheUpdate($this->savefile);
|
||||
}
|
||||
|
||||
/**
|
||||
* Update last modified time stamp of the config file
|
||||
*
|
||||
* Will invalidate all DokuWiki caches
|
||||
*
|
||||
* @throws \Exception when the config isn't writable
|
||||
*/
|
||||
public function touch() {
|
||||
if($this->isLocked()) throw new \Exception('no save');
|
||||
@touch($this->savefile);
|
||||
$this->opcacheUpdate($this->savefile);
|
||||
}
|
||||
|
||||
/**
|
||||
* Invalidate the opcache of the given file
|
||||
*
|
||||
* @todo this should probably be moved to core
|
||||
* @param string $file
|
||||
*/
|
||||
protected function opcacheUpdate($file) {
|
||||
if(!function_exists('opcache_invalidate')) return;
|
||||
opcache_invalidate($file);
|
||||
}
|
||||
|
||||
/**
|
||||
* Configuration is considered locked if there is no local settings filename
|
||||
* or the directory its in is not writable or the file exists and is not writable
|
||||
*
|
||||
* @return bool true: locked, false: writable
|
||||
*/
|
||||
public function isLocked() {
|
||||
if(!$this->savefile) return true;
|
||||
if(!is_writable(dirname($this->savefile))) return true;
|
||||
if(file_exists($this->savefile) && !is_writable($this->savefile)) return true;
|
||||
return false;
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns the PHP intro header for the config file
|
||||
*
|
||||
* @return string
|
||||
*/
|
||||
protected function getHeader() {
|
||||
return join(
|
||||
"\n",
|
||||
array(
|
||||
'<?php',
|
||||
'/*',
|
||||
' * ' . $this->header,
|
||||
' * Auto-generated by config plugin',
|
||||
' * Run for user: ' . $_SERVER['REMOTE_USER'],
|
||||
' * Date: ' . date('r'),
|
||||
' */',
|
||||
'',
|
||||
''
|
||||
)
|
||||
);
|
||||
}
|
||||
}
|
BIN
projet/doku/lib/plugins/config/images/danger.png
Normal file
BIN
projet/doku/lib/plugins/config/images/danger.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 637 B |
BIN
projet/doku/lib/plugins/config/images/security.png
Normal file
BIN
projet/doku/lib/plugins/config/images/security.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 682 B |
BIN
projet/doku/lib/plugins/config/images/warning.png
Normal file
BIN
projet/doku/lib/plugins/config/images/warning.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 606 B |
23
projet/doku/lib/plugins/config/lang/af/lang.php
Normal file
23
projet/doku/lib/plugins/config/lang/af/lang.php
Normal file
@@ -0,0 +1,23 @@
|
||||
<?php
|
||||
/**
|
||||
* Afrikaans language file
|
||||
*
|
||||
*/
|
||||
$lang['userewrite'] = 'Gebraik moie URLs';
|
||||
$lang['sepchar'] = 'Blydsy naam woord spassie';
|
||||
$lang['typography_o_0'] = 'Niks';
|
||||
$lang['userewrite_o_0'] = 'niks';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['deaccent_o_0'] = 'aff';
|
||||
$lang['gdlib_o_0'] = 'GD Lib nie beskibaar nie';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['compression_o_0'] = 'niks';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'moet nie gebrake nie';
|
||||
$lang['useheading_o_0'] = 'Noit';
|
||||
$lang['useheading_o_1'] = 'Altyde';
|
7
projet/doku/lib/plugins/config/lang/ar/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/ar/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== مدير الضبط ======
|
||||
|
||||
استخدم هذه الصفحة للتحكم باعدادات دوكو ويكي المثبتة عندك. للمساعدة في أمر ما أشر إلى [[doku>config]]. لمعلومات اكثر عن هذه الاضافة انظر [[doku>plugin:config]].
|
||||
|
||||
الاعدادات الظاهرة بخلفية حمراء فاتحة اعدادات محمية ولا يمكن تغييرها بهذه الاضافة. الاعدادات الظاهرة بخلفية زرقاء هي القيم الافتراضية والاعدادات الظاهرة بخلفية بيضاء خصصت لهذا التثبيت محليا. الاعدادات الزرقاء والبيضاء يمكن تغييرها.
|
||||
|
||||
تأكد من ضغط زر **SAVE** قبل ترك الصفحة وإلا ستضيع تعديلاتك.
|
189
projet/doku/lib/plugins/config/lang/ar/lang.php
Normal file
189
projet/doku/lib/plugins/config/lang/ar/lang.php
Normal file
@@ -0,0 +1,189 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* Arabic language file
|
||||
*
|
||||
* @author Khalid <khalid.aljahil@gmail.com>
|
||||
* @author Yaman Hokan <always.smile.yh@hotmail.com>
|
||||
* @author Usama Akkad <uahello@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'الإعدادات';
|
||||
$lang['error'] = 'لم تحدث الاعدادات بسبب قيمة غير صالحة، رجاء راجع تغييراتك ثم ارسلها.
|
||||
<br />القيم الخاطئة ستظهر محاطة بحدود حمراء.';
|
||||
$lang['updated'] = 'رفعت الاعدادات بنجاح.';
|
||||
$lang['nochoice'] = '(لا خيارات اخرى متاحة)';
|
||||
$lang['locked'] = 'تعذر تحديث ملف الاعدادات، إن لم يكن ذلك مقصودا، <br />
|
||||
تأكد من صحة اسم و صلاحيات ملف الاعدادات المحلي.';
|
||||
$lang['danger'] = 'خطر: تغيير هذا الخيار قد يؤدي إلى تعذر الوصول للويكي و قائمة الاعدادات.';
|
||||
$lang['warning'] = 'تحذير: تغييرهذا الخيار قد يؤدي لسلوك غير متوقع.';
|
||||
$lang['security'] = 'تحذير أمني: تغيير هذا الخيار قد يؤدي إلى مخاطرة أمنية.';
|
||||
$lang['_configuration_manager'] = 'مدير الاعدادات';
|
||||
$lang['_header_dokuwiki'] = 'اعدادات دوكو ويكي';
|
||||
$lang['_header_plugin'] = 'اعدادات الملحقات';
|
||||
$lang['_header_template'] = 'اعدادات القوالب';
|
||||
$lang['_header_undefined'] = 'اعدادات غير محددة';
|
||||
$lang['_basic'] = 'اعدادات اساسية';
|
||||
$lang['_display'] = 'اعدادات العرض';
|
||||
$lang['_authentication'] = 'اعدادات المواثقة';
|
||||
$lang['_anti_spam'] = 'اعدادات مضاد النفاية';
|
||||
$lang['_editing'] = 'اعدادات التحرير';
|
||||
$lang['_links'] = 'اعدادات الروابط';
|
||||
$lang['_media'] = 'اعدادات الوسائط';
|
||||
$lang['_notifications'] = 'اعدادات التنبيه';
|
||||
$lang['_advanced'] = 'اعدادات متقدمة';
|
||||
$lang['_network'] = 'اعدادات الشبكة';
|
||||
$lang['_msg_setting_undefined'] = 'لا بيانات إعدادات.';
|
||||
$lang['_msg_setting_no_class'] = 'لا صنف إعدادات.';
|
||||
$lang['_msg_setting_no_default'] = 'لا قيمة افتراضية.';
|
||||
$lang['title'] = 'عنوان الويكي';
|
||||
$lang['start'] = 'اسم صفحة البداية';
|
||||
$lang['lang'] = 'لغة الواجهة';
|
||||
$lang['template'] = 'القالب';
|
||||
$lang['tagline'] = 'Tagline (في حال دعم القالب له)
|
||||
';
|
||||
$lang['sidebar'] = 'اسم صفحة الشريط الجانبي (في حال دعم القالب له). تركه فارغا يعطل الشريط الجانبي.';
|
||||
$lang['license'] = 'تحت أي رخصة تريد اصدار المحتوى؟';
|
||||
$lang['savedir'] = 'دليل حفظ البيانات';
|
||||
$lang['basedir'] = 'مسار الخادوم (مثال. <code>/dokuwiki/</code>) اترك فارغا للاكتشاف التلقائي.';
|
||||
$lang['baseurl'] = 'عنوان الخادوم (مثال. <code>http://www.yourserver.com</code>). اترك فارغا للاكتشاف التلقائي.';
|
||||
$lang['cookiedir'] = 'مسار الكعكات. اترك فارغا لاستخدام baseurl.';
|
||||
$lang['dmode'] = 'نمط انشاء المجلدات';
|
||||
$lang['fmode'] = 'نمط انشاء الملفات';
|
||||
$lang['allowdebug'] = 'مكّن التنقيح <b>عطّلها إن لم تكن بحاجلة لها!</b>';
|
||||
$lang['recent'] = 'أحدث التغييرات';
|
||||
$lang['recent_days'] = 'مدة إبقاء أحدث التغييرات (ايام)';
|
||||
$lang['breadcrumbs'] = 'عدد العناقيد للزيارات';
|
||||
$lang['youarehere'] = 'عناقيد هرمية';
|
||||
$lang['fullpath'] = 'اظهر المحتوى الكامل للصفحات في ';
|
||||
$lang['typography'] = 'اعمل استبدالات طبوغرافية';
|
||||
$lang['dformat'] = 'تنسيق التاريخ (انظر وظيفة PHP,s <a href="http://php.net/strftime">strftime</a>)';
|
||||
$lang['signature'] = 'التوقيع';
|
||||
$lang['showuseras'] = 'الذي يعرض لاظهار المستخدم الذي قام بآخر تحرير لصفحة';
|
||||
$lang['toptoclevel'] = 'المستوى الأعلى لمحتويات الجدول';
|
||||
$lang['tocminheads'] = 'الحد الأدنى من الترويسات لبناء جدول المحتويات';
|
||||
$lang['maxtoclevel'] = 'المستوى الأقصى لمحتويات الجدول';
|
||||
$lang['maxseclevel'] = 'المستوى الأقصى لتحرير القسم';
|
||||
$lang['camelcase'] = 'استخدم CamelCase للروابط';
|
||||
$lang['deaccent'] = 'نظّف اسماء الصفحات';
|
||||
$lang['useheading'] = 'استخدم اول ترويسة كأسم للصفحة';
|
||||
$lang['sneaky_index'] = 'افتراضيا، ستعرض دوكو ويكي كل اسماء النطاقات في عرض الفهرس. تفعيل هذا الخيار سيخفي مالا يملك المستخدم صلاحية قراءته. قد يؤدي هذا إلى اخفاء نطاقات فرعية متاحة. وقد يؤدي لجعل صفحة الفهرس معطلة في بعض اعدادات ACL.';
|
||||
$lang['hidepages'] = 'أخف الصفحات المنطبق عليها (تعابير شرطية)';
|
||||
$lang['useacl'] = 'استخدم قائمة التحم بالوصول';
|
||||
$lang['autopasswd'] = 'ولد كلمات سر تلقائيا';
|
||||
$lang['authtype'] = 'آلية المواثقة';
|
||||
$lang['passcrypt'] = 'نمط تشفير كلمة السر';
|
||||
$lang['defaultgroup'] = 'المجموعة الافتراضية';
|
||||
$lang['superuser'] = 'مجموعة المستخدم المتفوق أو مستخدم أو قائمة مفصولة بالفاصلة مستخدم1،@مجموعة، مستخدم2 صلاحيتهم الوصول الكامل لكل الصفحات و الوظائف بغض النظر عن اعدادات ACL';
|
||||
$lang['manager'] = 'مجموعة المدراء أو مستخدم أو قائمة مفصولة بالفاصلة مستخدم1،@مجموعة، مستخدم2 صلاحيتهم بعض الوظائف الادارية';
|
||||
$lang['profileconfirm'] = 'اكد تغيير اللاحة بكلمة المرور';
|
||||
$lang['rememberme'] = 'اسمح بكعكات الدخول الدائم (تذكرني)';
|
||||
$lang['disableactions'] = 'عطّل اجراءات دوكو ويكي';
|
||||
$lang['disableactions_check'] = 'تحقق';
|
||||
$lang['disableactions_subscription'] = 'اشترك/الغ الاشتراك';
|
||||
$lang['disableactions_wikicode'] = 'اعرض المصدر/صدّر صرفا';
|
||||
$lang['disableactions_other'] = 'اجراءات أخرى (مفصولة بالفاصلة)';
|
||||
$lang['auth_security_timeout'] = 'زمن انتهاء أمان المواثقة (ثوان)';
|
||||
$lang['securecookie'] = 'هل يفرض على كعكات التصفح المعدة عبر HTTPS ان ترسل فقط عبر HTTPS من قبل المتصفح؟ عطل هذا إن كان الولوج للويكي مؤمنا فقط عبر SSL لكن تصفح الويكي غير مؤمن.';
|
||||
$lang['remote'] = 'مكّن نظام API البعيد. يسمح هذا لبرامج أخرى بالوصول للويكي عبر XML-RPC أو آليات أخرى.';
|
||||
$lang['remoteuser'] = 'احصر الوصول البعيد ل API لمستخدمين ومجموعات يفصل بينها بالفاصلة هنا. اترك فارغا لتمكين الجميع.';
|
||||
$lang['usewordblock'] = 'احجز الغثاء بناء على قائمة كلمات';
|
||||
$lang['relnofollow'] = 'استخدم rel="nofollow" للروابط الخارجية';
|
||||
$lang['indexdelay'] = 'التأخير قبل الفهرسة (ثوان)';
|
||||
$lang['mailguard'] = 'عناوين بريدية مبهمة';
|
||||
$lang['iexssprotect'] = 'تحقق الملفات المرفوعة من احتمال وجود أكواد جافاسكربت أو HTML ضارة';
|
||||
$lang['usedraft'] = 'احفظ المسودة تلقائيا أثناء التحرير';
|
||||
$lang['htmlok'] = 'مكّن تضمين HTML';
|
||||
$lang['phpok'] = 'مكّن تضمين PHP';
|
||||
$lang['locktime'] = 'الحد الأعظمي لقفل الملف (ثوان)';
|
||||
$lang['cachetime'] = 'الحد الأعظم لعمر المخُبأ (ثوان)';
|
||||
$lang['target____wiki'] = 'النافذة الهدف للروابط الداخلية';
|
||||
$lang['target____interwiki'] = 'النافذة الهدف للروابط الممرة interwiki';
|
||||
$lang['target____extern'] = 'النافذة الهدف للروابط الخارجية';
|
||||
$lang['target____media'] = 'النافذة الهدف لروابط الوسائط';
|
||||
$lang['target____windows'] = 'النافذة الهدف لروابط النوافذ';
|
||||
$lang['mediarevisions'] = 'تفعيل إصدارات الوسائط؟';
|
||||
$lang['refcheck'] = 'التحقق من مرجع الوسائط';
|
||||
$lang['gdlib'] = 'اصدار مكتبة GD';
|
||||
$lang['im_convert'] = 'المسار إلى اداة تحويل ImageMagick';
|
||||
$lang['jpg_quality'] = 'دقة ضغط JPG (0-100)';
|
||||
$lang['fetchsize'] = 'الحجم الأعظمي (بايت) ل fetch.php لتنزيله من الخارج';
|
||||
$lang['subscribers'] = 'مكن دعم اشتراك الصفحة';
|
||||
$lang['subscribe_time'] = 'المهلة بعد ارسال قوائم الاشتراكات والملخصات (ثوان); هذا يجب أن يكون أقل من الوقت المخصص في أيام أحدث التغييرات.';
|
||||
$lang['notify'] = 'ارسل تنبيهات التغيير لهذا البريد';
|
||||
$lang['registernotify'] = 'ارسل بيانات عن المستخدمين المسجلين جديدا لهذا البريد';
|
||||
$lang['mailfrom'] = 'البريد الالكتروني ليستخدم للرسائل الآلية';
|
||||
$lang['mailprefix'] = 'بادئة موضوع البريد لتستخدم مع الرسائل الآلية';
|
||||
$lang['sitemap'] = 'ولد خرائط موقع جوجل (أيام)';
|
||||
$lang['rss_type'] = 'نوع تلقيمات XML';
|
||||
$lang['rss_linkto'] = 'تلقيمات XML توصل إلى';
|
||||
$lang['rss_content'] = 'مالذي يعرض في عناصر تلقيمات XML؟';
|
||||
$lang['rss_update'] = 'تحديث تلقيم XML (ثوان)';
|
||||
$lang['rss_show_summary'] = 'تلقيم XML يظهر ملخصا في العنوان';
|
||||
$lang['rss_media'] = 'مانوع التغييرات التي ستدرج في تغذية XML؟';
|
||||
$lang['updatecheck'] = 'تحقق من التحديثات و تنبيهات الأمان؟ دوكو ويكي ستحتاج للاتصال ب update.dokuwiki.org لأجل ذلك';
|
||||
$lang['userewrite'] = 'استعمل عناوين URLs جميلة';
|
||||
$lang['useslash'] = 'استخدم الشرطة كفاصل النطاق في العناوين';
|
||||
$lang['sepchar'] = 'فاصل كلمة اسم الصفحة';
|
||||
$lang['canonical'] = 'استخدم العناوين الشائعة كاملة';
|
||||
$lang['fnencode'] = 'نظام ترميز اسماء الملفات بغير الأسكي.';
|
||||
$lang['autoplural'] = 'تحقق من صيغ الجمع في الروابط';
|
||||
$lang['compression'] = 'طريقة الغضط لملفات attic';
|
||||
$lang['gzip_output'] = 'استخدم ترميز-محتوى gzip ل xhtml';
|
||||
$lang['compress'] = 'رُص مخرجات CSS و جافا سكربت';
|
||||
$lang['cssdatauri'] = 'الحجم بالبايتات للصور المذكورة في CSS التي ستُضمن في صفحة-التنسيق لخفض طلبات HTTP. <code>400</code> إلى <code>600</code> بايت تعد قيمة جيدة. اضبط إلى <code>0</code> لتعطلها.';
|
||||
$lang['send404'] = 'ارسل "HTTP 404/Page Not Found" للصفحات غير الموجودة';
|
||||
$lang['broken_iua'] = 'هل الوظيفة ignore_user_abort معطلة على جهازك؟ قد يؤدي ذلك لتعطيل فهرسة البحث. IIS+PHP/CGI تعرف بأنها لاتعمل. أنظر <a href="http://bugs.splitbrain.org/?do=details&task_id=852">العلة 852</a> لمزيد من المعلومات.';
|
||||
$lang['xsendfile'] = 'استخدم ترويسة X-Sendfile لتمكين خادم الوب من تقديم ملفات ثابتة؟ يجب أن يكون خادم الوب داعما له.';
|
||||
$lang['renderer_xhtml'] = 'المحرك ليستخدم لمخرجات الويكي الأساسية وفق (xhtml).';
|
||||
$lang['renderer__core'] = '%s (نواة دوكو ويكي)';
|
||||
$lang['renderer__plugin'] = '%s (ملحق)';
|
||||
$lang['proxy____host'] = 'اسم خادوم الوكيل';
|
||||
$lang['proxy____port'] = 'منفذ الوكيل';
|
||||
$lang['proxy____user'] = 'اسم مستخدم الوكيل';
|
||||
$lang['proxy____pass'] = 'كلمة سر الوكيل';
|
||||
$lang['proxy____ssl'] = 'استخدم ssl للاتصال بالوكيل';
|
||||
$lang['proxy____except'] = 'تعبير شرطي لمقابلة العناوين التي ستتجاوز البروكسي.';
|
||||
$lang['license_o_'] = 'غير مختار';
|
||||
$lang['typography_o_0'] = 'لاشيء';
|
||||
$lang['typography_o_1'] = 'استبعاد الاقتباس المفرد';
|
||||
$lang['typography_o_2'] = 'تضمين علامات اقتباس مفردة (قد لا يعمل دائما)';
|
||||
$lang['userewrite_o_0'] = 'لاشيء';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'دو';
|
||||
$lang['deaccent_o_0'] = 'معطل';
|
||||
$lang['deaccent_o_1'] = 'أزل اللهجة';
|
||||
$lang['deaccent_o_2'] = 'اجعلها لاتينية';
|
||||
$lang['gdlib_o_0'] = 'مكتبة GD غير متوفرة';
|
||||
$lang['gdlib_o_1'] = 'الاصدار 1.x';
|
||||
$lang['gdlib_o_2'] = 'اكتشاف تلقائي';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'أتوم 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'أتوم 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'خلاصة';
|
||||
$lang['rss_content_o_diff'] = 'الفروق الموحدة';
|
||||
$lang['rss_content_o_htmldiff'] = 'جدول الفروق بهيئة HTML';
|
||||
$lang['rss_content_o_html'] = 'محتوى HTML الكامل للصفحة';
|
||||
$lang['rss_linkto_o_diff'] = 'عرض الاختلافات';
|
||||
$lang['rss_linkto_o_page'] = 'الصفحة المعدلة';
|
||||
$lang['rss_linkto_o_rev'] = 'قائمة بالمراجعات';
|
||||
$lang['rss_linkto_o_current'] = 'الصفحة الحالية';
|
||||
$lang['compression_o_0'] = 'لا شيء';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'لا تستخدم';
|
||||
$lang['xsendfile_o_1'] = 'ترويسة lighttpd مملوكة (قبل الاصدار 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'ترويسة X-Sendfile قياسية';
|
||||
$lang['xsendfile_o_3'] = 'ترويسة Nginx X-Accel-Redirect مملوكة';
|
||||
$lang['showuseras_o_loginname'] = 'اسم الدخول';
|
||||
$lang['showuseras_o_username'] = 'اسم المستخدم الكامل';
|
||||
$lang['showuseras_o_email'] = 'عنوان بريد المستخدم (مبهم تبعا لاعدادات حارس_البريد)';
|
||||
$lang['showuseras_o_email_link'] = 'عنوان بريد المستخدم كـ مالتيو: رابط';
|
||||
$lang['useheading_o_0'] = 'أبدا';
|
||||
$lang['useheading_o_navigation'] = 'التنقل فقط';
|
||||
$lang['useheading_o_content'] = 'محتوى الويكي فقط';
|
||||
$lang['useheading_o_1'] = 'دائما';
|
||||
$lang['readdircache'] = 'المدة القصوى لتخزين ';
|
7
projet/doku/lib/plugins/config/lang/bg/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/bg/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Диспечер на настройките ======
|
||||
|
||||
От тук можете да управлявате настройките на вашето Dokuwiki. За отделните настройки вижте [[doku>config]]. За повече информация относно тази приставка вижте [[doku>plugin:config]].
|
||||
|
||||
Настройките изобразени със светло червен фон са защитени и не могат да бъдат променяни с тази приставка. Настройките показани със син фон са стандартните стойности, а настройките с бял фон са били настроени локално за тази конкретна инсталация. Можете да променяте както сините, така и белите настройки.
|
||||
|
||||
Не забравяйте да натиснете бутона **ЗАПИС** преди да напуснете страницата, в противен случай промените няма да бъдат приложени.
|
190
projet/doku/lib/plugins/config/lang/bg/lang.php
Normal file
190
projet/doku/lib/plugins/config/lang/bg/lang.php
Normal file
@@ -0,0 +1,190 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Salif Mehmed <salif13mehmed@gmail.com>
|
||||
* @author Nikolay Vladimirov <nikolay@vladimiroff.com>
|
||||
* @author Viktor Usunov <usun0v@mail.bg>
|
||||
* @author Kiril <neohidra@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'Настройки';
|
||||
$lang['error'] = 'Обновяването на настройките не е възможно, поради невалидна стойност, моля, прегледайте промените си и пробвайте отново.
|
||||
<br />Неверните стойности ще бъдат обградени с червена рамка.';
|
||||
$lang['updated'] = 'Обновяването на настройките е успешно.';
|
||||
$lang['nochoice'] = '(няма друг възможен избор)';
|
||||
$lang['locked'] = 'Обновяването на файла с настройките не е възможно, ако това не е нарочно, проверете,<br />
|
||||
дали името на локалния файл с настройки и правата са верни.';
|
||||
$lang['danger'] = 'Внимание: промяна на опцията може да направи Wiki-то и менюто за настройване недостъпни.';
|
||||
$lang['warning'] = 'Предупреждение: промяна на опцията може предизвика нежелани последици.';
|
||||
$lang['security'] = 'Предупреждение: промяна на опцията може да представлява риск за сигурността.';
|
||||
$lang['_configuration_manager'] = 'Диспечер на настройките';
|
||||
$lang['_header_dokuwiki'] = 'Настройки на DokuWiki';
|
||||
$lang['_header_plugin'] = 'Настройки на приставки';
|
||||
$lang['_header_template'] = 'Настройки на шаблона';
|
||||
$lang['_header_undefined'] = 'Неопределени настройки';
|
||||
$lang['_basic'] = 'Основни настройки';
|
||||
$lang['_display'] = 'Настройки за изобразяване';
|
||||
$lang['_authentication'] = 'Настройки за удостоверяване';
|
||||
$lang['_anti_spam'] = 'Настройки за борба със SPAM-ма';
|
||||
$lang['_editing'] = 'Настройки за редактиране';
|
||||
$lang['_links'] = 'Настройки на препратките';
|
||||
$lang['_media'] = 'Настройки на медията';
|
||||
$lang['_notifications'] = 'Настройки за известяване';
|
||||
$lang['_syndication'] = 'Настройки на RSS емисиите';
|
||||
$lang['_advanced'] = 'Допълнителни настройки';
|
||||
$lang['_network'] = 'Мрежови настройки';
|
||||
$lang['_msg_setting_undefined'] = 'Няма метаданни за настройките.';
|
||||
$lang['_msg_setting_no_class'] = 'Няма клас настройки.';
|
||||
$lang['_msg_setting_no_default'] = 'Няма стандартна стойност.';
|
||||
$lang['title'] = 'Заглавие за Wiki-то, тоест името';
|
||||
$lang['start'] = 'Име на началната страница';
|
||||
$lang['lang'] = 'Език на интерфейса';
|
||||
$lang['template'] = 'Шаблон (определя вида на страниците)';
|
||||
$lang['tagline'] = 'Подзаглавие - изобразява се под името на Wiki-то (ако се поддържа от шаблона)';
|
||||
$lang['sidebar'] = 'Име на страницата за страничната лента (ако се поддържа от шаблона). Оставите ли полето празно лентата ще бъде изключена';
|
||||
$lang['license'] = 'Под какъв лиценз да бъде публикувано съдържанието?';
|
||||
$lang['savedir'] = 'Директория за записване на данните';
|
||||
$lang['basedir'] = 'Главна директория (напр. <code>/dokuwiki/</code>). Оставете празно, за да бъде засечена автоматично.';
|
||||
$lang['baseurl'] = 'URL адрес (напр. <code>http://www.yourserver.com</code>). Оставете празно, за да бъде засечен автоматично.';
|
||||
$lang['cookiedir'] = 'Път за бисквитките. Оставите ли полето празно ще се ползва горния URL адрес.';
|
||||
$lang['dmode'] = 'Режим (права) за създаване на директории';
|
||||
$lang['fmode'] = 'Режим (права) за създаване на файлове';
|
||||
$lang['allowdebug'] = 'Включване на режи debug - <b>изключете, ако не е нужен!</b>';
|
||||
$lang['recent'] = 'Скорошни промени - брой елементи на страница';
|
||||
$lang['recent_days'] = 'Колко от скорошните промени да се пазят (дни)';
|
||||
$lang['breadcrumbs'] = 'Брой на следите. За изключване на функцията задайте 0.';
|
||||
$lang['youarehere'] = 'Йерархични следи (в този случай можете да изключите горната опция)';
|
||||
$lang['fullpath'] = 'Показване на пълния път до страниците в долния колонтитул.';
|
||||
$lang['typography'] = 'Замяна на последователност от символи с типографски еквивалент';
|
||||
$lang['dformat'] = 'Формат на датата (виж. <a href="http://php.net/strftime">strftime</a> функцията на PHP)';
|
||||
$lang['signature'] = 'Подпис - какво да внася бутона "Вмъкване на подпис" от редактора';
|
||||
$lang['showuseras'] = 'Какво да се показва за потребителя, който последно е променил дадена страницата';
|
||||
$lang['toptoclevel'] = 'Главно ниво (заглавие) за съдържанието';
|
||||
$lang['tocminheads'] = 'Минимален брой заглавия, определящ дали да бъде създадено съдържание';
|
||||
$lang['maxtoclevel'] = 'Максимален брой нива (заглавия) за включване в съдържанието';
|
||||
$lang['maxseclevel'] = 'Максимален брой нива предоставяни за самостоятелно редактиране';
|
||||
$lang['camelcase'] = 'Ползване на CamelCase за линкове';
|
||||
$lang['deaccent'] = 'Почистване имената на страниците (на файловете)';
|
||||
$lang['useheading'] = 'Ползване на първото заглавие за име на страница';
|
||||
$lang['sneaky_index'] = 'Стандартно DokuWiki ще показва всички именни пространства в индекса. Опцията скрива тези, за които потребителят няма права за четене. Това може да доведе и до скриване на иначе достъпни подименни пространства. С определени настройки на списъците за контрол на достъпа (ACL) може да направи индекса неизползваем. ';
|
||||
$lang['hidepages'] = 'Скриване на страниците съвпадащи с този регулярен израз(regular expressions)';
|
||||
$lang['useacl'] = 'Ползване на списъци за достъп';
|
||||
$lang['autopasswd'] = 'Автоматично генериране на пароли, на нови потребители и пращане по пощата';
|
||||
$lang['authtype'] = 'Метод за удостоверяване';
|
||||
$lang['passcrypt'] = 'Метод за криптиране на паролите';
|
||||
$lang['defaultgroup'] = 'Стандартна група';
|
||||
$lang['superuser'] = 'Супер потребител - група, потребител или списък със стойности разделени чрез запетая (user1,@group1,user2) с пълен достъп до всички страници и функции без значение от настройките на списъците за достъп (ACL)';
|
||||
$lang['manager'] = 'Управител - група, потребител или списък със стойности разделени чрез запетая (user1,@group1,user2) с достъп до определени управленски функции ';
|
||||
$lang['profileconfirm'] = 'Потвърждаване на промени в профила с парола';
|
||||
$lang['rememberme'] = 'Ползване на постоянни бисквитки за вписване (за функцията "Запомни ме")';
|
||||
$lang['disableactions'] = 'Изключване функции на DokuWiki';
|
||||
$lang['disableactions_check'] = 'Проверка';
|
||||
$lang['disableactions_subscription'] = 'Абониране/Отписване';
|
||||
$lang['disableactions_wikicode'] = 'Преглед на кода/Експортиране на оригинална версия';
|
||||
$lang['disableactions_other'] = 'Други действия (разделени със запетая)';
|
||||
$lang['auth_security_timeout'] = 'Автоматично проверяване на удостоверяването всеки (сек)';
|
||||
$lang['securecookie'] = 'Да се изпращат ли бисквитките зададени чрез HTTPS, само чрез HTTPS от браузъра? Изключете опцията, когато SSL се ползва само за вписване, а четенето е без SSL.';
|
||||
$lang['remote'] = 'Включване на системата за отдалечен API достъп. Това ще позволи на приложения да се свързват с DokuWiki чрез XML-RPC или друг механизъм.';
|
||||
$lang['remoteuser'] = 'Ограничаване на отдалечения API достъп - активиране само за следните групи и потребители (отделени със запетая). Ако оставите полето празно всеки ще има достъп достъп.';
|
||||
$lang['usewordblock'] = 'Блокиране на SPAM въз основа на на списък от думи';
|
||||
$lang['relnofollow'] = 'Ползване на rel="nofollow" за външни препратки';
|
||||
$lang['indexdelay'] = 'Забавяне преди индексиране (сек)';
|
||||
$lang['mailguard'] = 'Промяна на адресите на ел. поща (във форма непозволяваща пращането на SPAM)';
|
||||
$lang['iexssprotect'] = 'Проверяване на качените файлове за вероятен зловреден JavaScript и HTML код';
|
||||
$lang['usedraft'] = 'Автоматично запазване на чернова по време на редактиране';
|
||||
$lang['htmlok'] = 'Разрешаване вграждането на HTML код';
|
||||
$lang['phpok'] = 'Разрешаване вграждането на PHP код';
|
||||
$lang['locktime'] = 'Макс. период за съхраняване на заключените файлове (сек)';
|
||||
$lang['cachetime'] = 'Макс. период за съхраняване на кеша (сек)';
|
||||
$lang['target____wiki'] = 'Прозорец за вътрешни препратки';
|
||||
$lang['target____interwiki'] = 'Прозорец за препратки към други Wiki сайтове';
|
||||
$lang['target____extern'] = 'Прозорец за външни препратки';
|
||||
$lang['target____media'] = 'Прозорец за медийни препратки';
|
||||
$lang['target____windows'] = 'Прозорец за препратки към Windows';
|
||||
$lang['mediarevisions'] = 'Да се пазят ли стари версии на качените файлове (Mediarevisions)?';
|
||||
$lang['refcheck'] = 'Проверка за препратка към медия, преди да бъде изтрита';
|
||||
$lang['gdlib'] = 'Версия на GD Lib';
|
||||
$lang['im_convert'] = 'Път до инструмента за трансформация на ImageMagick';
|
||||
$lang['jpg_quality'] = 'Качество на JPG компресията (0-100)';
|
||||
$lang['fetchsize'] = 'Максимален размер (байтове), който fetch.php може да сваля';
|
||||
$lang['subscribers'] = 'Включване на поддръжката за абониране към страници';
|
||||
$lang['subscribe_time'] = 'Време след което абонаментните списъци и обобщения се изпращат (сек); Трябва да е по-малко от времето определено в recent_days.';
|
||||
$lang['notify'] = 'Пращане на съобщения за промени по страниците на следната eл. поща';
|
||||
$lang['registernotify'] = 'Пращане на информация за нови потребители на следната ел. поща';
|
||||
$lang['mailfrom'] = 'Ел. поща, която да се ползва за автоматично изпращане на ел. писма';
|
||||
$lang['mailprefix'] = 'Представка за темите (поле subject) на автоматично изпращаните ел. писма';
|
||||
$lang['htmlmail'] = 'Изпращане на по-добре изглеждащи, но по-големи по-размер HTML ел. писма. Изключете ако желаете писмата да се изпращат като чист текст.';
|
||||
$lang['sitemap'] = 'Генериране на Google sitemap (дни)';
|
||||
$lang['rss_type'] = 'Тип на XML емисията';
|
||||
$lang['rss_linkto'] = 'XML емисията препраща към';
|
||||
$lang['rss_content'] = 'Какво да показват елементите на XML емисията?';
|
||||
$lang['rss_update'] = 'Интервал на актуализиране на XML емисията (сек)';
|
||||
$lang['rss_show_summary'] = 'Показване на обобщение в заглавието на XML емисията';
|
||||
$lang['rss_media'] = 'Кой тип промени да се включват в XML мисията?';
|
||||
$lang['updatecheck'] = 'Проверяване за за нови версии и предупреждения за сигурността? Необходимо е Dokiwiki да може да се свързва със update.dokuwiki.org за тази функционалност.';
|
||||
$lang['userewrite'] = 'Ползване на nice URL адреси';
|
||||
$lang['useslash'] = 'Ползване на наклонена черта за разделител на именните пространства в URL';
|
||||
$lang['sepchar'] = 'Разделител между думите в имената на страници';
|
||||
$lang['canonical'] = 'Ползване на напълно уеднаквени URL адреси (абсолютни адреси - http://server/path)';
|
||||
$lang['fnencode'] = 'Метод за кодиране на не-ASCII именуваните файлове.';
|
||||
$lang['autoplural'] = 'Проверяване за множествено число в препратките';
|
||||
$lang['compression'] = 'Метод за компресия на attic файлове';
|
||||
$lang['gzip_output'] = 'Кодиране на съдържанието с gzip за xhtml';
|
||||
$lang['compress'] = 'Компактен CSS и javascript изглед';
|
||||
$lang['cssdatauri'] = 'Максимален размер, в байтове, до който изображенията посочени в .CSS файл ще бъдат вграждани в стила (stylesheet), за да се намали броя на HTTP заявките. Техниката не работи за версиите на IE преди 8! Препоръчителни стойности: <code>400</code> до <code>600</code> байта. Въведете <code>0</code> за изключване.';
|
||||
$lang['send404'] = 'Пращане на "HTTP 404/Page Not Found" за несъществуващи страници';
|
||||
$lang['broken_iua'] = 'Отметнете, ако ignore_user_abort функцията не работи. Може да попречи на търсенето в страниците. Знае се, че комбинацията IIS+PHP/CGI е лоша. Вижте <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Грешка 852</a> за повече информация.';
|
||||
$lang['xsendfile'] = 'Ползване на Х-Sendfile header, за да може уебсървъра да дава статични файлове? Вашият уеб сървър трябва да го поддържа.';
|
||||
$lang['renderer_xhtml'] = 'Представяне на основните изходни данни (xhtml) от Wiki-то с';
|
||||
$lang['renderer__core'] = '%s (ядрото на DokuWiki)';
|
||||
$lang['renderer__plugin'] = '%s (приставка)';
|
||||
$lang['dnslookups'] = 'DokuWiki ще търси имената на хостовете, на отдалечени IP адреси, от които потребители редактират страници. НЕ е желателно да ползвате опцията ако имате бавен или неработещ DNS сървър.';
|
||||
$lang['proxy____host'] = 'Име на прокси сървър';
|
||||
$lang['proxy____port'] = 'Порт за проксито';
|
||||
$lang['proxy____user'] = 'Потребител за проксито';
|
||||
$lang['proxy____pass'] = 'Парола за проксито';
|
||||
$lang['proxy____ssl'] = 'Ползване на SSL при свързване с проксито';
|
||||
$lang['proxy____except'] = 'Регулярен израз определящ за кои URL адреси да не се ползва прокси сървър.';
|
||||
$lang['license_o_'] = 'Нищо не е избрано';
|
||||
$lang['typography_o_0'] = 'без';
|
||||
$lang['typography_o_1'] = 'с изключение на единични кавички';
|
||||
$lang['typography_o_2'] = 'включително единични кавички (не винаги работи)';
|
||||
$lang['userewrite_o_0'] = 'без';
|
||||
$lang['userewrite_o_1'] = 'файлът .htaccess';
|
||||
$lang['userewrite_o_2'] = 'вътрешно от DokuWiki ';
|
||||
$lang['deaccent_o_0'] = 'изключено';
|
||||
$lang['deaccent_o_1'] = 'премахване на акценти';
|
||||
$lang['deaccent_o_2'] = 'транслитерация';
|
||||
$lang['gdlib_o_0'] = 'GD Lib не е достъпна';
|
||||
$lang['gdlib_o_1'] = 'Версия 1.x';
|
||||
$lang['gdlib_o_2'] = 'Автоматично разпознаване';
|
||||
$lang['rss_type_o_rss'] = 'RSS версия 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS версия 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS версия 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom версия 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom версия 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Извлечение';
|
||||
$lang['rss_content_o_diff'] = 'Обединени разлики';
|
||||
$lang['rss_content_o_htmldiff'] = 'Таблица с разликите в HTML формат';
|
||||
$lang['rss_content_o_html'] = 'Цялото съдържание на HTML страницата';
|
||||
$lang['rss_linkto_o_diff'] = 'изглед на разликите';
|
||||
$lang['rss_linkto_o_page'] = 'променената страница';
|
||||
$lang['rss_linkto_o_rev'] = 'списък на версиите';
|
||||
$lang['rss_linkto_o_current'] = 'текущата страница';
|
||||
$lang['compression_o_0'] = 'без';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'без';
|
||||
$lang['xsendfile_o_1'] = 'Специфичен lighttpd header (преди версия 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Стандартен X-Sendfile header';
|
||||
$lang['xsendfile_o_3'] = 'Специфичен Nginx X-Accel-Redirect header за пренасочване';
|
||||
$lang['showuseras_o_loginname'] = 'Име за вписване';
|
||||
$lang['showuseras_o_username'] = 'Пълно потребителско име';
|
||||
$lang['showuseras_o_email'] = 'Ел, поща (променени според настройките на mailguard)';
|
||||
$lang['showuseras_o_email_link'] = 'Ел. поща под формата на връзка тип mailto:';
|
||||
$lang['useheading_o_0'] = 'Никога';
|
||||
$lang['useheading_o_navigation'] = 'Само за навигация';
|
||||
$lang['useheading_o_content'] = 'Само за съдържанието на Wiki-то';
|
||||
$lang['useheading_o_1'] = 'Винаги';
|
||||
$lang['readdircache'] = 'Максимален период за съхраняване кеша на readdir (сек)';
|
10
projet/doku/lib/plugins/config/lang/ca-valencia/intro.txt
Normal file
10
projet/doku/lib/plugins/config/lang/ca-valencia/intro.txt
Normal file
@@ -0,0 +1,10 @@
|
||||
====== Gestor de configuració ======
|
||||
|
||||
Controle des d'esta pàgina els ajusts de DokuWiki.
|
||||
Per a obtindre ajuda sobre cada ajust vaja a [[doku>config]].
|
||||
Per a més informació al voltant d'este plúgin vaja a [[doku>config]].
|
||||
|
||||
Els ajusts mostrats en un fondo roig claret estan protegits i no els pot
|
||||
modificar en este plúgin. Els ajusts mostrats en un fondo blau tenen els valors predeterminats i els ajusts mostrats en un fondo blanc han segut modificats localment per ad esta instalació. Abdós ajusts, blaus i blancs, es poden modificar.
|
||||
|
||||
Recorde pulsar el botó **GUARDAR** ans d'anar-se'n d'esta pàgina o perdrà els canvis que haja fet.
|
171
projet/doku/lib/plugins/config/lang/ca-valencia/lang.php
Normal file
171
projet/doku/lib/plugins/config/lang/ca-valencia/lang.php
Normal file
@@ -0,0 +1,171 @@
|
||||
<?php
|
||||
/**
|
||||
* valencian language file
|
||||
*
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
* @author Bernat Arlandis i Mañó <berarma@ya.com>
|
||||
* @author Bernat Arlandis <berarma@ya.com>
|
||||
* @author Bernat Arlandis <berarma@llenguaitecnologia.com>
|
||||
*/
|
||||
$lang['menu'] = 'Ajusts de configuració';
|
||||
$lang['error'] = 'Els ajusts no s\'han actualisat per algun valor invàlit, per favor, revise els canvis i torne a guardar.
|
||||
<br />Els valors incorrectes es mostraran en una vora roja.';
|
||||
$lang['updated'] = 'Els ajusts s\'han actualisat correctament.';
|
||||
$lang['nochoice'] = '(no n\'hi ha atres opcions disponibles)';
|
||||
$lang['locked'] = 'L\'archiu de configuració no es pot actualisar, si açò no és intencionat,<br /> comprove que els permissos de l\'archiu de configuració local estiguen be.';
|
||||
$lang['danger'] = 'Perill: canviant esta opció pot fer inaccessibles el wiki i el menú de configuració.';
|
||||
$lang['warning'] = 'Advertència: canviar esta opció pot causar un comportament imprevist.';
|
||||
$lang['security'] = 'Advertència de seguritat: canviar esta opció pot presentar un risc de seguritat.';
|
||||
$lang['_configuration_manager'] = 'Gestor de configuració';
|
||||
$lang['_header_dokuwiki'] = 'Ajusts de DokuWiki';
|
||||
$lang['_header_plugin'] = 'Configuració de plúgins';
|
||||
$lang['_header_template'] = 'Configuració de plantilles';
|
||||
$lang['_header_undefined'] = 'Atres configuracions';
|
||||
$lang['_basic'] = 'Ajusts bàsics';
|
||||
$lang['_display'] = 'Ajusts de visualisació';
|
||||
$lang['_authentication'] = 'Ajusts d\'autenticació';
|
||||
$lang['_anti_spam'] = 'Ajusts anti-spam';
|
||||
$lang['_editing'] = 'Ajusts d\'edició';
|
||||
$lang['_links'] = 'Ajusts de vínculs';
|
||||
$lang['_media'] = 'Ajusts de mijos';
|
||||
$lang['_advanced'] = 'Ajusts alvançats';
|
||||
$lang['_network'] = 'Ajusts de ret';
|
||||
$lang['_msg_setting_undefined'] = 'Ajust sense informació.';
|
||||
$lang['_msg_setting_no_class'] = 'Ajust sense classe.';
|
||||
$lang['_msg_setting_no_default'] = 'Sense valor predeterminat.';
|
||||
$lang['fmode'] = 'Modo de creació d\'archius';
|
||||
$lang['dmode'] = 'Modo de creació de directoris';
|
||||
$lang['lang'] = 'Idioma';
|
||||
$lang['basedir'] = 'Directori base';
|
||||
$lang['baseurl'] = 'URL base';
|
||||
$lang['savedir'] = 'Directori per a guardar senyes';
|
||||
$lang['start'] = 'Nom de la pàgina inicial';
|
||||
$lang['title'] = 'Títul del Wiki';
|
||||
$lang['template'] = 'Plantilla';
|
||||
$lang['license'] = '¿Baix quina llicència deuen publicar-se els continguts?';
|
||||
$lang['fullpath'] = 'Mostrar en el peu el camí complet a les pàgines';
|
||||
$lang['recent'] = 'Canvis recents';
|
||||
$lang['breadcrumbs'] = 'Llongitut del rastre';
|
||||
$lang['youarehere'] = 'Rastre jeràrquic';
|
||||
$lang['typography'] = 'Fer substitucions tipogràfiques';
|
||||
$lang['htmlok'] = 'Permetre HTML';
|
||||
$lang['phpok'] = 'Permetre PHP';
|
||||
$lang['dformat'] = 'Format de data (vore la funció <a href="http://php.net/date">date</a> de PHP)';
|
||||
$lang['signature'] = 'Firma';
|
||||
$lang['toptoclevel'] = 'Nivell superior de la taula de continguts';
|
||||
$lang['tocminheads'] = 'Número mínim de titulars que generen una TDC';
|
||||
$lang['maxtoclevel'] = 'Nivell màxim de la taula de continguts';
|
||||
$lang['maxseclevel'] = 'Nivell màxim d\'edició de seccions';
|
||||
$lang['camelcase'] = 'Utilisar CamelCase per als vínculs';
|
||||
$lang['deaccent'] = 'Depurar els noms de pàgines';
|
||||
$lang['useheading'] = 'Utilisar el primer titular per al nom de pàgina';
|
||||
$lang['refcheck'] = 'Comprovar referències a mijos';
|
||||
$lang['allowdebug'] = 'Permetre depurar (<b>¡desactivar quan no es necessite!</b>)';
|
||||
$lang['usewordblock'] = 'Bloquejar spam basant-se en una llista de paraules';
|
||||
$lang['indexdelay'] = 'Retart abans d\'indexar (seg.)';
|
||||
$lang['relnofollow'] = 'Utilisar rel="nofollow" en vínculs externs';
|
||||
$lang['mailguard'] = 'Ofuscar les direccions de correu';
|
||||
$lang['iexssprotect'] = 'Comprovar que els archius pujats no tinguen possible còdic Javascript o HTML maliciós';
|
||||
$lang['showuseras'] = 'Qué mostrar quan aparega l\'últim usuari que ha editat la pàgina';
|
||||
$lang['useacl'] = 'Utilisar llistes de control d\'accés';
|
||||
$lang['autopasswd'] = 'Generar contrasenyes automàticament';
|
||||
$lang['authtype'] = 'Sistema d\'autenticació';
|
||||
$lang['passcrypt'] = 'Método de sifrat de la contrasenya';
|
||||
$lang['defaultgroup'] = 'Grup predeterminat';
|
||||
$lang['superuser'] = 'Super-usuari - grup, usuari o llista separada per comes (usuari1,@grup1,usuari2) en accés total a totes les pàgines i funcions independentment dels ajusts ACL';
|
||||
$lang['manager'] = 'Manager - grup, usuari o llista separada per comes (usuari1,@grup1,usuari2) en accés a certes funcions d\'administració';
|
||||
$lang['profileconfirm'] = 'Confirmar canvis al perfil en la contrasenya';
|
||||
$lang['disableactions'] = 'Desactivar accions de DokuWiki';
|
||||
$lang['disableactions_check'] = 'Comprovar';
|
||||
$lang['disableactions_subscription'] = 'Subscriure\'s/Desubscriure\'s';
|
||||
$lang['disableactions_wikicode'] = 'Vore font/exportar còdic';
|
||||
$lang['disableactions_other'] = 'Atres accions (separades per comes)';
|
||||
$lang['sneaky_index'] = 'Normalment, DokuWiki mostra tots els espais de noms en la vista d\'índex. Activant esta opció s\'ocultaran aquells per als que l\'usuari no tinga permís de llectura. Açò pot ocultar subespais accessibles i inutilisar l\'índex per a certes configuracions del ACL.';
|
||||
$lang['auth_security_timeout'] = 'Temps de seguritat màxim per a l\'autenticació (segons)';
|
||||
$lang['securecookie'] = '¿El navegador deuria enviar per HTTPS només les galletes que s\'han generat per HTTPS? Desactive esta opció quan utilise SSL només en la pàgina d\'inici de sessió.';
|
||||
$lang['updatecheck'] = '¿Buscar actualisacions i advertències de seguritat? DokuWiki necessita conectar a update.dokuwiki.org per ad açò.';
|
||||
$lang['userewrite'] = 'Utilisar URL millorades';
|
||||
$lang['useslash'] = 'Utilisar \'/\' per a separar espais de noms en les URL';
|
||||
$lang['usedraft'] = 'Guardar automàticament un borrador mentres edite';
|
||||
$lang['sepchar'] = 'Separador de paraules en els noms de pàgines';
|
||||
$lang['canonical'] = 'Utilisar URL totalment canòniques';
|
||||
$lang['autoplural'] = 'Buscar formes en plural en els vínculs';
|
||||
$lang['compression'] = 'Método de compressió per als archius de l\'àtic';
|
||||
$lang['cachetime'] = 'Edat màxima de la caché (seg.)';
|
||||
$lang['locktime'] = 'Edat màxima d\'archius de bloqueig (seg.)';
|
||||
$lang['fetchsize'] = 'Tamany màxim (bytes) que fetch.php pot descarregar externament';
|
||||
$lang['notify'] = 'Enviar notificacions de canvis ad esta direcció de correu';
|
||||
$lang['registernotify'] = 'Enviar informació d\'usuaris recentment registrats ad esta direcció de correu';
|
||||
$lang['mailfrom'] = 'Direcció de correu a utilisar per a mensages automàtics';
|
||||
$lang['gzip_output'] = 'Utilisar Content-Encoding gzip per a xhtml';
|
||||
$lang['gdlib'] = 'Versió de GD Lib';
|
||||
$lang['im_convert'] = 'Ruta a la ferramenta de conversió ImageMagick';
|
||||
$lang['jpg_quality'] = 'Calitat de compressió JPG (0-100)';
|
||||
$lang['subscribers'] = 'Activar la subscripció a pàgines';
|
||||
$lang['compress'] = 'Compactar l\'eixida CSS i Javascript';
|
||||
$lang['hidepages'] = 'Amagar les pàgines coincidents (expressions regulars)';
|
||||
$lang['send404'] = 'Enviar "HTTP 404/Page Not Found" per a les pàgines que no existixen';
|
||||
$lang['sitemap'] = 'Generar sitemap de Google (dies)';
|
||||
$lang['broken_iua'] = '¿La funció ignore_user_abort funciona mal en este sistema? Podria ser la causa d\'un índex de busca que no funcione. Es sap que IIS+PHP/CGI té este problema. Veja <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a> per a més informació.';
|
||||
$lang['xsendfile'] = '¿Utilisar l\'encapçalat X-Sendfile per a que el servidor web servixca archius estàtics? El servidor web ho ha d\'admetre.';
|
||||
$lang['renderer_xhtml'] = 'Visualisador a utilisar per a l\'eixida principal del wiki (xhtml)';
|
||||
$lang['renderer__core'] = '%s (dokuwiki core)';
|
||||
$lang['renderer__plugin'] = '%s (plúgin)';
|
||||
$lang['rememberme'] = 'Permetre recordar permanentment la sessió (recordar-me)';
|
||||
$lang['rss_type'] = 'Tipo de canal XML';
|
||||
$lang['rss_linkto'] = 'El canal XML vincula a';
|
||||
$lang['rss_content'] = '¿Qué mostrar en els ítems del canal XML?';
|
||||
$lang['rss_update'] = 'Interval d\'actualisació del canal XML (seg.)';
|
||||
$lang['recent_days'] = 'Quànts canvis recents guardar (dies)';
|
||||
$lang['rss_show_summary'] = 'Que el canal XML mostre el sumari en el títul';
|
||||
$lang['target____wiki'] = 'Finestra destí per a vínculs interns';
|
||||
$lang['target____interwiki'] = 'Finestra destí per a vínculs d\'interwiki';
|
||||
$lang['target____extern'] = 'Finestra destí per a vínculs externs';
|
||||
$lang['target____media'] = 'Finestra destí per a vinculs a mijos';
|
||||
$lang['target____windows'] = 'Finestra destí per a vínculs a finestres';
|
||||
$lang['proxy____host'] = 'Nom del servidor proxy';
|
||||
$lang['proxy____port'] = 'Port del proxy';
|
||||
$lang['proxy____user'] = 'Nom d\'usuari del proxy';
|
||||
$lang['proxy____pass'] = 'Contrasenya del proxy';
|
||||
$lang['proxy____ssl'] = 'Utilisar SSL per a conectar al proxy';
|
||||
$lang['license_o_'] = 'Cap triada';
|
||||
$lang['typography_o_0'] = 'cap';
|
||||
$lang['typography_o_1'] = 'Excloure cometes simples';
|
||||
$lang['typography_o_2'] = 'Incloure cometes simples (podria no funcionar sempre)';
|
||||
$lang['userewrite_o_0'] = 'cap';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'Interna de DokuWiki';
|
||||
$lang['deaccent_o_0'] = 'desactivat';
|
||||
$lang['deaccent_o_1'] = 'llevar accents';
|
||||
$lang['deaccent_o_2'] = 'romanisar';
|
||||
$lang['gdlib_o_0'] = 'GD Lib no està disponible';
|
||||
$lang['gdlib_o_1'] = 'Versió 1.x';
|
||||
$lang['gdlib_o_2'] = 'Autodetecció';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Abstracte';
|
||||
$lang['rss_content_o_diff'] = 'Unified Diff';
|
||||
$lang['rss_content_o_htmldiff'] = 'Taula de diferències en format HTML';
|
||||
$lang['rss_content_o_html'] = 'Contingut complet de la pàgina en HTML';
|
||||
$lang['rss_linkto_o_diff'] = 'mostrar diferències';
|
||||
$lang['rss_linkto_o_page'] = 'la pàgina revisada';
|
||||
$lang['rss_linkto_o_rev'] = 'llista de revisions';
|
||||
$lang['rss_linkto_o_current'] = 'la pàgina actual';
|
||||
$lang['compression_o_0'] = 'cap';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'No utilisar';
|
||||
$lang['xsendfile_o_1'] = 'Encapçalat propietari lighttpd (abans de la versió 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Encapçalat Standard X-Sendfile';
|
||||
$lang['xsendfile_o_3'] = 'Encapçalat propietari Nginx X-Accel-Redirect';
|
||||
$lang['showuseras_o_loginname'] = 'Nom d\'inici de sessió';
|
||||
$lang['showuseras_o_username'] = 'Nom complet de l\'usuari';
|
||||
$lang['showuseras_o_email'] = 'Direcció de correu de l\'usuari (oculta segons la configuració)';
|
||||
$lang['showuseras_o_email_link'] = 'Direcció de correu de l\'usuari com un víncul mailto:';
|
||||
$lang['useheading_o_0'] = 'Mai';
|
||||
$lang['useheading_o_navigation'] = 'Només navegació';
|
||||
$lang['useheading_o_content'] = 'Només contingut del wiki';
|
||||
$lang['useheading_o_1'] = 'Sempre';
|
7
projet/doku/lib/plugins/config/lang/ca/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/ca/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Gestió de la configuració ======
|
||||
|
||||
Utilitzeu aquesta pàgina per controlar els paràmetres de la vostra instal·lació de DokuWiki. Ajuda sobre paràmetres individuals en [[doku>config]]. Més detalls sobre aquest connector en [[doku>plugin:config]].
|
||||
|
||||
Els paràmetres que es visualitzen sobre fons vermell clar estan protegits i no es poden modificar amb aquest connector. Els paràmetres que es visualitzen sobre fons blau tenen valors per defecte. Els de fons blanc s'han configurat localment per a aquesta instal·lació. Tant els blaus com els blanc es poden modificar.
|
||||
|
||||
Recordeu que cal prémer el botó **DESA** abans de sortir d'aquesta pàgina, o si no es perdrien els canvis.
|
187
projet/doku/lib/plugins/config/lang/ca/lang.php
Normal file
187
projet/doku/lib/plugins/config/lang/ca/lang.php
Normal file
@@ -0,0 +1,187 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Adolfo Jayme Barrientos <fito@libreoffice.org>
|
||||
* @author Carles Bellver <carles.bellver@gmail.com>
|
||||
* @author carles.bellver <carles.bellver@cent.uji.es>
|
||||
* @author daniel <daniel@6temes.cat>
|
||||
* @author controlonline.net <controlonline.net@gmail.com>
|
||||
* @author Pauet <pauet@gmx.com>
|
||||
* @author Àngel Pérez Beroy <aperezberoy@gmail.com>
|
||||
* @author David Surroca <david.tb303@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'Paràmetres de configuració';
|
||||
$lang['error'] = 'Els paràmetres no s\'han pogut actualitzar per causa d\'un valor incorrecte Reviseu els canvis i torneu a enviar-los.<br />Els valors incorrectes es ressaltaran amb un marc vermell.';
|
||||
$lang['updated'] = 'Els paràmetres s\'han actualitzat amb èxit.';
|
||||
$lang['nochoice'] = '(no hi altres opcions disponibles)';
|
||||
$lang['locked'] = 'El fitxer de paràmetres no es pot actualitzar. Si això és involuntari, <br />
|
||||
assegureu-vos que el nom i els permisos del fitxer local de paràmetres són correctes.';
|
||||
$lang['danger'] = 'Alerta: si canvieu aquesta opció podeu fer que el wiki i el menú de configuració no siguin accessibles.';
|
||||
$lang['warning'] = 'Avís: modificar aquesta opció pot provocar un comportament no desitjat.';
|
||||
$lang['security'] = 'Avís de seguretat: modificar aquesta opció pot implicar un risc de seguretat.';
|
||||
$lang['_configuration_manager'] = 'Gestió de la configuració';
|
||||
$lang['_header_dokuwiki'] = 'Paràmetres de DokuWiki';
|
||||
$lang['_header_plugin'] = 'Paràmetres de connectors';
|
||||
$lang['_header_template'] = 'Paràmetres de plantilles';
|
||||
$lang['_header_undefined'] = 'Paràmetres no definits';
|
||||
$lang['_basic'] = 'Paràmetres bàsics';
|
||||
$lang['_display'] = 'Paràmetres de visualització';
|
||||
$lang['_authentication'] = 'Paràmetres d\'autenticació';
|
||||
$lang['_anti_spam'] = 'Paràmetres anti-brossa';
|
||||
$lang['_editing'] = 'Paràmetres d\'edició';
|
||||
$lang['_links'] = 'Paràmetres d\'enllaços';
|
||||
$lang['_media'] = 'Paràmetres de mitjans';
|
||||
$lang['_notifications'] = 'Paràmetres de notificació';
|
||||
$lang['_syndication'] = 'Paràmetres de sindicació';
|
||||
$lang['_advanced'] = 'Paràmetres avançats';
|
||||
$lang['_network'] = 'Paràmetres de xarxa';
|
||||
$lang['_msg_setting_undefined'] = 'Falten metadades de paràmetre.';
|
||||
$lang['_msg_setting_no_class'] = 'Falta classe de paràmetre.';
|
||||
$lang['_msg_setting_no_default'] = 'No hi ha valor per defecte.';
|
||||
$lang['title'] = 'Títol del wiki';
|
||||
$lang['start'] = 'Nom de la pàgina d\'inici';
|
||||
$lang['lang'] = 'Idioma';
|
||||
$lang['template'] = 'Plantilla';
|
||||
$lang['tagline'] = 'Lema (si la plantilla ho suporta)';
|
||||
$lang['sidebar'] = 'Nom de la barra lateral (si la plantilla ho suporta). Si ho deixeu buit, la barra lateral es deshabilitarà.';
|
||||
$lang['license'] = 'Amb quina llicència voleu publicar el contingut?';
|
||||
$lang['savedir'] = 'Directori per desar les dades';
|
||||
$lang['basedir'] = 'Directori base';
|
||||
$lang['baseurl'] = 'URL base';
|
||||
$lang['cookiedir'] = 'Adreça per a les galetes. Si ho deixeu en blanc, es farà servir la URL base.';
|
||||
$lang['dmode'] = 'Mode de creació de directoris';
|
||||
$lang['fmode'] = 'Mode de creació de fitxers';
|
||||
$lang['allowdebug'] = 'Permet depuració <strong>inhabiliteu si no és necessari</strong>';
|
||||
$lang['recent'] = 'Canvis recents';
|
||||
$lang['recent_days'] = 'Quantitat de canvis recents que es mantenen (dies)';
|
||||
$lang['breadcrumbs'] = 'Nombre d\'engrunes';
|
||||
$lang['youarehere'] = 'Camí d\'engrunes jeràrquic';
|
||||
$lang['fullpath'] = 'Mostra el camí complet de les pàgines al peu';
|
||||
$lang['typography'] = 'Substitucions tipogràfiques';
|
||||
$lang['dformat'] = 'Format de data (vg. la funció PHP <a href="http://php.net/strftime">strftime</a>)';
|
||||
$lang['signature'] = 'Signatura';
|
||||
$lang['showuseras'] = 'Què cal visualitzar quan es mostra el darrer usuari que ha editat la pàgina';
|
||||
$lang['toptoclevel'] = 'Nivell superior per a la taula de continguts';
|
||||
$lang['tocminheads'] = 'Quantitat mínima d\'encapçalaments que determina si es construeix o no la taula de continguts.';
|
||||
$lang['maxtoclevel'] = 'Nivell màxim per a la taula de continguts';
|
||||
$lang['maxseclevel'] = 'Nivell màxim d\'edició de seccions';
|
||||
$lang['camelcase'] = 'Utilitza CamelCase per als enllaços';
|
||||
$lang['deaccent'] = 'Noms de pàgina nets';
|
||||
$lang['useheading'] = 'Utilitza el primer encapçalament per als noms de pàgina';
|
||||
$lang['sneaky_index'] = 'Per defecte, DokuWiki mostrarà tots els espai en la visualització d\'índex. Si activeu aquest paràmetre, s\'ocultaran aquells espais en els quals l\'usuari no té accés de lectura. Això pot fer que s\'ocultin subespais que sí que són accessibles. En algunes configuracions ACL pot fer que l\'índex resulti inutilitzable.';
|
||||
$lang['hidepages'] = 'Oculta pàgines coincidents (expressions regulars)';
|
||||
$lang['useacl'] = 'Utilitza llistes de control d\'accés';
|
||||
$lang['autopasswd'] = 'Generació automàtica de contrasenyes';
|
||||
$lang['authtype'] = 'Rerefons d\'autenticació';
|
||||
$lang['passcrypt'] = 'Mètode d\'encriptació de contrasenyes';
|
||||
$lang['defaultgroup'] = 'Grup per defecte';
|
||||
$lang['superuser'] = 'Superusuari: un grup o usuari amb accés complet a totes les pàgines i funcions independentment dels paràmetres ACL';
|
||||
$lang['manager'] = 'Administrador: un grup o usuari amb accés a certes funcions d\'administració';
|
||||
$lang['profileconfirm'] = 'Confirma amb contrasenya els canvis en el perfil';
|
||||
$lang['rememberme'] = 'Permet galetes de sessió permanents ("recorda\'m")';
|
||||
$lang['disableactions'] = 'Inhabilita accions DokuWiki';
|
||||
$lang['disableactions_check'] = 'Revisa';
|
||||
$lang['disableactions_subscription'] = 'Subscripció/cancel·lació';
|
||||
$lang['disableactions_wikicode'] = 'Mostra/exporta font';
|
||||
$lang['disableactions_profile_delete'] = 'Suprimeix el propi compte';
|
||||
$lang['disableactions_other'] = 'Altres accions (separades per comes)';
|
||||
$lang['auth_security_timeout'] = 'Temps d\'espera de seguretat en l\'autenticació (segons)';
|
||||
$lang['securecookie'] = 'Les galetes que s\'han creat via HTTPS, només s\'han d\'enviar des del navegador per HTTPS? Inhabiliteu aquesta opció si només l\'inici de sessió del wiki es fa amb SSL i la navegació del wiki es fa sense seguretat.';
|
||||
$lang['usewordblock'] = 'Bloca brossa per llista de paraules';
|
||||
$lang['relnofollow'] = 'Utilitza rel="nofollow" en enllaços externs';
|
||||
$lang['indexdelay'] = 'Retard abans d\'indexar (segons)';
|
||||
$lang['mailguard'] = 'Ofusca les adreces de correu';
|
||||
$lang['iexssprotect'] = 'Comprova codi HTML o Javascript maligne en els fitxers penjats';
|
||||
$lang['usedraft'] = 'Desa automàticament un esborrany mentre s\'edita';
|
||||
$lang['htmlok'] = 'Permet HTML incrustat';
|
||||
$lang['phpok'] = 'Permet PHP incrustat';
|
||||
$lang['locktime'] = 'Durada màxima dels fitxers de bloqueig (segons)';
|
||||
$lang['cachetime'] = 'Durada màxima de la memòria cau (segons)';
|
||||
$lang['target____wiki'] = 'Finestra de destinació en enllaços interns';
|
||||
$lang['target____interwiki'] = 'Finestra de destinació en enllaços interwiki';
|
||||
$lang['target____extern'] = 'Finestra de destinació en enllaços externs';
|
||||
$lang['target____media'] = 'Finestra de destinació en enllaços de mitjans';
|
||||
$lang['target____windows'] = 'Finestra de destinació en enllaços de Windows';
|
||||
$lang['refcheck'] = 'Comprova la referència en els fitxers de mitjans';
|
||||
$lang['gdlib'] = 'Versió GD Lib';
|
||||
$lang['im_convert'] = 'Camí de la utilitat convert d\'ImageMagick';
|
||||
$lang['jpg_quality'] = 'Qualitat de compressió JPEG (0-100)';
|
||||
$lang['fetchsize'] = 'Mida màxima (bytes) que fetch.php pot baixar d\'un lloc extern';
|
||||
$lang['subscribers'] = 'Habilita la subscripció a pàgines';
|
||||
$lang['notify'] = 'Envia notificacions de canvis a aquesta adreça de correu';
|
||||
$lang['registernotify'] = 'Envia informació sobre nous usuaris registrats a aquesta adreça de correu';
|
||||
$lang['mailfrom'] = 'Adreça de correu remitent per a missatges automàtics';
|
||||
$lang['sitemap'] = 'Genera mapa del lloc en format Google (dies)';
|
||||
$lang['rss_type'] = 'Tipus de canal XML';
|
||||
$lang['rss_linkto'] = 'Destinació dels enllaços en el canal XML';
|
||||
$lang['rss_content'] = 'Què es mostrarà en els elements del canal XML?';
|
||||
$lang['rss_update'] = 'Interval d\'actualització del canal XML (segons)';
|
||||
$lang['rss_show_summary'] = 'Mostra resum en els títols del canal XML';
|
||||
$lang['rss_media_o_pages'] = 'pàgines';
|
||||
$lang['updatecheck'] = 'Comprova actualitzacions i avisos de seguretat. DokuWiki necessitarà contactar amb update.dokuwiki.org per utilitzar aquesta característica.';
|
||||
$lang['userewrite'] = 'Utilitza URL nets';
|
||||
$lang['useslash'] = 'Utilitza la barra / com a separador d\'espais en els URL';
|
||||
$lang['sepchar'] = 'Separador de paraules en els noms de pàgina';
|
||||
$lang['canonical'] = 'Utilitza URL canònics complets';
|
||||
$lang['autoplural'] = 'Comprova formes plurals en els enllaços';
|
||||
$lang['compression'] = 'Mètode de compressió per als fitxers de les golfes';
|
||||
$lang['gzip_output'] = 'Codifica contingut xhtml com a gzip';
|
||||
$lang['compress'] = 'Sortida CSS i Javascript compacta';
|
||||
$lang['send404'] = 'Envia "HTTP 404/Page Not Found" per a les pàgines inexistents';
|
||||
$lang['broken_iua'] = 'No funciona en el vostre sistema la funció ignore_user_abort? Això podria malmetre l\'índex de cerques. Amb IIS+PHP/CGI se sap que no funciona. Vg. <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a> per a més informació.';
|
||||
$lang['xsendfile'] = 'Utilitza la capçalera X-Sendfile perquè el servidor web distribueixi fitxers estàtics. No funciona amb tots els servidors web.';
|
||||
$lang['renderer_xhtml'] = 'Renderitzador que cal utilitzar per a la sortida principal (xhtml) del wiki';
|
||||
$lang['renderer__core'] = '%s (ànima del dokuwiki)';
|
||||
$lang['renderer__plugin'] = '%s (connector)';
|
||||
$lang['search_fragment_o_exact'] = 'exacte';
|
||||
$lang['search_fragment_o_starts_with'] = 'comença per';
|
||||
$lang['search_fragment_o_ends_with'] = 'termina per';
|
||||
$lang['search_fragment_o_contains'] = 'conté';
|
||||
$lang['proxy____host'] = 'Nom del servidor intermediari';
|
||||
$lang['proxy____port'] = 'Port del servidor intermediari';
|
||||
$lang['proxy____user'] = 'Nom d\'usuari del servidor intermediari';
|
||||
$lang['proxy____pass'] = 'Contrasenya del servidor intermediari';
|
||||
$lang['proxy____ssl'] = 'Utilitza SSL per connectar amb el servidor intermediari';
|
||||
$lang['license_o_'] = 'Cap selecció';
|
||||
$lang['typography_o_0'] = 'cap';
|
||||
$lang['typography_o_1'] = 'només cometes dobles';
|
||||
$lang['typography_o_2'] = 'totes les cometes (podria no funcionar sempre)';
|
||||
$lang['userewrite_o_0'] = 'cap';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'intern del DokuWiki';
|
||||
$lang['deaccent_o_0'] = 'desactivat';
|
||||
$lang['deaccent_o_1'] = 'treure accents';
|
||||
$lang['deaccent_o_2'] = 'romanització';
|
||||
$lang['gdlib_o_0'] = 'GD Lib no està disponible';
|
||||
$lang['gdlib_o_1'] = 'Versió 1.x';
|
||||
$lang['gdlib_o_2'] = 'Detecció automàtica';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Resum';
|
||||
$lang['rss_content_o_diff'] = 'Diff unificat';
|
||||
$lang['rss_content_o_htmldiff'] = 'Taula de diferències en format HTML';
|
||||
$lang['rss_content_o_html'] = 'Contingut complet de la pàgina en format HTML';
|
||||
$lang['rss_linkto_o_diff'] = 'Visualització de diferències';
|
||||
$lang['rss_linkto_o_page'] = 'pàgina modificada';
|
||||
$lang['rss_linkto_o_rev'] = 'llista de revisions';
|
||||
$lang['rss_linkto_o_current'] = 'revisió actual';
|
||||
$lang['compression_o_0'] = 'cap';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'no utilitzis';
|
||||
$lang['xsendfile_o_1'] = 'Capçalera pròpia de lighttpd (anterior a la versió 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Capçalera X-Sendfile estàndard';
|
||||
$lang['xsendfile_o_3'] = 'Capçalera X-Accel-Redirect de propietat de Nginx ';
|
||||
$lang['showuseras_o_loginname'] = 'Nom d\'usuari';
|
||||
$lang['showuseras_o_username'] = 'Nom complet de l\'usuari';
|
||||
$lang['showuseras_o_email'] = 'Adreça de correu electrònic de l\'usuari (ofuscada segons el paràmetre de configuració corresponent)';
|
||||
$lang['showuseras_o_email_link'] = 'Adreça de correu electrònic amb enllaç mailto:';
|
||||
$lang['useheading_o_0'] = 'Mai';
|
||||
$lang['useheading_o_navigation'] = 'Només navegació';
|
||||
$lang['useheading_o_content'] = 'Només contingut wiki';
|
||||
$lang['useheading_o_1'] = 'Sempre';
|
7
projet/doku/lib/plugins/config/lang/cs/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/cs/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Správa nastavení ======
|
||||
|
||||
Tuto stránku můžete používat ke správě nastavení vaší instalace DokuWiki. Nápovědu pro konkrétní položky nastavení naleznete na [[doku>config]]. Pro další detaily o tomto pluginu viz [[doku>plugin:config]].
|
||||
|
||||
Položky se světle červeným pozadím jsou chráněné a nelze je upravovat tímto pluginem. Položky s modrým pozadím jsou výchozí hodnoty a položky s bílým pozadím byly nastaveny lokálně v této konkrétní instalaci. Modré i bílé položky je možné upravovat.
|
||||
|
||||
Než opustíte tuto stránku, nezapomeňte stisknout tlačítko **Uložit**, jinak budou změny ztraceny.
|
234
projet/doku/lib/plugins/config/lang/cs/lang.php
Normal file
234
projet/doku/lib/plugins/config/lang/cs/lang.php
Normal file
@@ -0,0 +1,234 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Petr Kajzar <petr.kajzar@lf1.cuni.cz>
|
||||
* @author Aleksandr Selivanov <alexgearbox@yandex.ru>
|
||||
* @author Robert Surý <rsurycz@seznam.cz>
|
||||
* @author Martin Hořínek <hev@hev.cz>
|
||||
* @author Jonáš Dyba <jonas.dyba@gmail.com>
|
||||
* @author Bohumir Zamecnik <bohumir@zamecnik.org>
|
||||
* @author Zbynek Krivka <zbynek.krivka@seznam.cz>
|
||||
* @author tomas <tomas@valenta.cz>
|
||||
* @author Marek Sacha <sachamar@fel.cvut.cz>
|
||||
* @author Lefty <lefty@multihost.cz>
|
||||
* @author Vojta Beran <xmamut@email.cz>
|
||||
* @author Jakub A. Těšínský (j@kub.cz)
|
||||
* @author mkucera66 <mkucera66@seznam.cz>
|
||||
* @author Jaroslav Lichtblau <jlichtblau@seznam.cz>
|
||||
* @author Turkislav <turkislav@blabla.com>
|
||||
* @author Daniel Slováček <danslo@danslo.cz>
|
||||
* @author Martin Růžička <martinr@post.cz>
|
||||
* @author Pavel Krupička <pajdacz@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'Správa nastavení';
|
||||
$lang['error'] = 'Nastavení nebyla změněna kvůli alespoň jedné neplatné položce,
|
||||
zkontrolujte prosím své úpravy a odešlete je znovu.<br />
|
||||
Neplatné hodnoty se zobrazí v červeném rámečku.';
|
||||
$lang['updated'] = 'Nastavení byla úspěšně upravena.';
|
||||
$lang['nochoice'] = '(nejsou k dispozici žádné další volby)';
|
||||
$lang['locked'] = 'Nelze upravovat soubor s nastavením. Pokud to není záměrné,
|
||||
ujistěte se, <br /> že název a přístupová práva souboru s lokálním
|
||||
nastavením jsou v pořádku.';
|
||||
$lang['danger'] = 'Pozor: Změna tohoto nastavení může způsobit nedostupnost wiki a konfiguračních menu.';
|
||||
$lang['warning'] = 'Varování: Změna nastavení může mít za následek chybné chování.';
|
||||
$lang['security'] = 'Bezpečnostní varování: Změna tohoto nastavení může způsobit bezpečnostní riziko.';
|
||||
$lang['_configuration_manager'] = 'Správa nastavení';
|
||||
$lang['_header_dokuwiki'] = 'Nastavení DokuWiki';
|
||||
$lang['_header_plugin'] = 'Nastavení pluginů';
|
||||
$lang['_header_template'] = 'Nastavení šablon';
|
||||
$lang['_header_undefined'] = 'Další nastavení';
|
||||
$lang['_basic'] = 'Základní nastavení';
|
||||
$lang['_display'] = 'Nastavení zobrazení';
|
||||
$lang['_authentication'] = 'Nastavení autentizace';
|
||||
$lang['_anti_spam'] = 'Protispamová nastavení';
|
||||
$lang['_editing'] = 'Nastavení editace';
|
||||
$lang['_links'] = 'Nastavení odkazů';
|
||||
$lang['_media'] = 'Nastavení médií';
|
||||
$lang['_notifications'] = 'Nastavení upozornění';
|
||||
$lang['_syndication'] = 'Nastavení syndikace';
|
||||
$lang['_advanced'] = 'Pokročilá nastavení';
|
||||
$lang['_network'] = 'Nastavení sítě';
|
||||
$lang['_msg_setting_undefined'] = 'Chybí metadata položky.';
|
||||
$lang['_msg_setting_no_class'] = 'Chybí třída položky.';
|
||||
$lang['_msg_setting_no_known_class'] = 'Konfigurační třída není dostupná.';
|
||||
$lang['_msg_setting_no_default'] = 'Chybí výchozí hodnota položky.';
|
||||
$lang['title'] = 'Název celé wiki';
|
||||
$lang['start'] = 'Název úvodní stránky';
|
||||
$lang['lang'] = 'Jazyk';
|
||||
$lang['template'] = 'Šablona';
|
||||
$lang['tagline'] = 'Slogan (pokud ho šablona podporuje)';
|
||||
$lang['sidebar'] = 'Jméno stránky s obsahem postranní lišty (pokud ho šablona podporuje). Prázdné pole postranní lištu deaktivuje.';
|
||||
$lang['license'] = 'Pod jakou licencí má být tento obsah publikován?';
|
||||
$lang['savedir'] = 'Adresář pro ukládání dat';
|
||||
$lang['basedir'] = 'Kořenový adresář (např. <code>/dokuwiki/</code>). Pro autodetekci nechte prázdné.';
|
||||
$lang['baseurl'] = 'Kořenové URL (např. <code>http://www.yourserver.com</code>). Pro autodetekci nechte prázdné.';
|
||||
$lang['cookiedir'] = 'Cesta pro cookie. Není-li vyplněno, použije se kořenové URL.';
|
||||
$lang['dmode'] = 'Přístupová práva pro vytváření adresářů';
|
||||
$lang['fmode'] = 'Přístupová práva pro vytváření souborů';
|
||||
$lang['allowdebug'] = 'Povolit debugování. <b>Vypněte, pokud to nepotřebujete!</b>';
|
||||
$lang['recent'] = 'Počet položek v nedávných změnách';
|
||||
$lang['recent_days'] = 'Jak staré nedávné změny zobrazovat (ve dnech)';
|
||||
$lang['breadcrumbs'] = 'Počet odkazů na navštívené stránky';
|
||||
$lang['youarehere'] = 'Hierarchická "drobečková" navigace';
|
||||
$lang['fullpath'] = 'Ukazovat plnou cestu ke stránkám v patičce';
|
||||
$lang['typography'] = 'Provádět typografické nahrazování';
|
||||
$lang['dformat'] = 'Formát data (viz PHP funkci <a href="http://php.net/strftime">strftime</a>)';
|
||||
$lang['signature'] = 'Podpis';
|
||||
$lang['showuseras'] = 'Co se má přesně zobrazit, když se ukazuje uživatel, který naposledy editoval stránku';
|
||||
$lang['toptoclevel'] = 'Nejvyšší úroveň, kterou začít automaticky generovaný obsah';
|
||||
$lang['tocminheads'] = 'Nejnižší počet hlavních nadpisů, aby se vygeneroval obsah';
|
||||
$lang['maxtoclevel'] = 'Maximální počet úrovní v automaticky generovaném obsahu';
|
||||
$lang['maxseclevel'] = 'Nejnižší úroveň pro editaci i po sekcích';
|
||||
$lang['camelcase'] = 'Používat CamelCase v odkazech';
|
||||
$lang['deaccent'] = 'Čistit názvy stránek';
|
||||
$lang['useheading'] = 'Používat první nadpis jako název stránky';
|
||||
$lang['sneaky_index'] = 'Ve výchozím nastavení DokuWiki zobrazuje v indexu všechny
|
||||
jmenné prostory. Zapnutím této volby se skryjí ty jmenné prostory,
|
||||
k nimž uživatel nemá právo pro čtení, což může ale způsobit, že
|
||||
vnořené jmenné prostory, k nimž právo má, budou přesto skryty.
|
||||
To může mít za následek, že index bude při některých
|
||||
nastaveních ACL nepoužitelný.';
|
||||
$lang['hidepages'] = 'Skrýt stránky odpovídající vzoru (regulární výrazy)';
|
||||
$lang['useacl'] = 'Používat přístupová práva (ACL)';
|
||||
$lang['autopasswd'] = 'Generovat hesla automaticky';
|
||||
$lang['authtype'] = 'Metoda autentizace';
|
||||
$lang['passcrypt'] = 'Metoda šifrování hesel';
|
||||
$lang['defaultgroup'] = 'Výchozí skupina';
|
||||
$lang['superuser'] = 'Superuživatel - skupina nebo uživatel s plnými právy pro přístup ke všem stránkách bez ohledu na nastavení ACL';
|
||||
$lang['manager'] = 'Manažer - skupina nebo uživatel s přístupem k některým správcovským funkcím';
|
||||
$lang['profileconfirm'] = 'Potvrdit změny v profilu zadáním hesla';
|
||||
$lang['rememberme'] = 'Povolit trvaté přihlašovací cookies (zapamatuj si mě)';
|
||||
$lang['disableactions'] = 'Vypnout DokuWiki akce';
|
||||
$lang['disableactions_check'] = 'Zkontrolovat';
|
||||
$lang['disableactions_subscription'] = 'Přihlásit se/Odhlásit se ze seznamu pro odběr změn';
|
||||
$lang['disableactions_wikicode'] = 'Prohlížet zdrojové kódy/Export wiki textu';
|
||||
$lang['disableactions_profile_delete'] = 'Smazat vlastní účet';
|
||||
$lang['disableactions_other'] = 'Další akce (oddělené čárkou)';
|
||||
$lang['disableactions_rss'] = 'XMS syndikace (RSS)';
|
||||
$lang['auth_security_timeout'] = 'Časový limit pro autentikaci (v sekundách)';
|
||||
$lang['securecookie'] = 'Má prohlížeč posílat cookies nastavené přes HTTPS opět jen přes HTTPS? Vypněte tuto volbu, pokud chcete, aby bylo pomocí SSL zabezpečeno pouze přihlašování do wiki, ale obsah budete prohlížet nezabezpečeně.';
|
||||
$lang['remote'] = 'Zapne API systému, umožňující jiným aplikacím vzdálený přístup k wiki pomoci XML-RPC nebo jiných mechanizmů.';
|
||||
$lang['remoteuser'] = 'Omezit přístup k API na tyto uživatelské skupiny či uživatele (seznam oddělený čárkami). Prázdné pole povolí přístup všem.';
|
||||
$lang['usewordblock'] = 'Blokovat spam za použití seznamu známých spamových slov';
|
||||
$lang['relnofollow'] = 'Používat rel="nofollow" na externí odkazy';
|
||||
$lang['indexdelay'] = 'Časová prodleva před indexací (v sekundách)';
|
||||
$lang['mailguard'] = 'Metoda "zamaskování" emailových adres';
|
||||
$lang['iexssprotect'] = 'Zkontrolovat nahrané soubory vůči možnému škodlivému JavaScriptu či HTML';
|
||||
$lang['usedraft'] = 'Během editace ukládat koncept automaticky';
|
||||
$lang['htmlok'] = 'Povolit vložené HTML';
|
||||
$lang['phpok'] = 'Povolit vložené PHP';
|
||||
$lang['locktime'] = 'Maximální životnost zámkových souborů (v sekundách)';
|
||||
$lang['cachetime'] = 'Maximální životnost cache (v sekundách)';
|
||||
$lang['target____wiki'] = 'Cílové okno pro interní odkazy';
|
||||
$lang['target____interwiki'] = 'Cílové okno pro interwiki odkazy';
|
||||
$lang['target____extern'] = 'Cílové okno pro externí odkazy';
|
||||
$lang['target____media'] = 'Cílové okno pro odkazy na média';
|
||||
$lang['target____windows'] = 'Cílové okno pro odkazy na windows sdílení';
|
||||
$lang['mediarevisions'] = 'Aktivovat revize souborů';
|
||||
$lang['refcheck'] = 'Kontrolovat odkazy na média (před vymazáním)';
|
||||
$lang['gdlib'] = 'Verze GD knihovny';
|
||||
$lang['im_convert'] = 'Cesta k nástroji convert z balíku ImageMagick';
|
||||
$lang['jpg_quality'] = 'Kvalita komprese JPEG (0-100)';
|
||||
$lang['fetchsize'] = 'Maximální velikost souboru (v bajtech), co ještě fetch.php bude stahovat z externích zdrojů';
|
||||
$lang['subscribers'] = 'Možnost přihlásit se k odběru novinek stránky';
|
||||
$lang['subscribe_time'] = 'Časový interval v sekundách, ve kterém jsou posílány změny a souhrny změn. Interval by neměl být kratší než čas uvedený v recent_days.';
|
||||
$lang['notify'] = 'Posílat oznámení o změnách na následující emailovou adresu';
|
||||
$lang['registernotify'] = 'Posílat informace o nově registrovaných uživatelích na tuto mailovou adresu';
|
||||
$lang['mailfrom'] = 'E-mailová adresa, která se bude používat pro automatické maily';
|
||||
$lang['mailreturnpath'] = 'E-mailová adresa příjemce pro oznámení o nedoručení';
|
||||
$lang['mailprefix'] = 'Předpona předmětu e-mailu, která se bude používat pro automatické maily';
|
||||
$lang['htmlmail'] = 'Posílat emaily v HTML (hezčí ale větší). Při vypnutí budou posílány jen textové emaily.';
|
||||
$lang['sitemap'] = 'Generovat Google sitemap (interval ve dnech)';
|
||||
$lang['rss_type'] = 'Typ XML kanálu';
|
||||
$lang['rss_linkto'] = 'XML kanál odkazuje na';
|
||||
$lang['rss_content'] = 'Co zobrazovat v položkách XML kanálu?';
|
||||
$lang['rss_update'] = 'Interval aktualizace XML kanálu (v sekundách)';
|
||||
$lang['rss_show_summary'] = 'XML kanál ukazuje souhrn v titulku';
|
||||
$lang['rss_show_deleted'] = 'XML kanál Zobrazit smazané kanály';
|
||||
$lang['rss_media'] = 'Jaký typ změn má být uveden v kanálu XML';
|
||||
$lang['rss_media_o_both'] = 'oba';
|
||||
$lang['rss_media_o_pages'] = 'stránky';
|
||||
$lang['rss_media_o_media'] = 'média';
|
||||
$lang['updatecheck'] = 'Kontrolovat aktualizace a bezpečnostní varování? DokuWiki potřebuje pro tuto funkci přístup k update.dokuwiki.org';
|
||||
$lang['userewrite'] = 'Používat "pěkná" URL';
|
||||
$lang['useslash'] = 'Používat lomítko jako oddělovač jmenných prostorů v URL';
|
||||
$lang['sepchar'] = 'Znak pro oddělování slov v názvech stránek';
|
||||
$lang['canonical'] = 'Používat plně kanonická URL';
|
||||
$lang['fnencode'] = 'Metoda pro kódování ne-ASCII názvů souborů';
|
||||
$lang['autoplural'] = 'Kontrolovat plurálové tvary v odkazech';
|
||||
$lang['compression'] = 'Metoda komprese pro staré verze';
|
||||
$lang['gzip_output'] = 'Používat pro xhtml Content-Encoding gzip';
|
||||
$lang['compress'] = 'Zahustit CSS a JavaScript výstup';
|
||||
$lang['cssdatauri'] = 'Velikost [v bajtech] obrázků odkazovaných v CSS souborech, které budou pro ušetření HTTP požadavku vestavěny do stylu. Doporučená hodnota je mezi <code>400</code> a <code>600</code> bajty. Pro vypnutí nastavte na <code>0</code>.';
|
||||
$lang['send404'] = 'Posílat "HTTP 404/Page Not Found" pro neexistují stránky';
|
||||
$lang['broken_iua'] = 'Je na vašem systému funkce ignore_user_abort porouchaná? To může způsobovat nefunkčnost vyhledávacího indexu. O kombinaci IIS+PHP/CGI je známo, že nefunguje správně. Viz <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a> pro více informací.';
|
||||
$lang['xsendfile'] = 'Používat X-Sendfile hlavničky pro download statických souborů z webserveru? Je však požadována podpora této funkce na straně Vašeho webserveru.';
|
||||
$lang['renderer_xhtml'] = 'Vykreslovací jádro pro hlavní (xhtml) výstup wiki';
|
||||
$lang['renderer__core'] = '%s (jádro DokuWiki)';
|
||||
$lang['renderer__plugin'] = '%s (plugin)';
|
||||
$lang['search_nslimit'] = 'Omezit vyhledávání na současných X jmenných prostorů. Když je vyhledávání provedeno ze stránky zanořeného jmenného prostoru, bude jako filtr přidáno prvních X jmenných prostorů.';
|
||||
$lang['search_fragment'] = 'Určete výchozí chování vyhledávání fragmentů';
|
||||
$lang['search_fragment_o_exact'] = 'přesný';
|
||||
$lang['search_fragment_o_starts_with'] = 'začíná s';
|
||||
$lang['search_fragment_o_ends_with'] = 'končí s';
|
||||
$lang['search_fragment_o_contains'] = 'obsahuje';
|
||||
$lang['trustedproxy'] = 'Důvěřovat proxy serverům odpovídajícím tomuto regulárním výrazu ohledně skutečné IP adresy klienta, kterou hlásí. Výchozí hodnota odpovídá místním sítím. Ponechejte prázdné, pokud nechcete důvěřovat žádné proxy.';
|
||||
$lang['_feature_flags'] = 'Feature flags';
|
||||
$lang['defer_js'] = 'Odložit spuštění javascriptu až po zpracování HTML kódu stránky. Zlepšuje vnímanou rychlost načtení stránky, ale může narušit funkci některých zásuvných modulů.';
|
||||
$lang['dnslookups'] = 'DokuWiki zjišťuje DNS jména pro vzdálené IP adresy uživatelů, kteří editují stránky. Pokud máte pomalý, nebo nefunkční DNS server, nebo nepotřebujete tuto funkci, tak tuto volbu zrušte.';
|
||||
$lang['jquerycdn'] = 'Mají být skripty jQuery a jQuery UI načítány z CDN?
|
||||
Vzniknou tím další HTTP dotazy, ale soubory se mohou načíst rychleji a uživatelé je už mohou mít ve vyrovnávací paměti.';
|
||||
$lang['jquerycdn_o_0'] = 'Bez CDN, pouze lokální doručení';
|
||||
$lang['jquerycdn_o_jquery'] = 'CDN na code.jquery.com';
|
||||
$lang['jquerycdn_o_cdnjs'] = 'CDN na cdnjs.com';
|
||||
$lang['proxy____host'] = 'Název proxy serveru';
|
||||
$lang['proxy____port'] = 'Proxy port';
|
||||
$lang['proxy____user'] = 'Proxy uživatelské jméno';
|
||||
$lang['proxy____pass'] = 'Proxy heslo';
|
||||
$lang['proxy____ssl'] = 'Použít SSL při připojení k proxy';
|
||||
$lang['proxy____except'] = 'Regulární výrazy pro URL, pro které bude přeskočena proxy.';
|
||||
$lang['license_o_'] = 'Nic nevybráno';
|
||||
$lang['typography_o_0'] = 'vypnuto';
|
||||
$lang['typography_o_1'] = 'Pouze uvozovky';
|
||||
$lang['typography_o_2'] = 'Všechny typy uvozovek a apostrofů (nemusí vždy fungovat)';
|
||||
$lang['userewrite_o_0'] = 'vypnuto';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'interní metoda DokuWiki';
|
||||
$lang['deaccent_o_0'] = 'vypnuto';
|
||||
$lang['deaccent_o_1'] = 'odstranit diakritiku';
|
||||
$lang['deaccent_o_2'] = 'převést na latinku';
|
||||
$lang['gdlib_o_0'] = 'GD knihovna není k dispozici';
|
||||
$lang['gdlib_o_1'] = 'Verze 1.x';
|
||||
$lang['gdlib_o_2'] = 'Autodetekce';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Abstraktní';
|
||||
$lang['rss_content_o_diff'] = 'Sjednocený Diff';
|
||||
$lang['rss_content_o_htmldiff'] = 'diff tabulka v HTML formátu';
|
||||
$lang['rss_content_o_html'] = 'Úplný HTML obsah stránky';
|
||||
$lang['rss_linkto_o_diff'] = 'přehled změn';
|
||||
$lang['rss_linkto_o_page'] = 'stránku samotnou';
|
||||
$lang['rss_linkto_o_rev'] = 'seznam revizí';
|
||||
$lang['rss_linkto_o_current'] = 'nejnovější revize';
|
||||
$lang['compression_o_0'] = 'vypnuto';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'nepoužívat';
|
||||
$lang['xsendfile_o_1'] = 'Proprietární hlavička lighttpd (před releasem 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Standardní hlavička X-Sendfile';
|
||||
$lang['xsendfile_o_3'] = 'Proprietární hlavička Nginx X-Accel-Redirect';
|
||||
$lang['showuseras_o_loginname'] = 'Přihlašovací jméno';
|
||||
$lang['showuseras_o_username'] = 'Celé jméno uživatele';
|
||||
$lang['showuseras_o_username_link'] = 'Celé uživatelské jméno jako odkaz mezi wiki';
|
||||
$lang['showuseras_o_email'] = 'E-mailová adresa uživatele ("zamaskována" aktuálně nastavenou metodou)';
|
||||
$lang['showuseras_o_email_link'] = 'E-mailová adresa uživatele jako mailto: odkaz';
|
||||
$lang['useheading_o_0'] = 'Nikdy';
|
||||
$lang['useheading_o_navigation'] = 'Pouze pro navigaci';
|
||||
$lang['useheading_o_content'] = 'Pouze pro wiki obsah';
|
||||
$lang['useheading_o_1'] = 'Vždy';
|
||||
$lang['readdircache'] = 'Maximální stáří readdir cache (sec)';
|
7
projet/doku/lib/plugins/config/lang/cy/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/cy/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Rheolwr Ffurfwedd ======
|
||||
|
||||
Defnyddiwch y dudalen hon i reoli gosodiadau eich arsefydliad DokuWiki. Am gymorth ar osodiadau unigol ewch i [[doku>config]]. Am wybodaeth bellach ar yr ategyn hwn ewch i [[doku>plugin:config]].
|
||||
|
||||
Mae gosodiadau gyda chefndir coch golau wedi\'u hamddiffyn a \'sdim modd eu newid gyda\'r ategyn hwn. Mae gosodiaadau gyda chefndir glas yn dynodi gwerthoedd diofyn ac mae gosodiadau gyda chefndir gwyn wedi\'u gosod yn lleol ar gyfer yr arsefydliad penodol hwn. Mae modd newid gosodiadau gwyn a glas.
|
||||
|
||||
Cofiwch bwyso y botwm **Cadw** cyn gadael y dudalen neu caiff eich newidiadau eu colli.
|
254
projet/doku/lib/plugins/config/lang/cy/lang.php
Normal file
254
projet/doku/lib/plugins/config/lang/cy/lang.php
Normal file
@@ -0,0 +1,254 @@
|
||||
<?php
|
||||
/**
|
||||
* welsh language file
|
||||
*
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
* @author Christopher Smith <chris@jalakai.co.uk>
|
||||
* @author Matthias Schulte <dokuwiki@lupo49.de>
|
||||
* @author Alan Davies <ben.brynsadler@gmail.com>
|
||||
*/
|
||||
|
||||
// for admin plugins, the menu prompt to be displayed in the admin menu
|
||||
// if set here, the plugin doesn't need to override the getMenuText() method
|
||||
$lang['menu'] = 'Gosodiadau Ffurwedd';
|
||||
|
||||
$lang['error'] = 'Gosodiadau heb eu diweddaru oherwydd gwerth annilys, gwiriwch eich newidiadau ac ailgyflwyno.
|
||||
<br />Caiff y gwerth(oedd) anghywir ei/eu dangos gydag ymyl coch.';
|
||||
$lang['updated'] = 'Diweddarwyd gosodiadau\'n llwyddiannus.';
|
||||
$lang['nochoice'] = '(dim dewisiadau eraill ar gael)';
|
||||
$lang['locked'] = '\'Sdim modd diweddaru\'r ffeil osodiadau, os ydy hyn yn anfwriadol, <br />
|
||||
sicrhewch fod enw\'r ffeil osodiadau a\'r hawliau lleol yn gywir.';
|
||||
|
||||
$lang['danger'] = 'Perygl: Gall newid yr opsiwn hwn wneud eich wici a\'r ddewislen ffurfwedd yn anghyraeddadwy.';
|
||||
$lang['warning'] = 'Rhybudd: Gall newid yr opsiwn hwn achosi ymddygiad anfwriadol.';
|
||||
$lang['security'] = 'Rhybudd Diogelwch: Gall newid yr opsiwn hwn achosi risg diogelwch.';
|
||||
|
||||
/* --- Config Setting Headers --- */
|
||||
$lang['_configuration_manager'] = 'Rheolwr Ffurfwedd'; //same as heading in intro.txt
|
||||
$lang['_header_dokuwiki'] = 'DokuWiki';
|
||||
$lang['_header_plugin'] = 'Ategyn';
|
||||
$lang['_header_template'] = 'Templed';
|
||||
$lang['_header_undefined'] = 'Gosodiadau Amhenodol';
|
||||
|
||||
/* --- Config Setting Groups --- */
|
||||
$lang['_basic'] = 'Sylfaenol';
|
||||
$lang['_display'] = 'Dangos';
|
||||
$lang['_authentication'] = 'Dilysiad';
|
||||
$lang['_anti_spam'] = 'Gwrth-Sbam';
|
||||
$lang['_editing'] = 'Yn Golygu';
|
||||
$lang['_links'] = 'Dolenni';
|
||||
$lang['_media'] = 'Cyfrwng';
|
||||
$lang['_notifications'] = 'Hysbysiad';
|
||||
$lang['_syndication'] = 'Syndication (RSS)'; //angen newid
|
||||
$lang['_advanced'] = 'Uwch';
|
||||
$lang['_network'] = 'Rhwydwaith';
|
||||
|
||||
/* --- Undefined Setting Messages --- */
|
||||
$lang['_msg_setting_undefined'] = 'Dim gosodiad metadata.';
|
||||
$lang['_msg_setting_no_class'] = 'Dim gosodiad dosbarth.';
|
||||
$lang['_msg_setting_no_default'] = 'Dim gwerth diofyn.';
|
||||
|
||||
/* -------------------- Config Options --------------------------- */
|
||||
|
||||
/* Basic Settings */
|
||||
$lang['title'] = 'Teitl y wici h.y. enw\'ch wici';
|
||||
$lang['start'] = 'Enw\'r dudalen i\'w defnyddio fel man cychwyn ar gyfer pob namespace'; //namespace
|
||||
$lang['lang'] = 'Iaith y rhyngwyneb';
|
||||
$lang['template'] = 'Templed h.y. dyluniad y wici.';
|
||||
$lang['tagline'] = 'Taglinell (os yw\'r templed yn ei gynnal)';
|
||||
$lang['sidebar'] = 'Enw tudalen y bar ochr (os yw\'r templed yn ei gynnal), Mae maes gwag yn analluogi\'r bar ochr';
|
||||
$lang['license'] = 'O dan ba drwydded dylai\'ch cynnwys gael ei ryddhau?';
|
||||
$lang['savedir'] = 'Ffolder ar gyfer cadw data';
|
||||
$lang['basedir'] = 'Llwybr y gweinydd (ee. <code>/dokuwiki/</code>). Gadewch yn wag ar gyfer awtoddatgeliad.';
|
||||
$lang['baseurl'] = 'URL y gweinydd (ee. <code>http://www.yourserver.com</code>). Gadewch yn wag ar gyfer awtoddatgeliad.';
|
||||
$lang['cookiedir'] = 'Llwybr cwcis. Gadewch yn wag i ddefnyddio \'baseurl\'.';
|
||||
$lang['dmode'] = 'Modd creu ffolderi';
|
||||
$lang['fmode'] = 'Modd creu ffeiliau';
|
||||
$lang['allowdebug'] = 'Caniatáu dadfygio. <b>Analluogwch os nac oes angen hwn!</b>';
|
||||
|
||||
/* Display Settings */
|
||||
$lang['recent'] = 'Nifer y cofnodion y dudalen yn y newidiadau diweddar';
|
||||
$lang['recent_days'] = 'Sawl newid diweddar i\'w cadw (diwrnodau)';
|
||||
$lang['breadcrumbs'] = 'Nifer y briwsion "trywydd". Gosodwch i 0 i analluogi.';
|
||||
$lang['youarehere'] = 'Defnyddiwch briwsion hierarchaidd (byddwch chi yn debygol o angen analluogi\'r opsiwn uchod wedyn)';
|
||||
$lang['fullpath'] = 'Datgelu llwybr llawn y tudalennau yn y troedyn';
|
||||
$lang['typography'] = 'Gwnewch amnewidiadau argraffyddol';
|
||||
$lang['dformat'] = 'Fformat dyddiad (gweler swyddogaeth <a href="http://php.net/strftime">strftime</a> PHP)';
|
||||
$lang['signature'] = 'Yr hyn i\'w mewnosod gyda\'r botwm llofnod yn y golygydd';
|
||||
$lang['showuseras'] = 'Yr hyn i\'w harddangos wrth ddangos y defnyddiwr a wnaeth olygu\'r dudalen yn olaf';
|
||||
$lang['toptoclevel'] = 'Lefel uchaf ar gyfer tabl cynnwys';
|
||||
$lang['tocminheads'] = 'Isafswm y penawdau sy\'n penderfynu os ydy\'r tabl cynnwys yn cael ei adeiladu';
|
||||
$lang['maxtoclevel'] = 'Lefel uchaf ar gyfer y tabl cynnwys';
|
||||
$lang['maxseclevel'] = 'Lefel uchaf adran olygu';
|
||||
$lang['camelcase'] = 'Defnyddio CamelCase ar gyfer dolenni';
|
||||
$lang['deaccent'] = 'Sut i lanhau enwau tudalennau';
|
||||
$lang['useheading'] = 'Defnyddio\'r pennawd cyntaf ar gyfer enwau tudalennau';
|
||||
$lang['sneaky_index'] = 'Yn ddiofyn, bydd DokuWiki yn dangos pob namespace yn y map safle. Bydd galluogi yr opsiwn hwn yn cuddio\'r rheiny lle \'sdim hawliau darllen gan y defnyddiwr. Gall hwn achosi cuddio subnamespaces cyraeddadwy a fydd yn gallu peri\'r indecs i beidio â gweithio gyda gosodiadau ACL penodol.'; //namespace
|
||||
$lang['hidepages'] = 'Cuddio tudalennau sy\'n cydweddu gyda\'r mynegiad rheolaidd o\'r chwiliad, y map safle ac indecsau awtomatig eraill';
|
||||
|
||||
/* Authentication Settings */
|
||||
$lang['useacl'] = 'Defnyddio rhestrau rheoli mynediad';
|
||||
$lang['autopasswd'] = 'Awtogeneradu cyfrineiriau';
|
||||
$lang['authtype'] = 'Ôl-brosesydd dilysu';
|
||||
$lang['passcrypt'] = 'Dull amgryptio cyfrineiriau';
|
||||
$lang['defaultgroup']= 'Grŵp diofyn, caiff pob defnyddiwr newydd ei osod yn y grŵp hwn';
|
||||
$lang['superuser'] = 'Uwchddefnyddiwr - grŵp, defnyddiwr neu restr gwahanwyd gan goma defnyddiwr1,@group1,defnyddiwr2 gyda mynediad llawn i bob tudalen beth bynnag y gosodiadau ACL';
|
||||
$lang['manager'] = 'Rheolwr - grŵp, defnyddiwr neu restr gwahanwyd gan goma defnyddiwr1,@group1,defnyddiwr2 gyda mynediad i swyddogaethau rheoli penodol';
|
||||
$lang['profileconfirm'] = 'Cadrnhau newidiadau proffil gyda chyfrinair';
|
||||
$lang['rememberme'] = 'Caniatáu cwcis mewngofnodi parhaol (cofio fi)';
|
||||
$lang['disableactions'] = 'Analluogi gweithredoedd DokuWiki';
|
||||
$lang['disableactions_check'] = 'Gwirio';
|
||||
$lang['disableactions_subscription'] = 'Tanysgrifio/Dad-tanysgrifio';
|
||||
$lang['disableactions_wikicode'] = 'Dangos ffynhonnell/Allforio Crai';
|
||||
$lang['disableactions_profile_delete'] = 'Dileu Cyfrif Eu Hunain';
|
||||
$lang['disableactions_other'] = 'Gweithredoedd eraill (gwahanu gan goma)';
|
||||
$lang['disableactions_rss'] = 'XML Syndication (RSS)'; //angen newid hwn
|
||||
$lang['auth_security_timeout'] = 'Terfyn Amser Diogelwch Dilysiad (eiliadau)';
|
||||
$lang['securecookie'] = 'A ddylai cwcis sydd wedi cael eu gosod gan HTTPS gael eu hanfon trwy HTTPS yn unig gan y porwr? Analluogwch yr opsiwn hwn dim ond pan fydd yr unig mewngofnodiad i\'ch wici wedi\'i ddiogelu gydag SSL ond mae pori\'r wici yn cael ei wneud heb ddiogelu.';
|
||||
$lang['remote'] = 'Galluogi\'r system API pell. Mae hwn yn galluogi apps eraill i gael mynediad i\'r wici trwy XML-RPC neu fecanweithiau eraill.';
|
||||
$lang['remoteuser'] = 'Cyfyngu mynediad API pell i grwpiau neu ddefnydwyr wedi\'u gwahanu gan goma yma. Gadewch yn wag i roi mynediad i bawb.';
|
||||
|
||||
/* Anti-Spam Settings */
|
||||
$lang['usewordblock']= 'Blocio sbam wedi selio ar restr eiriau';
|
||||
$lang['relnofollow'] = 'Defnyddio rel="nofollow" ar ddolenni allanol';
|
||||
$lang['indexdelay'] = 'Oediad cyn indecsio (eil)';
|
||||
$lang['mailguard'] = 'Tywyllu cyfeiriadau ebost';
|
||||
$lang['iexssprotect']= 'Gwirio ffeiliau a lanlwythwyd am JavaScript neu god HTML sydd efallai\'n faleisis';
|
||||
|
||||
/* Editing Settings */
|
||||
$lang['usedraft'] = 'Cadw drafft yn awtomatig wrth olygu';
|
||||
$lang['htmlok'] = 'Caniatáu HTML wedi\'i fewnosod';
|
||||
$lang['phpok'] = 'Caniatáu PHP wedi\'i fewnosod';
|
||||
$lang['locktime'] = 'Oed mwyaf ar gyfer cloi ffeiliau (eil)';
|
||||
$lang['cachetime'] = 'Oed mwyaf ar gyfer y storfa (eil)';
|
||||
|
||||
/* Link settings */
|
||||
$lang['target____wiki'] = 'Ffenestr darged ar gyfer dolenni mewnol';
|
||||
$lang['target____interwiki'] = 'Ffenestr darged ar gyfer dolenni interwiki';
|
||||
$lang['target____extern'] = 'Ffenestr darged ar gyfer dolenni allanol';
|
||||
$lang['target____media'] = 'Ffenestr darged ar gyfer dolenni cyfrwng';
|
||||
$lang['target____windows'] = 'Ffenestr darged ar gyfer dolenni ffenestri';
|
||||
|
||||
/* Media Settings */
|
||||
$lang['mediarevisions'] = 'Galluogi Mediarevisions?';
|
||||
$lang['refcheck'] = 'Gwirio os ydy ffeil gyfrwng yn dal yn cael ei defnydio cyn ei dileu hi';
|
||||
$lang['gdlib'] = 'Fersiwn GD Lib';
|
||||
$lang['im_convert'] = 'Llwybr i declyn trosi ImageMagick';
|
||||
$lang['jpg_quality'] = 'Ansawdd cywasgu JPG (0-100)';
|
||||
$lang['fetchsize'] = 'Uchafswm maint (beit) gall fetch.php lawlwytho o URL allanol, ee. i storio ac ailfeintio delweddau allanol.';
|
||||
|
||||
/* Notification Settings */
|
||||
$lang['subscribers'] = 'Caniatáu defnyddwyr i danysgrifio i newidiadau tudalen gan ebost';
|
||||
$lang['subscribe_time'] = 'Yr amser cyn caiff rhestrau tanysgrifio a chrynoadau eu hanfon (eil); Dylai hwn fod yn llai na\'r amser wedi\'i gosod mewn recent_days.';
|
||||
$lang['notify'] = 'Wastad anfon hysbysiadau newidiadau i\'r cyfeiriad ebost hwn';
|
||||
$lang['registernotify'] = 'Wastad anfon gwybodaeth ar ddefnyddwyr newydd gofrestru i\'r cyfeiriad ebost hwn';
|
||||
$lang['mailfrom'] = 'Cyfeiriad anfon ebyst i\'w ddefnyddio ar gyfer pyst awtomatig';
|
||||
$lang['mailprefix'] = 'Rhagddodiad testun ebyst i\'w ddefnyddio ar gyfer pyst awtomatig. Gadewch yn wag i ddefnyddio teitl y wici';
|
||||
$lang['htmlmail'] = 'Anfonwch ebyst aml-ddarn HTML sydd yn edrych yn well, ond sy\'n fwy mewn maint. Analluogwch ar gyfer pyst testun plaen yn unig.';
|
||||
|
||||
/* Syndication Settings */
|
||||
$lang['sitemap'] = 'Generadu map safle Google mor aml â hyn (mewn diwrnodau). 0 i anallogi';
|
||||
$lang['rss_type'] = 'Math y ffrwd XML';
|
||||
$lang['rss_linkto'] = 'Ffrwd XML yn cysylltu â';
|
||||
$lang['rss_content'] = 'Beth i\'w ddangos mewn eitemau\'r ffrwd XML?';
|
||||
$lang['rss_update'] = 'Cyfnod diwedaru ffrwd XML (eil)';
|
||||
$lang['rss_show_summary'] = 'Dangos crynodeb mewn teitl y ffrwd XML';
|
||||
$lang['rss_media'] = 'Pa fath newidiadau a ddylai cael eu rhestru yn y ffrwd XML??';
|
||||
|
||||
/* Advanced Options */
|
||||
$lang['updatecheck'] = 'Gwirio am ddiweddariadau a rhybuddion diogelwch? Mae\'n rhaid i DokuWiki gysylltu ag update.dokuwiki.org ar gyfer y nodwedd hon.';
|
||||
$lang['userewrite'] = 'Defnyddio URLs pert';
|
||||
$lang['useslash'] = 'Defnyddio slaes fel gwahanydd namespace mewn URL';
|
||||
$lang['sepchar'] = 'Gwanahydd geiriau mewn enw tudalennau';
|
||||
$lang['canonical'] = 'Defnyddio URLs canonaidd llawn';
|
||||
$lang['fnencode'] = 'Dull amgodio enw ffeiliau \'non-ASCII\'.';
|
||||
$lang['autoplural'] = 'Gwirio am ffurfiau lluosog mewn dolenni';
|
||||
$lang['compression'] = 'Dull cywasgu ar gyfer ffeiliau llofft (hen adolygiadau)';
|
||||
$lang['gzip_output'] = 'Defnyddio gzip Content-Encoding ar gyfer xhtml'; //pwy a wyr
|
||||
$lang['compress'] = 'Cywasgu allbwn CSS a javascript';
|
||||
$lang['cssdatauri'] = 'Uchafswm maint mewn beitiau ar gyfer delweddau i\'w cyfeirio atynt mewn ffeiliau CSS a ddylai cael eu mewnosod i\'r ddalen arddull i leihau gorbenion pennyn cais HTTP. Mae <code>400</code> i <code>600</code> beit yn werth da. Gosodwch i <code>0</code> i\'w analluogi.';
|
||||
$lang['send404'] = 'Anfon "HTTP 404/Page Not Found" ar gyfer tudalennau sy ddim yn bodoli';
|
||||
$lang['broken_iua'] = 'Ydy\'r swyddogaeth ignore_user_abort wedi torri ar eich system? Gall hwn achosi\'r indecs chwilio i beidio â gweithio. Rydym yn gwybod bod IIS+PHP/CGI wedi torri. Gweler <a href="http://bugs.dokuwiki.org/?do=details&task_id=852">Bug 852</a> am wybodaeth bellach.';
|
||||
$lang['xsendfile'] = 'Defnyddio\'r pennyn X-Sendfile i ganiatáu\'r gweinydd gwe i ddanfon ffeiliau statig? Mae\'n rhaid bod eich gweinydd gwe yn caniatáu hyn.';
|
||||
$lang['renderer_xhtml'] = 'Cyflwynydd i ddefnyddio ar gyfer prif allbwn (xhtml) y wici';
|
||||
$lang['renderer__core'] = '%s (craidd dokuwiki)';
|
||||
$lang['renderer__plugin'] = '%s (ategyn)';
|
||||
|
||||
/* Network Options */
|
||||
$lang['dnslookups'] = 'Bydd DokuWiki yn edrych i fyny enwau gwesteiwyr ar gyfer cyfeiriadau IP pell y defnyddwyr hynny sy\'n golygu tudalennau. Os oes gweinydd DNS sy\'n araf neu sy ddim yn gweithio \'da chi neu \'dych chi ddim am ddefnyddio\'r nodwedd hon, analluogwch yr opsiwn hwn.';
|
||||
|
||||
/* Proxy Options */
|
||||
$lang['proxy____host'] = 'Enw\'r gweinydd procsi';
|
||||
$lang['proxy____port'] = 'Porth procsi';
|
||||
$lang['proxy____user'] = 'Defnyddair procsi';
|
||||
$lang['proxy____pass'] = 'Cyfrinair procsi';
|
||||
$lang['proxy____ssl'] = 'Defnyddio SSL i gysylltu â\'r procsi';
|
||||
$lang['proxy____except'] = 'Mynegiad rheolaidd i gydweddu URL ar gyfer y procsi a ddylai cael eu hanwybyddu.';
|
||||
|
||||
/* License Options */
|
||||
$lang['license_o_'] = 'Dim wedi\'i ddewis';
|
||||
|
||||
/* typography options */
|
||||
$lang['typography_o_0'] = 'dim';
|
||||
$lang['typography_o_1'] = 'eithrio dyfynodau sengl';
|
||||
$lang['typography_o_2'] = 'cynnwys dyfynodau sengl (efallai ddim yn gweithio pob tro)';
|
||||
|
||||
/* userewrite options */
|
||||
$lang['userewrite_o_0'] = 'dim';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'DokuWiki mewnol';
|
||||
|
||||
/* deaccent options */
|
||||
$lang['deaccent_o_0'] = 'bant';
|
||||
$lang['deaccent_o_1'] = 'tynnu acenion';
|
||||
$lang['deaccent_o_2'] = 'rhufeinio';
|
||||
|
||||
/* gdlib options */
|
||||
$lang['gdlib_o_0'] = 'GD Lib ddim ar gael';
|
||||
$lang['gdlib_o_1'] = 'Fersiwn 1.x';
|
||||
$lang['gdlib_o_2'] = 'Awtoddatgeliad';
|
||||
|
||||
/* rss_type options */
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
|
||||
/* rss_content options */
|
||||
$lang['rss_content_o_abstract'] = 'Crynodeb';
|
||||
$lang['rss_content_o_diff'] = 'Gwahan. Unedig';
|
||||
$lang['rss_content_o_htmldiff'] = 'Gwahaniaethau ar ffurf tabl HTML';
|
||||
$lang['rss_content_o_html'] = 'Cynnwys tudalen HTML llawn';
|
||||
|
||||
/* rss_linkto options */
|
||||
$lang['rss_linkto_o_diff'] = 'golwg gwahaniaethau';
|
||||
$lang['rss_linkto_o_page'] = 'y dudalen a adolygwyd';
|
||||
$lang['rss_linkto_o_rev'] = 'rhestr adolygiadau';
|
||||
$lang['rss_linkto_o_current'] = 'y dudalen gyfredol';
|
||||
|
||||
/* compression options */
|
||||
$lang['compression_o_0'] = 'dim';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
|
||||
/* xsendfile header */
|
||||
$lang['xsendfile_o_0'] = "peidio â defnyddio";
|
||||
$lang['xsendfile_o_1'] = 'Pennyn perchnogol lighttpd (cyn rhyddhad 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Pennyn safonol X-Sendfile';
|
||||
$lang['xsendfile_o_3'] = 'Pennyn perchnogol Nginx X-Accel-Redirect';
|
||||
|
||||
/* Display user info */
|
||||
$lang['showuseras_o_loginname'] = 'Enw mewngofnodi';
|
||||
$lang['showuseras_o_username'] = "Enw llawn y defnyddiwr";
|
||||
$lang['showuseras_o_username_link'] = "Enw llawn y defnyddiwr fel dolen defnyddiwr interwiki";
|
||||
$lang['showuseras_o_email'] = "Cyfeiriad e-bost y defnyddiwr (tywyllu yn ôl gosodiad mailguard)";
|
||||
$lang['showuseras_o_email_link'] = "Cyfeiriad e-bost y defnyddiwr fel dolen mailto:";
|
||||
|
||||
/* useheading options */
|
||||
$lang['useheading_o_0'] = 'Byth';
|
||||
$lang['useheading_o_navigation'] = 'Llywio yn Unig';
|
||||
$lang['useheading_o_content'] = 'Cynnwys Wici yn Unig';
|
||||
$lang['useheading_o_1'] = 'Wastad';
|
||||
|
||||
$lang['readdircache'] = 'Uchafswm amser ar gyfer storfa readdir (eil)';
|
7
projet/doku/lib/plugins/config/lang/da/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/da/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Opsætningsstyring ======
|
||||
|
||||
Brug denne side til at kontrollere indstillingerne for din Dokuwiki-opsætning. For at få hjælp med specifikke indstillinger, se [[doku>config]]. For flere detaljer om denne udvidelse, se [[doku>plugin:config]].
|
||||
|
||||
Indstillinger vist med lys rød baggrund er beskyttede og kan ikke ændres med denne udvidelse. Indstillinger vist med blå baggrund er standardindstillinger og indstillinger vist med hvid baggrund er blevet sat lokalt denne konkrete opsætning. Både blå og hvide indstillinger kan ændres.
|
||||
|
||||
Husk at trykke på **Gem**-knappen før du forlader siden, for at du ikke mister dine ændringer.
|
219
projet/doku/lib/plugins/config/lang/da/lang.php
Normal file
219
projet/doku/lib/plugins/config/lang/da/lang.php
Normal file
@@ -0,0 +1,219 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Jacob Palm <jacobpalmdk@icloud.com>
|
||||
* @author Kenneth Schack Banner <kescba@gmail.com>
|
||||
* @author Jon Theil Nielsen <jontheil@gmail.com>
|
||||
* @author Lars Næsbye Christensen <larsnaesbye@stud.ku.dk>
|
||||
* @author Kalle Sommer Nielsen <kalle@php.net>
|
||||
* @author Esben Laursen <hyber@hyber.dk>
|
||||
* @author Harith <haj@berlingske.dk>
|
||||
* @author Daniel Ejsing-Duun <dokuwiki@zilvador.dk>
|
||||
* @author Erik Bjørn Pedersen <erik.pedersen@shaw.ca>
|
||||
* @author rasmus <rasmus@kinnerup.com>
|
||||
* @author Mikael Lyngvig <mikael@lyngvig.org>
|
||||
*/
|
||||
$lang['menu'] = 'Opsætningsindstillinger';
|
||||
$lang['error'] = 'Indstillingerne blev ikke opdateret på grund af en ugyldig værdi, Gennemse venligst dine ændringer og gem dem igen.
|
||||
<br />Ugyldige værdier vil blive rammet ind med rødt.';
|
||||
$lang['updated'] = 'Indstillingerne blev opdateret korrekt.';
|
||||
$lang['nochoice'] = '(ingen andre valgmuligheder)';
|
||||
$lang['locked'] = 'Indstillingsfilen kunne ikke opdateres, Hvis dette er en fejl, <br />
|
||||
sørg da for at navnet på den lokale indstillingsfil samt dens rettigheder er korrekte.';
|
||||
$lang['danger'] = 'Fare: Ændring af denne mulighed kan gøre din wiki og opsætningsoversigt utilgængelige.';
|
||||
$lang['warning'] = 'Advarsel: Ændring af denne mulighed kan forårsage utilsigtet opførsel.';
|
||||
$lang['security'] = 'Sikkerhedsadvarsel: Ændring af denne mulighed kan forårsage en sikkerhedsrisiko.';
|
||||
$lang['_configuration_manager'] = 'Opsætningsstyring';
|
||||
$lang['_header_dokuwiki'] = 'DokuWiki indstillinger';
|
||||
$lang['_header_plugin'] = 'Udvidelsesindstillinger';
|
||||
$lang['_header_template'] = 'Tema';
|
||||
$lang['_header_undefined'] = 'Udefinerede indstillinger';
|
||||
$lang['_basic'] = 'Grundindstillinger';
|
||||
$lang['_display'] = 'Visningsindstillinger';
|
||||
$lang['_authentication'] = 'Bekræftelsesindstillinger';
|
||||
$lang['_anti_spam'] = 'Trafikkontrolsindstillinger';
|
||||
$lang['_editing'] = 'Redigeringsindstillinger';
|
||||
$lang['_links'] = 'Henvisningsindstillinger';
|
||||
$lang['_media'] = 'Medieindstillinger';
|
||||
$lang['_notifications'] = 'Notificeringsindstillinger';
|
||||
$lang['_syndication'] = 'Syndikering (RSS)';
|
||||
$lang['_advanced'] = 'Avancerede indstillinger';
|
||||
$lang['_network'] = 'Netværksindstillinger';
|
||||
$lang['_msg_setting_undefined'] = 'Ingen indstillingsmetadata.';
|
||||
$lang['_msg_setting_no_class'] = 'Ingen indstillingsklasse.';
|
||||
$lang['_msg_setting_no_known_class'] = 'Indstillingsklasse ikke tilgængelig.';
|
||||
$lang['_msg_setting_no_default'] = 'Ingen standardværdi.';
|
||||
$lang['title'] = 'Wiki titel (navnet på din wiki)';
|
||||
$lang['start'] = 'Startsidens navn (benyttes som startside i alle navnerum)';
|
||||
$lang['lang'] = 'Sprog';
|
||||
$lang['template'] = 'Tema';
|
||||
$lang['tagline'] = 'Tagline (hvis tema understøtter det)';
|
||||
$lang['sidebar'] = 'Sidepanelet sidenavn (hvis temaet understøtter det). Lad være blankt for at deaktivere sidepanelet.';
|
||||
$lang['license'] = 'Under hvilken licens skal dit indhold frigives?';
|
||||
$lang['savedir'] = 'Katalog til opbevaring af data';
|
||||
$lang['basedir'] = 'Grundkatalog';
|
||||
$lang['baseurl'] = 'Serverens URL-adresse (f.eks. <code>http://www.minserver.dk<code>). Lad være blank for at detektere automatisk.';
|
||||
$lang['cookiedir'] = 'Cookie sti. Hvis tom benyttes grundlæggende URL.';
|
||||
$lang['dmode'] = 'Mappe oprettelsestilstand';
|
||||
$lang['fmode'] = 'Fil oprettelsestilstand';
|
||||
$lang['allowdebug'] = 'Tillad fejlretning. <b>Slå fra hvis unødvendig!</b>';
|
||||
$lang['recent'] = 'Nylige ændringer';
|
||||
$lang['recent_days'] = 'Hvor mange nye ændringer der skal beholdes (dage)';
|
||||
$lang['breadcrumbs'] = 'Stilængde. Sæt til 0 for at deaktivere.';
|
||||
$lang['youarehere'] = 'Brug hierarkisk sti (hvis slået til, bør du formentlig slå ovenstående fra)';
|
||||
$lang['fullpath'] = 'Vis den fulde sti til siderne i sidefoden';
|
||||
$lang['typography'] = 'Typografiske erstatninger';
|
||||
$lang['dformat'] = 'Datoformat (se PHP\'s <a href="http://php.net/strftime">strftime</a>-funktion)';
|
||||
$lang['signature'] = 'Underskrift';
|
||||
$lang['showuseras'] = 'Hvad skal vises når den sidste bruger, der har ændret siden, fremstilles';
|
||||
$lang['toptoclevel'] = 'Øverste niveau for indholdsfortegnelse';
|
||||
$lang['tocminheads'] = 'Mindste antal overskrifter for at danne en indholdsfortegnelse';
|
||||
$lang['maxtoclevel'] = 'Højeste niveau for indholdsfortegnelse';
|
||||
$lang['maxseclevel'] = 'Højeste niveau for redigering af sektioner';
|
||||
$lang['camelcase'] = 'Brug CamelCase til henvisninger';
|
||||
$lang['deaccent'] = 'Pæne sidenavne';
|
||||
$lang['useheading'] = 'Brug første overskrift til sidenavne';
|
||||
$lang['sneaky_index'] = 'DokuWiki vil som standard vise alle navnerum i indholdsfortegnelsen. Ved at slå denne valgmulighed til vil skjule de navnerum, hvor brugeren ikke har læsetilladelse. Dette kan føre til, at tilgængelige undernavnerum bliver skjult. Ligeledes kan det også gøre indholdsfortegnelsen ubrugelig med visse ACL-opsætninger.';
|
||||
$lang['hidepages'] = 'Skjul lignende sider (almindelige udtryk)';
|
||||
$lang['useacl'] = 'Benyt adgangskontrollister (ACL)';
|
||||
$lang['autopasswd'] = 'Generer adgangskoder automatisk';
|
||||
$lang['authtype'] = 'Bekræftelsesgrundlag';
|
||||
$lang['passcrypt'] = 'Krypteringsmetode for adgangskoder';
|
||||
$lang['defaultgroup'] = 'Standardgruppe';
|
||||
$lang['superuser'] = 'Superbruger';
|
||||
$lang['manager'] = 'Bestyrer - en gruppe eller bruger med adgang til bestemte styrende funktioner';
|
||||
$lang['profileconfirm'] = 'Bekræft profilændringer med adgangskode';
|
||||
$lang['rememberme'] = 'Tillad varige datafiler for brugernavne (husk mig)';
|
||||
$lang['disableactions'] = 'Slå DokuWiki-muligheder fra';
|
||||
$lang['disableactions_check'] = 'Tjek';
|
||||
$lang['disableactions_subscription'] = 'Tliføj/Fjern opskrivning';
|
||||
$lang['disableactions_wikicode'] = 'Vis kilde/Eksporter grundkode';
|
||||
$lang['disableactions_profile_delete'] = 'Slet egen brugerkonto';
|
||||
$lang['disableactions_other'] = 'Andre muligheder (kommasepareret)';
|
||||
$lang['disableactions_rss'] = 'XML syndikering (RSS)';
|
||||
$lang['auth_security_timeout'] = 'Tidsudløb for bekræftelse (sekunder)';
|
||||
$lang['securecookie'] = 'Skal datafiler skabt af HTTPS kun sendes af HTTPS gennem browseren? Slå denne valgmulighed fra hvis kun brugen af din wiki er SSL-beskyttet, mens den almindelige tilgang udefra ikke er sikret.';
|
||||
$lang['remote'] = 'Aktivér fjern-API\'et. Dette tillader andre programmer at tilgå wikien via XML-RPC eller andre mekanismer.';
|
||||
$lang['remoteuser'] = 'Begræns fjern-API adgang til den kommaseparerede liste af grupper eller brugere angivet her. Efterlad tom for at give adgang til alle.';
|
||||
$lang['usewordblock'] = 'Bloker uønsket sprogbrug med en ordliste';
|
||||
$lang['relnofollow'] = 'Brug rel="nofollow" til udgående henvisninger';
|
||||
$lang['indexdelay'] = 'Tidsforsinkelse før katalogisering (sek.)';
|
||||
$lang['mailguard'] = 'Slør e-mail adresser';
|
||||
$lang['iexssprotect'] = 'Gennemse oplagte filer for mulig skadelig JavaScript- eller HTML-kode.';
|
||||
$lang['usedraft'] = 'Gem automatisk en kladde under redigering';
|
||||
$lang['htmlok'] = 'Tillad indlejret HTML';
|
||||
$lang['phpok'] = 'Tillad indlejret PHP';
|
||||
$lang['locktime'] = 'Længste levetid for låsefiler (sek)';
|
||||
$lang['cachetime'] = 'Længste levetid for cache (sek)';
|
||||
$lang['target____wiki'] = 'Målvindue for indre henvisninger';
|
||||
$lang['target____interwiki'] = 'Målvindue for egne wikihenvisninger ';
|
||||
$lang['target____extern'] = 'Målvindue for udadgående henvisninger';
|
||||
$lang['target____media'] = 'Målvindue for mediehenvisninger';
|
||||
$lang['target____windows'] = 'Målvindue til Windows-henvisninger';
|
||||
$lang['mediarevisions'] = 'Aktiver revisioner af medier?';
|
||||
$lang['refcheck'] = 'Mediehenvisningerkontrol';
|
||||
$lang['gdlib'] = 'Version af GD Lib';
|
||||
$lang['im_convert'] = 'Sti til ImageMagick\'s omdannerværktøj';
|
||||
$lang['jpg_quality'] = 'JPG komprimeringskvalitet (0-100)';
|
||||
$lang['fetchsize'] = 'Største antal (bytes) fetch.php må hente udefra, til eksempelvis cache og størrelsesændring af eksterne billeder';
|
||||
$lang['subscribers'] = 'Slå understøttelse af abonnement på sider til';
|
||||
$lang['subscribe_time'] = 'Tid der går før abonnementlister og nyhedsbreve er sendt (i sekunder). Denne værdi skal være mindre end den tid specificeret under recent_days.';
|
||||
$lang['notify'] = 'Send ændringsmeddelelser til denne e-adresse';
|
||||
$lang['registernotify'] = 'Send info om nyoprettede brugere til denne e-adresse';
|
||||
$lang['mailfrom'] = 'E-mail adresse til brug for automatiske meddelelser';
|
||||
$lang['mailreturnpath'] = 'E-mail adresse til notifikation når en mail ikke kan leveres';
|
||||
$lang['mailprefix'] = 'Præfiks på e-mail emne til automatiske mails. Efterlad blank for at bruge wikien titel.';
|
||||
$lang['htmlmail'] = 'Send pænere, men større, HTML multipart mails. Deaktiver for at sende mails i klar tekst.';
|
||||
$lang['sitemap'] = 'Interval for dannelse af Google sitemap (i dage). Sæt til 0 for at deaktivere.';
|
||||
$lang['rss_type'] = 'Type af XML-feed';
|
||||
$lang['rss_linkto'] = 'XML-feed henviser til';
|
||||
$lang['rss_content'] = 'Hvad skal der vises i XML-feed?';
|
||||
$lang['rss_update'] = 'XML-feed opdateringsinterval (sek)';
|
||||
$lang['rss_show_summary'] = 'XML-feed vis referat i overskriften';
|
||||
$lang['rss_show_deleted'] = 'XML feed Vis slettede feeds';
|
||||
$lang['rss_media'] = 'Hvilke ændringer skal vises i XML feed?';
|
||||
$lang['rss_media_o_both'] = 'begge';
|
||||
$lang['rss_media_o_pages'] = 'sider';
|
||||
$lang['rss_media_o_media'] = 'media';
|
||||
$lang['updatecheck'] = 'Kig efter opdateringer og sikkerhedsadvarsler? DokuWiki er nødt til at kontakte update.dokuwiki.org for at tilgå denne funktion.';
|
||||
$lang['userewrite'] = 'Brug pæne netadresser';
|
||||
$lang['useslash'] = 'Brug skråstreg som navnerumsdeler i netadresser';
|
||||
$lang['sepchar'] = 'Orddelingstegn til sidenavne';
|
||||
$lang['canonical'] = 'Benyt fuldt kanoniske netadresser';
|
||||
$lang['fnencode'] = 'Metode til kodning af ikke-ASCII filnavne';
|
||||
$lang['autoplural'] = 'Tjek for flertalsendelser i henvisninger';
|
||||
$lang['compression'] = 'Pakningsmetode for attic-filer';
|
||||
$lang['gzip_output'] = 'Benyt gzip-Content-Encoding (indholdskodning) til XHTML';
|
||||
$lang['compress'] = 'Komprimer CSS- og JavaScript-filer';
|
||||
$lang['cssdatauri'] = 'Maksimal størrelse i bytes hvor billeder refereret fra CSS filer integreres direkte i CSS, for at reducere HTTP headerens størrelse. <code>400</code> til <code>600</code> bytes anbefales. Sæt til <code>0</code> for at deaktivere.';
|
||||
$lang['send404'] = 'Send "HTTP 404/Page Not Found" for ikke-eksisterende sider';
|
||||
$lang['broken_iua'] = 'Er funktionen "ignore_user_abort" uvirksom på dit system? Dette kunne forårsage en ikke virkende søgeoversigt. IIS+PHP/CGI er kendt for ikke at virke. Se <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Fejl 852</a> for flere oplysninger.';
|
||||
$lang['xsendfile'] = 'Brug hovedfilen til X-Sendfile for at få netserveren til at sende statiske filer? Din netserver skal understøtte dette for at bruge det.';
|
||||
$lang['renderer_xhtml'] = 'Udskriver der skal bruges til størstedelen af wiki-udskriften (XHTML)';
|
||||
$lang['renderer__core'] = '%s (dokuwiki-kerne)';
|
||||
$lang['renderer__plugin'] = '%s (udvidelse)';
|
||||
$lang['search_nslimit'] = 'Begræns søgningen til de aktuelle X navnerum. Når en søgning udføres fra en side i et underliggende navnerum, tilføjes de første X navnerum som filter';
|
||||
$lang['search_fragment'] = 'Angiv standardadfærd ved fragment søgning';
|
||||
$lang['search_fragment_o_exact'] = 'præcis';
|
||||
$lang['search_fragment_o_starts_with'] = 'starter med';
|
||||
$lang['search_fragment_o_ends_with'] = 'slutter med';
|
||||
$lang['search_fragment_o_contains'] = 'indeholder';
|
||||
$lang['trustedproxy'] = 'Hav tillid til viderestillede proxyer som rapporterer en oprindelig IP der matcher denne regular expression. Som standard matcher lokale netværk. Efterlad blank for ikke at have tillid til nogen proxyer.';
|
||||
$lang['_feature_flags'] = 'Funktionsflag';
|
||||
$lang['defer_js'] = 'Afvent med JavaScript ekserkvering, til sidens HTML er behandlet. Dette kan få sideindlæsning til at føles hurtigere, men kan potentielt forhindre et fåtal af udvidelser i at fungere korrekt.';
|
||||
$lang['dnslookups'] = 'DokuWiki laver DNS-opslag for at finde hostnames på de IP-adresser hvorfra brugere redigerer sider. Hvis du har en langsom eller ikke-fungerende DNS-server, eller ikke ønsker denne funktion, kan du slå den fra.';
|
||||
$lang['jquerycdn'] = 'Skal jQuery og jQuery UI kode hentes fra et CDN (content delivery network)? Dette resulterer i flere HTTP-forespørgsler, men filerne indlæses muligvis hurtigere, og brugere har dem muligvis allerede i cachen.';
|
||||
$lang['jquerycdn_o_0'] = 'Intet CDN, kode hentes fra denne server';
|
||||
$lang['jquerycdn_o_jquery'] = 'Benyt code.jquery.com';
|
||||
$lang['jquerycdn_o_cdnjs'] = 'Benyt cdnjs.com';
|
||||
$lang['proxy____host'] = 'Proxyserver';
|
||||
$lang['proxy____port'] = 'Proxy port';
|
||||
$lang['proxy____user'] = 'Proxy brugernavn';
|
||||
$lang['proxy____pass'] = 'Proxy adgangskode';
|
||||
$lang['proxy____ssl'] = 'Brug SSL til at forbinde til proxy';
|
||||
$lang['proxy____except'] = 'Regular expression til at matche URL\'er for hvilke proxier der skal ignores';
|
||||
$lang['license_o_'] = 'Ingen valgt';
|
||||
$lang['typography_o_0'] = 'ingen';
|
||||
$lang['typography_o_1'] = 'Kun gåseøjne';
|
||||
$lang['typography_o_2'] = 'Tillader enkelttegnscitering (vil måske ikke altid virke)';
|
||||
$lang['userewrite_o_0'] = 'ingen';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'Dokuwiki internt';
|
||||
$lang['deaccent_o_0'] = 'fra';
|
||||
$lang['deaccent_o_1'] = 'fjern accenttegn';
|
||||
$lang['deaccent_o_2'] = 'romaniser';
|
||||
$lang['gdlib_o_0'] = 'GD Lib ikke tilstede';
|
||||
$lang['gdlib_o_1'] = 'Version 1.x';
|
||||
$lang['gdlib_o_2'] = 'automatisk sondering';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Abstrakt';
|
||||
$lang['rss_content_o_diff'] = '"Unified Diff" (Sammensat)';
|
||||
$lang['rss_content_o_htmldiff'] = 'HTML-formateret diff-tabel';
|
||||
$lang['rss_content_o_html'] = 'Fuldt HTML-sideindhold';
|
||||
$lang['rss_linkto_o_diff'] = 'liste over forskelle';
|
||||
$lang['rss_linkto_o_page'] = 'den reviderede side';
|
||||
$lang['rss_linkto_o_rev'] = 'liste over revideringer';
|
||||
$lang['rss_linkto_o_current'] = 'den nuværende side';
|
||||
$lang['compression_o_0'] = 'ingen';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'brug ikke';
|
||||
$lang['xsendfile_o_1'] = 'Proprietær lighttpd-hovedfil (før udgave 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Standard X-Sendfile header';
|
||||
$lang['xsendfile_o_3'] = 'Proprietær Nginx X-Accel-Redirect header';
|
||||
$lang['showuseras_o_loginname'] = 'Brugernavn';
|
||||
$lang['showuseras_o_username'] = 'Brugerens fulde navn';
|
||||
$lang['showuseras_o_username_link'] = 'Brugerens fulde navn som interwiki bruger-link';
|
||||
$lang['showuseras_o_email'] = 'Brugerens e-mail adresse (sløret i henhold til mailguard-indstillingerne)';
|
||||
$lang['showuseras_o_email_link'] = 'Brugers e-mail adresse som en mailto:-henvisning';
|
||||
$lang['useheading_o_0'] = 'Aldrig';
|
||||
$lang['useheading_o_navigation'] = 'Kun navigering';
|
||||
$lang['useheading_o_content'] = 'Kun wiki-indhold';
|
||||
$lang['useheading_o_1'] = 'Altid';
|
||||
$lang['readdircache'] = 'Maksimum alder for readdir hukommelse (sek)';
|
@@ -0,0 +1,7 @@
|
||||
===== Konfigurations-Manager =====
|
||||
|
||||
Benutze diese Seite zur Kontrolle der Einstellungen deiner DokuWiki-Installation. Für Hilfe zu individuellen Einstellungen gehe zu [[doku>config]]. Für mehr Details über diese Erweiterungen siehe [[doku>plugin:config]].
|
||||
|
||||
Einstellungen die mit einem hellroten Hintergrund angezeigt werden, können mit dieser Erweiterung nicht verändert werden. Einstellungen mit einem blauen Hintergrund sind Standardwerte und Einstellungen mit einem weißen Hintergrund wurden lokal gesetzt für diese Installation. Sowohl blaue als auch weiße Einstellungen können angepasst werden.
|
||||
|
||||
Denke dran **Speichern** zu drücken bevor du die Seite verlässt, andernfalls werden deine Änderungen nicht übernommen.
|
202
projet/doku/lib/plugins/config/lang/de-informal/lang.php
Normal file
202
projet/doku/lib/plugins/config/lang/de-informal/lang.php
Normal file
@@ -0,0 +1,202 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Alexander Fischer <tbanus@os-forge.net>
|
||||
* @author Juergen Schwarzer <jschwarzer@freenet.de>
|
||||
* @author Marcel Metz <marcel_metz@gmx.de>
|
||||
* @author Matthias Schulte <dokuwiki@lupo49.de>
|
||||
* @author Christian Wichmann <nospam@zone0.de>
|
||||
* @author Pierre Corell <info@joomla-praxis.de>
|
||||
* @author Frank Loizzi <contact@software.bacal.de>
|
||||
* @author Mateng Schimmerlos <mateng@firemail.de>
|
||||
* @author Volker Bödker <volker@boedker.de>
|
||||
* @author rnck <dokuwiki@rnck.de>
|
||||
*/
|
||||
$lang['menu'] = 'Konfiguration';
|
||||
$lang['error'] = 'Konfiguration wurde nicht aktualisiert auf Grund eines ungültigen Wertes. Bitte überprüfe deine Änderungen und versuche es erneut.<br />Die/der ungültige(n) Wert(e) werden durch eine rote Umrandung hervorgehoben.';
|
||||
$lang['updated'] = 'Konfiguration erfolgreich aktualisiert.';
|
||||
$lang['nochoice'] = '(keine andere Option möglich)';
|
||||
$lang['locked'] = 'Die Konfigurationsdatei kann nicht aktualisiert werden. Wenn dies unbeabsichtigt ist stelle sicher, dass der Name und die Zugriffsrechte der Konfigurationsdatei richtig sind.';
|
||||
$lang['danger'] = '**Achtung**: Eine Änderung dieser Einstellung kann dein Wiki und das Einstellungsmenü unerreichbar machen.';
|
||||
$lang['warning'] = 'Achtung: Eine Änderungen dieser Option kann zu unbeabsichtigtem Verhalten führen.';
|
||||
$lang['security'] = 'Sicherheitswarnung: Eine Änderungen dieser Option können ein Sicherheitsrisiko bedeuten.';
|
||||
$lang['_configuration_manager'] = 'Konfigurations-Manager';
|
||||
$lang['_header_dokuwiki'] = 'DokuWiki';
|
||||
$lang['_header_plugin'] = 'Plugin';
|
||||
$lang['_header_template'] = 'Template';
|
||||
$lang['_header_undefined'] = 'Unbekannte Werte';
|
||||
$lang['_basic'] = 'Basis';
|
||||
$lang['_display'] = 'Darstellung';
|
||||
$lang['_authentication'] = 'Authentifizierung';
|
||||
$lang['_anti_spam'] = 'Anti-Spam';
|
||||
$lang['_editing'] = 'Bearbeitung';
|
||||
$lang['_links'] = 'Links';
|
||||
$lang['_media'] = 'Medien';
|
||||
$lang['_notifications'] = 'Benachrichtigung';
|
||||
$lang['_syndication'] = 'Syndication (RSS)';
|
||||
$lang['_advanced'] = 'Erweitert';
|
||||
$lang['_network'] = 'Netzwerk';
|
||||
$lang['_msg_setting_undefined'] = 'Keine Konfigurationsmetadaten.';
|
||||
$lang['_msg_setting_no_class'] = 'Keine Konfigurationsklasse.';
|
||||
$lang['_msg_setting_no_default'] = 'Kein Standardwert.';
|
||||
$lang['title'] = 'Wiki Titel';
|
||||
$lang['start'] = 'Name der Startseite';
|
||||
$lang['lang'] = 'Sprache';
|
||||
$lang['template'] = 'Vorlage';
|
||||
$lang['tagline'] = 'Tag-Linie (nur, wenn vom Template unterstützt)';
|
||||
$lang['sidebar'] = 'Name der Sidebar-Seite (nur, wenn vom Template unterstützt), ein leeres Feld deaktiviert die Sidebar';
|
||||
$lang['license'] = 'Unter welcher Lizenz sollte Ihr Inhalt veröffentlicht werden?';
|
||||
$lang['savedir'] = 'Ordner zum Speichern von Daten';
|
||||
$lang['basedir'] = 'Installationsverzeichnis';
|
||||
$lang['baseurl'] = 'Installationspfad (URL)';
|
||||
$lang['cookiedir'] = 'Cookie Pfad. Leer lassen, um die Standard-Url zu belassen.';
|
||||
$lang['dmode'] = 'Zugriffsrechte bei Verzeichniserstellung';
|
||||
$lang['fmode'] = 'Zugriffsrechte bei Dateierstellung';
|
||||
$lang['allowdebug'] = 'Debug-Ausgaben erlauben <b>Abschalten wenn nicht benötigt!</b>';
|
||||
$lang['recent'] = 'letzte Änderungen';
|
||||
$lang['recent_days'] = 'Wie viele Änderungen sollen vorgehalten werden? (Tage)';
|
||||
$lang['breadcrumbs'] = 'Anzahl der Einträge im "Krümelpfad"';
|
||||
$lang['youarehere'] = 'Hierarchische Pfadnavigation verwenden';
|
||||
$lang['fullpath'] = 'Zeige vollen Pfad der Datei in Fußzeile an';
|
||||
$lang['typography'] = 'Mach drucktechnische Ersetzungen';
|
||||
$lang['dformat'] = 'Datumsformat (siehe PHPs <a href="http://php.net/strftime">strftime</a> Funktion)';
|
||||
$lang['signature'] = 'Signatur';
|
||||
$lang['showuseras'] = 'Was angezeigt werden soll, wenn der Benutzer, der zuletzt eine Seite bearbeitet hat, angezeigt wird';
|
||||
$lang['toptoclevel'] = 'Inhaltsverzeichnis bei dieser Überschriftengröße beginnen';
|
||||
$lang['tocminheads'] = 'Mindestanzahl der Überschriften die entscheidet, ob ein Inhaltsverzeichnis erscheinen soll';
|
||||
$lang['maxtoclevel'] = 'Maximale Überschriftengröße für Inhaltsverzeichnis';
|
||||
$lang['maxseclevel'] = 'Abschnitte bis zu dieser Stufe einzeln editierbar machen';
|
||||
$lang['camelcase'] = 'CamelCase-Verlinkungen verwenden';
|
||||
$lang['deaccent'] = 'Seitennamen bereinigen';
|
||||
$lang['useheading'] = 'Erste Überschrift als Seitennamen verwenden';
|
||||
$lang['sneaky_index'] = 'Standardmäßig zeigt DokuWiki alle Namensräume in der Indexansicht an. Bei Aktivierung dieser Einstellung werden alle Namensräume versteckt, in welchen der Benutzer keine Leserechte hat. Dies könnte dazu führen, dass lesbare Unternamensräume versteckt werden. Dies kann die Indexansicht bei bestimmten Zugangskontrolleinstellungen unbenutzbar machen.';
|
||||
$lang['hidepages'] = 'Seiten verstecken (Regulärer Ausdruck)';
|
||||
$lang['useacl'] = 'Benutze Zugangskontrollliste';
|
||||
$lang['autopasswd'] = 'Automatisch erzeugte Passwörter';
|
||||
$lang['authtype'] = 'Authentifizierungsmethode';
|
||||
$lang['passcrypt'] = 'Passwortverschlüsselungsmethode';
|
||||
$lang['defaultgroup'] = 'Standardgruppe';
|
||||
$lang['superuser'] = 'Administrator - Eine Gruppe oder Benutzer mit vollem Zugriff auf alle Seiten und Administrationswerkzeuge.';
|
||||
$lang['manager'] = 'Manager - Eine Gruppe oder Benutzer mit Zugriff auf einige Administrationswerkzeuge.';
|
||||
$lang['profileconfirm'] = 'Änderungen am Benutzerprofil mit Passwort bestätigen';
|
||||
$lang['rememberme'] = 'Permanente Login-Cookies erlauben (Auf diesem Computer eingeloggt bleiben)';
|
||||
$lang['disableactions'] = 'Deaktiviere DokuWiki\'s Zugriffe';
|
||||
$lang['disableactions_check'] = 'Check';
|
||||
$lang['disableactions_subscription'] = 'Bestellen/Abbestellen';
|
||||
$lang['disableactions_wikicode'] = 'Zeige Quelle/Exportiere Rohdaten';
|
||||
$lang['disableactions_profile_delete'] = 'Eigenes Benutzerprofil löschen';
|
||||
$lang['disableactions_other'] = 'Weitere Aktionen (durch Komma getrennt)';
|
||||
$lang['disableactions_rss'] = 'XML Syndication (RSS)';
|
||||
$lang['auth_security_timeout'] = 'Zeitüberschreitung bei der Authentifizierung (Sekunden)';
|
||||
$lang['securecookie'] = 'Sollen Cookies, die via HTTPS gesetzt wurden nur per HTTPS versendet werden? Deaktiviere diese Option, wenn nur der Login deines Wikis mit SSL gesichert ist, aber das Betrachten des Wikis ungesichert geschieht.';
|
||||
$lang['remote'] = 'Aktiviert den externen API-Zugang. Diese Option erlaubt es externen Anwendungen von außen auf die XML-RPC-Schnittstelle oder anderweitigen Schnittstellen zuzugreifen.';
|
||||
$lang['remoteuser'] = 'Zugriff auf die externen Schnittstellen durch kommaseparierte Angabe von Benutzern oder Gruppen einschränken. Ein leeres Feld erlaubt Zugriff für jeden.';
|
||||
$lang['usewordblock'] = 'Blockiere Spam basierend auf der Wortliste';
|
||||
$lang['relnofollow'] = 'rel="nofollow" verwenden';
|
||||
$lang['indexdelay'] = 'Zeit bevor Suchmaschinenindexierung erlaubt ist';
|
||||
$lang['mailguard'] = 'E-Mail-Adressen schützen';
|
||||
$lang['iexssprotect'] = 'Hochgeladene Dateien auf bösartigen JavaScript- und HTML-Code untersuchen';
|
||||
$lang['usedraft'] = 'Speichere automatisch Entwürfe während der Bearbeitung';
|
||||
$lang['htmlok'] = 'Erlaube eingebettetes HTML';
|
||||
$lang['phpok'] = 'Erlaube eingebettetes PHP';
|
||||
$lang['locktime'] = 'Maximales Alter für Seitensperren (Sekunden)';
|
||||
$lang['cachetime'] = 'Maximale Cachespeicherung (Sekunden)';
|
||||
$lang['target____wiki'] = 'Zielfenstername für interne Links';
|
||||
$lang['target____interwiki'] = 'Zielfenstername für InterWiki-Links';
|
||||
$lang['target____extern'] = 'Zielfenstername für externe Links';
|
||||
$lang['target____media'] = 'Zielfenstername für Medienlinks';
|
||||
$lang['target____windows'] = 'Zielfenstername für Windows-Freigaben-Links';
|
||||
$lang['mediarevisions'] = 'Media-Revisionen (ältere Versionen) aktivieren?';
|
||||
$lang['refcheck'] = 'Auf Verwendung beim Löschen von Media-Dateien testen';
|
||||
$lang['gdlib'] = 'GD Lib Version';
|
||||
$lang['im_convert'] = 'Pfad zu ImageMagicks-Konvertierwerkzeug';
|
||||
$lang['jpg_quality'] = 'JPEG Kompressionsqualität (0-100)';
|
||||
$lang['fetchsize'] = 'Maximale Größe (in Bytes), die fetch.php von extern herunterladen darf';
|
||||
$lang['subscribers'] = 'E-Mail-Abos zulassen';
|
||||
$lang['subscribe_time'] = 'Zeit nach der Zusammenfassungs- und Änderungslisten-E-Mails verschickt werden; Dieser Wert sollte kleiner als die in recent_days konfigurierte Zeit sein.';
|
||||
$lang['notify'] = 'Sende Änderungsbenachrichtigungen an diese E-Mail-Adresse.';
|
||||
$lang['registernotify'] = 'Sende Information bei neu registrierten Benutzern an diese E-Mail-Adresse.';
|
||||
$lang['mailfrom'] = 'Absenderadresse für automatisch erzeugte E-Mails';
|
||||
$lang['mailreturnpath'] = 'Empfänger-E-Mail-Adresse für Unzustellbarkeitsnachricht';
|
||||
$lang['mailprefix'] = 'Präfix für E-Mail-Betreff beim automatischen Versand von Benachrichtigungen';
|
||||
$lang['htmlmail'] = 'Versendet optisch angenehmere, aber größere E-Mails im HTML-Format (multipart). Deaktivieren, um Text-Mails zu versenden.';
|
||||
$lang['sitemap'] = 'Erzeuge Google Sitemaps (Tage)';
|
||||
$lang['rss_type'] = 'XML-Feed-Format';
|
||||
$lang['rss_linkto'] = 'XML-Feed verlinken auf';
|
||||
$lang['rss_content'] = 'Was soll in XML-Feedinhalten angezeigt werden?';
|
||||
$lang['rss_update'] = 'Aktualisierungsintervall für XML-Feeds (Sekunden)';
|
||||
$lang['rss_show_summary'] = 'Bearbeitungs-Zusammenfassung im XML-Feed anzeigen';
|
||||
$lang['rss_media'] = 'Welche Änderungen sollen im XML-Feed angezeigt werden?';
|
||||
$lang['updatecheck'] = 'Automatisch auf Updates und Sicherheitswarnungen prüfen? DokuWiki muss sich dafür mit update.dokuwiki.org verbinden.';
|
||||
$lang['userewrite'] = 'Benutze schöne URLs';
|
||||
$lang['useslash'] = 'Benutze Schrägstrich als Namensraumtrenner in URLs';
|
||||
$lang['sepchar'] = 'Worttrenner für Seitennamen in URLs';
|
||||
$lang['canonical'] = 'Immer Links mit vollständigen URLs erzeugen';
|
||||
$lang['fnencode'] = 'Methode um nicht-ASCII Dateinamen zu kodieren.';
|
||||
$lang['autoplural'] = 'Bei Links automatisch nach vorhandenen Pluralformen suchen';
|
||||
$lang['compression'] = 'Komprimierungsmethode für alte Seitenrevisionen';
|
||||
$lang['gzip_output'] = 'Seiten mit gzip komprimiert ausliefern';
|
||||
$lang['compress'] = 'JavaScript und Stylesheets komprimieren';
|
||||
$lang['cssdatauri'] = 'Größe in Bytes, bis zu der Bilder in css-Dateien referenziert werden können, um HTTP-Anfragen zu minimieren. <code>400</code> bis <code>600</code> Bytes sind gute Werte. Setze <code>0</code> für inaktive Funktion.';
|
||||
$lang['send404'] = 'Sende "HTTP 404/Seite nicht gefunden" für nicht existierende Seiten';
|
||||
$lang['broken_iua'] = 'Falls die Funktion ignore_user_abort auf deinem System nicht funktioniert, könnte der Such-Index nicht funktionieren. IIS+PHP/CGI ist bekannt dafür. Siehe auch <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a>.';
|
||||
$lang['xsendfile'] = 'Den X-Sendfile-Header nutzen, um Dateien direkt vom Webserver ausliefern zu lassen? Dein Webserver muss dies unterstützen!';
|
||||
$lang['renderer_xhtml'] = 'Standard-Renderer für die normale (XHTML) Wiki-Ausgabe.';
|
||||
$lang['renderer__core'] = '%s (DokuWiki Kern)';
|
||||
$lang['renderer__plugin'] = '%s (Erweiterung)';
|
||||
$lang['dnslookups'] = 'DokuWiki löst die IP-Adressen von Benutzern zu deren Hostnamen auf. Wenn du einen langsamen, unbrauchbaren DNS-Server verwendest oder die Funktion nicht benötigst, dann sollte diese Option deaktivert sein.';
|
||||
$lang['jquerycdn'] = 'Sollen die jQuery und jQuery UI Skriptdateien von einem CDN geladen werden? Das verursacht zusätzliche HTTP Anfragen, aber die Dateien werden möglicherweise schneller geladen und Nutzer haben sie vielleicht bereits im Cache.';
|
||||
$lang['jquerycdn_o_0'] = 'Kein CDN, nur lokale Auslieferung';
|
||||
$lang['jquerycdn_o_jquery'] = 'CDN bei code.jquery.com';
|
||||
$lang['jquerycdn_o_cdnjs'] = 'CDN bei cdnjs.com';
|
||||
$lang['proxy____host'] = 'Proxyadresse';
|
||||
$lang['proxy____port'] = 'Proxyport';
|
||||
$lang['proxy____user'] = 'Benutzername für den Proxy';
|
||||
$lang['proxy____pass'] = 'Passwort von dem Proxybenutzer';
|
||||
$lang['proxy____ssl'] = 'SSL verwenden um auf den Proxy zu zugreifen';
|
||||
$lang['proxy____except'] = 'Regulärer Ausdruck um Adressen zu beschreiben, für die kein Proxy verwendet werden soll';
|
||||
$lang['license_o_'] = 'Nichts ausgewählt';
|
||||
$lang['typography_o_0'] = 'nichts';
|
||||
$lang['typography_o_1'] = 'ohne einfache Anführungszeichen';
|
||||
$lang['typography_o_2'] = 'mit einfachen Anführungszeichen (funktioniert nicht immer)';
|
||||
$lang['userewrite_o_0'] = 'nichts';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'DokuWiki intern';
|
||||
$lang['deaccent_o_0'] = 'aus';
|
||||
$lang['deaccent_o_1'] = 'Entferne Akzente';
|
||||
$lang['deaccent_o_2'] = 'romanisieren';
|
||||
$lang['gdlib_o_0'] = 'GD lib ist nicht verfügbar';
|
||||
$lang['gdlib_o_1'] = 'Version 1.x';
|
||||
$lang['gdlib_o_2'] = 'Autoerkennung';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Zusammenfassung';
|
||||
$lang['rss_content_o_diff'] = 'Vereinigtes Diff';
|
||||
$lang['rss_content_o_htmldiff'] = 'HTML formatierte Diff-Tabelle';
|
||||
$lang['rss_content_o_html'] = 'Vollständiger HTML-Inhalt';
|
||||
$lang['rss_linkto_o_diff'] = 'Ansicht der Unterschiede';
|
||||
$lang['rss_linkto_o_page'] = 'geänderte Seite';
|
||||
$lang['rss_linkto_o_rev'] = 'Liste der Revisionen';
|
||||
$lang['rss_linkto_o_current'] = 'Die aktuelle Seite';
|
||||
$lang['compression_o_0'] = 'nichts';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'Nicht benutzen';
|
||||
$lang['xsendfile_o_1'] = 'Proprietärer lighttpd-Header (vor Release 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Standard X-Sendfile-Header';
|
||||
$lang['xsendfile_o_3'] = 'Proprietärer Nginx X-Accel-Redirect-Header';
|
||||
$lang['showuseras_o_loginname'] = 'Login-Name';
|
||||
$lang['showuseras_o_username'] = 'Voller Name des Benutzers';
|
||||
$lang['showuseras_o_username_link'] = 'Kompletter Name des Benutzers als Interwiki-Link';
|
||||
$lang['showuseras_o_email'] = 'E-Mail-Adresse des Benutzers (je nach Mailguard-Einstellung verschleiert)';
|
||||
$lang['showuseras_o_email_link'] = 'E-Mail-Adresse des Benutzers als mailto:-Link';
|
||||
$lang['useheading_o_0'] = 'Niemals';
|
||||
$lang['useheading_o_navigation'] = 'Nur Navigation';
|
||||
$lang['useheading_o_content'] = 'Nur Wiki-Inhalt';
|
||||
$lang['useheading_o_1'] = 'Immer';
|
||||
$lang['readdircache'] = 'Maximales Alter des readdir-Caches (Sekunden)';
|
7
projet/doku/lib/plugins/config/lang/de/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/de/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Konfigurations-Manager ======
|
||||
|
||||
Dieses Plugin hilft Ihnen bei der Konfiguration von DokuWiki. Hilfe zu den einzelnen Einstellungen finden Sie unter [[doku>config]]. Mehr Information zu diesem Plugin ist unter [[doku>plugin:config]] erhältlich.
|
||||
|
||||
Einstellungen mit einem hellroten Hintergrund sind gesichert und können nicht mit diesem Plugin verändert werden, Einstellungen mit hellblauem Hintergrund sind Voreinstellungen, weiß hinterlegte Felder zeigen lokal veränderte Werte an. Sowohl die blauen als auch die weißen Felder können verändert werden.
|
||||
|
||||
Bitte vergessen Sie nicht **Speichern** zu drücken bevor Sie die Seite verlassen, andernfalls gehen Ihre Änderungen verloren.
|
231
projet/doku/lib/plugins/config/lang/de/lang.php
Normal file
231
projet/doku/lib/plugins/config/lang/de/lang.php
Normal file
@@ -0,0 +1,231 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Axel Schwarzer <SchwarzerA@gmail.com>
|
||||
* @author Andreas Gohr <andi@splitbrain.org>
|
||||
* @author Eric Haberstroh <ehaberstroh@gmail.com>
|
||||
* @author C!own77 <clown77@posteo.de>
|
||||
* @author Alex Beck <alex@4becks.com>
|
||||
* @author Jürgen Fredriksson <jfriedrich@gmx.at>
|
||||
* @author Michael Bohn <mjbohn@gmail.com>
|
||||
* @author Joel Strasser <strasser999@gmail.com>
|
||||
* @author Michael Klier <chi@chimeric.de>
|
||||
* @author Leo Moll <leo@yeasoft.com>
|
||||
* @author Florian Anderiasch <fa@art-core.org>
|
||||
* @author Robin Kluth <commi1993@gmail.com>
|
||||
* @author Arne Pelka <mail@arnepelka.de>
|
||||
* @author Dirk Einecke <dirk@dirkeinecke.de>
|
||||
* @author Blitzi94 <Blitzi94@gmx.de>
|
||||
* @author Robert Bogenschneider <robog@gmx.de>
|
||||
* @author Niels Lange <niels@boldencursief.nl>
|
||||
* @author Christian Wichmann <nospam@zone0.de>
|
||||
* @author Paul Lachewsky <kaeptn.haddock@gmail.com>
|
||||
* @author Pierre Corell <info@joomla-praxis.de>
|
||||
* @author Matthias Schulte <dokuwiki@lupo49.de>
|
||||
* @author Mateng Schimmerlos <mateng@firemail.de>
|
||||
* @author Anika Henke <anika@selfthinker.org>
|
||||
* @author Marco Hofmann <xenadmin@meinekleinefarm.net>
|
||||
* @author Hella Breitkopf <hella.breitkopf@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'Konfiguration';
|
||||
$lang['error'] = 'Die Einstellungen wurden wegen einer fehlerhaften Eingabe nicht gespeichert.<br /> Bitte überprüfen sie die rot umrandeten Eingaben und speichern Sie erneut.';
|
||||
$lang['updated'] = 'Einstellungen erfolgreich gespeichert.';
|
||||
$lang['nochoice'] = '(keine Auswahlmöglichkeiten vorhanden)';
|
||||
$lang['locked'] = 'Die Konfigurationsdatei kann nicht geändert werden. Wenn dies unbeabsichtigt ist, <br />überprüfen Sie, ob die Dateiberechtigungen korrekt gesetzt sind.';
|
||||
$lang['danger'] = 'Vorsicht: Die Änderung dieser Option könnte Ihr Wiki und das Konfigurationsmenü unzugänglich machen.';
|
||||
$lang['warning'] = 'Hinweis: Die Änderung dieser Option könnte unbeabsichtigtes Verhalten hervorrufen.';
|
||||
$lang['security'] = 'Sicherheitswarnung: Die Änderung dieser Option könnte ein Sicherheitsrisiko darstellen.';
|
||||
$lang['_configuration_manager'] = 'Konfigurations-Manager';
|
||||
$lang['_header_dokuwiki'] = 'DokuWiki';
|
||||
$lang['_header_plugin'] = 'Plugin';
|
||||
$lang['_header_template'] = 'Template';
|
||||
$lang['_header_undefined'] = 'Nicht gesetzte Einstellungen';
|
||||
$lang['_basic'] = 'Basis';
|
||||
$lang['_display'] = 'Darstellung';
|
||||
$lang['_authentication'] = 'Authentifizierung';
|
||||
$lang['_anti_spam'] = 'Anti-Spam';
|
||||
$lang['_editing'] = 'Bearbeitung';
|
||||
$lang['_links'] = 'Links';
|
||||
$lang['_media'] = 'Medien';
|
||||
$lang['_notifications'] = 'Benachrichtigung';
|
||||
$lang['_syndication'] = 'Syndication (RSS)';
|
||||
$lang['_advanced'] = 'Erweitert';
|
||||
$lang['_network'] = 'Netzwerk';
|
||||
$lang['_msg_setting_undefined'] = 'Keine Konfigurationsmetadaten.';
|
||||
$lang['_msg_setting_no_class'] = 'Keine Konfigurationsklasse.';
|
||||
$lang['_msg_setting_no_known_class'] = 'Setting-Klasse nicht verfügbar.';
|
||||
$lang['_msg_setting_no_default'] = 'Kein Standardwert.';
|
||||
$lang['title'] = 'Titel des Wikis';
|
||||
$lang['start'] = 'Startseitenname';
|
||||
$lang['lang'] = 'Sprache';
|
||||
$lang['template'] = 'Designvorlage (Template)';
|
||||
$lang['tagline'] = 'Tag-Linie (nur, wenn vom Template unterstützt)';
|
||||
$lang['sidebar'] = 'Name der Sidebar-Seite (nur, wenn vom Template unterstützt), ein leeres Feld deaktiviert die Sidebar';
|
||||
$lang['license'] = 'Unter welcher Lizenz sollen Ihre Inhalte veröffentlicht werden?';
|
||||
$lang['savedir'] = 'Speicherverzeichnis';
|
||||
$lang['basedir'] = 'Installationsverzeichnis';
|
||||
$lang['baseurl'] = 'Installationspfad (URL)';
|
||||
$lang['cookiedir'] = 'Cookiepfad. Frei lassen, um den gleichen Pfad wie "baseurl" zu benutzen.';
|
||||
$lang['dmode'] = 'Berechtigungen für neue Verzeichnisse';
|
||||
$lang['fmode'] = 'Berechtigungen für neue Dateien';
|
||||
$lang['allowdebug'] = 'Debug-Ausgaben erlauben <b>Abschalten wenn nicht benötigt!</b>';
|
||||
$lang['recent'] = 'Anzahl der Einträge in der Änderungsliste';
|
||||
$lang['recent_days'] = 'Wie viele letzte Änderungen sollen einsehbar bleiben? (Tage)';
|
||||
$lang['breadcrumbs'] = 'Anzahl der Einträge im "Krümelpfad"';
|
||||
$lang['youarehere'] = 'Hierarchische Pfadnavigation verwenden';
|
||||
$lang['fullpath'] = 'Den kompletten Dateipfad im Footer anzeigen';
|
||||
$lang['typography'] = 'Typographische Ersetzungen';
|
||||
$lang['dformat'] = 'Datumsformat (Siehe PHP <a href="http://php.net/strftime">strftime</a> Funktion)';
|
||||
$lang['signature'] = 'Signatur';
|
||||
$lang['showuseras'] = 'Welche Informationen über einen Benutzer anzeigen, der zuletzt eine Seite bearbeitet hat';
|
||||
$lang['toptoclevel'] = 'Inhaltsverzeichnis bei dieser Überschriftengröße beginnen';
|
||||
$lang['tocminheads'] = 'Mindestanzahl der Überschriften die entscheidet, ob ein Inhaltsverzeichnis erscheinen soll';
|
||||
$lang['maxtoclevel'] = 'Maximale Überschriftengröße für Inhaltsverzeichnis';
|
||||
$lang['maxseclevel'] = 'Abschnitte bis zu dieser Stufe einzeln editierbar machen';
|
||||
$lang['camelcase'] = 'CamelCase-Verlinkungen verwenden';
|
||||
$lang['deaccent'] = 'Seitennamen bereinigen';
|
||||
$lang['useheading'] = 'Erste Überschrift als Seitennamen verwenden';
|
||||
$lang['sneaky_index'] = 'Standardmäßig zeigt DokuWiki alle Namensräume in der Übersicht. Wenn diese Option aktiviert wird, werden alle Namensräume, für die der Benutzer keine Lese-Rechte hat, nicht angezeigt. Dies kann unter Umständen dazu führen, das lesbare Unter-Namensräume nicht angezeigt werden und macht die Übersicht evtl. unbrauchbar in Kombination mit bestimmten ACL Einstellungen.';
|
||||
$lang['hidepages'] = 'Seiten verstecken (Regulärer Ausdruck)';
|
||||
$lang['useacl'] = 'Zugangskontrolle verwenden';
|
||||
$lang['autopasswd'] = 'Passwort automatisch generieren';
|
||||
$lang['authtype'] = 'Authentifizierungsmechanismus';
|
||||
$lang['passcrypt'] = 'Verschlüsselungsmechanismus';
|
||||
$lang['defaultgroup'] = 'Standardgruppe';
|
||||
$lang['superuser'] = 'Administrator - Eine Gruppe oder Benutzer mit vollem Zugriff auf alle Seiten und Administrationswerkzeuge.';
|
||||
$lang['manager'] = 'Manager - Eine Gruppe oder Benutzer mit Zugriff auf einige Administrationswerkzeuge.';
|
||||
$lang['profileconfirm'] = 'Profiländerung nur nach Passwortbestätigung';
|
||||
$lang['rememberme'] = 'Permanente Login-Cookies erlauben (Auf diesem Computer eingeloggt bleiben)';
|
||||
$lang['disableactions'] = 'DokuWiki-Aktionen deaktivieren';
|
||||
$lang['disableactions_check'] = 'Check';
|
||||
$lang['disableactions_subscription'] = 'Seiten-Abonnements';
|
||||
$lang['disableactions_wikicode'] = 'Quelltext betrachten/exportieren';
|
||||
$lang['disableactions_profile_delete'] = 'Eigenes Benutzerprofil löschen';
|
||||
$lang['disableactions_other'] = 'Andere Aktionen (durch Komma getrennt)';
|
||||
$lang['disableactions_rss'] = 'XML-Syndikation (RSS)';
|
||||
$lang['auth_security_timeout'] = 'Authentifikations-Timeout (Sekunden)';
|
||||
$lang['securecookie'] = 'Sollen Cookies, die via HTTPS gesetzt wurden nur per HTTPS versendet werden? Deaktivieren Sie diese Option, wenn nur der Login Ihres Wikis mit SSL gesichert ist, aber das Betrachten des Wikis ungesichert geschieht.';
|
||||
$lang['remote'] = 'Aktiviert den externen API-Zugang. Diese Option erlaubt es externen Anwendungen von außen auf die XML-RPC-Schnittstelle oder anderweitigen Schnittstellen zu zugreifen.';
|
||||
$lang['remoteuser'] = 'Zugriff auf die externen Schnittstellen durch kommaseparierte Angabe von Benutzern oder Gruppen einschränken. Ein leeres Feld erlaubt Zugriff für jeden.';
|
||||
$lang['usewordblock'] = 'Spam-Blocking (nach Wörterliste) benutzen';
|
||||
$lang['relnofollow'] = 'rel="nofollow" verwenden';
|
||||
$lang['indexdelay'] = 'Zeit bevor Suchmaschinenindexierung erlaubt ist (in Sekunden)';
|
||||
$lang['mailguard'] = 'E-Mail-Adressen schützen';
|
||||
$lang['iexssprotect'] = 'Hochgeladene Dateien auf bösartigen JavaScript- und HTML-Code untersuchen';
|
||||
$lang['usedraft'] = 'Während des Bearbeitens automatisch Zwischenentwürfe speichern';
|
||||
$lang['htmlok'] = 'HTML erlauben';
|
||||
$lang['phpok'] = 'PHP erlauben';
|
||||
$lang['locktime'] = 'Maximales Alter für Seitensperren (Sekunden)';
|
||||
$lang['cachetime'] = 'Maximale Cachespeicherung (Sekunden)';
|
||||
$lang['target____wiki'] = 'Zielfenster für interne Links (target Attribut)';
|
||||
$lang['target____interwiki'] = 'Zielfenster für InterWiki-Links (target Attribut)';
|
||||
$lang['target____extern'] = 'Zielfenster für Externe Links (target Attribut)';
|
||||
$lang['target____media'] = 'Zielfenster für (Bild-)Dateien (target Attribut)';
|
||||
$lang['target____windows'] = 'Zielfenster für Windows Freigaben (target Attribut)';
|
||||
$lang['mediarevisions'] = 'Media-Revisionen (ältere Versionen) aktivieren?';
|
||||
$lang['refcheck'] = 'Auf Verwendung beim Löschen von Media-Dateien testen';
|
||||
$lang['gdlib'] = 'GD Lib Version';
|
||||
$lang['im_convert'] = 'Pfad zum ImageMagicks-Konvertierwerkzeug';
|
||||
$lang['jpg_quality'] = 'JPEG Kompressionsqualität (0-100)';
|
||||
$lang['fetchsize'] = 'Maximale Größe (in Bytes), die fetch.php von extern herunterladen darf';
|
||||
$lang['subscribers'] = 'E-Mail-Abos zulassen';
|
||||
$lang['subscribe_time'] = 'Zeit nach der Zusammenfassungs- und Änderungslisten-E-Mails verschickt werden (Sekunden); Dieser Wert sollte kleiner als die in recent_days konfigurierte Zeit sein.';
|
||||
$lang['notify'] = 'Änderungsmitteilungen an diese E-Mail-Adresse versenden';
|
||||
$lang['registernotify'] = 'Information über neu registrierte Benutzer an diese E-Mail-Adresse senden';
|
||||
$lang['mailfrom'] = 'Absender-E-Mail-Adresse für automatische Mails';
|
||||
$lang['mailreturnpath'] = 'Empfänger-E-Mail-Adresse für Unzustellbarkeitsnachricht';
|
||||
$lang['mailprefix'] = 'Präfix für E-Mail-Betreff beim automatischen Versand von Benachrichtigungen (Leer lassen um den Wiki-Titel zu verwenden)';
|
||||
$lang['htmlmail'] = 'Versendet optisch angenehmere, aber größere E-Mails im HTML-Format (multipart). Deaktivieren, um Text-Mails zu versenden.';
|
||||
$lang['sitemap'] = 'Google Sitemap erzeugen (Tage). Mit 0 deaktivieren.';
|
||||
$lang['rss_type'] = 'XML-Feed-Format';
|
||||
$lang['rss_linkto'] = 'XML-Feed verlinken auf';
|
||||
$lang['rss_content'] = 'Welche Inhalte sollen im XML-Feed dargestellt werden?';
|
||||
$lang['rss_update'] = 'XML-Feed Aktualisierungsintervall (Sekunden)';
|
||||
$lang['rss_show_summary'] = 'Bearbeitungs-Zusammenfassung im XML-Feed anzeigen';
|
||||
$lang['rss_show_deleted'] = 'XML-Feed: Gelöschte Feeds anzeigen';
|
||||
$lang['rss_media'] = 'Welche Änderungen sollen im XML-Feed angezeigt werden?';
|
||||
$lang['rss_media_o_both'] = 'beide';
|
||||
$lang['rss_media_o_pages'] = 'Seiten';
|
||||
$lang['rss_media_o_media'] = 'Medien';
|
||||
$lang['updatecheck'] = 'Automatisch auf Updates und Sicherheitswarnungen prüfen? DokuWiki muss sich dafür mit update.dokuwiki.org verbinden.';
|
||||
$lang['userewrite'] = 'Schöne Seitenadressen (URL rewriting)';
|
||||
$lang['useslash'] = 'Schrägstrich (/) als Namensraumtrenner in URLs verwenden';
|
||||
$lang['sepchar'] = 'Worttrenner für Seitennamen in URLs';
|
||||
$lang['canonical'] = 'Immer Links mit vollständigen URLs erzeugen';
|
||||
$lang['fnencode'] = 'Methode um nicht-ASCII Dateinamen zu kodieren.';
|
||||
$lang['autoplural'] = 'Bei Links automatisch nach vorhandenen Pluralformen suchen';
|
||||
$lang['compression'] = 'Komprimierungsmethode für alte Seitenrevisionen';
|
||||
$lang['gzip_output'] = 'Seiten mit gzip komprimiert ausliefern';
|
||||
$lang['compress'] = 'JavaScript und Stylesheets komprimieren';
|
||||
$lang['cssdatauri'] = 'Größe in Bytes, bis zu der Bilder in CSS-Dateien referenziert werden können, um HTTP-Anfragen zu minimieren. Empfohlene Einstellung: <code>400</code> to <code>600</code> Bytes. Setzen Sie die Einstellung auf <code>0</code> um die Funktion zu deaktivieren.';
|
||||
$lang['send404'] = 'Bei nicht vorhandenen Seiten mit 404 Fehlercode antworten';
|
||||
$lang['broken_iua'] = 'Falls die Funktion ignore_user_abort auf Ihrem System nicht funktioniert, könnte der Such-Index nicht funktionieren. IIS+PHP/CGI ist bekannt dafür. Siehe auch <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a>.';
|
||||
$lang['xsendfile'] = 'Den X-Sendfile-Header nutzen, um Dateien direkt vom Webserver ausliefern zu lassen? Ihr Webserver muss dies unterstützen!';
|
||||
$lang['renderer_xhtml'] = 'Standard-Renderer für die normale (XHTML) Wiki-Ausgabe.';
|
||||
$lang['renderer__core'] = '%s (DokuWiki Kern)';
|
||||
$lang['renderer__plugin'] = '%s (Plugin)';
|
||||
$lang['search_nslimit'] = 'Beschränke die Suche auf die jetzigen X Namensräume. Wenn eine Suche von einer Seite in einem tieferen Namensraum aus ausgeführt wird, werden die ersten X Namensräume als Filter hinzugefügt';
|
||||
$lang['search_fragment'] = 'Spezifiziere das vorgegebenen Fragment-Suchverhalten';
|
||||
$lang['search_fragment_o_exact'] = 'genaue Treffer';
|
||||
$lang['search_fragment_o_starts_with'] = 'beginnt mit';
|
||||
$lang['search_fragment_o_ends_with'] = 'endet mit';
|
||||
$lang['search_fragment_o_contains'] = 'enthält';
|
||||
$lang['trustedproxy'] = 'Vertrauen Sie Weiterleitungs-Proxys, welche dem regulärem Ausdruck entsprechen, hinsichtlich der angegebenen Client-ID. Der Standardwert entspricht dem lokalem Netzwerk. Leer lassen um jedem Proxy zu vertrauen.';
|
||||
$lang['_feature_flags'] = 'Feature-Flags';
|
||||
$lang['defer_js'] = 'JavaScript-Ausführung verzögern bis das HTML der gesamten Seite verarbeitet wurde. Erhöht die gefühlte Geschwindigkeit des Seitenaufbaus, kann aber mit einigen wenigen Plugins inkompatibel sein.';
|
||||
$lang['dnslookups'] = 'DokuWiki löst die IP-Adressen von Benutzern zu deren Hostnamen auf. Wenn Sie einen langsamen oder unzuverlässigen DNS-Server verwenden oder die Funktion nicht benötigen, dann sollte diese Option deaktiviert sein.';
|
||||
$lang['jquerycdn'] = 'Sollen jQuery und jQuery UI Skriptdateien von einem CDN (Content Delivery Network) geladen werden? Dadurch entstehen zusätzliche HTTP-Anfragen, aber die Daten werden voraussichtlich schneller geladen und eventuell sind sie auch schon beim Benutzer im Cache.';
|
||||
$lang['jquerycdn_o_0'] = 'Kein CDN, ausschließlich lokale Auslieferung';
|
||||
$lang['jquerycdn_o_jquery'] = 'CDN von code.jquery.com';
|
||||
$lang['jquerycdn_o_cdnjs'] = 'CDN von cdnjs.com';
|
||||
$lang['proxy____host'] = 'Proxy-Server';
|
||||
$lang['proxy____port'] = 'Proxy-Port';
|
||||
$lang['proxy____user'] = 'Proxy Benutzername';
|
||||
$lang['proxy____pass'] = 'Proxy Passwort';
|
||||
$lang['proxy____ssl'] = 'SSL bei Verbindung zum Proxy verwenden';
|
||||
$lang['proxy____except'] = 'Regulärer Ausdruck für URLs, bei denen kein Proxy verwendet werden soll';
|
||||
$lang['license_o_'] = 'Keine gewählt';
|
||||
$lang['typography_o_0'] = 'keine';
|
||||
$lang['typography_o_1'] = 'ohne einfache Anführungszeichen';
|
||||
$lang['typography_o_2'] = 'mit einfachen Anführungszeichen (funktioniert nicht immer)';
|
||||
$lang['userewrite_o_0'] = 'keines';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'DokuWiki intern';
|
||||
$lang['deaccent_o_0'] = 'aus';
|
||||
$lang['deaccent_o_1'] = 'Akzente und Umlaute umwandeln';
|
||||
$lang['deaccent_o_2'] = 'Umschrift';
|
||||
$lang['gdlib_o_0'] = 'GD Lib nicht verfügbar';
|
||||
$lang['gdlib_o_1'] = 'Version 1.x';
|
||||
$lang['gdlib_o_2'] = 'Automatisch finden';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Abstrakt';
|
||||
$lang['rss_content_o_diff'] = 'Unified Diff';
|
||||
$lang['rss_content_o_htmldiff'] = 'HTML formatierte Diff-Tabelle';
|
||||
$lang['rss_content_o_html'] = 'Vollständiger HTML-Inhalt';
|
||||
$lang['rss_linkto_o_diff'] = 'Änderungen zeigen';
|
||||
$lang['rss_linkto_o_page'] = 'geänderte Seite';
|
||||
$lang['rss_linkto_o_rev'] = 'Liste aller Änderungen';
|
||||
$lang['rss_linkto_o_current'] = 'Aktuelle Seite';
|
||||
$lang['compression_o_0'] = 'keine';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'nicht benutzen';
|
||||
$lang['xsendfile_o_1'] = 'Proprietärer lighttpd-Header (vor Release 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Standard X-Sendfile-Header';
|
||||
$lang['xsendfile_o_3'] = 'Proprietärer Nginx X-Accel-Redirect-Header';
|
||||
$lang['showuseras_o_loginname'] = 'Login-Name';
|
||||
$lang['showuseras_o_username'] = 'Vollständiger Name des Benutzers';
|
||||
$lang['showuseras_o_username_link'] = 'Kompletter Name des Benutzers als Interwiki-Link';
|
||||
$lang['showuseras_o_email'] = 'E-Mail-Adresse des Benutzers (je nach Mailguard-Einstellung verschleiert)';
|
||||
$lang['showuseras_o_email_link'] = 'E-Mail-Adresse des Benutzers als mailto:-Link';
|
||||
$lang['useheading_o_0'] = 'Nie';
|
||||
$lang['useheading_o_navigation'] = 'Nur Navigation';
|
||||
$lang['useheading_o_content'] = 'Nur Wikiinhalt';
|
||||
$lang['useheading_o_1'] = 'Immer';
|
||||
$lang['readdircache'] = 'Maximales Alter des readdir-Caches (Sekunden)';
|
7
projet/doku/lib/plugins/config/lang/el/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/el/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Ρυθμίσεις ======
|
||||
|
||||
Χρησιμοποιήστε αυτή την σελίδα για να ρυθμίσετε την λειτουργία του Dokuwiki σας. Για βοήθεια σχετικά με τις ρυθμίσεις δείτε την σελίδα [[doku>config]]. Για περισσότερες λεπτομέρειες σχετικά με αυτή την επέκταση δείτε την σελίδα [[doku>plugin:config]].
|
||||
|
||||
Οι ρυθμίσεις που εμφανίζονται σε απαλό κόκκινο φόντο είναι κλειδωμένες και δεν μπορούν να τροποποιηθούν μέσω αυτής της επέκτασης. Οι ρυθμίσεις που εμφανίζονται σε μπλε φόντο είναι οι προεπιλεγμένες ενώ οι ρυθμίσεις που εμφανίζονται σε λευκό φόντο είναι αυτές που διαφέρουν από τις προεπιλεγμένες. Και οι ρυθμίσεις που εμφανίζονται σε μπλε φόντο και οι ρυθμίσεις που εμφανίζονται σε λευκό φόντο μπορούν να τροποποιηθούν.
|
||||
|
||||
Θυμηθείτε να επιλέξετε **Αποθήκευση** αφού κάνετε τις αλλαγές που θέλετε.
|
212
projet/doku/lib/plugins/config/lang/el/lang.php
Normal file
212
projet/doku/lib/plugins/config/lang/el/lang.php
Normal file
@@ -0,0 +1,212 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Apostolos Tsompanopoulos <info@aptlogs.com>
|
||||
* @author Katerina Katapodi <extragold1234@hotmail.com>
|
||||
* @author Christopher Smith <chris@jalakai.co.uk>
|
||||
* @author Thanos Massias <tm@thriasio.gr>
|
||||
* @author Αθανάσιος Νταής <homunculus@wana.gr>
|
||||
* @author Konstantinos Koryllos <koryllos@gmail.com>
|
||||
* @author George Petsagourakis <petsagouris@gmail.com>
|
||||
* @author Petros Vidalis <pvidalis@gmail.com>
|
||||
* @author Vasileios Karavasilis <vasileioskaravasilis@gmail.com>
|
||||
* @author Zacharias Sdregas <zsdregas@sch.gr>
|
||||
*/
|
||||
$lang['menu'] = 'Ρυθμίσεις';
|
||||
$lang['error'] = 'Οι ρυθμίσεις σας δεν έγιναν δεκτές λόγω λανθασμένης τιμής κάποιας ρύθμισης. Διορθώστε την λάθος τιμή και προσπαθήστε ξανά.
|
||||
<br />Η λανθασμένη τιμή υποδεικνύεται με κόκκινο πλαίσιο.';
|
||||
$lang['updated'] = 'Επιτυχής τροποποίηση ρυθμίσεων.';
|
||||
$lang['nochoice'] = '(δεν υπάρχουν άλλες διαθέσιμες επιλογές)';
|
||||
$lang['locked'] = 'Το αρχείο ρυθμίσεων δεν μπορεί να τροποποιηθεί. <br />Εάν αυτό δεν είναι επιθυμητό, διορθώστε τα δικαιώματα πρόσβασης του αρχείου ρυθμίσεων';
|
||||
$lang['danger'] = 'Κίνδυνος: Η αλλαγή αυτής της επιλογής θα μπορούσε να αποτρέψει την πρόσβαση στο wiki και στις ρυθμίσεις του.';
|
||||
$lang['warning'] = 'Προσοχή: Η αλλαγή αυτής της επιλογής θα μπορούσε να προκαλέσει ανεπιθύμητη συμπεριφορά.';
|
||||
$lang['security'] = 'Προσοχή: Η αλλαγή αυτής της επιλογής θα μπορούσε να προκαλέσει προβλήματα ασφαλείας.';
|
||||
$lang['_configuration_manager'] = 'Ρυθμίσεις';
|
||||
$lang['_header_dokuwiki'] = 'Ρυθμίσεις DokuWiki';
|
||||
$lang['_header_plugin'] = 'Ρυθμίσεις Επεκτάσεων';
|
||||
$lang['_header_template'] = 'Ρυθμίσεις Προτύπων παρουσίασης';
|
||||
$lang['_header_undefined'] = 'Διάφορες Ρυθμίσεις';
|
||||
$lang['_basic'] = 'Βασικές Ρυθμίσεις';
|
||||
$lang['_display'] = 'Ρυθμίσεις Εμφάνισης';
|
||||
$lang['_authentication'] = 'Ρυθμίσεις Ασφαλείας';
|
||||
$lang['_anti_spam'] = 'Ρυθμίσεις Anti-Spam';
|
||||
$lang['_editing'] = 'Ρυθμίσεις Σύνταξης σελίδων';
|
||||
$lang['_links'] = 'Ρυθμίσεις Συνδέσμων';
|
||||
$lang['_media'] = 'Ρυθμίσεις Αρχείων';
|
||||
$lang['_notifications'] = 'Ρυθμίσεις ενημερώσεων';
|
||||
$lang['_syndication'] = 'Ρυθμίσεις σύνδεσης';
|
||||
$lang['_advanced'] = 'Ρυθμίσεις για Προχωρημένους';
|
||||
$lang['_network'] = 'Ρυθμίσεις Δικτύου';
|
||||
$lang['_msg_setting_undefined'] = 'Δεν έχουν οριστεί metadata.';
|
||||
$lang['_msg_setting_no_class'] = 'Δεν έχει οριστεί κλάση.';
|
||||
$lang['_msg_setting_no_default'] = 'Δεν υπάρχει τιμή εξ ορισμού.';
|
||||
$lang['title'] = 'Τίτλος Wiki';
|
||||
$lang['start'] = 'Ονομασία αρχικής σελίδας';
|
||||
$lang['lang'] = 'Γλώσσα';
|
||||
$lang['template'] = 'Πρότυπο προβολής';
|
||||
$lang['tagline'] = 'Tagline';
|
||||
$lang['sidebar'] = 'Sidebar page name';
|
||||
$lang['license'] = 'Κάτω από ποια άδεια θέλετε να δημοσιευτεί το υλικό σας?';
|
||||
$lang['savedir'] = 'Φάκελος για την αποθήκευση δεδομένων';
|
||||
$lang['basedir'] = 'Αρχικός Φάκελος';
|
||||
$lang['baseurl'] = 'Αρχικό URL';
|
||||
$lang['cookiedir'] = 'Διαδρομή cookie. Αφήστε την κενή για την χρησιμοποίηση της αρχικής URL.';
|
||||
$lang['dmode'] = 'Δικαιώματα πρόσβασης δημιουργούμενων φακέλων';
|
||||
$lang['fmode'] = 'Δικαιώματα πρόσβασης δημιουργούμενων αρχείων';
|
||||
$lang['allowdebug'] = 'Δεδομένα εκσφαλμάτωσης (debug) <b>απενεργοποιήστε τα εάν δεν τα έχετε ανάγκη!</b>';
|
||||
$lang['recent'] = 'Αριθμός πρόσφατων αλλαγών ανά σελίδα';
|
||||
$lang['recent_days'] = 'Πόσο παλιές αλλαγές να εμφανίζονται (ημέρες)';
|
||||
$lang['breadcrumbs'] = 'Αριθμός συνδέσμων ιστορικού';
|
||||
$lang['youarehere'] = 'Εμφάνιση ιεραρχικής προβολής τρέχουσας σελίδας';
|
||||
$lang['fullpath'] = 'Εμφάνιση πλήρους διαδρομής σελίδας στην υποκεφαλίδα';
|
||||
$lang['typography'] = 'Μετατροπή ειδικών χαρακτήρων στο τυπογραφικό ισοδύναμό τους';
|
||||
$lang['dformat'] = 'Μορφή ημερομηνίας (βλέπε την <a href="http://php.net/strftime">strftime</a> function της PHP)';
|
||||
$lang['signature'] = 'Υπογραφή';
|
||||
$lang['showuseras'] = 'Τι να εμφανίζεται όταν φαίνεται ο χρήστης που τροποποίησε τελευταίος μία σελίδα';
|
||||
$lang['toptoclevel'] = 'Ανώτατο επίπεδο πίνακα περιεχομένων σελίδας';
|
||||
$lang['tocminheads'] = 'Ελάχιστος αριθμός κεφαλίδων για την δημιουργία πίνακα περιεχομένων - TOC';
|
||||
$lang['maxtoclevel'] = 'Μέγιστο επίπεδο για πίνακα περιεχομένων σελίδας';
|
||||
$lang['maxseclevel'] = 'Μέγιστο επίπεδο για εμφάνιση της επιλογής τροποποίησης επιπέδου';
|
||||
$lang['camelcase'] = 'Χρήση CamelCase στους συνδέσμους';
|
||||
$lang['deaccent'] = 'Αφαίρεση σημείων στίξης από ονόματα σελίδων';
|
||||
$lang['useheading'] = 'Χρήση κεφαλίδας πρώτου επιπέδου σαν τίτλο συνδέσμων';
|
||||
$lang['sneaky_index'] = 'Εξ ορισμού, η εφαρμογή DokuWiki δείχνει όλους τους φακέλους στην προβολή Καταλόγου. Ενεργοποιώντας αυτή την επιλογή, δεν θα εμφανίζονται οι φάκελοι για τους οποίους ο χρήστης δεν έχει δικαιώματα ανάγνωσης αλλά και οι υπο-φάκελοί τους ανεξαρτήτως δικαιωμάτων πρόσβασης.';
|
||||
$lang['hidepages'] = 'Φίλτρο απόκρυψης σελίδων (regular expressions)';
|
||||
$lang['useacl'] = 'Χρήση Λίστας Δικαιωμάτων Πρόσβασης (ACL)';
|
||||
$lang['autopasswd'] = 'Αυτόματη δημιουργία κωδικού χρήστη';
|
||||
$lang['authtype'] = 'Τύπος πιστοποίησης στοιχείων χρήστη';
|
||||
$lang['passcrypt'] = 'Μέθοδος κρυπτογράφησης κωδικού χρήστη';
|
||||
$lang['defaultgroup'] = 'Προεπιλεγμένη ομάδα χρηστών';
|
||||
$lang['superuser'] = 'Υπερ-χρήστης - μία ομάδα ή ένας χρήστης με πλήρη δικαιώματα πρόσβασης σε όλες τις σελίδες και όλες τις λειτουργίες ανεξάρτητα από τις ρυθμίσεις των Λιστών Δικαιωμάτων Πρόσβασης (ACL)';
|
||||
$lang['manager'] = 'Διαχειριστής - μία ομάδα ή ένας χρήστης με δικαιώματα πρόσβασης σε ορισμένες από τις λειτουργίες της εφαρμογής';
|
||||
$lang['profileconfirm'] = 'Να απαιτείται ο κωδικός χρήστη για την επιβεβαίωση αλλαγών στο προφίλ χρήστη';
|
||||
$lang['rememberme'] = 'Να επιτρέπονται τα cookies λογαρισμού χρήστη αορίστου χρόνου (Απομνημόνευση στοιχείων λογαριασμού)';
|
||||
$lang['disableactions'] = 'Απενεργοποίηση λειτουργιών DokuWiki';
|
||||
$lang['disableactions_check'] = 'Έλεγχος';
|
||||
$lang['disableactions_subscription'] = 'Εγγραφή/Διαγραφή χρήστη';
|
||||
$lang['disableactions_wikicode'] = 'Προβολή κώδικα σελίδας';
|
||||
$lang['disableactions_profile_delete'] = 'Διαγραφή Λογαριασμού ';
|
||||
$lang['disableactions_other'] = 'Άλλες λειτουργίες (διαχωρίστε τις με κόμμα)';
|
||||
$lang['disableactions_rss'] = 'XML Ομαδοποίηση (RSS)';
|
||||
$lang['auth_security_timeout'] = 'Διάρκεια χρόνου για ασφάλεια πιστοποίησης (δευτερόλεπτα)';
|
||||
$lang['securecookie'] = 'Τα cookies που έχουν οριστεί μέσω HTTPS πρέπει επίσης να αποστέλλονται μόνο μέσω HTTPS από τον φυλλομετρητή? Απενεργοποιήστε αυτή την επιλογή όταν μόνο η είσοδος στο wiki σας διασφαλίζεται μέσω SSL αλλά η περιήγηση γίνεται και χωρίς αυτό.';
|
||||
$lang['remote'] = 'Ενεργοποίησης απομακρυσμένης προγραμματιστικής διεπαφής εφαρμογών (API). Με αυτό τον τρόπο επιτρέπεται η πρόσβαση στο wiki με το XML-RPC ή με άλλα πρωτόκολλα επικοινωνίας.';
|
||||
$lang['remoteuser'] = 'Απενεργοποίησης απομακρυσμένης προγραμματιστικής διεπαφής εφαρμογών (API). Αφήστε το κενό για να είναι δυνατή η πρόσβαση στον οποιοδήποτε.';
|
||||
$lang['usewordblock'] = 'Χρήστη λίστα απαγορευμένων λέξεων για καταπολέμηση του spam';
|
||||
$lang['relnofollow'] = 'Χρήση rel="nofollow"';
|
||||
$lang['indexdelay'] = 'Χρόνος αναμονής προτού επιτραπεί σε μηχανές αναζήτησης να ευρετηριάσουν μια τροποποιημένη σελίδα (sec)';
|
||||
$lang['mailguard'] = 'Κωδικοποίηση e-mail διευθύνσεων';
|
||||
$lang['iexssprotect'] = 'Έλεγχος μεταφορτώσεων για πιθανώς επικίνδυνο κώδικα JavaScript ή HTML';
|
||||
$lang['usedraft'] = 'Αυτόματη αποθήκευση αντιγράφων κατά την τροποποίηση σελίδων';
|
||||
$lang['htmlok'] = 'Να επιτρέπεται η ενσωμάτωση HTML';
|
||||
$lang['phpok'] = 'Να επιτρέπεται η ενσωμάτωση PHP';
|
||||
$lang['locktime'] = 'Μέγιστος χρόνος κλειδώματος αρχείου υπό τροποποίηση (sec)';
|
||||
$lang['cachetime'] = 'Μέγιστη ηλικία cache (sec)';
|
||||
$lang['target____wiki'] = 'Παράθυρο-στόχος για εσωτερικούς συνδέσμους';
|
||||
$lang['target____interwiki'] = 'Παράθυρο-στόχος για συνδέσμους interwiki';
|
||||
$lang['target____extern'] = 'Παράθυρο-στόχος για εξωτερικούς σθνδέσμους';
|
||||
$lang['target____media'] = 'Παράθυρο-στόχος για συνδέσμους αρχείων';
|
||||
$lang['target____windows'] = 'Παράθυρο-στόχος για συνδέσμους σε Windows shares';
|
||||
$lang['mediarevisions'] = 'Ενεργοποίηση Mediarevisions;';
|
||||
$lang['refcheck'] = 'Πριν τη διαγραφή ενός αρχείου να ελέγχεται η ύπαρξη σελίδων που το χρησιμοποιούν';
|
||||
$lang['gdlib'] = 'Έκδοση βιβλιοθήκης GD';
|
||||
$lang['im_convert'] = 'Διαδρομή προς το εργαλείο μετατροπής εικόνων του ImageMagick';
|
||||
$lang['jpg_quality'] = 'Ποιότητα συμπίεσης JPG (0-100)';
|
||||
$lang['fetchsize'] = 'Μέγιστο μέγεθος (σε bytes) εξωτερικού αρχείου που επιτρέπεται να μεταφέρει η fetch.php';
|
||||
$lang['subscribers'] = 'Να επιτρέπεται η εγγραφή στην ενημέρωση αλλαγών σελίδας';
|
||||
$lang['subscribe_time'] = 'Χρόνος μετά τον οποίο οι λίστες ειδοποιήσεων και τα συνοπτικά θα αποστέλλονται (δευτερόλεπτα). Αυτό θα πρέπει να είναι μικρότερο από τον χρόνο που έχει η ρύθμιση recent_days.';
|
||||
$lang['notify'] = 'Αποστολή ενημέρωσης για αλλαγές σε αυτή την e-mail διεύθυνση';
|
||||
$lang['registernotify'] = 'Αποστολή ενημερωτικών μηνυμάτων σε αυτή την e-mail διεύθυνση κατά την εγγραφή νέων χρηστών';
|
||||
$lang['mailfrom'] = 'e-mail διεύθυνση αποστολέα για μηνύματα από την εφαρμογή';
|
||||
$lang['mailreturnpath'] = 'Διεύθυνση ηλεκτρονικού ταχυδρομείου λήπτη για μηνύματα που δεν έλαβε';
|
||||
$lang['mailprefix'] = 'Πρόθεμα θέματος που να χρησιμοποιείται για τα αυτόματα μηνύματα ηλεκτρονικού ταχυδρομείου.';
|
||||
$lang['htmlmail'] = 'Αποστολή οπτικά καλύτερου, αλλά μεγαλύτερου σε μέγεθος email με χρήση HTML. Απενεργοποιήστε το για αποστέλλονται μόνο email απλού κειμένου.';
|
||||
$lang['sitemap'] = 'Δημιουργία Google sitemap (ημέρες)';
|
||||
$lang['rss_type'] = 'Τύπος XML feed';
|
||||
$lang['rss_linkto'] = 'Τύπος συνδέσμων στο XML feed';
|
||||
$lang['rss_content'] = 'Τι να εμφανίζεται στα XML feed items?';
|
||||
$lang['rss_update'] = 'Χρόνος ανανέωσης XML feed (sec)';
|
||||
$lang['rss_show_summary'] = 'Να εμφανίζεται σύνοψη του XML feed στον τίτλο';
|
||||
$lang['rss_media'] = 'Τι είδους αλλαγές πρέπει να εμφανίζονται στο XLM feed;';
|
||||
$lang['rss_media_o_both'] = 'αμφότεροι';
|
||||
$lang['rss_media_o_pages'] = 'σελίδες';
|
||||
$lang['rss_media_o_media'] = 'μέσα ενημέρωσης ';
|
||||
$lang['updatecheck'] = 'Έλεγχος για ύπαρξη νέων εκδόσεων και ενημερώσεων ασφαλείας της εφαρμογής? Απαιτείται η σύνδεση με το update.dokuwiki.org για να λειτουργήσει σωστά αυτή η επιλογή.';
|
||||
$lang['userewrite'] = 'Χρήση ωραίων URLs';
|
||||
$lang['useslash'] = 'Χρήση slash σαν διαχωριστικό φακέλων στα URLs';
|
||||
$lang['sepchar'] = 'Διαχωριστικός χαρακτήρας για κανονικοποίηση ονόματος σελίδας';
|
||||
$lang['canonical'] = 'Πλήρη και κανονικοποιημένα URLs';
|
||||
$lang['fnencode'] = 'Μέθοδος κωδικοποίησης για ονόματα αρχείων μη-ASCII';
|
||||
$lang['autoplural'] = 'Ταίριασμα πληθυντικού στους συνδέσμους';
|
||||
$lang['compression'] = 'Μέθοδος συμπίεσης για αρχεία attic';
|
||||
$lang['gzip_output'] = 'Χρήση gzip Content-Encoding για την xhtml';
|
||||
$lang['compress'] = 'Συμπίεση αρχείων CSS και javascript';
|
||||
$lang['cssdatauri'] = 'Το μέγεθος σε bytes στο οποίο οι εικόνες που αναφέρονται σε CSS αρχεία θα πρέπει να είναι ενσωματωμένες για τη μείωση των απαιτήσεων μιας κεφαλίδας αίτησης HTTP . Αυτή η τεχνική δεν θα λειτουργήσει σε IE <8! <code> 400 </code> με <code> 600 </code> bytes είναι μια καλή τιμή. Ορίστε την τιμή <code> 0 </code> για να το απενεργοποιήσετε.';
|
||||
$lang['send404'] = 'Αποστολή "HTTP 404/Page Not Found" για σελίδες που δεν υπάρχουν';
|
||||
$lang['broken_iua'] = 'Η συνάρτηση ignore_user_abort δεν λειτουργεί σωστά στο σύστημά σας? Σε αυτή την περίπτωση μπορεί να μην δουλεύει σωστά η λειτουργία Καταλόγου. Ο συνδυασμός IIS+PHP/CGI είναι γνωστό ότι έχει τέτοιο πρόβλημα. Δείτε και <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a> για λεπτομέρειες.';
|
||||
$lang['xsendfile'] = 'Χρήση της κεφαλίδας X-Sendfile από τον εξυπηρετητή κατά την φόρτωση στατικών αρχείων? Ο εξυπηρετητής σας πρέπει να υποστηρίζει αυτή την δυνατότητα.';
|
||||
$lang['renderer_xhtml'] = 'Πρόγραμμα δημιουργίας βασικής (xhtml) εξόδου wiki.';
|
||||
$lang['renderer__core'] = '%s (βασικός κώδικας dokuwiki)';
|
||||
$lang['renderer__plugin'] = '%s (επέκταση)';
|
||||
$lang['search_nslimit'] = 'Περιορίστε την αναζήτηση στα παρόντα αρχεία που δεν έχουν τίτλο Χ. Όταν η αναζήτηση διεξάγεται από μια σελίδα στα πλαίσια ενός μεγαλύτερου άτιτλου αρχείου, τα πρώτα ονόματα αρχείων Χ θα προστεθούν για να καλύψουν.';
|
||||
$lang['search_fragment'] = 'Κάντε την αναζήτηση ορίζοντας το πλαίσιο μη πρόσβασης που λείπει';
|
||||
$lang['search_fragment_o_exact'] = 'ακριβής';
|
||||
$lang['search_fragment_o_starts_with'] = 'αρχίζει με';
|
||||
$lang['search_fragment_o_ends_with'] = 'τελειώνει με';
|
||||
$lang['search_fragment_o_contains'] = 'περιέχει';
|
||||
$lang['dnslookups'] = 'Το DokuWiki θα ψάξει τα ονόματα υπολογιστών που αντιστοιχούν σε διευθύνσεις IP των χρηστών που γράφουν στις σελίδες. Αν ο DNS είναι αργός, δεν δουλεύει ή δεν χρειάζεστε αυτή την λειτουργία, απενεργοποιήστε την.';
|
||||
$lang['jquerycdn'] = 'Πρέπει οι φάκελλοι με περιεχόμενο jQuery και jQuery UI να φορτωθούν από το CDN? Αυτό προσθέτει επιπλέον αιτήματα HTTP , αλλά οι φάκελλοι μπορούν να φορτωθούν ταχύτερα και οι χρήστες μπορεί να τους έχουν κρύψει ήδη.';
|
||||
$lang['jquerycdn_o_0'] = 'Δεν υπάρχει CDN, τοπική μετάδοση μόνο';
|
||||
$lang['jquerycdn_o_jquery'] = 'CDN στον κωδικό.jquery.com ';
|
||||
$lang['jquerycdn_o_cdnjs'] = 'CDN στο cdnjs.com ';
|
||||
$lang['proxy____host'] = 'Διακομιστής Proxy';
|
||||
$lang['proxy____port'] = 'Θύρα Proxy';
|
||||
$lang['proxy____user'] = 'Όνομα χρήστη Proxy';
|
||||
$lang['proxy____pass'] = 'Κωδικός χρήστη Proxy';
|
||||
$lang['proxy____ssl'] = 'Χρήση ssl για σύνδεση με διακομιστή Proxy';
|
||||
$lang['proxy____except'] = 'Regular expression για να πιάνει τα URLs για τα οποία θα παρακάμπτεται το proxy.';
|
||||
$lang['license_o_'] = 'Δεν επελέγει άδεια';
|
||||
$lang['typography_o_0'] = 'κανένα';
|
||||
$lang['typography_o_1'] = 'μόνο διπλά εισαγωγικά';
|
||||
$lang['typography_o_2'] = 'όλα τα εισαγωγικά (μπορεί να μην λειτουργεί πάντα)';
|
||||
$lang['userewrite_o_0'] = 'κανένα';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'από DokuWiki';
|
||||
$lang['deaccent_o_0'] = 'όχι';
|
||||
$lang['deaccent_o_1'] = 'αφαίρεση σημείων στίξης';
|
||||
$lang['deaccent_o_2'] = 'λατινοποίηση';
|
||||
$lang['gdlib_o_0'] = 'Δεν υπάρχει βιβλιοθήκη GD στο σύστημα';
|
||||
$lang['gdlib_o_1'] = 'Έκδοση 1.x';
|
||||
$lang['gdlib_o_2'] = 'Αυτόματος εντοπισμός';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Περίληψη';
|
||||
$lang['rss_content_o_diff'] = 'Ενοποιημένο Diff';
|
||||
$lang['rss_content_o_htmldiff'] = 'HTML διαμορφωμένος πίνακας diff';
|
||||
$lang['rss_content_o_html'] = 'Περιεχόμενο Σελίδας μόνο με HTML';
|
||||
$lang['rss_linkto_o_diff'] = 'προβολή αλλαγών';
|
||||
$lang['rss_linkto_o_page'] = 'τροποποιημένη σελίδα';
|
||||
$lang['rss_linkto_o_rev'] = 'εκδόσεις σελίδας';
|
||||
$lang['rss_linkto_o_current'] = 'τρέχουσα σελίδα';
|
||||
$lang['compression_o_0'] = 'none';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'να μην χρησιμοποιείται';
|
||||
$lang['xsendfile_o_1'] = 'Ιδιοταγής κεφαλίδα lighttpd (πριν από την έκδοση 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Τυπική κεφαλίδα X-Sendfile';
|
||||
$lang['xsendfile_o_3'] = 'Ιδιοταγής κεφαλίδα Nginx X-Accel-Redirect ';
|
||||
$lang['showuseras_o_loginname'] = 'Όνομα χρήστη';
|
||||
$lang['showuseras_o_username'] = 'Ονοματεπώνυμο χρήστη';
|
||||
$lang['showuseras_o_username_link'] = 'Το ονοματεπώνυμο του χρήστη ως σύνδεσμος χρήστη interwiki ';
|
||||
$lang['showuseras_o_email'] = 'e-mail διεύθυνση χρήστη (εμφανίζεται σύμφωνα με την ρύθμιση για την κωδικοποίηση e-mail διευθύνσεων)';
|
||||
$lang['showuseras_o_email_link'] = 'Εμφάνιση e-mail διεύθυνσης χρήστη σαν σύνδεσμος mailto:';
|
||||
$lang['useheading_o_0'] = 'Ποτέ';
|
||||
$lang['useheading_o_navigation'] = 'Μόνο κατά την πλοήγηση';
|
||||
$lang['useheading_o_content'] = 'Μόνο για τα περιεχόμενα του wiki';
|
||||
$lang['useheading_o_1'] = 'Πάντα';
|
||||
$lang['readdircache'] = 'Μέγιστος χρόνος διατήρησης για το cache του readdir (δευτερόλεπτα)';
|
7
projet/doku/lib/plugins/config/lang/en/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/en/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Configuration Manager ======
|
||||
|
||||
Use this page to control the settings of your DokuWiki installation. For help on individual settings refer to [[doku>config]]. For more details about this plugin see [[doku>plugin:config]].
|
||||
|
||||
Settings shown with a light red background are protected and can not be altered with this plugin. Settings shown with a blue background are the default values and settings shown with a white background have been set locally for this particular installation. Both blue and white settings can be altered.
|
||||
|
||||
Remember to press the **Save** button before leaving this page otherwise your changes will be lost.
|
277
projet/doku/lib/plugins/config/lang/en/lang.php
Normal file
277
projet/doku/lib/plugins/config/lang/en/lang.php
Normal file
@@ -0,0 +1,277 @@
|
||||
<?php
|
||||
/**
|
||||
* english language file
|
||||
*
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
* @author Christopher Smith <chris@jalakai.co.uk>
|
||||
* @author Matthias Schulte <dokuwiki@lupo49.de>
|
||||
* @author Schplurtz le Déboulonné <Schplurtz@laposte.net>
|
||||
*/
|
||||
|
||||
// for admin plugins, the menu prompt to be displayed in the admin menu
|
||||
// if set here, the plugin doesn't need to override the getMenuText() method
|
||||
$lang['menu'] = 'Configuration Settings';
|
||||
|
||||
$lang['error'] = 'Settings not updated due to an invalid value, please review your changes and resubmit.
|
||||
<br />The incorrect value(s) will be shown surrounded by a red border.';
|
||||
$lang['updated'] = 'Settings updated successfully.';
|
||||
$lang['nochoice'] = '(no other choices available)';
|
||||
$lang['locked'] = 'The settings file can not be updated, if this is unintentional, <br />
|
||||
ensure the local settings file name and permissions are correct.';
|
||||
|
||||
$lang['danger'] = 'Danger: Changing this option could make your wiki and the configuration menu inaccessible.';
|
||||
$lang['warning'] = 'Warning: Changing this option could cause unintended behaviour.';
|
||||
$lang['security'] = 'Security Warning: Changing this option could present a security risk.';
|
||||
|
||||
/* --- Config Setting Headers --- */
|
||||
$lang['_configuration_manager'] = 'Configuration Manager'; //same as heading in intro.txt
|
||||
$lang['_header_dokuwiki'] = 'DokuWiki';
|
||||
$lang['_header_plugin'] = 'Plugin';
|
||||
$lang['_header_template'] = 'Template';
|
||||
$lang['_header_undefined'] = 'Undefined Settings';
|
||||
|
||||
/* --- Config Setting Groups --- */
|
||||
$lang['_basic'] = 'Basic';
|
||||
$lang['_display'] = 'Display';
|
||||
$lang['_authentication'] = 'Authentication';
|
||||
$lang['_anti_spam'] = 'Anti-Spam';
|
||||
$lang['_editing'] = 'Editing';
|
||||
$lang['_links'] = 'Links';
|
||||
$lang['_media'] = 'Media';
|
||||
$lang['_notifications'] = 'Notification';
|
||||
$lang['_syndication'] = 'Syndication (RSS)';
|
||||
$lang['_advanced'] = 'Advanced';
|
||||
$lang['_network'] = 'Network';
|
||||
|
||||
/* --- Undefined Setting Messages --- */
|
||||
$lang['_msg_setting_undefined'] = 'No setting metadata.';
|
||||
$lang['_msg_setting_no_class'] = 'No setting class.';
|
||||
$lang['_msg_setting_no_known_class'] = 'Setting class not available.';
|
||||
$lang['_msg_setting_no_default'] = 'No default value.';
|
||||
|
||||
/* -------------------- Config Options --------------------------- */
|
||||
|
||||
/* Basic Settings */
|
||||
$lang['title'] = 'Wiki title aka. your wiki\'s name';
|
||||
$lang['start'] = 'Page name to use as the starting point for each namespace';
|
||||
$lang['lang'] = 'Interface language';
|
||||
$lang['template'] = 'Template aka. the design of the wiki.';
|
||||
$lang['tagline'] = 'Tagline (if template supports it)';
|
||||
$lang['sidebar'] = 'Sidebar page name (if template supports it), empty field disables the sidebar';
|
||||
$lang['license'] = 'Under which license should your content be released?';
|
||||
$lang['savedir'] = 'Directory for saving data';
|
||||
$lang['basedir'] = 'Server path (eg. <code>/dokuwiki/</code>). Leave blank for autodetection.';
|
||||
$lang['baseurl'] = 'Server URL (eg. <code>http://www.yourserver.com</code>). Leave blank for autodetection.';
|
||||
$lang['cookiedir'] = 'Cookie path. Leave blank for using baseurl.';
|
||||
$lang['dmode'] = 'Directory creation mode';
|
||||
$lang['fmode'] = 'File creation mode';
|
||||
$lang['allowdebug'] = 'Allow debug. <b>Disable if not needed!</b>';
|
||||
|
||||
/* Display Settings */
|
||||
$lang['recent'] = 'Number of entries per page in the recent changes';
|
||||
$lang['recent_days'] = 'How many recent changes to keep (days)';
|
||||
$lang['breadcrumbs'] = 'Number of "trace" breadcrumbs. Set to 0 to disable.';
|
||||
$lang['youarehere'] = 'Use hierarchical breadcrumbs (you probably want to disable the above option then)';
|
||||
$lang['fullpath'] = 'Reveal full path of pages in the footer';
|
||||
$lang['typography'] = 'Do typographical replacements';
|
||||
$lang['dformat'] = 'Date format (see PHP\'s <a href="http://php.net/strftime">strftime</a> function)';
|
||||
$lang['signature'] = 'What to insert with the signature button in the editor';
|
||||
$lang['showuseras'] = 'What to display when showing the user that last edited a page';
|
||||
$lang['toptoclevel'] = 'Top level for table of contents';
|
||||
$lang['tocminheads'] = 'Minimum amount of headlines that determines whether the TOC is built';
|
||||
$lang['maxtoclevel'] = 'Maximum level for table of contents';
|
||||
$lang['maxseclevel'] = 'Maximum section edit level';
|
||||
$lang['camelcase'] = 'Use CamelCase for links';
|
||||
$lang['deaccent'] = 'How to clean pagenames';
|
||||
$lang['useheading'] = 'Use first heading for pagenames';
|
||||
$lang['sneaky_index'] = 'By default, DokuWiki will show all namespaces in the sitemap. Enabling this option will hide those where the user doesn\'t have read permissions. This might result in hiding of accessable subnamespaces which may make the index unusable with certain ACL setups.';
|
||||
$lang['hidepages'] = 'Hide pages matching this regular expression from search, the sitemap and other automatic indexes';
|
||||
|
||||
/* Authentication Settings */
|
||||
$lang['useacl'] = 'Use access control lists';
|
||||
$lang['autopasswd'] = 'Autogenerate passwords';
|
||||
$lang['authtype'] = 'Authentication backend';
|
||||
$lang['passcrypt'] = 'Password encryption method';
|
||||
$lang['defaultgroup']= 'Default group, all new users will be placed in this group';
|
||||
$lang['superuser'] = 'Superuser - group, user or comma separated list user1,@group1,user2 with full access to all pages and functions regardless of the ACL settings';
|
||||
$lang['manager'] = 'Manager - group, user or comma separated list user1,@group1,user2 with access to certain management functions';
|
||||
$lang['profileconfirm'] = 'Confirm profile changes with password';
|
||||
$lang['rememberme'] = 'Allow permanent login cookies (remember me)';
|
||||
$lang['disableactions'] = 'Disable DokuWiki actions';
|
||||
$lang['disableactions_check'] = 'Check';
|
||||
$lang['disableactions_subscription'] = 'Subscribe/Unsubscribe';
|
||||
$lang['disableactions_wikicode'] = 'View source/Export Raw';
|
||||
$lang['disableactions_profile_delete'] = 'Delete Own Account';
|
||||
$lang['disableactions_other'] = 'Other actions (comma separated)';
|
||||
$lang['disableactions_rss'] = 'XML Syndication (RSS)';
|
||||
$lang['auth_security_timeout'] = 'Authentication Security Timeout (seconds)';
|
||||
$lang['securecookie'] = 'Should cookies set via HTTPS only be sent via HTTPS by the browser? Disable this option when only the login of your wiki is secured with SSL but browsing the wiki is done unsecured.';
|
||||
$lang['remote'] = 'Enable the remote API system. This allows other applications to access the wiki via XML-RPC or other mechanisms.';
|
||||
$lang['remoteuser'] = 'Restrict remote API access to the comma separated groups or users given here. Leave empty to give access to everyone.';
|
||||
|
||||
/* Anti-Spam Settings */
|
||||
$lang['usewordblock']= 'Block spam based on wordlist';
|
||||
$lang['relnofollow'] = 'Use rel="ugc nofollow" on external links';
|
||||
$lang['indexdelay'] = 'Time delay before indexing (sec)';
|
||||
$lang['mailguard'] = 'Obfuscate email addresses';
|
||||
$lang['iexssprotect']= 'Check uploaded files for possibly malicious JavaScript or HTML code';
|
||||
|
||||
/* Editing Settings */
|
||||
$lang['usedraft'] = 'Automatically save a draft while editing';
|
||||
$lang['htmlok'] = 'Allow embedded HTML';
|
||||
$lang['phpok'] = 'Allow embedded PHP';
|
||||
$lang['locktime'] = 'Maximum age for lock files (sec)';
|
||||
$lang['cachetime'] = 'Maximum age for cache (sec)';
|
||||
|
||||
/* Link settings */
|
||||
$lang['target____wiki'] = 'Target window for internal links';
|
||||
$lang['target____interwiki'] = 'Target window for interwiki links';
|
||||
$lang['target____extern'] = 'Target window for external links';
|
||||
$lang['target____media'] = 'Target window for media links';
|
||||
$lang['target____windows'] = 'Target window for windows links';
|
||||
|
||||
/* Media Settings */
|
||||
$lang['mediarevisions'] = 'Enable Mediarevisions?';
|
||||
$lang['refcheck'] = 'Check if a media file is still in use before deleting it';
|
||||
$lang['gdlib'] = 'GD Lib version';
|
||||
$lang['im_convert'] = 'Path to ImageMagick\'s convert tool';
|
||||
$lang['jpg_quality'] = 'JPG compression quality (0-100)';
|
||||
$lang['fetchsize'] = 'Maximum size (bytes) fetch.php may download from external URLs, eg. to cache and resize external images.';
|
||||
|
||||
/* Notification Settings */
|
||||
$lang['subscribers'] = 'Allow users to subscribe to page changes by email';
|
||||
$lang['subscribe_time'] = 'Time after which subscription lists and digests are sent (sec); This should be smaller than the time specified in recent_days.';
|
||||
$lang['notify'] = 'Always send change notifications to this email address';
|
||||
$lang['registernotify'] = 'Always send info on newly registered users to this email address';
|
||||
$lang['mailfrom'] = 'Sender email address to use for automatic mails';
|
||||
$lang['mailreturnpath'] = 'Recipient email address for non delivery notifications';
|
||||
$lang['mailprefix'] = 'Email subject prefix to use for automatic mails. Leave blank to use the wiki title';
|
||||
$lang['htmlmail'] = 'Send better looking, but larger in size HTML multipart emails. Disable for plain text only mails.';
|
||||
|
||||
/* Syndication Settings */
|
||||
$lang['sitemap'] = 'Generate Google sitemap this often (in days). 0 to disable';
|
||||
$lang['rss_type'] = 'XML feed type';
|
||||
$lang['rss_linkto'] = 'XML feed links to';
|
||||
$lang['rss_content'] = 'What to display in the XML feed items?';
|
||||
$lang['rss_update'] = 'XML feed update interval (sec)';
|
||||
$lang['rss_show_summary'] = 'XML feed show summary in title';
|
||||
$lang['rss_show_deleted'] = 'XML feed Show deleted feeds';
|
||||
$lang['rss_media'] = 'What kind of changes should be listed in the XML feed?';
|
||||
$lang['rss_media_o_both'] = 'both';
|
||||
$lang['rss_media_o_pages'] = 'pages';
|
||||
$lang['rss_media_o_media'] = 'media';
|
||||
|
||||
|
||||
/* Advanced Options */
|
||||
$lang['updatecheck'] = 'Check for updates and security warnings? DokuWiki needs to contact update.dokuwiki.org for this feature.';
|
||||
$lang['userewrite'] = 'Use nice URLs';
|
||||
$lang['useslash'] = 'Use slash as namespace separator in URLs';
|
||||
$lang['sepchar'] = 'Page name word separator';
|
||||
$lang['canonical'] = 'Use fully canonical URLs';
|
||||
$lang['fnencode'] = 'Method for encoding non-ASCII filenames.';
|
||||
$lang['autoplural'] = 'Check for plural forms in links';
|
||||
$lang['compression'] = 'Compression method for attic files';
|
||||
$lang['gzip_output'] = 'Use gzip Content-Encoding for xhtml';
|
||||
$lang['compress'] = 'Compact CSS and javascript output';
|
||||
$lang['cssdatauri'] = 'Size in bytes up to which images referenced in CSS files should be embedded right into the stylesheet to reduce HTTP request header overhead. <code>400</code> to <code>600</code> bytes is a good value. Set <code>0</code> to disable.';
|
||||
$lang['send404'] = 'Send "HTTP 404/Page Not Found" for non existing pages';
|
||||
$lang['broken_iua'] = 'Is the ignore_user_abort function broken on your system? This could cause a non working search index. IIS+PHP/CGI is known to be broken. See <a href="http://bugs.dokuwiki.org/?do=details&task_id=852">Bug 852</a> for more info.';
|
||||
$lang['xsendfile'] = 'Use the X-Sendfile header to let the webserver deliver static files? Your webserver needs to support this.';
|
||||
$lang['renderer_xhtml'] = 'Renderer to use for main (xhtml) wiki output';
|
||||
$lang['renderer__core'] = '%s (dokuwiki core)';
|
||||
$lang['renderer__plugin'] = '%s (plugin)';
|
||||
$lang['search_nslimit'] = 'Limit the search to the current X namespaces. When a search is executed from a page within a deeper namespace, the first X namespaces will be added as filter';
|
||||
$lang['search_fragment'] = 'Specify the default fragment search behavior';
|
||||
$lang['search_fragment_o_exact'] = 'exact';
|
||||
$lang['search_fragment_o_starts_with'] = 'starts with';
|
||||
$lang['search_fragment_o_ends_with'] = 'ends with';
|
||||
$lang['search_fragment_o_contains'] = 'contains';
|
||||
$lang['trustedproxy'] = 'Trust forwarding proxies matching this regular expression about the true client IP they report. The default matches local networks. Leave empty to trust no proxy.';
|
||||
|
||||
$lang['_feature_flags'] = 'Feature Flags';
|
||||
$lang['defer_js'] = 'Defer javascript to be execute after the page\'s HTML has been parsed. Improves perceived page speed but could break a small number of plugins.';
|
||||
|
||||
/* Network Options */
|
||||
$lang['dnslookups'] = 'DokuWiki will lookup hostnames for remote IP addresses of users editing pages. If you have a slow or non working DNS server or don\'t want this feature, disable this option';
|
||||
$lang['jquerycdn'] = 'Should the jQuery and jQuery UI script files be loaded from a CDN? This adds additional HTTP requests, but files may load faster and users may have them cached already.';
|
||||
|
||||
/* jQuery CDN options */
|
||||
$lang['jquerycdn_o_0'] = 'No CDN, local delivery only';
|
||||
$lang['jquerycdn_o_jquery'] = 'CDN at code.jquery.com';
|
||||
$lang['jquerycdn_o_cdnjs'] = 'CDN at cdnjs.com';
|
||||
|
||||
/* Proxy Options */
|
||||
$lang['proxy____host'] = 'Proxy servername';
|
||||
$lang['proxy____port'] = 'Proxy port';
|
||||
$lang['proxy____user'] = 'Proxy user name';
|
||||
$lang['proxy____pass'] = 'Proxy password';
|
||||
$lang['proxy____ssl'] = 'Use SSL to connect to proxy';
|
||||
$lang['proxy____except'] = 'Regular expression to match URLs for which the proxy should be skipped.';
|
||||
|
||||
/* License Options */
|
||||
$lang['license_o_'] = 'None chosen';
|
||||
|
||||
/* typography options */
|
||||
$lang['typography_o_0'] = 'none';
|
||||
$lang['typography_o_1'] = 'excluding single quotes';
|
||||
$lang['typography_o_2'] = 'including single quotes (might not always work)';
|
||||
|
||||
/* userewrite options */
|
||||
$lang['userewrite_o_0'] = 'none';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'DokuWiki internal';
|
||||
|
||||
/* deaccent options */
|
||||
$lang['deaccent_o_0'] = 'off';
|
||||
$lang['deaccent_o_1'] = 'remove accents';
|
||||
$lang['deaccent_o_2'] = 'romanize';
|
||||
|
||||
/* gdlib options */
|
||||
$lang['gdlib_o_0'] = 'GD Lib not available';
|
||||
$lang['gdlib_o_1'] = 'Version 1.x';
|
||||
$lang['gdlib_o_2'] = 'Autodetection';
|
||||
|
||||
/* rss_type options */
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
|
||||
/* rss_content options */
|
||||
$lang['rss_content_o_abstract'] = 'Abstract';
|
||||
$lang['rss_content_o_diff'] = 'Unified Diff';
|
||||
$lang['rss_content_o_htmldiff'] = 'HTML formatted diff table';
|
||||
$lang['rss_content_o_html'] = 'Full HTML page content';
|
||||
|
||||
/* rss_linkto options */
|
||||
$lang['rss_linkto_o_diff'] = 'difference view';
|
||||
$lang['rss_linkto_o_page'] = 'the revised page';
|
||||
$lang['rss_linkto_o_rev'] = 'list of revisions';
|
||||
$lang['rss_linkto_o_current'] = 'the current page';
|
||||
|
||||
/* compression options */
|
||||
$lang['compression_o_0'] = 'none';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
|
||||
/* xsendfile header */
|
||||
$lang['xsendfile_o_0'] = "don't use";
|
||||
$lang['xsendfile_o_1'] = 'Proprietary lighttpd header (before release 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Standard X-Sendfile header';
|
||||
$lang['xsendfile_o_3'] = 'Proprietary Nginx X-Accel-Redirect header';
|
||||
|
||||
/* Display user info */
|
||||
$lang['showuseras_o_loginname'] = 'Login name';
|
||||
$lang['showuseras_o_username'] = "User's full name";
|
||||
$lang['showuseras_o_username_link'] = "User's full name as interwiki user link";
|
||||
$lang['showuseras_o_email'] = "User's e-mail addresss (obfuscated according to mailguard setting)";
|
||||
$lang['showuseras_o_email_link'] = "User's e-mail addresss as a mailto: link";
|
||||
|
||||
/* useheading options */
|
||||
$lang['useheading_o_0'] = 'Never';
|
||||
$lang['useheading_o_navigation'] = 'Navigation Only';
|
||||
$lang['useheading_o_content'] = 'Wiki Content Only';
|
||||
$lang['useheading_o_1'] = 'Always';
|
||||
|
||||
$lang['readdircache'] = 'Maximum age for readdir cache (sec)';
|
7
projet/doku/lib/plugins/config/lang/eo/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/eo/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Administrilo de Agordoj ======
|
||||
|
||||
Uzu tiun ĉi paĝon por kontroli la difinojn de via DokuWiki-instalo. Por helpo pri specifaj difinoj aliru al [[doku>config]]. Por pli detaloj pri tiu ĉi kromaĵo, vidu [[doku>plugin:config]].
|
||||
|
||||
Difinoj montrataj kun helruĝa fono estas protektitaj kaj ne povas esti modifataj per tiu ĉi kromaĵo. Difinoj kun blua fono estas aprioraj valoroj kaj difinoj montrataj kun blanka fono iam difiniĝis por tiu ĉi specifa instalo. Ambaŭ blua kaj blanka difinoj povas esti modifataj.
|
||||
|
||||
Memoru premi la butonon **Registri** antaŭ ol eliri tiun ĉi paĝon, male viaj modifoj perdiĝus.
|
197
projet/doku/lib/plugins/config/lang/eo/lang.php
Normal file
197
projet/doku/lib/plugins/config/lang/eo/lang.php
Normal file
@@ -0,0 +1,197 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* Esperantolanguage file
|
||||
*
|
||||
* @author Florian <florianmail55@gmail.com>
|
||||
* @author Kristjan SCHMIDT <kristjan.schmidt@googlemail.com>
|
||||
* @author Felipe Castro <fefcas@uol.com.br>
|
||||
* @author Felipo Kastro <fefcas@gmail.com>
|
||||
* @author Robert Bogenschneider <robog@gmx.de>
|
||||
* @author Erik Pedersen <erik pedersen@shaw.ca>
|
||||
*/
|
||||
$lang['menu'] = 'Agordaj Difinoj';
|
||||
$lang['error'] = 'La difinoj ne estas ĝisdatigitaj pro malvalida valoro: bonvolu revizii viajn ŝanĝojn kaj resubmeti ilin.
|
||||
<br />La malkorekta(j) valoro(j) estas ĉirkaŭita(j) de ruĝa kadro.';
|
||||
$lang['updated'] = 'La difinoj sukcese ĝisdatiĝis.';
|
||||
$lang['nochoice'] = '(neniu alia elekto disponeblas)';
|
||||
$lang['locked'] = 'La difin-dosiero ne povas esti ĝisdatigita; se tio ne estas intenca, <br /> certiĝu, ke la dosieroj de lokaj difinoj havas korektajn nomojn kaj permesojn.';
|
||||
$lang['danger'] = 'Danĝero: ŝanĝi tiun opcion povus igi vian vikion kaj la agordan menuon neatingebla.';
|
||||
$lang['warning'] = 'Averto: ŝanĝi tiun opcion povus rezulti en neatendita konduto.';
|
||||
$lang['security'] = 'Sekureca averto: ŝanĝi tiun opcion povus krei sekurecan riskon.';
|
||||
$lang['_configuration_manager'] = 'Administrilo de agordoj';
|
||||
$lang['_header_dokuwiki'] = 'Difinoj por DokuWiki';
|
||||
$lang['_header_plugin'] = 'Difinoj por kromaĵoj';
|
||||
$lang['_header_template'] = 'Difinoj por ŝablonoj';
|
||||
$lang['_header_undefined'] = 'Ceteraj difinoj';
|
||||
$lang['_basic'] = 'Bazaj difinoj';
|
||||
$lang['_display'] = 'Difinoj por montrado';
|
||||
$lang['_authentication'] = 'Difinoj por identiĝo';
|
||||
$lang['_anti_spam'] = 'Kontraŭ-spamaj difinoj';
|
||||
$lang['_editing'] = 'Difinoj por redakto';
|
||||
$lang['_links'] = 'Difinoj por ligiloj';
|
||||
$lang['_media'] = 'Difinoj por aŭdvidaĵoj';
|
||||
$lang['_notifications'] = 'Sciigaj agordoj';
|
||||
$lang['_syndication'] = 'Kunhavigaj agordoj';
|
||||
$lang['_advanced'] = 'Fakaj difinoj';
|
||||
$lang['_network'] = 'Difinoj por reto';
|
||||
$lang['_msg_setting_undefined'] = 'Neniu difinanta metadatumaro.';
|
||||
$lang['_msg_setting_no_class'] = 'Neniu difinanta klaso.';
|
||||
$lang['_msg_setting_no_default'] = 'Neniu apriora valoro.';
|
||||
$lang['title'] = 'Titolo de la vikio';
|
||||
$lang['start'] = 'Nomo de la hejmpaĝo';
|
||||
$lang['lang'] = 'Lingvo';
|
||||
$lang['template'] = 'Ŝablono';
|
||||
$lang['tagline'] = 'Moto (se la ŝablono antaûvidas tion)';
|
||||
$lang['sidebar'] = 'Nomo de la flanka paĝo (se la ŝablono antaûvidas tion), malplena kampo malebligas la flankan paĝon';
|
||||
$lang['license'] = 'Laŭ kiu permesilo via enhavo devus esti publikigita?';
|
||||
$lang['savedir'] = 'Dosierujo por konservi datumaron';
|
||||
$lang['basedir'] = 'Baza dosierujo';
|
||||
$lang['baseurl'] = 'Baza URL';
|
||||
$lang['cookiedir'] = 'Kuketopado. Lasu malplena por uzi baseurl.';
|
||||
$lang['dmode'] = 'Reĝimo de dosierujo-kreado';
|
||||
$lang['fmode'] = 'Reĝimo de dosiero-kreado';
|
||||
$lang['allowdebug'] = 'Ebligi kodumpurigadon <b>malebligu se ne necese!<;/b>';
|
||||
$lang['recent'] = 'Freŝaj ŝanĝoj';
|
||||
$lang['recent_days'] = 'Kiom da freŝaj ŝanĝoj por teni (tagoj)';
|
||||
$lang['breadcrumbs'] = 'Nombro da paderoj';
|
||||
$lang['youarehere'] = 'Hierarkiaj paderoj';
|
||||
$lang['fullpath'] = 'Montri la kompletan padon de la paĝoj en la piedlinio';
|
||||
$lang['typography'] = 'Fari tipografiajn anstataŭigojn';
|
||||
$lang['dformat'] = 'Formato de datoj (vidu la PHP-an funkcion <a href="http://php.net/strftime">strftime</a>)';
|
||||
$lang['signature'] = 'Subskribo';
|
||||
$lang['showuseras'] = 'Kiel indiki la lastan redaktinton';
|
||||
$lang['toptoclevel'] = 'Supera nivelo por la enhavtabelo';
|
||||
$lang['tocminheads'] = 'Minimuma kvanto da ĉeftitoloj, kiu difinas ĉu la TOC estas kreata.';
|
||||
$lang['maxtoclevel'] = 'Maksimuma nivelo por la enhavtabelo';
|
||||
$lang['maxseclevel'] = 'Maksimuma nivelo por redakti sekciojn';
|
||||
$lang['camelcase'] = 'Uzi KamelUsklecon por ligiloj';
|
||||
$lang['deaccent'] = 'Netaj paĝnomoj';
|
||||
$lang['useheading'] = 'Uzi unuan titolon por paĝnomoj';
|
||||
$lang['sneaky_index'] = 'Apriore, DokuWiki montras ĉiujn nomspacojn en la indeksa modo. Ebligi tiun ĉi elekteblon kaŝus tion, kion la uzanto ne rajtas legi laŭ ACL. Tio povus rezulti ankaŭan kaŝon de alireblaj subnomspacoj. Tiel la indekso estus neuzebla por kelkaj agordoj de ACL.';
|
||||
$lang['hidepages'] = 'Kaŝi kongruantajn paĝojn (laŭ regulaj esprimoj)';
|
||||
$lang['useacl'] = 'Uzi alirkontrolajn listojn';
|
||||
$lang['autopasswd'] = 'Aŭtomate krei pasvortojn';
|
||||
$lang['authtype'] = 'Tipo de identiĝo';
|
||||
$lang['passcrypt'] = 'Metodo por ĉifri pasvortojn';
|
||||
$lang['defaultgroup'] = 'Antaŭdifinita grupo';
|
||||
$lang['superuser'] = 'Superanto - grupo, uzanto aŭ listo (disigita per komoj), kiu plene alireblas al ĉiuj paĝoj kaj funkcioj, sendepende de la reguloj ACL';
|
||||
$lang['manager'] = 'Administranto - grupo, uzanto aŭ listo (apartite per komoj), kiu havas alirpermeson al kelkaj administraj funkcioj';
|
||||
$lang['profileconfirm'] = 'Konfirmi ŝanĝojn en la trajtaro per pasvorto';
|
||||
$lang['rememberme'] = 'Permesi longdaŭran ensalutajn kuketojn (rememoru min)';
|
||||
$lang['disableactions'] = 'Malebligi DokuWiki-ajn agojn';
|
||||
$lang['disableactions_check'] = 'Kontroli';
|
||||
$lang['disableactions_subscription'] = 'Aliĝi/Malaliĝi';
|
||||
$lang['disableactions_wikicode'] = 'Rigardi vikitekston/Eksporti fontotekston';
|
||||
$lang['disableactions_profile_delete'] = 'Forigi la propran konton';
|
||||
$lang['disableactions_other'] = 'Aliaj agoj (disigita per komoj)';
|
||||
$lang['auth_security_timeout'] = 'Sekureca tempolimo por aŭtentigo (sekundoj)';
|
||||
$lang['securecookie'] = 'Ĉu kuketoj difinitaj per HTTPS sendiĝu de la foliumilo nur per HTTPS? Malebligu tiun ĉi opcion kiam nur la ensaluto al via vikio estas sekurigita per SSL, sed foliumado de la vikio estas farita malsekure.';
|
||||
$lang['remote'] = 'Ebligu la traretan API-sistemon. Tio ebligas al aliaj aplikaĵoj aliri la vikion pere de XML-RPC aũ aliaj mekanismoj.';
|
||||
$lang['remoteuser'] = 'Limigi traretan API-aliron al la komodisigitaj grupoj aũ uzantoj indikitaj jene. Lasu malplena por ebligi aliron al ĉiu ajn.';
|
||||
$lang['usewordblock'] = 'Bloki spamon surbaze de vortlisto';
|
||||
$lang['relnofollow'] = 'Uzi rel="nofollow" kun eksteraj ligiloj';
|
||||
$lang['indexdelay'] = 'Prokrasto antaŭ ol indeksi (en sekundoj)';
|
||||
$lang['mailguard'] = 'Nebuligi retadresojn';
|
||||
$lang['iexssprotect'] = 'Ekzameni elŝutaĵojn kontraŭ eblaj malicaj ĴavaSkripto aŭ HTML-a kodumaĵo';
|
||||
$lang['usedraft'] = 'Aŭtomate konservi skizon dum redaktado';
|
||||
$lang['htmlok'] = 'Ebligi enmeton de HTML-aĵoj';
|
||||
$lang['phpok'] = 'Ebligi enmeton de PHP-aĵoj';
|
||||
$lang['locktime'] = 'Maksimuma aĝo por serurdosieroj (sek.)';
|
||||
$lang['cachetime'] = 'Maksimuma aĝo por provizmemoro (sek.)';
|
||||
$lang['target____wiki'] = 'Parametro "target" (celo) por internaj ligiloj';
|
||||
$lang['target____interwiki'] = 'Parametro "target" (celo) por intervikiaj ligiloj';
|
||||
$lang['target____extern'] = 'Parametro "target" (celo) por eksteraj ligiloj';
|
||||
$lang['target____media'] = 'Parametro "target" (celo) por aŭdvidaĵaj ligiloj';
|
||||
$lang['target____windows'] = 'Parametro "target" (celo) por Vindozaj ligiloj';
|
||||
$lang['mediarevisions'] = 'Ĉu ebligi reviziadon de aŭdvidaĵoj?';
|
||||
$lang['refcheck'] = 'Kontrolo por referencoj al aŭdvidaĵoj';
|
||||
$lang['gdlib'] = 'Versio de GD-Lib';
|
||||
$lang['im_convert'] = 'Pado al la konvertilo de ImageMagick';
|
||||
$lang['jpg_quality'] = 'Kompaktiga kvalito de JPG (0-100)';
|
||||
$lang['fetchsize'] = 'Maksimuma grandeco (bitokoj), kiun fetch.php rajtas elŝuti el ekstere';
|
||||
$lang['subscribers'] = 'Ebligi subtenon de avizoj pri ŝanĝoj sur paĝoj';
|
||||
$lang['subscribe_time'] = 'Tempo, post kiu abonlistoj kaj kolektaĵoj sendiĝas (sek); Tio estu pli malgranda ol la tempo indikita en recent_days.';
|
||||
$lang['notify'] = 'Sendi avizojn pri ŝanĝoj al tiu ĉi retadreso';
|
||||
$lang['registernotify'] = 'Sendi informon pri ĵusaj aliĝintoj al tiu ĉi retadreso';
|
||||
$lang['mailfrom'] = 'Retadreso uzota por aŭtomataj retmesaĝoj ';
|
||||
$lang['mailprefix'] = 'Retpoŝta temo-prefikso por uzi en aŭtomataj mesaĝoj';
|
||||
$lang['htmlmail'] = 'Sendi pli bele aspektajn, sed pli grandajn plurpartajn HTML-retpoŝtaĵojn. Malebligu por ricevi pure tekstajn mesaĝojn.';
|
||||
$lang['sitemap'] = 'Krei Guglan paĝarmapon "sitemap" (po kiom tagoj)';
|
||||
$lang['rss_type'] = 'XML-a tipo de novaĵ-fluo';
|
||||
$lang['rss_linkto'] = 'La novaĵ-fluo de XML ligiĝas al';
|
||||
$lang['rss_content'] = 'Kion montri en la XML-aj novaĵ-flueroj?';
|
||||
$lang['rss_update'] = 'Intertempo por ĝisdatigi XML-an novaĵ-fluon (sek.)';
|
||||
$lang['rss_show_summary'] = 'XML-a novaĵ-fluo montras resumon en la titolo';
|
||||
$lang['rss_media'] = 'Kiaj ŝangoj estu montrataj en la XML-fluo?';
|
||||
$lang['rss_media_o_both'] = 'ambaŭ';
|
||||
$lang['rss_media_o_pages'] = 'paĝoj';
|
||||
$lang['updatecheck'] = 'Ĉu kontroli aktualigojn kaj sekurecajn avizojn? DokuWiki bezonas kontakti update.dokuwiki.org por tiu ĉi trajto.';
|
||||
$lang['userewrite'] = 'Uzi netajn URL-ojn';
|
||||
$lang['useslash'] = 'Uzi frakcistrekon kiel disigsignaĵon por nomspacoj en URL-oj';
|
||||
$lang['sepchar'] = 'Disigsignaĵo de vortoj en paĝnomoj';
|
||||
$lang['canonical'] = 'Uzi tute evidentajn URL-ojn';
|
||||
$lang['fnencode'] = 'Kodiga metodo por ne-ASCII-aj dosiernomoj.';
|
||||
$lang['autoplural'] = 'Kontroli pluralajn formojn en ligiloj';
|
||||
$lang['compression'] = 'Kompaktigmetodo por arkivaj dosieroj';
|
||||
$lang['gzip_output'] = 'Uzi gzip-an enhav-enkodigon por XHTML';
|
||||
$lang['compress'] = 'Kompaktigi CSS-ajn kaj ĵavaskriptajn elmetojn';
|
||||
$lang['cssdatauri'] = 'Grandeco en bitokoj, ĝis kiom en CSS-dosieroj referencitaj bildoj enmetiĝu rekte en la stilfolion por malgrandigi vanan HTTP-kapan trafikon.
|
||||
<code>400</code> ĝis <code>600</code> bitokoj estas bona grandeco. Indiku <code>0</code> por malebligi enmeton.';
|
||||
$lang['send404'] = 'Sendi la mesaĝon "HTTP 404/Paĝo ne trovita" por ne ekzistantaj paĝoj';
|
||||
$lang['broken_iua'] = 'Ĉu la funkcio "ignore_user_abort" difektas en via sistemo? Tio povus misfunkciigi la serĉindekson. IIS+PHP/CGI estas konata kiel fuŝaĵo. Vidu <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Cimon 852</a> por pli da informoj.';
|
||||
$lang['xsendfile'] = 'Ĉu uzi la kaplinion X-Sendfile por ebligi al la retservilo liveri fiksajn dosierojn? Via retservilo subtenu tion.';
|
||||
$lang['renderer_xhtml'] = 'Prezentilo por la ĉefa vikia rezulto (xhtml)';
|
||||
$lang['renderer__core'] = '%s (DokuWiki-a kerno)';
|
||||
$lang['renderer__plugin'] = '%s (kromaĵo)';
|
||||
$lang['dnslookups'] = 'DokuWiki rigardos servilajn nomojn por paĝmodifoj tra fremdaj IP-adresoj. Se vi havas malrapidan aũ nefunkciantan DNS-servilon aũ malŝatas tiun trajton, malebligu tiun opcion';
|
||||
$lang['proxy____host'] = 'Retservilnomo de la "Proxy"';
|
||||
$lang['proxy____port'] = 'Pordo ĉe la "Proxy"';
|
||||
$lang['proxy____user'] = 'Uzantonomo ĉe la "Proxy"';
|
||||
$lang['proxy____pass'] = 'Pasvorto ĉe la "Proxy"';
|
||||
$lang['proxy____ssl'] = 'Uzi SSL por konekti al la "Proxy"';
|
||||
$lang['proxy____except'] = 'Regula esprimo por URL-oj, kiujn la servilo preterrigardu.';
|
||||
$lang['license_o_'] = 'Nenio elektita';
|
||||
$lang['typography_o_0'] = 'nenio';
|
||||
$lang['typography_o_1'] = 'Nur duoblaj citiloj';
|
||||
$lang['typography_o_2'] = 'Ĉiaj citiloj (eble ne ĉiam funkcios)';
|
||||
$lang['userewrite_o_0'] = 'nenio';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'Interne de DokuWiki';
|
||||
$lang['deaccent_o_0'] = 'ne';
|
||||
$lang['deaccent_o_1'] = 'forigi supersignojn';
|
||||
$lang['deaccent_o_2'] = 'latinigi';
|
||||
$lang['gdlib_o_0'] = 'GD-Lib ne disponeblas';
|
||||
$lang['gdlib_o_1'] = 'Versio 1.x';
|
||||
$lang['gdlib_o_2'] = 'Aŭtomata detekto';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Resumo';
|
||||
$lang['rss_content_o_diff'] = 'Unuigita "Diff"';
|
||||
$lang['rss_content_o_htmldiff'] = '"Diff"-tabelo formatita laŭ HTML';
|
||||
$lang['rss_content_o_html'] = 'Enhavo laŭ kompleta HTML-paĝo';
|
||||
$lang['rss_linkto_o_diff'] = 'diferenca rigardo';
|
||||
$lang['rss_linkto_o_page'] = 'la reviziita paĝo';
|
||||
$lang['rss_linkto_o_rev'] = 'listo de revizioj';
|
||||
$lang['rss_linkto_o_current'] = 'la aktuala paĝo';
|
||||
$lang['compression_o_0'] = 'nenio';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'ne uzi';
|
||||
$lang['xsendfile_o_1'] = 'Propra kaplinio "lighttpd" (antaŭ versio 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Ordinara kaplinio X-Sendfile';
|
||||
$lang['xsendfile_o_3'] = 'Propra kaplinio Nginx X-Accel-Redirect';
|
||||
$lang['showuseras_o_loginname'] = 'Ensalut-nomo';
|
||||
$lang['showuseras_o_username'] = 'Kompleta nomo de uzanto';
|
||||
$lang['showuseras_o_email'] = 'Retadreso de uzanto (sekur-montrita laŭ agordo de nebuligo)';
|
||||
$lang['showuseras_o_email_link'] = 'Retadreso de uzanto kiel mailto:-ligilo';
|
||||
$lang['useheading_o_0'] = 'Neniam';
|
||||
$lang['useheading_o_navigation'] = 'Nur foliumado';
|
||||
$lang['useheading_o_content'] = 'Nur vikia enhavo';
|
||||
$lang['useheading_o_1'] = 'Ĉiam';
|
||||
$lang['readdircache'] = 'Maksimuma daŭro de la dosieruja kaŝmemoro (sekundoj)';
|
7
projet/doku/lib/plugins/config/lang/es/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/es/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Administrador de configuración ======
|
||||
|
||||
Usa esta página para controlar los parámetros de tu instalación de Dokuwiki. Ayuda sobre [[doku>config|parámetros individuales]]. Más detalles sobre este [[doku>plugin:config|plugin]].
|
||||
|
||||
Los parámetros que se muestran sobre un fondo rosado están protegidos y no pueden ser modificados usando este plugin. Los parámetros que se muestran sobre un fondo azul tienen los valores por defecto, y los parámetros mostrados sobre un fondo blanco han sido establecidos para esta instalación en particular. Tanto los parámetros sobre fondo azul y los que están sobre fondo blanco pueden ser modificados.
|
||||
|
||||
Recuerda cliquear el boton **Guardar** antes de abandonar la página, sino se perderán los cambios que hayas hecho.
|
227
projet/doku/lib/plugins/config/lang/es/lang.php
Normal file
227
projet/doku/lib/plugins/config/lang/es/lang.php
Normal file
@@ -0,0 +1,227 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Domingo Redal <docxml@gmail.com>
|
||||
* @author Miguel Pagano <miguel.pagano@gmail.com>
|
||||
* @author Oscar M. Lage <r0sk10@gmail.com>
|
||||
* @author Gabriel Castillo <gch@pumas.ii.unam.mx>
|
||||
* @author oliver <oliver@samera.com.py>
|
||||
* @author Enrico Nicoletto <liverig@gmail.com>
|
||||
* @author Manuel Meco <manuel.meco@gmail.com>
|
||||
* @author VictorCastelan <victorcastelan@gmail.com>
|
||||
* @author Jordan Mero <hack.jord@gmail.com>
|
||||
* @author Felipe Martinez <metalmartinez@gmail.com>
|
||||
* @author Javier Aranda <internet@javierav.com>
|
||||
* @author Zerial <fernando@zerial.org>
|
||||
* @author Marvin Ortega <maty1206@maryanlinux.com>
|
||||
* @author Daniel Castro Alvarado <dancas2@gmail.com>
|
||||
* @author Fernando J. Gómez <fjgomez@gmail.com>
|
||||
* @author Mauro Javier Giamberardino <mgiamberardino@gmail.com>
|
||||
* @author emezeta <emezeta@infoprimo.com>
|
||||
* @author Oscar Ciudad <oscar@jacho.net>
|
||||
* @author Ruben Figols <ruben.figols@gmail.com>
|
||||
* @author Gerardo Zamudio <gerardo@gerardozamudio.net>
|
||||
* @author Mercè López <mercelz@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'Parámetros de configuración';
|
||||
$lang['error'] = 'Los parámetros no han sido actualizados a causa de un valor inválido, por favor revise los cambios y re-envíe el formulario. <br /> Los valores incorrectos se mostrarán con un marco rojo alrededor.';
|
||||
$lang['updated'] = 'Los parámetros se actualizaron con éxito.';
|
||||
$lang['nochoice'] = '(no hay otras alternativas disponibles)';
|
||||
$lang['locked'] = 'El archivo de configuración no ha podido ser actualizado, si esto no es lo deseado, <br /> asegúrese que el nombre del archivo local de configuraciones y los permisos sean los correctos.';
|
||||
$lang['danger'] = 'Atención: Cambiar esta opción podría hacer inaccesible el wiki y su menú de configuración.';
|
||||
$lang['warning'] = 'Advertencia: Cambiar esta opción podría causar comportamientos no deseados.';
|
||||
$lang['security'] = 'Advertencia de Seguridad: Cambiar esta opción podría representar un riesgo de seguridad.';
|
||||
$lang['_configuration_manager'] = 'Administrador de configuración';
|
||||
$lang['_header_dokuwiki'] = 'Parámetros de DokuWiki';
|
||||
$lang['_header_plugin'] = 'Parámetros de Plugin';
|
||||
$lang['_header_template'] = 'Parámetros de Plantillas';
|
||||
$lang['_header_undefined'] = 'Parámetros sin categoría';
|
||||
$lang['_basic'] = 'Parámetros Básicos';
|
||||
$lang['_display'] = 'Parámetros de Presentación';
|
||||
$lang['_authentication'] = 'Parámetros de Autenticación';
|
||||
$lang['_anti_spam'] = 'Parámetros Anti-Spam';
|
||||
$lang['_editing'] = 'Parámetros de Edición';
|
||||
$lang['_links'] = 'Parámetros de Enlaces';
|
||||
$lang['_media'] = 'Parámetros de Medios';
|
||||
$lang['_notifications'] = 'Configuración de notificaciones';
|
||||
$lang['_syndication'] = 'Configuración de sindicación';
|
||||
$lang['_advanced'] = 'Parámetros Avanzados';
|
||||
$lang['_network'] = 'Parámetros de Red';
|
||||
$lang['_msg_setting_undefined'] = 'Sin parámetros de metadata.';
|
||||
$lang['_msg_setting_no_class'] = 'Sin clase establecida.';
|
||||
$lang['_msg_setting_no_known_class'] = 'Configuración de la clase no disponible.';
|
||||
$lang['_msg_setting_no_default'] = 'Sin valor por defecto.';
|
||||
$lang['title'] = 'Título del wiki';
|
||||
$lang['start'] = 'Nombre de la página inicial';
|
||||
$lang['lang'] = 'Idioma';
|
||||
$lang['template'] = 'Plantilla';
|
||||
$lang['tagline'] = 'Lema (si la plantilla lo soporta)';
|
||||
$lang['sidebar'] = 'Nombre de la barra lateral (si la plantilla lo soporta), un campo vacío la desactiva';
|
||||
$lang['license'] = '¿Bajo qué licencia será liberado tu contenido?';
|
||||
$lang['savedir'] = 'Directorio para guardar los datos';
|
||||
$lang['basedir'] = 'Directorio de base';
|
||||
$lang['baseurl'] = 'URL de base';
|
||||
$lang['cookiedir'] = 'Ruta para las Cookie. Dejar en blanco para usar la ruta básica.';
|
||||
$lang['dmode'] = 'Modo de creación de directorios';
|
||||
$lang['fmode'] = 'Modo de creación de ficheros';
|
||||
$lang['allowdebug'] = 'Permitir debug <b>deshabilítelo si no lo necesita!</b>';
|
||||
$lang['recent'] = 'Cambios recientes';
|
||||
$lang['recent_days'] = 'Cuántos cambios recientes mantener (días)';
|
||||
$lang['breadcrumbs'] = 'Número de pasos de traza';
|
||||
$lang['youarehere'] = 'Traza jerárquica';
|
||||
$lang['fullpath'] = 'Mostrar ruta completa en el pie de página';
|
||||
$lang['typography'] = 'Realizar reemplazos tipográficos';
|
||||
$lang['dformat'] = 'Formato de fecha (ver la función de PHP <a href="http://php.net/strftime">strftime</a>)';
|
||||
$lang['signature'] = 'Firma';
|
||||
$lang['showuseras'] = 'Qué ver al mostrar el último usuario que editó una página';
|
||||
$lang['toptoclevel'] = 'Nivel superior para la tabla de contenidos';
|
||||
$lang['tocminheads'] = 'La cantidad mínima de titulares que determina si el TOC es construido';
|
||||
$lang['maxtoclevel'] = 'Máximo nivel para la tabla de contenidos';
|
||||
$lang['maxseclevel'] = 'Máximo nivel para edición de sección';
|
||||
$lang['camelcase'] = 'Usar CamelCase para enlaces';
|
||||
$lang['deaccent'] = 'Nombres de páginas "limpios"';
|
||||
$lang['useheading'] = 'Usar el primer encabezado para nombres de páginas';
|
||||
$lang['sneaky_index'] = 'Por defecto, DokuWiki mostrará todos los namespaces en el index. Habilitando esta opción los ocultará si el usuario no tiene permisos de lectura. Los sub-namespaces pueden resultar inaccesibles. El index puede hacerse poco usable dependiendo de las configuraciones ACL.';
|
||||
$lang['hidepages'] = 'Ocultar páginas con coincidencias (expresiones regulares)';
|
||||
$lang['useacl'] = 'Usar listas de control de acceso (ACL)';
|
||||
$lang['autopasswd'] = 'Autogenerar contraseñas';
|
||||
$lang['authtype'] = 'Método de Autenticación';
|
||||
$lang['passcrypt'] = 'Método de cifrado de contraseñas';
|
||||
$lang['defaultgroup'] = 'Grupo por defecto';
|
||||
$lang['superuser'] = 'Super-usuario - grupo ó usuario con acceso total a todas las páginas y funciones, configuraciones ACL';
|
||||
$lang['manager'] = 'Manager - grupo o usuario con acceso a ciertas tareas de mantenimiento';
|
||||
$lang['profileconfirm'] = 'Confirmar cambios en perfil con contraseña';
|
||||
$lang['rememberme'] = 'Permitir cookies para acceso permanente (recordarme)';
|
||||
$lang['disableactions'] = 'Deshabilitar acciones DokuWiki';
|
||||
$lang['disableactions_check'] = 'Controlar';
|
||||
$lang['disableactions_subscription'] = 'Suscribirse/Cancelar suscripción';
|
||||
$lang['disableactions_wikicode'] = 'Ver la fuente/Exportar en formato raw';
|
||||
$lang['disableactions_profile_delete'] = 'Borrar tu propia cuenta';
|
||||
$lang['disableactions_other'] = 'Otras acciones (separadas por coma)';
|
||||
$lang['disableactions_rss'] = 'Sindicación XML (RSS)';
|
||||
$lang['auth_security_timeout'] = 'Tiempo de Autenticación (en segundos), por motivos de seguridad';
|
||||
$lang['securecookie'] = 'Las cookies establecidas por HTTPS, ¿el naveagdor solo puede enviarlas por HTTPS? Inhabilite esta opción cuando solo se asegure con SSL la entrada, pero no la navegación de su wiki.';
|
||||
$lang['remote'] = 'Activar el sistema API remoto. Esto permite a otras aplicaciones acceder al wiki a traves de XML-RPC u otros mecanismos.';
|
||||
$lang['remoteuser'] = 'Restringir el acceso remoto por API a los grupos o usuarios separados por comas que se dan aquí. Dejar en blanco para dar acceso a todo el mundo.';
|
||||
$lang['usewordblock'] = 'Bloquear spam usando una lista de palabras';
|
||||
$lang['relnofollow'] = 'Usar rel="nofollow" en enlaces externos';
|
||||
$lang['indexdelay'] = 'Intervalo de tiempo antes de indexar (segundos)';
|
||||
$lang['mailguard'] = 'Ofuscar direcciones de correo electrónico';
|
||||
$lang['iexssprotect'] = 'Comprobar posible código malicioso (JavaScript ó HTML) en archivos subidos';
|
||||
$lang['usedraft'] = 'Guardar automáticamente un borrador mientras se edita';
|
||||
$lang['htmlok'] = 'Permitir HTML embebido';
|
||||
$lang['phpok'] = 'Permitir PHP embebido';
|
||||
$lang['locktime'] = 'Edad máxima para archivos de bloqueo (segundos)';
|
||||
$lang['cachetime'] = 'Edad máxima para caché (segundos)';
|
||||
$lang['target____wiki'] = 'Ventana para enlaces internos';
|
||||
$lang['target____interwiki'] = 'Ventana para enlaces interwikis';
|
||||
$lang['target____extern'] = 'Ventana para enlaces externos';
|
||||
$lang['target____media'] = 'Ventana para enlaces a medios';
|
||||
$lang['target____windows'] = 'Ventana para enlaces a ventanas';
|
||||
$lang['mediarevisions'] = '¿Habilitar Mediarevisions?';
|
||||
$lang['refcheck'] = 'Control de referencia a medios';
|
||||
$lang['gdlib'] = 'Versión de GD Lib';
|
||||
$lang['im_convert'] = 'Ruta a la herramienta de conversión de ImageMagick';
|
||||
$lang['jpg_quality'] = 'Calidad de compresión de JPG (0-100)';
|
||||
$lang['fetchsize'] = 'Tamaño máximo (bytes) que fetch.php puede descargar de sitios externos';
|
||||
$lang['subscribers'] = 'Habilitar soporte para suscripción a páginas';
|
||||
$lang['subscribe_time'] = 'Tiempo después que alguna lista de suscripción fue enviada (seg); Debe ser menor que el tiempo especificado en días recientes.';
|
||||
$lang['notify'] = 'Enviar notificación de cambios a esta dirección de correo electrónico';
|
||||
$lang['registernotify'] = 'Enviar información cuando se registran nuevos usuarios a esta dirección de correo electrónico';
|
||||
$lang['mailfrom'] = 'Dirección de correo electrónico para emails automáticos';
|
||||
$lang['mailreturnpath'] = 'Dirección de correo electrónico del destinatario para las notificaciones de no entrega';
|
||||
$lang['mailprefix'] = 'Asunto por defecto que se utilizará en mails automáticos.';
|
||||
$lang['htmlmail'] = 'Enviar correos electronicos en HTML con mejor aspecto pero mayor peso. Desactivar para enviar correos electronicos en texto plano.';
|
||||
$lang['sitemap'] = 'Generar sitemap de Google (días)';
|
||||
$lang['rss_type'] = 'Tipo de resumen (feed) XML';
|
||||
$lang['rss_linkto'] = 'Feed XML enlaza a';
|
||||
$lang['rss_content'] = '¿Qué mostrar en los items del archivo XML?';
|
||||
$lang['rss_update'] = 'Intervalo de actualización de feed XML (segundos)';
|
||||
$lang['rss_show_summary'] = 'Feed XML muestra el resumen en el título';
|
||||
$lang['rss_show_deleted'] = 'Fuente XML Mostrar fuentes eliminadas';
|
||||
$lang['rss_media'] = '¿Qué tipo de cambios deberían aparecer en el feed XML?';
|
||||
$lang['rss_media_o_both'] = 'ambos';
|
||||
$lang['rss_media_o_pages'] = 'páginas';
|
||||
$lang['rss_media_o_media'] = 'multimedia';
|
||||
$lang['updatecheck'] = '¿Comprobar actualizaciones y advertencias de seguridad? Esta característica requiere que DokuWiki se conecte a update.dokuwiki.org.';
|
||||
$lang['userewrite'] = 'Usar URLs bonitas';
|
||||
$lang['useslash'] = 'Usar barra (/) como separador de espacios de nombres en las URLs';
|
||||
$lang['sepchar'] = 'Separador de palabras en nombres de páginas';
|
||||
$lang['canonical'] = 'Usar URLs totalmente canónicas';
|
||||
$lang['fnencode'] = 'Método para codificar nombres de archivo no-ASCII.';
|
||||
$lang['autoplural'] = 'Controlar plurales en enlaces';
|
||||
$lang['compression'] = 'Método de compresión para archivos en el ático';
|
||||
$lang['gzip_output'] = 'Usar gzip Content-Encoding para xhtml';
|
||||
$lang['compress'] = 'Compactar la salida de CSS y javascript';
|
||||
$lang['cssdatauri'] = 'Tamaño en bytes hasta el cual las imágenes referenciadas en archivos CSS deberían ir incrustadas en la hoja de estilos para reducir el número de cabeceras de petición HTTP. ¡Esta técnica no funcionará en IE < 8! De <code>400</code> a <code>600</code> bytes es un valor adecuado. Establezca <code>0</code> para deshabilitarlo.';
|
||||
$lang['send404'] = 'Enviar "HTTP 404/Page Not Found" para páginas no existentes';
|
||||
$lang['broken_iua'] = '¿Se ha roto (broken) la función ignore_user_abort en su sistema? Esto puede causar que no funcione el index de búsqueda. Se sabe que IIS+PHP/CGI está roto. Vea <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a>para más información.';
|
||||
$lang['xsendfile'] = '¿Utilizar la cabecera X-Sendfile para permitirle al servidor web enviar archivos estáticos? Su servidor web necesita tener la capacidad para hacerlo.';
|
||||
$lang['renderer_xhtml'] = 'Visualizador a usar para salida (xhtml) principal del wiki';
|
||||
$lang['renderer__core'] = '%s (núcleo dokuwiki)';
|
||||
$lang['renderer__plugin'] = '%s (plugin)';
|
||||
$lang['search_nslimit'] = 'Limite la búsqueda a los actuales X espacios de nombres. Cuando se ejecuta una búsqueda desde una página dentro de un espacio de nombres más profundo, los primeros X espacios de nombres se agregarán como filtro';
|
||||
$lang['search_fragment'] = 'Especifique el comportamiento predeterminado de la búsqueda de fragmentos';
|
||||
$lang['search_fragment_o_exact'] = 'exacto';
|
||||
$lang['search_fragment_o_starts_with'] = 'comienza con';
|
||||
$lang['search_fragment_o_ends_with'] = 'termina con';
|
||||
$lang['search_fragment_o_contains'] = 'contiene';
|
||||
$lang['trustedproxy'] = 'Confíe en los proxys de reenvío que coincidan con esta expresión regular acerca de la IP verdadera del cliente que referencia. El valor predeterminado coincide con las redes locales. Dejar en blanco para no confiar en ningún proxy.';
|
||||
$lang['_feature_flags'] = 'Configuración de características';
|
||||
$lang['defer_js'] = 'Aplazar JavaScript para que se ejecute después de que se haya analizado el HTML de la página. Mejora la velocidad percibida de la página, pero podría romper un pequeño número de complementos.';
|
||||
$lang['dnslookups'] = 'DokuWiki buscara los hostnames para usuarios editando las páginas con IP remota. Si usted tiene un servidor DNS bastante lento o que no funcione, favor de desactivar esta opción.';
|
||||
$lang['jquerycdn'] = '¿Deberían cargarse los ficheros de script jQuery y jQuery UI desde un CDN? Esto añade peticiones HTTP adicionales, pero los ficheros se pueden cargar más rápido y los usuarios pueden tenerlas ya almacenadas en caché.';
|
||||
$lang['jquerycdn_o_0'] = 'No CDN, sólo entrega local';
|
||||
$lang['jquerycdn_o_jquery'] = 'CDN en code.jquery.com';
|
||||
$lang['jquerycdn_o_cdnjs'] = 'CDN en cdnjs.com';
|
||||
$lang['proxy____host'] = 'Nombre del servidor Proxy';
|
||||
$lang['proxy____port'] = 'Puerto del servidor Proxy';
|
||||
$lang['proxy____user'] = 'Nombre de usuario para el servidor Proxy';
|
||||
$lang['proxy____pass'] = 'Contraseña para el servidor Proxy';
|
||||
$lang['proxy____ssl'] = 'Usar ssl para conectarse al servidor Proxy';
|
||||
$lang['proxy____except'] = 'Expresiones regulares para encontrar URLs que el proxy debería omitir.';
|
||||
$lang['license_o_'] = 'No se eligió ninguna';
|
||||
$lang['typography_o_0'] = 'ninguno';
|
||||
$lang['typography_o_1'] = 'Dobles comillas solamente';
|
||||
$lang['typography_o_2'] = 'Todas las comillas (puede ser que no siempre funcione)';
|
||||
$lang['userewrite_o_0'] = 'ninguno';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'Interno de DokuWiki';
|
||||
$lang['deaccent_o_0'] = 'apagado';
|
||||
$lang['deaccent_o_1'] = 'eliminar tildes';
|
||||
$lang['deaccent_o_2'] = 'romanizar';
|
||||
$lang['gdlib_o_0'] = 'GD Lib no está disponible';
|
||||
$lang['gdlib_o_1'] = 'Versión 1.x';
|
||||
$lang['gdlib_o_2'] = 'Autodetección';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Resumen';
|
||||
$lang['rss_content_o_diff'] = 'Diferencias unificadas';
|
||||
$lang['rss_content_o_htmldiff'] = 'Tabla de diferencias en formato HTML';
|
||||
$lang['rss_content_o_html'] = 'Página que solo contiene código HTML';
|
||||
$lang['rss_linkto_o_diff'] = 'ver las diferencias';
|
||||
$lang['rss_linkto_o_page'] = 'la página revisada';
|
||||
$lang['rss_linkto_o_rev'] = 'lista de revisiones';
|
||||
$lang['rss_linkto_o_current'] = 'la página actual';
|
||||
$lang['compression_o_0'] = 'ninguna';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'no utilizar';
|
||||
$lang['xsendfile_o_1'] = 'Encabezado propietario de lighttpd (antes de la versión 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Encabezado X-Sendfile estándar';
|
||||
$lang['xsendfile_o_3'] = 'Encabezado propietario Nginx X-Accel-Redirect';
|
||||
$lang['showuseras_o_loginname'] = 'Nombre de entrada';
|
||||
$lang['showuseras_o_username'] = 'Nombre completo del usuario';
|
||||
$lang['showuseras_o_username_link'] = 'Nombre completo del usuario como enlace de usuario interwiki';
|
||||
$lang['showuseras_o_email'] = 'Dirección de correo electrónico del usuario (ofuscada según la configuración de "mailguard")';
|
||||
$lang['showuseras_o_email_link'] = 'Dirección de correo de usuario como enlace de envío de correo';
|
||||
$lang['useheading_o_0'] = 'Nunca';
|
||||
$lang['useheading_o_navigation'] = 'Solamente Navegación';
|
||||
$lang['useheading_o_content'] = 'Contenido wiki solamente';
|
||||
$lang['useheading_o_1'] = 'Siempre';
|
||||
$lang['readdircache'] = 'Tiempo máximo para la cache readdir (en segundos)';
|
30
projet/doku/lib/plugins/config/lang/et/lang.php
Normal file
30
projet/doku/lib/plugins/config/lang/et/lang.php
Normal file
@@ -0,0 +1,30 @@
|
||||
<?php
|
||||
/**
|
||||
* Estonian language file
|
||||
*
|
||||
* @author kristian.kankainen@kuu.la
|
||||
* @author Rivo Zängov <eraser@eraser.ee>
|
||||
*/
|
||||
$lang['menu'] = 'Seadete haldamine';
|
||||
$lang['_configuration_manager'] = 'Seadete haldamine';
|
||||
$lang['_basic'] = 'Peamised seaded';
|
||||
$lang['_display'] = 'Näitamise seaded';
|
||||
$lang['_authentication'] = 'Audentimise seaded';
|
||||
$lang['_anti_spam'] = 'Spämmitõrje seaded';
|
||||
$lang['_editing'] = 'Muutmise seaded';
|
||||
$lang['_links'] = 'Lingi seaded';
|
||||
$lang['_media'] = 'Meedia seaded';
|
||||
$lang['_advanced'] = 'Laiendatud seaded';
|
||||
$lang['_network'] = 'Võrgu seaded';
|
||||
$lang['title'] = 'Wiki pealkiri';
|
||||
$lang['template'] = 'Kujundus';
|
||||
$lang['recent'] = 'Viimased muudatused';
|
||||
$lang['signature'] = 'Allkiri';
|
||||
$lang['defaultgroup'] = 'Vaikimisi grupp';
|
||||
$lang['disableactions_check'] = 'Kontrolli';
|
||||
$lang['compression_o_0'] = 'pole';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'ära kasuta';
|
||||
$lang['useheading_o_0'] = 'Mitte kunagi';
|
||||
$lang['useheading_o_1'] = 'Alati';
|
7
projet/doku/lib/plugins/config/lang/eu/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/eu/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Konfigurazio Kudeatzailea ======
|
||||
|
||||
Erabili orri hau zure DokiWiki instalazioaren aukerak kontrolatzeko. Aukera zehatzei buruz laguntza eskuratzeko ikusi [[doku>config]]. Plugin honi buruzko xehetasun gehiago eskuratzeko ikusi [[doku>plugin:config]].
|
||||
|
||||
Atzealde gorri argi batez erakusten diren aukerak babestuak daude eta ezin dira plugin honekin aldatu. Atzealde urdin batez erakusten diren aukerak balio lehenetsiak dira eta atzealde zuriz erakutsiak modu lokalean ezarriak izan dira instalazio honentzat. Aukera urdin eta zuriak aldatuak izan daitezke.
|
||||
|
||||
Gogoratu **GORDE** botoia sakatzeaz orri hau utzi baino lehen, bestela zure aldaketak galdu egingo baitira.
|
179
projet/doku/lib/plugins/config/lang/eu/lang.php
Normal file
179
projet/doku/lib/plugins/config/lang/eu/lang.php
Normal file
@@ -0,0 +1,179 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Inko Illarramendi <inko.i.a@gmail.com>
|
||||
* @author Zigor Astarbe <astarbe@gmail.com>
|
||||
* @author Osoitz <oelkoro@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'Konfigurazio Ezarpenak';
|
||||
$lang['error'] = 'Ezarpenak ez dira eguneratu balio oker bat dela eta, mesedez errepasatu aldaketak eta berriz bidali. <br />Balio okerra(k) ertz gorriz inguratuak erakutsiko dira. ';
|
||||
$lang['updated'] = 'Ezarpenak arrakastaz eguneratuak.';
|
||||
$lang['nochoice'] = '(ez dago beste aukerarik)';
|
||||
$lang['locked'] = 'Ezarpenen fitxategia ezin da eguneratu, eta intentzioa hau ez bada, <br />
|
||||
ziurtatu ezarpen lokalen izena eta baimenak zuzenak direla.';
|
||||
$lang['danger'] = 'Kontuz: Aukera hau aldatzeak zure wikia eta konfigurazio menua eskuraezin utzi dezake.';
|
||||
$lang['warning'] = 'Oharra: Aukera hau aldatzeak ustekabeko portaera bat sortu dezake.';
|
||||
$lang['security'] = 'Segurtasun Oharra: Aukera hau aldatzeak segurtasun arrisku bat sortu dezake.';
|
||||
$lang['_configuration_manager'] = 'Konfigurazio Kudeatzailea';
|
||||
$lang['_header_dokuwiki'] = 'DokuWiki Ezarpenak';
|
||||
$lang['_header_plugin'] = 'Plugin Ezarpenak';
|
||||
$lang['_header_template'] = 'Txantiloi Ezarpenak';
|
||||
$lang['_header_undefined'] = 'Zehaztu gabeko Ezarpenak';
|
||||
$lang['_basic'] = 'Oinarrizko Ezarpenak';
|
||||
$lang['_display'] = 'Aurkezpen Ezarpenak';
|
||||
$lang['_authentication'] = 'Kautotze Ezarpenak';
|
||||
$lang['_anti_spam'] = 'Anti-Spam Ezarpenak';
|
||||
$lang['_editing'] = 'Edizio Ezarpenak';
|
||||
$lang['_links'] = 'Esteken Ezarpenak';
|
||||
$lang['_media'] = 'Multimedia Ezarpenak';
|
||||
$lang['_notifications'] = 'Abisuen ezarpenak';
|
||||
$lang['_syndication'] = 'Sindikazio ezarpenak';
|
||||
$lang['_advanced'] = 'Ezarpen Aurreratuak';
|
||||
$lang['_network'] = 'Sare Ezarpenak';
|
||||
$lang['_msg_setting_undefined'] = 'Ezarpen metadaturik ez.';
|
||||
$lang['_msg_setting_no_class'] = 'Ezarpen klaserik ez.';
|
||||
$lang['_msg_setting_no_default'] = 'Balio lehenetsirik ez.';
|
||||
$lang['title'] = 'Wiki-aren izenburua';
|
||||
$lang['start'] = 'Hasiera orriaren izena';
|
||||
$lang['lang'] = 'Hizkuntza';
|
||||
$lang['template'] = 'Txantiloia';
|
||||
$lang['license'] = 'Zein lizentziapean argitaratu beharko lirateke edukiak?';
|
||||
$lang['savedir'] = 'Datuak gordetzeko direktorioa';
|
||||
$lang['basedir'] = 'Oinarri direktorioa';
|
||||
$lang['baseurl'] = 'Oinarri URLa';
|
||||
$lang['dmode'] = 'Direktorio sortze modua';
|
||||
$lang['fmode'] = 'Fitxategi sortze modua';
|
||||
$lang['allowdebug'] = 'Baimendu debug-a <b>ezgaitu behar ez bada!</b>';
|
||||
$lang['recent'] = 'Azken aldaketak';
|
||||
$lang['recent_days'] = 'Zenbat azken aldaketa gordeko dira (egunak)';
|
||||
$lang['breadcrumbs'] = 'Arrasto pauso kopurua';
|
||||
$lang['youarehere'] = 'Arrasto pauso hierarkikoak';
|
||||
$lang['fullpath'] = 'Orri oinean orrien bide osoa erakutsi';
|
||||
$lang['typography'] = 'Ordezkapen tipografikoak egin';
|
||||
$lang['dformat'] = 'Data formatua (ikusi PHPren <a href="http://php.net/strftime">strftime</a> funtzioa)';
|
||||
$lang['signature'] = 'Sinadura';
|
||||
$lang['showuseras'] = 'Zer azaldu orri bat editatu duen azken erabiltzailea erakusterakoan';
|
||||
$lang['toptoclevel'] = 'Eduki taularen goiko maila';
|
||||
$lang['tocminheads'] = 'Gutxiengo izenburu kopuru minimoa Edukien Taula-ren sortu dadin.';
|
||||
$lang['maxtoclevel'] = 'Eduki taularen maila maximoa';
|
||||
$lang['maxseclevel'] = 'Sekzio edizio mailaren maximoa';
|
||||
$lang['camelcase'] = 'Estekentzat CamelCase erabili';
|
||||
$lang['deaccent'] = 'Orri izen garbiak';
|
||||
$lang['useheading'] = 'Erabili lehen izenburua orri izen moduan';
|
||||
$lang['sneaky_index'] = 'Lehenespenez, DokuWiki-k izen-espazio guztiak indize bistan erakutsiko ditu. Aukera hau gaituta, erabiltzaieak irakurtzeko baimenik ez dituen izen-espazioak ezkutatuko dira. Honek atzigarriak diren azpi izen-espazioak ezkutatzen ditu. Agian honek indizea erabili ezin ahal izatea eragingo du AKL ezarpen batzuetan.';
|
||||
$lang['hidepages'] = 'Ezkutatu kointzidentziak dituzten orriak (espresio erregularrak)';
|
||||
$lang['useacl'] = 'Erabili atzipen kontrol listak';
|
||||
$lang['autopasswd'] = 'Pasahitzak automatikoki sortu';
|
||||
$lang['authtype'] = 'Kautotze backend-a';
|
||||
$lang['passcrypt'] = 'Pasahitz enkriptatze metodoa';
|
||||
$lang['defaultgroup'] = 'Talde lehenetsia';
|
||||
$lang['superuser'] = 'Supererabiltzailea - taldea, erabiltzailea edo komaz bereiztutako zerrenda user1,@group1,user2 orri eta funtzio guztietara atzipen osoarekin, AKL-ren ezarpenetan zehaztutakoa kontutan hartu gabe';
|
||||
$lang['manager'] = 'Kudeatzailea - talde, erabiltzaile edo komaz bereiztutako zerrenda user1,@group1,user2 kudeatze funtzio zehatz batzuetara atzipenarekin';
|
||||
$lang['profileconfirm'] = 'Profil aldaketak pasahitzaz berretsi';
|
||||
$lang['rememberme'] = 'Baimendu saio hasiera cookie iraunkorrak (gogoratu iezaidazu)';
|
||||
$lang['disableactions'] = 'DokuWiki ekintzak ezgaitu';
|
||||
$lang['disableactions_check'] = 'Egiaztatu';
|
||||
$lang['disableactions_subscription'] = 'Harpidetu/Harpidetza utzi';
|
||||
$lang['disableactions_wikicode'] = 'Ikusi iturburua/Esportatu Raw';
|
||||
$lang['disableactions_other'] = 'Beste ekintzak (komaz bereiztuak)';
|
||||
$lang['auth_security_timeout'] = 'Kautotze Segurtasun Denbora-Muga (segunduak)';
|
||||
$lang['securecookie'] = 'HTTPS bidez ezarritako cookie-ak HTTPS bidez bakarrik bidali beharko lituzke nabigatzaileak? Ezgaitu aukera hau bakarrik saio hasierak SSL bidezko segurtasuna badu baina wiki-areb nabigazioa modu ez seguruan egiten bada. ';
|
||||
$lang['usewordblock'] = 'Blokeatu spam-a hitz zerrenda batean oinarrituta';
|
||||
$lang['relnofollow'] = 'Erabili rel="nofollow" kanpo esteketan';
|
||||
$lang['indexdelay'] = 'Denbora atzerapena indexatu baino lehen (seg)';
|
||||
$lang['mailguard'] = 'Ezkutatu posta-e helbidea';
|
||||
$lang['iexssprotect'] = 'Egiaztatu igotako fitxategiak JavaScript edo HTML kode maltzurra detektatzeko';
|
||||
$lang['usedraft'] = 'Automatikoki zirriborroa gorde editatze garaian';
|
||||
$lang['htmlok'] = 'Enbotatutako HTMLa baimendu';
|
||||
$lang['phpok'] = 'Enbotatutako PHPa baimendu';
|
||||
$lang['locktime'] = 'Adin maximoa lock fitxategientzat (seg)';
|
||||
$lang['cachetime'] = 'Adin maximoa cachearentzat (seg)';
|
||||
$lang['target____wiki'] = 'Barne estekentzat helburu leihoa';
|
||||
$lang['target____interwiki'] = 'Interwiki estekentzat helburu leihoa';
|
||||
$lang['target____extern'] = 'Kanpo estekentzat helburu leihoa';
|
||||
$lang['target____media'] = 'Multimedia estekentzat helburu leihoa';
|
||||
$lang['target____windows'] = 'Leihoen estekentzat helburu leihoa';
|
||||
$lang['mediarevisions'] = 'Media rebisioak gaitu?';
|
||||
$lang['refcheck'] = 'Multimedia erreferentzia kontrolatu';
|
||||
$lang['gdlib'] = 'GD Lib bertsioa';
|
||||
$lang['im_convert'] = 'ImageMagick-en aldaketa tresnara bidea';
|
||||
$lang['jpg_quality'] = 'JPG konprimitze kalitatea (0-100)';
|
||||
$lang['fetchsize'] = 'Kanpo esteketatik fetch.php-k deskargatu dezakeen tamaina maximoa (byteak)';
|
||||
$lang['subscribers'] = 'Gaitu orri harpidetza euskarria';
|
||||
$lang['subscribe_time'] = 'Harpidetza zerrendak eta laburpenak bidali aurretik pasa beharreko denbora (seg); Denbora honek, recent_days-en ezarritakoa baino txikiagoa behar luke.';
|
||||
$lang['notify'] = 'Aldaketen jakinarazpenak posta-e helbide honetara bidali';
|
||||
$lang['registernotify'] = 'Erregistratu berri diren erabiltzaileei buruzko informazioa post-e helbide honetara bidali';
|
||||
$lang['mailfrom'] = 'Posta automatikoentzat erabiliko den posta-e helbidea';
|
||||
$lang['mailprefix'] = 'Posta automatikoen gaientzat erabili beharreko aurrizkia';
|
||||
$lang['sitemap'] = 'Sortu Google gune-mapa (egunak)';
|
||||
$lang['rss_type'] = 'XML jario mota';
|
||||
$lang['rss_linkto'] = 'XML jarioak hona estekatzen du';
|
||||
$lang['rss_content'] = 'Zer erakutsi XML jarioetan?';
|
||||
$lang['rss_update'] = 'XML jarioaren eguneratze tartea (seg)';
|
||||
$lang['rss_show_summary'] = 'XML jarioak laburpena erakusten du izenburuan';
|
||||
$lang['updatecheck'] = 'Konprobatu eguneratze eta segurtasun oharrak? DokuWiki-k honetarako update.dokuwiki.org kontaktatu behar du.';
|
||||
$lang['userewrite'] = 'Erabili URL politak';
|
||||
$lang['useslash'] = 'Erabili barra (/) izen-espazio banatzaile moduan URLetan';
|
||||
$lang['sepchar'] = 'Orri izenaren hitz banatzailea';
|
||||
$lang['canonical'] = 'Erabili URL erabat kanonikoak';
|
||||
$lang['fnencode'] = 'Non-ASCII fitxategi izenak kodetzeko metodoa.';
|
||||
$lang['autoplural'] = 'Kontrolatu forma pluralak esteketan';
|
||||
$lang['compression'] = 'Trinkotze metodoa attic fitxategientzat';
|
||||
$lang['gzip_output'] = 'Gzip Eduki-Kodeketa erabili xhtml-rentzat';
|
||||
$lang['compress'] = 'Trinkotu CSS eta javascript irteera';
|
||||
$lang['send404'] = 'Bidali "HTTP 404/Ez Da Orria Aurkitu" existitzen ez diren orrientzat';
|
||||
$lang['broken_iua'] = 'Zure sisteman ignore_user_abort (erabiltzailearen bertan behera uztea kontuan ez hartu) funtzioa hautsia al dago? Honek funtzionatzen ez duen bilaketa indize bat eragin dezake. ISS+PHP/CGI hautsiak daude. Ikusi <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a> informazio gehiago jasotzeko.';
|
||||
$lang['xsendfile'] = 'X-Sendfile goiburua erabili web zerbitzariari fitxategi estatikoak bidaltzen uzteko? Zure web zerbitzariak hau ahalbidetuta eduki beharko du.';
|
||||
$lang['renderer_xhtml'] = 'Erabiliko den errenderizatzailea wiki irteera (xhtml) nagusiarentzat';
|
||||
$lang['renderer__core'] = '%s (dokuwiki-ren nukleoa)';
|
||||
$lang['renderer__plugin'] = '%s (plugina)';
|
||||
$lang['proxy____host'] = 'Proxy zerbitzari izena';
|
||||
$lang['proxy____port'] = 'Proxy portua';
|
||||
$lang['proxy____user'] = 'Proxyaren erabiltzaile izena';
|
||||
$lang['proxy____pass'] = 'Proxyaren pasahitza ';
|
||||
$lang['proxy____ssl'] = 'Erabili SSL Proxyra konektatzeko';
|
||||
$lang['proxy____except'] = 'URLak detektatzeko espresio erregularra, zeinentzat Proxy-a sahiestu beharko litzatekeen.';
|
||||
$lang['license_o_'] = 'Bat ere ez hautaturik';
|
||||
$lang['typography_o_0'] = 'ezer';
|
||||
$lang['typography_o_1'] = 'Komatxo bikoitzak bakarrik';
|
||||
$lang['typography_o_2'] = 'Komatxo guztiak (gerta daiteke beti ez funtzionatzea)';
|
||||
$lang['userewrite_o_0'] = 'ezer';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'DokuWikiren barnekoa';
|
||||
$lang['deaccent_o_0'] = 'Izalita';
|
||||
$lang['deaccent_o_1'] = 'azentu-markak kendu';
|
||||
$lang['deaccent_o_2'] = 'erromanizatu ';
|
||||
$lang['gdlib_o_0'] = 'GD Lib ez dago eskuragarri';
|
||||
$lang['gdlib_o_1'] = '1.x bertsioa';
|
||||
$lang['gdlib_o_2'] = 'Automatikoki detektatu';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Laburpena';
|
||||
$lang['rss_content_o_diff'] = 'Bateratutako Diferentziak';
|
||||
$lang['rss_content_o_htmldiff'] = 'HTML formatuko diferentzia taula';
|
||||
$lang['rss_content_o_html'] = 'Orri edukia guztiz HTML';
|
||||
$lang['rss_linkto_o_diff'] = 'Desberdintasunak ikusi';
|
||||
$lang['rss_linkto_o_page'] = 'Berrikusitako orria';
|
||||
$lang['rss_linkto_o_rev'] = 'Berrikuspen zerrenda';
|
||||
$lang['rss_linkto_o_current'] = 'Uneko orria';
|
||||
$lang['compression_o_0'] = 'ezer';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'ez erabili';
|
||||
$lang['xsendfile_o_1'] = 'Jabegodun lighttpd goiburua (1.5 bertsioa baino lehen)';
|
||||
$lang['xsendfile_o_2'] = 'X-Sendfile goiburu estandarra';
|
||||
$lang['xsendfile_o_3'] = 'Jabegodun Nginx X-Accel-Redirect goiburua';
|
||||
$lang['showuseras_o_loginname'] = 'Saio izena';
|
||||
$lang['showuseras_o_username'] = 'Erabiltzailearen izen osoa';
|
||||
$lang['showuseras_o_email'] = 'Erabiltzailearen posta-e helbidea (ezkutatua posta babeslearen aukeren arabera)';
|
||||
$lang['showuseras_o_email_link'] = 'Erabiltzailearen posta-e helbidea mailto: esteka moduan';
|
||||
$lang['useheading_o_0'] = 'Inoiz';
|
||||
$lang['useheading_o_navigation'] = 'Nabigazioa Bakarrik';
|
||||
$lang['useheading_o_content'] = 'Wiki Edukia Bakarrik';
|
||||
$lang['useheading_o_1'] = 'Beti';
|
||||
$lang['readdircache'] = 'Aintzintasun maximoa readdir cache-rentzat (seg)';
|
8
projet/doku/lib/plugins/config/lang/fa/intro.txt
Normal file
8
projet/doku/lib/plugins/config/lang/fa/intro.txt
Normal file
@@ -0,0 +1,8 @@
|
||||
====== تنظیمات پیکربندی ======
|
||||
|
||||
از این صفحه برای مدیریت تنظیمات DokuWiki استفاده کنید. برای راهنمایی بیشتر به [[doku>config]] مراجعه نماید.
|
||||
برای جزییات در مورد این افزونه نیز میتوانید به [[doku>plugin:config]] مراجعه کنید.
|
||||
|
||||
تنظیماتی که با پیشزمینهی قرمز مشخص شدهاند، غیرقابل تغییر میباشند. تنظیماتی که به پیشزمینهی آبی مشخص شدهاند نیز حامل مقادیر پیشفرض میباشند و تنظیماتی که پیشزمینهی سفید دارند به طور محلی برای این سیستم تنظیم شدهاند. تمامی مقادیر آبی و سفید قابلیت تغییر دارند.
|
||||
|
||||
به یاد داشته باشید که قبل از ترک صفحه، دکمهی **ذخیره** را بفشارید، در غیر این صورت تنظیمات شما از بین خواهد رفت.
|
212
projet/doku/lib/plugins/config/lang/fa/lang.php
Normal file
212
projet/doku/lib/plugins/config/lang/fa/lang.php
Normal file
@@ -0,0 +1,212 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author علیرضا ایوز <info@alirezaivaz.ir>
|
||||
* @author Masoud Sadrnezhaad <masoud@sadrnezhaad.ir>
|
||||
* @author behrad eslamifar <behrad_es@yahoo.com)
|
||||
* @author Mohsen Firoozmandan <info@mambolearn.com>
|
||||
* @author omidmr <omidmr@gmail.com>
|
||||
* @author Mohammad Reza Shoaei <shoaei@gmail.com>
|
||||
* @author Milad DZand <M.DastanZand@gmail.com>
|
||||
* @author AmirH Hassaneini <mytechmix@gmail.com>
|
||||
* @author Mohmmad Razavi <sepent@gmail.com>
|
||||
* @author sam01 <m.sajad079@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'تنظیمات پیکربندی';
|
||||
$lang['error'] = 'به دلیل ایراد در مقادیر وارد شده، تنظیمات اعمال نشد، خواهشمندیم تغییرات را مجددن کنترل نمایید و دوباره ارسال کنید.<br/> مقادیر مشکلدار با کادر قرمز مشخص شدهاند.';
|
||||
$lang['updated'] = 'تنظیمات با موفقیت به روز رسانی شد.';
|
||||
$lang['nochoice'] = '(گزینههای دیگری موجود نیست)';
|
||||
$lang['locked'] = 'تنظیمات قابلیت به روز رسانی ندارند، اگر نباید چنین باشد، <br/> نام فایل تنظیمات و دسترسیهای آن را بررسی کنید.';
|
||||
$lang['danger'] = 'خطر: ممکن است با تغییر این گزینه دسترسی به منوی تنظیمات قطع شود.';
|
||||
$lang['warning'] = 'هشدار: ممکن است با تغییر این گزینه رفتارهای غیرمترقبهای مشاهده کنید.';
|
||||
$lang['security'] = 'هشدار امنیتی: تغییر این گزینه ممکن است با خطرات امنیتی همراه باشد.';
|
||||
$lang['_configuration_manager'] = 'مدیریت تنظیمات';
|
||||
$lang['_header_dokuwiki'] = 'تنظیمات DokuWiki';
|
||||
$lang['_header_plugin'] = 'تنظیمات افزونه';
|
||||
$lang['_header_template'] = 'تنظیمات قالب';
|
||||
$lang['_header_undefined'] = 'تنظیمات تعریف نشده';
|
||||
$lang['_basic'] = 'تنظیمات مقدماتی';
|
||||
$lang['_display'] = 'تنظیمات نمایش';
|
||||
$lang['_authentication'] = 'تنظیمات معتبرسازی';
|
||||
$lang['_anti_spam'] = 'تنظیمات ضد-اسپم';
|
||||
$lang['_editing'] = 'تنظیمات ویرایش';
|
||||
$lang['_links'] = 'تنظیمات پیوند';
|
||||
$lang['_media'] = 'تنظیمات رسانهها (فایلها)';
|
||||
$lang['_notifications'] = 'تنظیمات آگاه سازی';
|
||||
$lang['_syndication'] = 'تنظیمات پیوند';
|
||||
$lang['_advanced'] = 'تنظیمات پیشرفته';
|
||||
$lang['_network'] = 'تنظیمات شبکه';
|
||||
$lang['_msg_setting_undefined'] = 'دادهنمایی برای تنظیمات وجود ندارد';
|
||||
$lang['_msg_setting_no_class'] = 'هیچ دستهای برای تنظیمات وجود ندارد.';
|
||||
$lang['_msg_setting_no_default'] = 'بدون مقدار پیشفرض';
|
||||
$lang['title'] = 'عنوان ویکی';
|
||||
$lang['start'] = 'نام صفحهی آغازین';
|
||||
$lang['lang'] = 'زبان';
|
||||
$lang['template'] = 'قالب';
|
||||
$lang['tagline'] = 'خط تگ (اگر قالب از آن پشتیبانی می کند)';
|
||||
$lang['sidebar'] = 'نام نوار صفحه کناری (اگر قالب از آن پشتیبانی می کند) ، فیلد خالی نوار کناری غیر فعال خواهد کرد.';
|
||||
$lang['license'] = 'لایسنس مطالب ویکی';
|
||||
$lang['savedir'] = 'شاخهی ذخیرهسازی دادهها';
|
||||
$lang['basedir'] = 'شاخهی اصلی';
|
||||
$lang['baseurl'] = 'آدرس اصلی';
|
||||
$lang['cookiedir'] = 'مسیر کوکی ها. برای استفاده از آدرس پایه ، آن را خالی بگذارید.';
|
||||
$lang['dmode'] = 'زبان';
|
||||
$lang['fmode'] = 'دسترسی پیشفرض فایلها در زمان ایجاد';
|
||||
$lang['allowdebug'] = 'امکان کرمزدایی (debug) <b>اگر نیازی ندارید، غیرفعال کنید</b>';
|
||||
$lang['recent'] = 'تغییرات اخیر';
|
||||
$lang['recent_days'] = 'چند تغییر در خوراک نمایش داده شود به روز';
|
||||
$lang['breadcrumbs'] = 'تعداد ردپاها';
|
||||
$lang['youarehere'] = 'ردپای درختی';
|
||||
$lang['fullpath'] = 'نمایش دادن مسیر کامل صفحات در پایین صفحه';
|
||||
$lang['typography'] = 'جایگزاری متنها انجام شود';
|
||||
$lang['dformat'] = 'فرمت تاریخ (راهنمای تابع <a href="http://php.net/strftime">strftime</a> را مشاهده کنید)';
|
||||
$lang['signature'] = 'امضا';
|
||||
$lang['showuseras'] = 'چگونه آخرین کاربر ویرایش کننده، یک صفحه نمایش داده شود';
|
||||
$lang['toptoclevel'] = 'بیشترین عمق برای «فهرست مطالب»';
|
||||
$lang['tocminheads'] = 'حداقل مقدار عنوانهای یک صفحه، برای تشخیص اینکه «فهرست مطالب» (TOC) ایجاد شود';
|
||||
$lang['maxtoclevel'] = 'حداکثر عمق «فهرست مطالب»';
|
||||
$lang['maxseclevel'] = 'بیشترین سطح ویرایش بخشها';
|
||||
$lang['camelcase'] = 'از «حالت شتری» (CamelCase) برای پیوندها استفاده شود';
|
||||
$lang['deaccent'] = 'تمیز کردن نام صفحات';
|
||||
$lang['useheading'] = 'استفاده از اولین عنوان برای نام صفحه';
|
||||
$lang['sneaky_index'] = 'به طور پیشفرض، دوکوویکی در فهرست تمامی فضاینامها را نمایش میدهد. فعال کردن این گزینه، مواردی را که کاربر حق خواندنشان را ندارد مخفی میکند. این گزینه ممکن است باعث دیده نشدن زیرفضاینامهایی شود که دسترسی خواندن به آنها وجود دارد. و ممکن است باعث شود که فهرست در حالاتی از دسترسیها، غیرقابل استفاده شود.';
|
||||
$lang['hidepages'] = 'مخفی کردن صفحات با فرمت زیر (از عبارات منظم استفاده شود)';
|
||||
$lang['useacl'] = 'استفاده از مدیریت دسترسیها';
|
||||
$lang['autopasswd'] = 'ایجاد خودکار گذرواژهها';
|
||||
$lang['authtype'] = 'روش معتبرسازی';
|
||||
$lang['passcrypt'] = 'روش کد کردن گذرواژه';
|
||||
$lang['defaultgroup'] = 'گروه پیشفرض';
|
||||
$lang['superuser'] = 'کاربر اصلی - گروه، کاربر یا لیستی که توسط ویرگول جدا شده از کاربرها و گروهها (مثل user1,@group1,user2) با دسترسی کامل به همهی صفحات و امکانات سیستم، فارغ از دسترسیهای آن کاربر.';
|
||||
$lang['manager'] = 'مدیر - گروه، کاربر یا لیستی که توسط ویرگول جدا شده از کاربرها و گروهها (مثل user1,@group1,user2) با دسترسیهای خاص به بخشهای متفاوت';
|
||||
$lang['profileconfirm'] = 'تغییرات پروفایل با وارد کردن گذرواژه تایید شود';
|
||||
$lang['rememberme'] = 'امکان ورود دایم، توسط کوکی، وجود داشته باشد (مرا به خاطر بسپار)';
|
||||
$lang['disableactions'] = 'غیرفعال کردن فعالیتهای دوکوویکی';
|
||||
$lang['disableactions_check'] = 'بررسی';
|
||||
$lang['disableactions_subscription'] = 'عضویت/عدم عضویت';
|
||||
$lang['disableactions_wikicode'] = 'نمایش سورس/برونبری خام';
|
||||
$lang['disableactions_profile_delete'] = 'حذف حساب کاربری خود.';
|
||||
$lang['disableactions_other'] = 'فعالیتهای دیگر (با ویرگول انگلیسی «,» از هم جدا کنید)';
|
||||
$lang['disableactions_rss'] = 'خبرخوان (RSS)';
|
||||
$lang['auth_security_timeout'] = 'زمان انقضای معتبرسازی به ثانیه';
|
||||
$lang['securecookie'] = 'آیا کوکیها باید با قرارداد HTTPS ارسال شوند؟ این گزینه را زمانی که فقط صفحهی ورود ویکیتان با SSL امن شده است، اما ویکی را ناامن مرور میکنید، غیرفعال نمایید.';
|
||||
$lang['remote'] = 'سیستم API راه دور را فعال کنید . این به سایر کاربردها اجازه می دهد که به ویکی از طریق XML-RPC یا سایر مکانیزم ها دسترسی داشته باشند.';
|
||||
$lang['remoteuser'] = 'محدود کردن دسترسی API راه دور به گروه های جدا شده با ویرگول یا کاربران داده شده در این جا. برای دادن دسترسی به همه این فیلد را خالی بگذارید.';
|
||||
$lang['usewordblock'] = 'اسپمها را براساس لیست کلمات مسدود کن';
|
||||
$lang['relnofollow'] = 'از «rel=nofollow» در پیوندهای خروجی استفاده شود';
|
||||
$lang['indexdelay'] = 'مقدار تاخیر پیش از فهرستبندی (ثانیه)';
|
||||
$lang['mailguard'] = 'مبهم کردن آدرسهای ایمیل';
|
||||
$lang['iexssprotect'] = 'بررسی کردن فایلهای ارسال شده را برای کدهای HTML یا JavaScript مخرب';
|
||||
$lang['usedraft'] = 'ایجاد خودکار چرکنویس در زمان نگارش';
|
||||
$lang['htmlok'] = 'امکان افزودن HTML باشد';
|
||||
$lang['phpok'] = 'امکان افزودن PHP باشد';
|
||||
$lang['locktime'] = 'بیشینهی زمان قفل شدن فایلها به ثانیه';
|
||||
$lang['cachetime'] = 'بیشینهی زمان حافظهی موقت (cache) به ثانیه';
|
||||
$lang['target____wiki'] = 'پنجرهی هدف در پیوندهای داخلی';
|
||||
$lang['target____interwiki'] = 'پنجرهی هدف در پیوندهای داخل ویکی';
|
||||
$lang['target____extern'] = 'پنجرهی هدف در پیوندهای خارجی';
|
||||
$lang['target____media'] = 'پنجرهی هدف در پیوندهای رسانهها';
|
||||
$lang['target____windows'] = 'پنجرهی هدف در پیوندهای پنجرهای';
|
||||
$lang['mediarevisions'] = 'تجدید نظر رسانه ، فعال؟';
|
||||
$lang['refcheck'] = 'بررسی کردن مرجع رسانهها';
|
||||
$lang['gdlib'] = 'نگارش کتابخانهی GD';
|
||||
$lang['im_convert'] = 'مسیر ابزار convert از برنامهی ImageMagick';
|
||||
$lang['jpg_quality'] = 'کیفیت فشرده سازی JPEG (از 0 تا 100)';
|
||||
$lang['fetchsize'] = 'بیشینهی حجمی که فایل fetch.php میتواند دریافت کند (به بایت)';
|
||||
$lang['subscribers'] = 'توانایی عضویت در صفحات باشد';
|
||||
$lang['subscribe_time'] = 'زمان مورد نیاز برای ارسال خبر نامه ها (ثانیه); این مقدار می بایست کمتر زمانی باشد که در recent_days تعریف شده است.';
|
||||
$lang['notify'] = 'تغییرات به این ایمیل ارسال شود';
|
||||
$lang['registernotify'] = 'اطلاعات کاربران تازه وارد به این ایمیل ارسال شود';
|
||||
$lang['mailfrom'] = 'آدرس ایمیلی که برای ایمیلهای خودکار استفاده میشود';
|
||||
$lang['mailreturnpath'] = 'نشانی ایمیل گیرنده برای اعلانهای دریافت نشده';
|
||||
$lang['mailprefix'] = 'پیشوند تیتر ایمیل (جهت ایمیل های خودکار)';
|
||||
$lang['htmlmail'] = 'فرستادن با ظاهر بهتر ، امّا با اندازه بیشتر در ایمیل های چند قسمتی HTML.
|
||||
برای استفاده از ایمیل متنی ، غیر فعال کنید.';
|
||||
$lang['sitemap'] = 'تولید کردن نقشهی سایت توسط گوگل (روز)';
|
||||
$lang['rss_type'] = 'نوع خوراک';
|
||||
$lang['rss_linkto'] = 'خوراک به کجا لینک شود';
|
||||
$lang['rss_content'] = 'چه چیزی در تکههای خوراک نمایش داده شود؟';
|
||||
$lang['rss_update'] = 'زمان به روز رسانی خوراک به ثانیه';
|
||||
$lang['rss_show_summary'] = 'خوراک مختصری از مطلب را در عنوان نمایش دهد';
|
||||
$lang['rss_media'] = 'چه نوع تغییراتی باید در خوراک XML لیست شود؟';
|
||||
$lang['rss_media_o_both'] = 'هر دو';
|
||||
$lang['rss_media_o_pages'] = 'صفحات';
|
||||
$lang['rss_media_o_media'] = 'مدیا';
|
||||
$lang['updatecheck'] = 'هشدارهای به روز رسانی و امنیتی بررسی شود؟ برای اینکار دوکوویکی با سرور update.dokuwiki.org تماس خواهد گرفت.';
|
||||
$lang['userewrite'] = 'از زیباکنندهی آدرسها استفاده شود';
|
||||
$lang['useslash'] = 'از اسلش «/» برای جداکنندهی آدرس فضاینامها استفاده شود';
|
||||
$lang['sepchar'] = 'کلمهی جداکنندهی نام صفحات';
|
||||
$lang['canonical'] = 'استفاده از آدرسهای استاندارد';
|
||||
$lang['fnencode'] = 'روش تغییر نام فایلهایی با فرمتی غیر از اسکی';
|
||||
$lang['autoplural'] = 'بررسی جمع بودن در پیوندها';
|
||||
$lang['compression'] = 'روش فشردهسازی برای فایلهای خُرد';
|
||||
$lang['gzip_output'] = 'استفاده از gzip برای xhtmlها';
|
||||
$lang['compress'] = 'فشردهسازی کدهای CSS و JavaScript';
|
||||
$lang['cssdatauri'] = 'اندازه بایت هایی که تصاویر ارجاع شده به فایل های CSS باید به درستی درون stylesheet جایگذاری شود تا سربار سرایند درخواست HTTP را کاهش دهد. مقادیر <code>400</code> تا <code>600</code> بایت مقدار خوبی است. برای غیر فعال کردن <code>0</code> قرار دهید.';
|
||||
$lang['send404'] = 'ارسال «HTTP 404/Page Not Found» برای صفحاتی که وجود ندارند';
|
||||
$lang['broken_iua'] = 'آیا تابع ignore_user_about در ویکی شما کار نمیکند؟ ممکن است فهرست جستجوی شما کار نکند. IIS به همراه PHP/CGI باعث خراب شدن این گزینه میشود. برای اطلاعات بیشتر <a href="http://bugs.splitbrain.org/?do=details&task_id=852">باگ ۸۵۲</a> را مشاهده کنید.';
|
||||
$lang['xsendfile'] = 'استفاده از هدر X-Sendfile، تا به وبسرور توانایی ارسال فایلهای ثابت را بدهد. وبسرور شما باید این مورد را پشتیبانی کند.';
|
||||
$lang['renderer_xhtml'] = 'مفسری که برای خروجی اصلی ویکی استفاده شود';
|
||||
$lang['renderer__core'] = '%s (هستهی dokuwiki)';
|
||||
$lang['renderer__plugin'] = '%s (افزونه)';
|
||||
$lang['search_nslimit'] = 'جستجو را به فضاینام X محدود کن. اگر جستجو از صفحهای که از فضای نام عمیقتری هست انجام شود اولین فضای نام X به عنوان فیلتر اضافه میشود.';
|
||||
$lang['search_fragment'] = 'رفتار جستجوی بخشی پیشفرض را مشخص کنید.';
|
||||
$lang['search_fragment_o_exact'] = 'دقیقا';
|
||||
$lang['search_fragment_o_starts_with'] = 'شروع شده با';
|
||||
$lang['search_fragment_o_ends_with'] = 'پایان یافته با';
|
||||
$lang['search_fragment_o_contains'] = 'شامل';
|
||||
$lang['dnslookups'] = 'دوکوویکی نام هاست ها را برای آدرسهای آیپیهای صفحات ویرایشی کاربران ، جستجو می کند. اگر یک سرور DNS کند یا نا کارامد دارید یا این ویژگی را نمی خواهید ، این گزینه را غیر فعال کنید.';
|
||||
$lang['jquerycdn'] = 'آیا فایلهای اسکریپت jQuery و jQuery UI باید از روی یک CDN باز شوند؟ این قابلیت تعداد درخواستهای HTTP بیشتری اضافه میکند، اما فایلها ممکن است سریعتر باز شوند و کاربران ممکن است آنها را کش کرده باشند.';
|
||||
$lang['jquerycdn_o_0'] = 'بدون CDN فقط برای دریافت داخلی';
|
||||
$lang['jquerycdn_o_jquery'] = 'CDN در code.jquery.com';
|
||||
$lang['jquerycdn_o_cdnjs'] = 'CDN در cdnjs.com';
|
||||
$lang['proxy____host'] = 'آدرس سرور پروکسی';
|
||||
$lang['proxy____port'] = 'پورت پروکسی';
|
||||
$lang['proxy____user'] = 'نام کاربری پروکسی';
|
||||
$lang['proxy____pass'] = 'گذرواژهي پروکسی';
|
||||
$lang['proxy____ssl'] = 'استفاده از SSL برای اتصال به پروکسی';
|
||||
$lang['proxy____except'] = 'عبارت منظم برای تطبیق با URLها برای اینکه دریابیم که از روی چه پروکسیای باید بپریم!';
|
||||
$lang['license_o_'] = 'هیچ کدام';
|
||||
$lang['typography_o_0'] = 'هیچ';
|
||||
$lang['typography_o_1'] = 'حذف کردن single-quote';
|
||||
$lang['typography_o_2'] = 'به همراه داشتن single-quote (ممکن است همیشه کار نکند)';
|
||||
$lang['userewrite_o_0'] = 'هیچ';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'از طریق DokuWiki';
|
||||
$lang['deaccent_o_0'] = 'خاموش';
|
||||
$lang['deaccent_o_1'] = 'برداشتن تلفظها';
|
||||
$lang['deaccent_o_2'] = 'لاتین کردن (romanize)';
|
||||
$lang['gdlib_o_0'] = 'کتابخانهی GD موجود نیست';
|
||||
$lang['gdlib_o_1'] = 'نسخهی 1.X';
|
||||
$lang['gdlib_o_2'] = 'انتخاب خودکار';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'انتزاعی';
|
||||
$lang['rss_content_o_diff'] = 'یکی کردن تفاوتها';
|
||||
$lang['rss_content_o_htmldiff'] = 'جدول تفاوتها با ساختار HTML';
|
||||
$lang['rss_content_o_html'] = 'تمامی محتویات صفحه، با ساختار HTML';
|
||||
$lang['rss_linkto_o_diff'] = 'نمایههای متفاوت';
|
||||
$lang['rss_linkto_o_page'] = 'صفحهی تجدید نظر شده';
|
||||
$lang['rss_linkto_o_rev'] = 'لیست نگارشها';
|
||||
$lang['rss_linkto_o_current'] = 'صفحهی کنونی';
|
||||
$lang['compression_o_0'] = 'هیچ';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'استفاده نکنید';
|
||||
$lang['xsendfile_o_1'] = 'هدر اختصاصی lighttpd (پیش از نگارش ۱.۵)';
|
||||
$lang['xsendfile_o_2'] = 'هدر استاندارد X-Sendfile';
|
||||
$lang['xsendfile_o_3'] = 'هدر اختصاصی X-Accel-Redirect در وب سرور Nginx';
|
||||
$lang['showuseras_o_loginname'] = 'نام کاربری';
|
||||
$lang['showuseras_o_username'] = 'نام کامل کاربران';
|
||||
$lang['showuseras_o_username_link'] = 'نام کامل کاربر به عنوان لینک داخلی ویکی';
|
||||
$lang['showuseras_o_email'] = 'آدرس ایمیل کاربران (با تنظیمات «نگهبان ایمیل» مبهم میشود)';
|
||||
$lang['showuseras_o_email_link'] = 'نمایش ایمیل کاربران با افزودن mailto';
|
||||
$lang['useheading_o_0'] = 'هرگز';
|
||||
$lang['useheading_o_navigation'] = 'فقط ناوبری (navigation)';
|
||||
$lang['useheading_o_content'] = 'فقط محتویات ویکی';
|
||||
$lang['useheading_o_1'] = 'همیشه';
|
||||
$lang['readdircache'] = 'بیشترین عمر برای حافظهی موقت readdir (ثانیه)';
|
7
projet/doku/lib/plugins/config/lang/fi/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/fi/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Asetusten hallinta ======
|
||||
|
||||
Käytä tätä sivua hallitaksesi DokuWikisi asetuksia. Apua yksittäisiin asetuksiin löytyy sivulta [[doku>config]]. Lisätietoa tästä liitännäisestä löytyy sivulta [[doku>plugin:config]].
|
||||
|
||||
Asetukset, jotka näkyvät vaaleanpunaisella taustalla ovat suojattuja, eikä niitä voi muutta tämän liitännäisen avulla. Asetukset, jotka näkyvät sinisellä taustalla ovat oletusasetuksia. Asetukset valkoisella taustalla ovat asetettu paikallisesti tätä asennusta varten. Sekä sinisiä että valkoisia asetuksia voi muokata.
|
||||
|
||||
Muista painaa **TALLENNA**-nappia ennen kuin poistut sivulta. Muuten muutoksesi häviävät.
|
192
projet/doku/lib/plugins/config/lang/fi/lang.php
Normal file
192
projet/doku/lib/plugins/config/lang/fi/lang.php
Normal file
@@ -0,0 +1,192 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Tuomo Hartikainen <tuomo.hartikainen@heksia.fi>
|
||||
* @author otto <otto@valjakko.net>
|
||||
* @author Teemu Mattila <ghcsystems@gmail.com>
|
||||
* @author Sami Olmari <sami@olmari.fi>
|
||||
* @author Wiki Doku <SugarKidder@mailinator.com>
|
||||
*/
|
||||
$lang['menu'] = 'Asetukset';
|
||||
$lang['error'] = 'Asetuksia ei päivitetty väärän arvon vuoksi. Tarkista muutokset ja lähetä sivu uudestaan.
|
||||
<br />Väärät arvot on merkitty punaisella reunuksella.';
|
||||
$lang['updated'] = 'Asetukset päivitetty onnistuneesti.';
|
||||
$lang['nochoice'] = '(ei muita valintoja saatavilla)';
|
||||
$lang['locked'] = 'Asetustiedosta ei voi päivittää. Jos tämä ei ole tarkoitus <br />
|
||||
niin varmista, että paikallisten asetusten tiedoston nimi ja oikeudet ovat kunnossa.';
|
||||
$lang['danger'] = 'Vaara: tämän asetuksen muuttaminen saattaa estää wikisi ja asetusvalikon toimimisen.';
|
||||
$lang['warning'] = 'Varoitus: tämän asetuksen muuttaminen saattaa aiheuttaa olettamattomia toimintoja.';
|
||||
$lang['security'] = 'Turvallisuusvaroitus: tämän asetuksen muuttaminen saattaa aiheuttaa tietoturva-aukon.';
|
||||
$lang['_configuration_manager'] = 'Asetusten hallinta';
|
||||
$lang['_header_dokuwiki'] = 'DokuWikin asetukset';
|
||||
$lang['_header_plugin'] = 'Liitännäisten asetukset';
|
||||
$lang['_header_template'] = 'Sivumallin asetukset';
|
||||
$lang['_header_undefined'] = 'Määritetelettömät asetukset';
|
||||
$lang['_basic'] = 'Perusasetukset';
|
||||
$lang['_display'] = 'Näyttöasetukset';
|
||||
$lang['_authentication'] = 'Sisäänkirjoittautumisen asetukset';
|
||||
$lang['_anti_spam'] = 'Anti-Spam asetukset';
|
||||
$lang['_editing'] = 'Sivumuokkauksen asetukset';
|
||||
$lang['_links'] = 'Linkkien asetukset';
|
||||
$lang['_media'] = 'Media-asetukset';
|
||||
$lang['_notifications'] = 'Ilmoitus-asetukset';
|
||||
$lang['_syndication'] = 'Syöteasetukset';
|
||||
$lang['_advanced'] = 'Lisäasetukset';
|
||||
$lang['_network'] = 'Verkkoasetukset';
|
||||
$lang['_msg_setting_undefined'] = 'Ei asetusten metadataa.';
|
||||
$lang['_msg_setting_no_class'] = 'Ei asetusluokkaa.';
|
||||
$lang['_msg_setting_no_default'] = 'Ei oletusarvoa';
|
||||
$lang['title'] = 'Wikin nimi';
|
||||
$lang['start'] = 'Alkusivun nimi';
|
||||
$lang['lang'] = 'Kieli';
|
||||
$lang['template'] = 'Sivumalli';
|
||||
$lang['tagline'] = 'Apuotsikko - slogan sivustonimen yhteyteen (jos template tukee)';
|
||||
$lang['sidebar'] = 'Sivupalkin sivunimi (jos template tukee sitä), tyhjä arvo poistaa sivupalkin';
|
||||
$lang['license'] = 'Millä lisenssillä sisältö pitäisi julkaista?';
|
||||
$lang['savedir'] = 'Hakemisto tietojen tallennukseen.';
|
||||
$lang['basedir'] = 'Perushakemisto';
|
||||
$lang['baseurl'] = 'Perus URL';
|
||||
$lang['cookiedir'] = 'Cookien path. Jätä tyhjäksi käyttääksesi baseurl arvoa';
|
||||
$lang['dmode'] = 'Hakemiston luontioikeudet';
|
||||
$lang['fmode'] = 'Tiedoston luontioikeudet';
|
||||
$lang['allowdebug'] = 'Salli debuggaus <b>pois, jos ei tarvita!</b>';
|
||||
$lang['recent'] = 'Viime muutokset';
|
||||
$lang['recent_days'] = 'Montako edellistä muutosta säilytetään (päiviä)';
|
||||
$lang['breadcrumbs'] = 'Leivänmurujen määrä';
|
||||
$lang['youarehere'] = 'Hierarkkiset leivänmurut';
|
||||
$lang['fullpath'] = 'Näytä sivun koko polku sivun alareunassa';
|
||||
$lang['typography'] = 'Tee typografiset korvaukset';
|
||||
$lang['dformat'] = 'Päivämäärän muoto (katso PHPn <a href="http://php.net/strftime">strftime</a> funktiota)';
|
||||
$lang['signature'] = 'Allekirjoitus';
|
||||
$lang['showuseras'] = 'Mitä näytetään, kun kerrotaan viimeisen editoijan tiedot';
|
||||
$lang['toptoclevel'] = 'Ylätason sisällysluettelo';
|
||||
$lang['tocminheads'] = 'Pienin otsikkorivien määrä, jotta sisällysluettelo tehdään';
|
||||
$lang['maxtoclevel'] = 'Sisällysluettelon suurin syvyys';
|
||||
$lang['maxseclevel'] = 'Kappale-editoinnin suurin syvyys.';
|
||||
$lang['camelcase'] = 'Käytä CamelCase linkkejä';
|
||||
$lang['deaccent'] = 'Siivoa sivun nimet';
|
||||
$lang['useheading'] = 'Käytä ensimmäistä otsikkoriviä sivun nimenä.';
|
||||
$lang['sneaky_index'] = 'Oletuksena DokuWiki näyttää kaikki nimiavaruudet index-näkymäsä. Tämä asetus piilottaa ne, joihin käyttäjällä ei ole lukuoikeuksia. Tämä voi piilottaa joitakin sallittuja alinimiavaruuksia. Tästä johtuen index-näkymä voi olla käyttökelvoton joillakin ACL-asetuksilla';
|
||||
$lang['hidepages'] = 'Piilota seuraavat sivut (säännönmukainen lauseke)';
|
||||
$lang['useacl'] = 'Käytä käyttöoikeuksien hallintaa';
|
||||
$lang['autopasswd'] = 'Luo salasana automaattisesti';
|
||||
$lang['authtype'] = 'Autentikointijärjestelmä';
|
||||
$lang['passcrypt'] = 'Salasanan suojausmenetelmä';
|
||||
$lang['defaultgroup'] = 'Oletusryhmä';
|
||||
$lang['superuser'] = 'Pääkäyttäjä. Ryhmä tai käyttäjä, jolla on täysi oikeus kaikkiin sivuihin ja toimintoihin käyttöoikeuksista huolimatta';
|
||||
$lang['manager'] = 'Ylläpitäjä. Ryhmä tai käyttäjä, jolla on pääsy joihinkin ylläpitotoimintoihin';
|
||||
$lang['profileconfirm'] = 'Vahvista profiilin päivitys salasanan avulla';
|
||||
$lang['rememberme'] = 'Salli pysyvät kirjautumis-cookiet (muista minut)';
|
||||
$lang['disableactions'] = 'Estä DokuWiki-toimintojen käyttö';
|
||||
$lang['disableactions_check'] = 'Tarkista';
|
||||
$lang['disableactions_subscription'] = 'Tilaa/Peruuta tilaus';
|
||||
$lang['disableactions_wikicode'] = 'Näytä lähdekoodi/Vie raakana';
|
||||
$lang['disableactions_other'] = 'Muut toiminnot (pilkulla erotettuna)';
|
||||
$lang['auth_security_timeout'] = 'Autentikoinnin aikakatkaisu (sekunteja)';
|
||||
$lang['securecookie'] = 'Lähetetäänkö HTTPS:n kautta asetetut evästetiedot HTTPS-yhteydellä? Kytke pois, jos vain wikisi kirjautuminen on suojattu SSL:n avulla, mutta muuten wikiä käytetään ilman suojausta.';
|
||||
$lang['remote'] = 'Kytke "remote API" käyttöön. Tämä sallii muiden sovellusten päästä wikiin XML-RPC:n avulla';
|
||||
$lang['remoteuser'] = 'Salli "remote API" pääsy vain pilkulla erotetuille ryhmille tai käyttäjille tässä. Jätä tyhjäksi, jos haluat sallia käytön kaikille.';
|
||||
$lang['usewordblock'] = 'Estä spam sanalistan avulla';
|
||||
$lang['relnofollow'] = 'Käytä rel="nofollow" ulkoisille linkeille';
|
||||
$lang['indexdelay'] = 'Aikaraja indeksoinnille (sek)';
|
||||
$lang['mailguard'] = 'Häivytä email osoite';
|
||||
$lang['iexssprotect'] = 'Tarkista lähetetyt tiedostot pahojen javascript- ja html-koodien varalta';
|
||||
$lang['usedraft'] = 'Tallenna vedos muokkaustilassa automaattisesti ';
|
||||
$lang['htmlok'] = 'Salli upotettu HTML';
|
||||
$lang['phpok'] = 'Salli upotettu PHP';
|
||||
$lang['locktime'] = 'Lukitustiedostojen maksimi-ikä (sek)';
|
||||
$lang['cachetime'] = 'Välimuisti-tiedostojen maksimi-ikä (sek)';
|
||||
$lang['target____wiki'] = 'Kohdeikkuna sisäisissä linkeissä';
|
||||
$lang['target____interwiki'] = 'Kohdeikkuna interwiki-linkeissä';
|
||||
$lang['target____extern'] = 'Kohdeikkuna ulkoisissa linkeissä';
|
||||
$lang['target____media'] = 'Kohdeikkuna media-linkeissä';
|
||||
$lang['target____windows'] = 'Kohdeikkuna Windows-linkeissä';
|
||||
$lang['mediarevisions'] = 'Otetaan käyttään Media-versiointi';
|
||||
$lang['refcheck'] = 'Mediaviitteen tarkistus';
|
||||
$lang['gdlib'] = 'GD Lib versio';
|
||||
$lang['im_convert'] = 'ImageMagick-muunnostyökalun polku';
|
||||
$lang['jpg_quality'] = 'JPG pakkauslaatu (0-100)';
|
||||
$lang['fetchsize'] = 'Suurin koko (bytejä), jonka fetch.php voi ladata ulkopuolisesta lähteestä';
|
||||
$lang['subscribers'] = 'Salli tuki sivujen tilaamiselle';
|
||||
$lang['subscribe_time'] = 'Aika jonka jälkeen tilauslinkit ja yhteenveto lähetetään (sek). Tämän pitäisi olla pienempi, kuin recent_days aika.';
|
||||
$lang['notify'] = 'Lähetä muutosilmoitukset tähän osoitteeseen';
|
||||
$lang['registernotify'] = 'Lähetä ilmoitus uusista rekisteröitymisistä tähän osoitteeseen';
|
||||
$lang['mailfrom'] = 'Sähköpostiosoite automaattisia postituksia varten';
|
||||
$lang['mailprefix'] = 'Etuliite automaattisesti lähetettyihin sähköposteihin';
|
||||
$lang['htmlmail'] = 'Lähetä paremman näköisiä, mutta isompia HTML multipart sähköposteja. Ota pois päältä, jos haluat vain tekstimuotoisia posteja.';
|
||||
$lang['sitemap'] = 'Luo Google sitemap (päiviä)';
|
||||
$lang['rss_type'] = 'XML-syötteen tyyppi';
|
||||
$lang['rss_linkto'] = 'XML-syöte kytkeytyy';
|
||||
$lang['rss_content'] = 'Mitä XML-syöte näyttää?';
|
||||
$lang['rss_update'] = 'XML-syötteen päivitystahti (sek)';
|
||||
$lang['rss_show_summary'] = 'XML-syöte näyttää yhteenvedon otsikossa';
|
||||
$lang['rss_media'] = 'Millaiset muutokset pitäisi olla mukana XML-syötteessä.';
|
||||
$lang['updatecheck'] = 'Tarkista päivityksiä ja turvavaroituksia? Tätä varten DokuWikin pitää ottaa yhteys update.dokuwiki.orgiin.';
|
||||
$lang['userewrite'] = 'Käytä siivottuja URLeja';
|
||||
$lang['useslash'] = 'Käytä kauttaviivaa nimiavaruuksien erottimena URL-osoitteissa';
|
||||
$lang['sepchar'] = 'Sivunimen sanaerotin';
|
||||
$lang['canonical'] = 'Käytä kanonisoituja URLeja';
|
||||
$lang['fnencode'] = 'Muita kuin ASCII merkkejä sisältävien tiedostonimien koodaustapa.';
|
||||
$lang['autoplural'] = 'Etsi monikkomuotoja linkeistä';
|
||||
$lang['compression'] = 'Attic-tiedostojen pakkausmenetelmä';
|
||||
$lang['gzip_output'] = 'Käytä gzip "Content-Encoding"-otsaketta xhtml-tiedostojen lähettämiseen';
|
||||
$lang['compress'] = 'Pakkaa CSS ja javascript';
|
||||
$lang['cssdatauri'] = 'Maksimikoko tavuina jossa kuvat joihin viitataan CSS-tiedostoista olisi sisällytettynä suoraan tyylitiedostoon jotta HTTP-kyselyjen kaistaa saataisiin kutistettua. Tämä tekniikka ei toimi IE versiossa aikasempi kuin 8! <code>400:sta</code> <code>600:aan</code> tavua on hyvä arvo. Aseta <code>0</code> kytkeäksesi ominaisuuden pois.';
|
||||
$lang['send404'] = 'Lähetä "HTTP 404/Page Not Found" puuttuvista sivuista';
|
||||
$lang['broken_iua'] = 'Onko "ignore_user_abort" toiminto rikki järjestelmässäsi? Tämä voi aiheuttaa toimimattoman index-näkymän.
|
||||
IIS+PHP/CGI on tunnetusti rikki. Katso <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a> lisätietoja varten.';
|
||||
$lang['xsendfile'] = 'Käytä X-Sendfile otsikkoa, kun web-palvelin lähettää staattisia tiedostoja? Palvelimesi pitää tukea tätä.';
|
||||
$lang['renderer_xhtml'] = 'Renderöinti, jota käytetään wikin pääasialliseen (xhtml) tulostukseen';
|
||||
$lang['renderer__core'] = '%s (dokuwiki core)';
|
||||
$lang['renderer__plugin'] = '%s (liitännäinen)';
|
||||
$lang['dnslookups'] = 'DokuWiki tarkistaa sivun päivittäjän koneen IP-osoitteen isäntänimen. Kytke pois, jos käytät hidasta tai toimimatonta DNS-palvelinta, tai et halua tätä ominaisuutta.';
|
||||
$lang['proxy____host'] = 'Proxy-palvelimen nimi';
|
||||
$lang['proxy____port'] = 'Proxy portti';
|
||||
$lang['proxy____user'] = 'Proxy käyttäjän nimi';
|
||||
$lang['proxy____pass'] = 'Proxy salasana';
|
||||
$lang['proxy____ssl'] = 'Käytä ssl-yhteyttä kytkeytyäksesi proxy-palvelimeen';
|
||||
$lang['proxy____except'] = 'Säännönmukainen lause, URLiin, jolle proxy ohitetaan.';
|
||||
$lang['license_o_'] = 'ei mitään valittuna';
|
||||
$lang['typography_o_0'] = 'ei mitään';
|
||||
$lang['typography_o_1'] = 'ilman yksinkertaisia lainausmerkkejä';
|
||||
$lang['typography_o_2'] = 'myös yksinkertaiset lainausmerkit (ei aina toimi)';
|
||||
$lang['userewrite_o_0'] = 'ei mitään';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'DokuWikin sisäinen';
|
||||
$lang['deaccent_o_0'] = 'pois';
|
||||
$lang['deaccent_o_1'] = 'Poista aksenttimerkit';
|
||||
$lang['deaccent_o_2'] = 'translitteroi';
|
||||
$lang['gdlib_o_0'] = 'GD Lib ei ole saatavilla';
|
||||
$lang['gdlib_o_1'] = 'Versio 1.x';
|
||||
$lang['gdlib_o_2'] = 'Automaattitunnistus';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Yhteenveto';
|
||||
$lang['rss_content_o_diff'] = 'Yhdistetty erot';
|
||||
$lang['rss_content_o_htmldiff'] = 'HTML-muotoiltu eroavuuslista';
|
||||
$lang['rss_content_o_html'] = 'Täysi HTML-sivu';
|
||||
$lang['rss_linkto_o_diff'] = 'erot-näkymä';
|
||||
$lang['rss_linkto_o_page'] = 'muutettu sivu';
|
||||
$lang['rss_linkto_o_rev'] = 'versiolista';
|
||||
$lang['rss_linkto_o_current'] = 'nykyinen sivu';
|
||||
$lang['compression_o_0'] = 'ei mitään';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'älä käytä';
|
||||
$lang['xsendfile_o_1'] = 'Oma lighttpd otsikko (ennen 1.5 julkaisua)';
|
||||
$lang['xsendfile_o_2'] = 'Standardi X-sendfile header';
|
||||
$lang['xsendfile_o_3'] = 'Oma Nginx X-Accel-Redirect header';
|
||||
$lang['showuseras_o_loginname'] = 'Kirjautumisnimi';
|
||||
$lang['showuseras_o_username'] = 'Käyttäjän koko nimi';
|
||||
$lang['showuseras_o_email'] = 'Käyttäjän sähköpostiosoite (sumennettu mailguard-asetusten mukaisesti)';
|
||||
$lang['showuseras_o_email_link'] = 'Käyttäjän sähköpostiosoite mailto: linkkinä';
|
||||
$lang['useheading_o_0'] = 'Ei koskaan';
|
||||
$lang['useheading_o_navigation'] = 'Vain Navigointi';
|
||||
$lang['useheading_o_content'] = 'Vain Wiki-sisältö';
|
||||
$lang['useheading_o_1'] = 'Aina';
|
||||
$lang['readdircache'] = 'Maksimiaika readdir cachelle (sek)';
|
7
projet/doku/lib/plugins/config/lang/fr/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/fr/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Gestionnaire de configuration ======
|
||||
|
||||
Utilisez cette page pour contrôler les paramètres de votre installation de DokuWiki. Pour de l'aide sur chaque paramètre, reportez vous à [[doku>fr:config]]. Pour plus de détails concernant cette extension, reportez vous à [[doku>fr:plugin:config]].
|
||||
|
||||
Les paramètres affichés sur un fond rouge sont protégés et ne peuvent être modifiés avec cette extension. Les paramètres affichés sur un fond bleu sont les valeurs par défaut et les valeurs spécifiquement définies pour votre installation sont affichées sur un fond blanc. Seuls les paramètres sur fond bleu ou blanc peuvent être modifiés.
|
||||
|
||||
N'oubliez pas d'utiliser le bouton **ENREGISTRER** avant de quitter cette page, sinon vos modifications ne seront pas prises en compte !
|
235
projet/doku/lib/plugins/config/lang/fr/lang.php
Normal file
235
projet/doku/lib/plugins/config/lang/fr/lang.php
Normal file
@@ -0,0 +1,235 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Pierre Henriot <pierre.henriot@gmail.com>
|
||||
* @author Schplurtz le Déboulonné <Schplurtz@laposte.net>
|
||||
* @author Nicolas Friedli <nicolas@theologique.ch>
|
||||
* @author PaliPalo <palipalo@hotmail.fr>
|
||||
* @author Laurent Ponthieu <contact@coopindus.fr>
|
||||
* @author Damien Regad <dregad@mantisbt.org>
|
||||
* @author Michael Bohn <mjbohn@gmail.com>
|
||||
* @author Guy Brand <gb@unistra.fr>
|
||||
* @author Delassaux Julien <julien@delassaux.fr>
|
||||
* @author Maurice A. LeBlanc <leblancma@cooptel.qc.ca>
|
||||
* @author stephane.gully <stephane.gully@gmail.com>
|
||||
* @author Guillaume Turri <guillaume.turri@gmail.com>
|
||||
* @author Erik Pedersen <erik.pedersen@shaw.ca>
|
||||
* @author olivier duperray <duperray.olivier@laposte.net>
|
||||
* @author Vincent Feltz <psycho@feltzv.fr>
|
||||
* @author Philippe Bajoit <philippe.bajoit@gmail.com>
|
||||
* @author Florian Gaub <floriang@floriang.net>
|
||||
* @author Samuel Dorsaz <samuel.dorsaz@novelion.net>
|
||||
* @author Johan Guilbaud <guilbaud.johan@gmail.com>
|
||||
* @author Yannick Aure <yannick.aure@gmail.com>
|
||||
* @author Olivier DUVAL <zorky00@gmail.com>
|
||||
* @author Anael Mobilia <contrib@anael.eu>
|
||||
* @author Bruno Veilleux <bruno.vey@gmail.com>
|
||||
* @author Carbain Frédéric <fcarbain@yahoo.fr>
|
||||
* @author Floriang <antispam@floriang.eu>
|
||||
* @author Simon DELAGE <simon.geekitude@gmail.com>
|
||||
* @author Eric <ericstevenart@netc.fr>
|
||||
* @author Olivier Humbert <trebmuh@tuxfamily.org>
|
||||
*/
|
||||
$lang['menu'] = 'Paramètres de configuration';
|
||||
$lang['error'] = 'Paramètres non modifiés en raison d\'une valeur invalide, vérifiez vos réglages puis réessayez. <br />Les valeurs erronées sont entourées d\'une bordure rouge.';
|
||||
$lang['updated'] = 'Paramètres mis à jour avec succès.';
|
||||
$lang['nochoice'] = '(aucun autre choix possible)';
|
||||
$lang['locked'] = 'Le fichier des paramètres ne peut être modifié, si ceci n\'est pas intentionnel, <br /> vérifiez que le nom et les autorisations du fichier sont correctes.';
|
||||
$lang['danger'] = 'Danger : modifier cette option pourrait rendre inaccessibles votre wiki et son menu de configuration.';
|
||||
$lang['warning'] = 'Attention : modifier cette option pourrait engendrer un comportement indésirable.';
|
||||
$lang['security'] = 'Avertissement de sécurité : modifier cette option pourrait induire un risque de sécurité.';
|
||||
$lang['_configuration_manager'] = 'Gestionnaire de configuration';
|
||||
$lang['_header_dokuwiki'] = 'Paramètres de DokuWiki';
|
||||
$lang['_header_plugin'] = 'Paramètres des extensions';
|
||||
$lang['_header_template'] = 'Paramètres du thème';
|
||||
$lang['_header_undefined'] = 'Paramètres indéfinis';
|
||||
$lang['_basic'] = 'Paramètres de base';
|
||||
$lang['_display'] = 'Paramètres d\'affichage';
|
||||
$lang['_authentication'] = 'Paramètres d\'authentification';
|
||||
$lang['_anti_spam'] = 'Paramètres anti-spam';
|
||||
$lang['_editing'] = 'Paramètres d\'édition';
|
||||
$lang['_links'] = 'Paramètres des liens';
|
||||
$lang['_media'] = 'Paramètres des médias';
|
||||
$lang['_notifications'] = 'Paramètres de notification';
|
||||
$lang['_syndication'] = 'Paramètres de syndication';
|
||||
$lang['_advanced'] = 'Paramètres avancés';
|
||||
$lang['_network'] = 'Paramètres réseaux';
|
||||
$lang['_msg_setting_undefined'] = 'Pas de définition de métadonnées';
|
||||
$lang['_msg_setting_no_class'] = 'Pas de définition de paramètres.';
|
||||
$lang['_msg_setting_no_known_class'] = 'Classe de réglage non disponible.';
|
||||
$lang['_msg_setting_no_default'] = 'Pas de valeur par défaut.';
|
||||
$lang['title'] = 'Titre du wiki (nom du wiki)';
|
||||
$lang['start'] = 'Nom de la page d\'accueil à utiliser pour toutes les catégories';
|
||||
$lang['lang'] = 'Langue de l\'interface';
|
||||
$lang['template'] = 'Thème (rendu visuel du wiki)';
|
||||
$lang['tagline'] = 'Descriptif du site (si le thème utilise cette fonctionnalité)';
|
||||
$lang['sidebar'] = 'Nom du panneau latéral (si le thème utilise cette fonctionnalité). Laisser le champ vide désactive le panneau latéral.';
|
||||
$lang['license'] = 'Sous quelle licence doit-être placé le contenu ?';
|
||||
$lang['savedir'] = 'Répertoire d\'enregistrement des données';
|
||||
$lang['basedir'] = 'Répertoire de base du serveur (par exemple : <code>/dokuwiki/</code>). Laisser vide pour une détection automatique.';
|
||||
$lang['baseurl'] = 'URL de base du site (par exemple <code>http://www.example.com</code>). Laisser vide pour une détection automatique.';
|
||||
$lang['cookiedir'] = 'Chemin des cookies. Laissez vide pour utiliser l\'URL de base.';
|
||||
$lang['dmode'] = 'Mode de création des répertoires';
|
||||
$lang['fmode'] = 'Mode de création des fichiers';
|
||||
$lang['allowdebug'] = 'Debug (<strong>Ne l\'activez que si vous en avez besoin !</strong>)';
|
||||
$lang['recent'] = 'Nombre de lignes à afficher - par page - pour les derniers changements';
|
||||
$lang['recent_days'] = 'Signaler les pages modifiées depuis (en jours)';
|
||||
$lang['breadcrumbs'] = 'Nombre de traces à afficher. 0 désactive cette fonctionnalité.';
|
||||
$lang['youarehere'] = 'Utiliser des traces hiérarchiques (vous voudrez probablement désactiver l\'option ci-dessus)';
|
||||
$lang['fullpath'] = 'Afficher le chemin complet des pages dans le pied de page';
|
||||
$lang['typography'] = 'Effectuer des améliorations typographiques';
|
||||
$lang['dformat'] = 'Format de date (cf. fonction <a href="http://php.net/strftime">strftime</a> de PHP)';
|
||||
$lang['signature'] = 'Données à insérer lors de l\'utilisation du bouton « signature » dans l\'éditeur';
|
||||
$lang['showuseras'] = 'Données à afficher concernant le dernier utilisateur ayant modifié une page';
|
||||
$lang['toptoclevel'] = 'Niveau le plus haut à afficher dans la table des matières';
|
||||
$lang['tocminheads'] = 'Nombre minimum de titres pour qu\'une table des matières soit affichée';
|
||||
$lang['maxtoclevel'] = 'Niveau maximum pour figurer dans la table des matières';
|
||||
$lang['maxseclevel'] = 'Niveau maximum pour modifier des sections';
|
||||
$lang['camelcase'] = 'Les mots en CamelCase créent des liens';
|
||||
$lang['deaccent'] = 'Retirer les accents dans les noms de pages';
|
||||
$lang['useheading'] = 'Utiliser le titre de premier niveau pour le nom de la page';
|
||||
$lang['sneaky_index'] = 'Par défaut, DokuWiki affichera toutes les catégories dans la vue par index. Activer cette option permet de cacher les catégories pour lesquelles l\'utilisateur n\'a pas l\'autorisation de lecture. Il peut en résulter le masquage de sous-catégories accessibles. Ceci peut rendre l\'index inutilisable avec certains contrôles d\'accès.';
|
||||
$lang['hidepages'] = 'Cacher les pages correspondant à (expression régulière)';
|
||||
$lang['useacl'] = 'Utiliser les listes de contrôle d\'accès (ACL)';
|
||||
$lang['autopasswd'] = 'Auto-générer les mots de passe';
|
||||
$lang['authtype'] = 'Mécanisme d\'authentification';
|
||||
$lang['passcrypt'] = 'Méthode de chiffrement des mots de passe';
|
||||
$lang['defaultgroup'] = 'Groupe par défaut : tous les nouveaux utilisateurs y seront affectés';
|
||||
$lang['superuser'] = 'Super-utilisateur : groupe, utilisateur ou liste séparée par des virgules utilisateur1,@groupe1,utilisateur2 ayant un accès complet à toutes les pages quelque soit le paramétrage des contrôle d\'accès';
|
||||
$lang['manager'] = 'Manager:- groupe, utilisateur ou liste séparée par des virgules utilisateur1,@groupe1,utilisateur2 ayant accès à certaines fonctionnalités de gestion';
|
||||
$lang['profileconfirm'] = 'Confirmer les modifications de profil par la saisie du mot de passe ';
|
||||
$lang['rememberme'] = 'Permettre de conserver de manière permanente les cookies de connexion (mémoriser)';
|
||||
$lang['disableactions'] = 'Actions à désactiver dans DokuWiki';
|
||||
$lang['disableactions_check'] = 'Vérifier';
|
||||
$lang['disableactions_subscription'] = 'Abonnement aux pages';
|
||||
$lang['disableactions_wikicode'] = 'Afficher le texte source';
|
||||
$lang['disableactions_profile_delete'] = 'Supprimer votre propre compte';
|
||||
$lang['disableactions_other'] = 'Autres actions (séparées par des virgules)';
|
||||
$lang['disableactions_rss'] = 'Syndication XML (RSS)';
|
||||
$lang['auth_security_timeout'] = 'Délai d\'expiration de sécurité (secondes)';
|
||||
$lang['securecookie'] = 'Les cookies définis via HTTPS doivent-ils n\'être envoyé par le navigateur que via HTTPS ? Désactivez cette option lorsque seule la connexion à votre wiki est sécurisée avec SSL et que la navigation sur le wiki est effectuée de manière non sécurisée.';
|
||||
$lang['remote'] = 'Active l\'API système distante. Ceci permet à d\'autres applications d\'accéder au wiki via XML-RPC ou d\'autres mécanismes.';
|
||||
$lang['remoteuser'] = 'Restreindre l\'accès à l\'API à une liste de groupes ou d\'utilisateurs (séparés par une virgule). Laisser vide pour donner l\'accès tout le monde.';
|
||||
$lang['usewordblock'] = 'Bloquer le spam selon les mots utilisés';
|
||||
$lang['relnofollow'] = 'Utiliser l\'attribut « rel="nofollow" » sur les liens extérieurs';
|
||||
$lang['indexdelay'] = 'Délai avant l\'indexation (secondes)';
|
||||
$lang['mailguard'] = 'Cacher les adresses de courriel';
|
||||
$lang['iexssprotect'] = 'Vérifier, dans les fichiers envoyés, la présence de code JavaScript ou HTML malveillant';
|
||||
$lang['usedraft'] = 'Enregistrer automatiquement un brouillon pendant l\'édition';
|
||||
$lang['htmlok'] = 'Permettre l\'utilisation de code HTML dans les pages';
|
||||
$lang['phpok'] = 'Permettre l\'utilisation de code PHP dans les pages';
|
||||
$lang['locktime'] = 'Âge maximum des fichiers de blocage (secondes)';
|
||||
$lang['cachetime'] = 'Âge maximum d\'un fichier en cache (secondes)';
|
||||
$lang['target____wiki'] = 'Cible pour liens internes';
|
||||
$lang['target____interwiki'] = 'Cible pour liens interwiki';
|
||||
$lang['target____extern'] = 'Cible pour liens externes';
|
||||
$lang['target____media'] = 'Cible pour liens média';
|
||||
$lang['target____windows'] = 'Cible pour liens vers partages Windows';
|
||||
$lang['mediarevisions'] = 'Activer les révisions (gestion de versions) des médias';
|
||||
$lang['refcheck'] = 'Vérifier si un média est toujours utilisé avant de le supprimer';
|
||||
$lang['gdlib'] = 'Version de la bibliothèque GD';
|
||||
$lang['im_convert'] = 'Chemin vers l\'outil de conversion ImageMagick';
|
||||
$lang['jpg_quality'] = 'Qualité de la compression JPEG (0-100)';
|
||||
$lang['fetchsize'] = 'Taille maximale (en octets) que fetch.php peut télécharger depuis une URL tierce (par exemple pour conserver en cache et redimensionner une image tierce)';
|
||||
$lang['subscribers'] = 'Activer l\'abonnement aux pages';
|
||||
$lang['subscribe_time'] = 'Délai après lequel les listes d\'abonnement et résumés sont expédiés (en secondes). Devrait être plus petit que le délai précisé dans recent_days.';
|
||||
$lang['notify'] = 'Notifier systématiquement les modifications à cette adresse de courriel';
|
||||
$lang['registernotify'] = 'Notifier systématiquement les nouveaux utilisateurs enregistrés à cette adresse de courriel';
|
||||
$lang['mailfrom'] = 'Adresse de courriel de l\'expéditeur des notifications par courriel du wiki';
|
||||
$lang['mailreturnpath'] = 'Adresse de courriel du destinataire pour les notifications de non-remise';
|
||||
$lang['mailprefix'] = 'Préfixe à utiliser dans les objets des courriels automatiques. Laisser vide pour utiliser le titre du wiki';
|
||||
$lang['htmlmail'] = 'Envoyer des courriel HTML multipart (visuellement plus agréable, mais plus lourd). Désactiver pour utiliser uniquement des courriel plain text';
|
||||
$lang['sitemap'] = 'Fréquence de génération du sitemap Google (jours). 0 pour désactiver';
|
||||
$lang['rss_type'] = 'Type de flux XML (RSS)';
|
||||
$lang['rss_linkto'] = 'Lien du flux XML vers';
|
||||
$lang['rss_content'] = 'Quel contenu afficher dans le flux XML?';
|
||||
$lang['rss_update'] = 'Fréquence de mise à jour du flux XML (secondes)';
|
||||
$lang['rss_show_summary'] = 'Le flux XML affiche le résumé dans le titre';
|
||||
$lang['rss_show_deleted'] = 'Le flux XML montre les flux détruits';
|
||||
$lang['rss_media'] = 'Quels types de changements doivent être listés dans le flux XML?';
|
||||
$lang['rss_media_o_both'] = 'les deux';
|
||||
$lang['rss_media_o_pages'] = 'pages';
|
||||
$lang['rss_media_o_media'] = 'media';
|
||||
$lang['updatecheck'] = 'Vérifier les mises à jour et alertes de sécurité? DokuWiki doit pouvoir contacter update.dokuwiki.org';
|
||||
$lang['userewrite'] = 'Utiliser des URL esthétiques';
|
||||
$lang['useslash'] = 'Utiliser « / » comme séparateur de catégories dans les URL';
|
||||
$lang['sepchar'] = 'Séparateur de mots dans les noms de page';
|
||||
$lang['canonical'] = 'Utiliser des URL canoniques';
|
||||
$lang['fnencode'] = 'Méthode pour l\'encodage des fichiers non-ASCII';
|
||||
$lang['autoplural'] = 'Rechercher les formes plurielles dans les liens';
|
||||
$lang['compression'] = 'Méthode de compression pour les fichiers attic';
|
||||
$lang['gzip_output'] = 'Utiliser gzip pour le Content-Encoding du XHTML';
|
||||
$lang['compress'] = 'Compresser les fichiers CSS et JavaScript';
|
||||
$lang['cssdatauri'] = 'Taille maximale en octets pour inclure dans les feuilles de styles CSS les images qui y sont référencées. Cette technique réduit le nombre de requêtes HTTP. Cette fonctionnalité ne fonctionne qu\'à partir de la version 8 d\'Internet Explorer! Nous recommandons une valeur entre <code>400</code> et <code>600</code>. <code>0</code> pour désactiver.';
|
||||
$lang['send404'] = 'Renvoyer « HTTP 404/Page Not Found » pour les pages inexistantes';
|
||||
$lang['broken_iua'] = 'La fonction ignore_user_abort est-elle opérationnelle sur votre système ? Ceci peut empêcher le fonctionnement de l\'index de recherche. IIS+PHP/
|
||||
CGI dysfonctionne. Voir le <a href="http://bugs.splitbrain.org/?do=details&task_id=852">bug 852</a> pour plus d\'informations.';
|
||||
$lang['xsendfile'] = 'Utiliser l\'en-tête X-Sendfile pour permettre au serveur web de délivrer les fichiers statiques ? Votre serveur web doit prendre en charge cette technologie.';
|
||||
$lang['renderer_xhtml'] = 'Moteur de rendu du format de sortie principal (XHTML)';
|
||||
$lang['renderer__core'] = '%s (cœur de DokuWiki)';
|
||||
$lang['renderer__plugin'] = '%s (extension)';
|
||||
$lang['search_nslimit'] = 'Limiter la recherche aux X catégories courantes. Quand une recherche est effectuée à partir d\'une page dans une catégorie profondément imbriquée, les premières X catégories sont ajoutées comme filtre.';
|
||||
$lang['search_fragment'] = 'Spécifier le comportement de recherche fragmentaire par défaut';
|
||||
$lang['search_fragment_o_exact'] = 'exact';
|
||||
$lang['search_fragment_o_starts_with'] = 'commence par';
|
||||
$lang['search_fragment_o_ends_with'] = 'se termine par';
|
||||
$lang['search_fragment_o_contains'] = 'contient';
|
||||
$lang['trustedproxy'] = 'Faire confiance aux mandataires qui correspondent à cette expression régulière pour l\'adresse IP réelle des clients qu\'ils rapportent. La valeur par défaut correspond aux réseaux locaux. Laisser vide pour ne faire confiance à aucun mandataire.';
|
||||
$lang['_feature_flags'] = 'Fonctionnalités expérimentales';
|
||||
$lang['defer_js'] = 'Attendre que le code HTML des pages soit analysé avant d\'exécuter le javascript. Améliore la vitesse de chargement perçue, mais pourrait casser un petit nombre de greffons.';
|
||||
$lang['dnslookups'] = 'DokuWiki effectuera une résolution du nom d\'hôte sur les adresses IP des utilisateurs modifiant des pages. Si vous ne possédez pas de serveur DNS, que ce dernier est lent ou que vous ne souhaitez pas utiliser cette fonctionnalité : désactivez-la.';
|
||||
$lang['jquerycdn'] = 'Faut-il distribuer les scripts JQuery et JQuery UI depuis un CDN ? Cela ajoute une requête HTTP, mais les fichiers peuvent se charger plus vite et les internautes les ont peut-être déjà en cache.';
|
||||
$lang['jquerycdn_o_0'] = 'Non : utilisation de votre serveur.';
|
||||
$lang['jquerycdn_o_jquery'] = 'Oui : CDN code.jquery.com.';
|
||||
$lang['jquerycdn_o_cdnjs'] = 'Oui : CDN cdnjs.com.';
|
||||
$lang['proxy____host'] = 'Mandataire (proxy) - Hôte';
|
||||
$lang['proxy____port'] = 'Mandataire - Port';
|
||||
$lang['proxy____user'] = 'Mandataire - Identifiant';
|
||||
$lang['proxy____pass'] = 'Mandataire - Mot de passe';
|
||||
$lang['proxy____ssl'] = 'Mandataire - Utilisation de SSL';
|
||||
$lang['proxy____except'] = 'Mandataire - Expression régulière de test des URLs pour lesquelles le mandataire (proxy) ne doit pas être utilisé.';
|
||||
$lang['license_o_'] = 'Aucune choisie';
|
||||
$lang['typography_o_0'] = 'aucun';
|
||||
$lang['typography_o_1'] = 'guillemets uniquement';
|
||||
$lang['typography_o_2'] = 'tout signe typographique (peut ne pas fonctionner)';
|
||||
$lang['userewrite_o_0'] = 'aucun';
|
||||
$lang['userewrite_o_1'] = 'Fichier .htaccess';
|
||||
$lang['userewrite_o_2'] = 'Interne à DokuWiki';
|
||||
$lang['deaccent_o_0'] = 'off';
|
||||
$lang['deaccent_o_1'] = 'supprimer les accents';
|
||||
$lang['deaccent_o_2'] = 'convertir en caractères latins';
|
||||
$lang['gdlib_o_0'] = 'Bibliothèque GD non disponible';
|
||||
$lang['gdlib_o_1'] = 'version 1.x';
|
||||
$lang['gdlib_o_2'] = 'auto-détectée';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Résumé';
|
||||
$lang['rss_content_o_diff'] = 'Diff. unifié';
|
||||
$lang['rss_content_o_htmldiff'] = 'Diff. formaté en table HTML';
|
||||
$lang['rss_content_o_html'] = 'page complète au format HTML';
|
||||
$lang['rss_linkto_o_diff'] = 'liste des différences';
|
||||
$lang['rss_linkto_o_page'] = 'page révisée';
|
||||
$lang['rss_linkto_o_rev'] = 'liste des révisions';
|
||||
$lang['rss_linkto_o_current'] = 'page actuelle';
|
||||
$lang['compression_o_0'] = 'aucune';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'ne pas utiliser';
|
||||
$lang['xsendfile_o_1'] = 'Entête propriétaire lighttpd (avant la version 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Entête standard X-Sendfile';
|
||||
$lang['xsendfile_o_3'] = 'En-tête propriétaire Nginx X-Accel-Redirect';
|
||||
$lang['showuseras_o_loginname'] = 'Identifiant de l\'utilisateur';
|
||||
$lang['showuseras_o_username'] = 'Nom de l\'utilisateur';
|
||||
$lang['showuseras_o_username_link'] = 'Nom complet de l\'utilisateur en tant que lien interwiki';
|
||||
$lang['showuseras_o_email'] = 'Courriel de l\'utilisateur (brouillé suivant les paramètres de brouillage sélectionnés)';
|
||||
$lang['showuseras_o_email_link'] = 'Courriel de l\'utilisateur en tant que lien mailto:';
|
||||
$lang['useheading_o_0'] = 'Jamais';
|
||||
$lang['useheading_o_navigation'] = 'Navigation seulement';
|
||||
$lang['useheading_o_content'] = 'Contenu du wiki seulement';
|
||||
$lang['useheading_o_1'] = 'Toujours';
|
||||
$lang['readdircache'] = 'Durée de vie maximale du cache pour readdir (sec)';
|
7
projet/doku/lib/plugins/config/lang/gl/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/gl/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Xestor de Configuración ======
|
||||
|
||||
Usa esta páxina para controlares a configuración da túa instalación do Dokuwiki. Para atopares axuda verbo de cada opción da configuración vai a [[doku>config]]. Para obteres pormenores desta extensión bota un ollo a [[doku>plugin:config]].
|
||||
|
||||
As opcións que amosan un fondo de cor vermella clara están protexidas e non poden ser alteradas con esta extensión. As opcións que amosan un fondo de cor azul son valores predeterminados e as opcións que teñen fondo branco foron configuradas de xeito local para esta instalación en concreto. Ámbalas dúas, as opcións azuis e brancas, poden ser alteradas.
|
||||
|
||||
Lembra premer no boton **GARDAR** denantes de saíres desta páxina ou, en caso contrario, os teus trocos perderanse.
|
188
projet/doku/lib/plugins/config/lang/gl/lang.php
Normal file
188
projet/doku/lib/plugins/config/lang/gl/lang.php
Normal file
@@ -0,0 +1,188 @@
|
||||
<?php
|
||||
/**
|
||||
* Galicianlanguage file
|
||||
*
|
||||
* @author Medúlio <medulio@ciberirmandade.org>
|
||||
* @author Oscar M. Lage <r0sk10@gmail.com>
|
||||
* @author Rodrigo Rega <rodrigorega@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'Opcións de Configuración';
|
||||
$lang['error'] = 'Configuración non actualizada debido a un valor inválido, por favor revisa os teus trocos e volta envialos de novo.
|
||||
<br />O(s) valor(es) incorrecto(s) amosanse cinguidos por un borde vermello.';
|
||||
$lang['updated'] = 'Configuración actualizada correctamente.';
|
||||
$lang['nochoice'] = '(non hai outras escollas dispoñibles)';
|
||||
$lang['locked'] = 'Non se puido actualizar o arquivo de configuración, se non ocorre como debería ser, <br />
|
||||
asegúrate de que o nome do arquivo de configuración local e os permisos son correctos.';
|
||||
$lang['danger'] = 'Perigo: mudando esta opción podes facer inaccesíbeis o teu wiki e máis o menú de configuración.';
|
||||
$lang['warning'] = 'Ollo: mudando esta opción poden aparecer comportamentos do aplicativo non agardados.';
|
||||
$lang['security'] = 'Aviso de seguranza: mudando esta opción poden aparecer riscos de seguranza.';
|
||||
$lang['_configuration_manager'] = 'Xestor de Configuración';
|
||||
$lang['_header_dokuwiki'] = 'Configuración do DokuWiki';
|
||||
$lang['_header_plugin'] = 'Configuración de Extensións';
|
||||
$lang['_header_template'] = 'Configuración de Sobreplanta';
|
||||
$lang['_header_undefined'] = 'Configuración Indefinida';
|
||||
$lang['_basic'] = 'Configuración Básica';
|
||||
$lang['_display'] = 'Configuración de Visualización';
|
||||
$lang['_authentication'] = 'Configuración de Autenticación';
|
||||
$lang['_anti_spam'] = 'Configuración de Anti-Correo-lixo';
|
||||
$lang['_editing'] = 'Configuración de Edición';
|
||||
$lang['_links'] = 'Configuración de Ligazóns';
|
||||
$lang['_media'] = 'Configuración de Media';
|
||||
$lang['_notifications'] = 'Opcións de Notificación';
|
||||
$lang['_syndication'] = 'Opcións de Sindicación';
|
||||
$lang['_advanced'] = 'Configuración Avanzada';
|
||||
$lang['_network'] = 'Configuración de Rede';
|
||||
$lang['_msg_setting_undefined'] = 'Non hai configuración de metadatos.';
|
||||
$lang['_msg_setting_no_class'] = 'Non hai configuración de clase.';
|
||||
$lang['_msg_setting_no_default'] = 'Non hai valor predeterminado.';
|
||||
$lang['title'] = 'Título do Wiki';
|
||||
$lang['start'] = 'Nome da páxina inicial';
|
||||
$lang['lang'] = 'Idioma';
|
||||
$lang['template'] = 'Sobreplanta';
|
||||
$lang['tagline'] = 'Tagline (si a plantilla o soporta)';
|
||||
$lang['sidebar'] = 'Nome de páxina da barra lateral (si a platilla o soporta), o campo en baleiro deshabilita a barra lateral';
|
||||
$lang['license'] = 'Baixo de que licenza será ceibado o teu contido?';
|
||||
$lang['savedir'] = 'Directorio no que se gardarán os datos';
|
||||
$lang['basedir'] = 'Directorio base';
|
||||
$lang['baseurl'] = 'URL base';
|
||||
$lang['cookiedir'] = 'Ruta das cookies. Deixar en blanco para usar a url de base.';
|
||||
$lang['dmode'] = 'Modo de creación de directorios';
|
||||
$lang['fmode'] = 'Modo de creación de arquivos';
|
||||
$lang['allowdebug'] = 'Permitir o depurado <b>desactívao se non o precisas!</b>';
|
||||
$lang['recent'] = 'Trocos recentes';
|
||||
$lang['recent_days'] = 'Número de trocos recentes a manter (días)';
|
||||
$lang['breadcrumbs'] = 'Número de niveis da estrutura de navegación';
|
||||
$lang['youarehere'] = 'Niveis xerárquicos da estrutura de navegación';
|
||||
$lang['fullpath'] = 'Amosar a ruta completa das páxinas no pé das mesmas';
|
||||
$lang['typography'] = 'Facer substitucións tipográficas';
|
||||
$lang['dformat'] = 'Formato de Data (bótalle un ollo á función <a href="http://php.net/strftime">strftime</a> do PHP)';
|
||||
$lang['signature'] = 'Sinatura';
|
||||
$lang['showuseras'] = 'Que amosar cando se informe do usuario que fixo a última modificación dunha páxina';
|
||||
$lang['toptoclevel'] = 'Nivel superior para a táboa de contidos';
|
||||
$lang['tocminheads'] = 'Cantidade mínima de liñas de cabeceira que determinará se a TDC vai ser xerada';
|
||||
$lang['maxtoclevel'] = 'Nivel máximo para a táboa de contidos';
|
||||
$lang['maxseclevel'] = 'Nivel máximo de edición da sección';
|
||||
$lang['camelcase'] = 'Utilizar CamelCase para as ligazóns';
|
||||
$lang['deaccent'] = 'Limpar nomes de páxina';
|
||||
$lang['useheading'] = 'Utilizar a primeira cabeceira para os nomes de páxina';
|
||||
$lang['sneaky_index'] = 'O DokuWiki amosará por defecto todos os nomes de espazo na vista de índice. Se activas isto agocharanse aqueles onde o usuario non teña permisos de lectura.';
|
||||
$lang['hidepages'] = 'Agochar páxinas que coincidan (expresións regulares)';
|
||||
$lang['useacl'] = 'Utilizar lista de control de acceso';
|
||||
$lang['autopasswd'] = 'Xerar contrasinais automaticamente';
|
||||
$lang['authtype'] = 'Backend de autenticación';
|
||||
$lang['passcrypt'] = 'Método de encriptado do contrasinal';
|
||||
$lang['defaultgroup'] = 'Grupo por defecto';
|
||||
$lang['superuser'] = 'Super-usuario - un grupo ou usuario con acceso completo a todas as páxinas e funcións independentemente da configuración da ACL';
|
||||
$lang['manager'] = 'Xestor - un grupo ou usuario con acceso a certas funcións de xestión';
|
||||
$lang['profileconfirm'] = 'Confirmar trocos de perfil mediante contrasinal';
|
||||
$lang['rememberme'] = 'Permitir cookies permanentes de inicio de sesión (lembrarme)';
|
||||
$lang['disableactions'] = 'Desactivar accións do DokuWiki';
|
||||
$lang['disableactions_check'] = 'Comprobar';
|
||||
$lang['disableactions_subscription'] = 'Subscribir/Desubscribir';
|
||||
$lang['disableactions_wikicode'] = 'Ver fonte/Exportar Datos Raw';
|
||||
$lang['disableactions_other'] = 'Outras accións (separadas por comas)';
|
||||
$lang['auth_security_timeout'] = 'Tempo Límite de Seguridade de Autenticación (segundos)';
|
||||
$lang['securecookie'] = 'Deben enviarse só vía HTTPS polo navegador as cookies configuradas vía HTTPS? Desactiva esta opción cando só o inicio de sesión do teu wiki estea asegurado con SSL pero a navegación do mesmo se faga de xeito inseguro.';
|
||||
$lang['remote'] = 'Permite o uso do sistema API remoto. Isto permite a outras aplicacións acceder ao wiki mediante XML-RPC ou outros mecanismos.';
|
||||
$lang['remoteuser'] = 'Restrinxe o uso remoto da API aos grupos ou usuarios indicados, separados por comas. Deixar baleiro para dar acceso a todo o mundo.';
|
||||
$lang['usewordblock'] = 'Bloquear correo-lixo segundo unha lista de verbas';
|
||||
$lang['relnofollow'] = 'Utilizar rel="nofollow" nas ligazóns externas';
|
||||
$lang['indexdelay'] = 'Retardo denantes de indexar (seg)';
|
||||
$lang['mailguard'] = 'Ofuscar enderezos de correo-e';
|
||||
$lang['iexssprotect'] = 'Comprobar arquivos subidos na procura de posíbel código JavaScript ou HTML malicioso';
|
||||
$lang['usedraft'] = 'Gardar un borrador automaticamente no tempo da edición';
|
||||
$lang['htmlok'] = 'Permitir a inserción de HTML';
|
||||
$lang['phpok'] = 'Permitir a inserción de PHP';
|
||||
$lang['locktime'] = 'Tempo máximo para o bloqueo de arquivos (seg.)';
|
||||
$lang['cachetime'] = 'Tempo máximo para a caché (seg.)';
|
||||
$lang['target____wiki'] = 'Fiestra de destino para as ligazóns internas';
|
||||
$lang['target____interwiki'] = 'Fiestra de destino para as ligazóns interwiki';
|
||||
$lang['target____extern'] = 'Fiestra de destino para as ligazóns externas';
|
||||
$lang['target____media'] = 'Fiestra de destino para as ligazóns de media';
|
||||
$lang['target____windows'] = 'Fiestra de destino para as ligazóns de fiestras';
|
||||
$lang['mediarevisions'] = 'Habilitar revisións dos arquivos-media?';
|
||||
$lang['refcheck'] = 'Comprobar a referencia media';
|
||||
$lang['gdlib'] = 'Versión da Libraría GD';
|
||||
$lang['im_convert'] = 'Ruta deica a ferramenta de conversión ImageMagick';
|
||||
$lang['jpg_quality'] = 'Calidade de compresión dos JPG (0-100)';
|
||||
$lang['fetchsize'] = 'Tamaño máximo (en bytes) que pode descargar fetch.php dende fontes externas';
|
||||
$lang['subscribers'] = 'Activar posibilidade de subscrición á páxina';
|
||||
$lang['subscribe_time'] = 'Tempo despois do cal se enviarán os resumos e listas de subscrición (seg.): isto debe ser inferior ao tempo especificado en recent_days.';
|
||||
$lang['notify'] = 'Enviar notificacións de trocos a este enderezo de correo-e';
|
||||
$lang['registernotify'] = 'Enviar información de novos usuarios rexistrados a este enderezo de correo-e';
|
||||
$lang['mailfrom'] = 'Enderezo de correo-e a usar para as mensaxes automáticas';
|
||||
$lang['mailprefix'] = 'Prefixo de asunto de correo-e para as mensaxes automáticas';
|
||||
$lang['htmlmail'] = 'Enviar correos electrónicos HTML multiparte máis estéticos, pero máis grande en tamaño. Deshabilitar para mandar correos electrónicos en texto claro.';
|
||||
$lang['sitemap'] = 'Xerar mapa do sitio co Google (días)';
|
||||
$lang['rss_type'] = 'Tipo de corrente RSS XML';
|
||||
$lang['rss_linkto'] = 'A corrente XML liga para';
|
||||
$lang['rss_content'] = 'Que queres amosar nos elementos da corrente XML?';
|
||||
$lang['rss_update'] = 'Intervalo de actualización da corrente XML (seg.)';
|
||||
$lang['rss_show_summary'] = 'Amosar sumario no título da corrente XML';
|
||||
$lang['rss_media'] = 'Qué tipo de cambios deben ser listados no feed XML?';
|
||||
$lang['updatecheck'] = 'Comprobar se hai actualizacións e avisos de seguridade? O DokuWiki precisa contactar con update.dokuwiki.org para executar esta característica.';
|
||||
$lang['userewrite'] = 'Utilizar URLs amigábeis';
|
||||
$lang['useslash'] = 'Utilizar a barra inclinada (/) como separador de nome de espazo nos URLs';
|
||||
$lang['sepchar'] = 'Verba separadora do nome de páxina';
|
||||
$lang['canonical'] = 'Utilizar URLs completamente canónicos';
|
||||
$lang['fnencode'] = 'Método para codificar os nomes de arquivo non-ASCII.';
|
||||
$lang['autoplural'] = 'Comprobar formas plurais nas ligazóns';
|
||||
$lang['compression'] = 'Método de compresión para arquivos attic';
|
||||
$lang['gzip_output'] = 'Utilizar Contido-Codificación gzip para o xhtml';
|
||||
$lang['compress'] = 'Saída compacta de CSS e Javascript';
|
||||
$lang['cssdatauri'] = 'Tamaño en bytes ata o cal as imaxes referenciadas nos CSS serán incrustadas na folla de estilos para disminuir o tamaño das cabeceiras das solicitudes HTTP. Entre <code>400</code> e <code>600</code> bytes é un valor axeitado. Establecer a <code>0</code> para deshabilitar.';
|
||||
$lang['send404'] = 'Enviar "HTTP 404/Páxina non atopada" para as páxinas inexistentes';
|
||||
$lang['broken_iua'] = 'Rachou a función ignore_user_abort no teu sistema? Isto podería causar que o índice de procura non funcione. Coñécese que o IIS+PHP/CGI ráchaa. Bótalle un ollo ao <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a> para obter máis información.';
|
||||
$lang['xsendfile'] = 'Empregar a cabeceira X-Sendfile para que o servidor web envie arquivos estáticos? O teu servidor web precisa soportar isto.';
|
||||
$lang['renderer_xhtml'] = 'Intérprete a empregar para a saída principal (XHTML) do Wiki';
|
||||
$lang['renderer__core'] = '%s (núcleo do Dokuwiki)';
|
||||
$lang['renderer__plugin'] = '%s (extensión)';
|
||||
$lang['dnslookups'] = 'DokuWiki resolverá os nomes de host das direccións IP dos usuarios que editan as páxinas. Si contas un servidor DNS lento, que non funciona ou non che interesa esta característica, deshabilita esta opción';
|
||||
$lang['proxy____host'] = 'Nome do servidor Proxy';
|
||||
$lang['proxy____port'] = 'Porto do Proxy';
|
||||
$lang['proxy____user'] = 'Nome de usuario do Proxy';
|
||||
$lang['proxy____pass'] = 'Contrasinal do Proxy';
|
||||
$lang['proxy____ssl'] = 'Utilizar ssl para conectar ao Proxy';
|
||||
$lang['proxy____except'] = 'Expresión regular para atopar URLs que deban ser omitidas polo Proxy.';
|
||||
$lang['license_o_'] = 'Non se escolleu nada';
|
||||
$lang['typography_o_0'] = 'ningunha';
|
||||
$lang['typography_o_1'] = 'Só dobres aspas';
|
||||
$lang['typography_o_2'] = 'Todas as aspas (pode que non funcione sempre)';
|
||||
$lang['userewrite_o_0'] = 'ningún';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'Interno do DokuWiki';
|
||||
$lang['deaccent_o_0'] = 'desconectado';
|
||||
$lang['deaccent_o_1'] = 'Eliminar acentos';
|
||||
$lang['deaccent_o_2'] = 'romanizar';
|
||||
$lang['gdlib_o_0'] = 'Libraría GD non dispoñíbel';
|
||||
$lang['gdlib_o_1'] = 'Versión 1.x';
|
||||
$lang['gdlib_o_2'] = 'Detección automática';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Sumario';
|
||||
$lang['rss_content_o_diff'] = 'Formato Unified Diff';
|
||||
$lang['rss_content_o_htmldiff'] = 'Táboa diff formatada en HTML';
|
||||
$lang['rss_content_o_html'] = 'Contido HTML completo da páxina';
|
||||
$lang['rss_linkto_o_diff'] = 'vista de diferenzas';
|
||||
$lang['rss_linkto_o_page'] = 'a páxina revisada';
|
||||
$lang['rss_linkto_o_rev'] = 'listaxe de revisións';
|
||||
$lang['rss_linkto_o_current'] = 'a páxina actual';
|
||||
$lang['compression_o_0'] = 'ningunha';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'non o empregues';
|
||||
$lang['xsendfile_o_1'] = 'Cabeceira lighttpd propietaria (denantes da versión 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Cabeceira X-Sendfile estándar';
|
||||
$lang['xsendfile_o_3'] = 'Cabeceira X-Accel-Redirect propia de Nginx';
|
||||
$lang['showuseras_o_loginname'] = 'Nome de inicio de sesión';
|
||||
$lang['showuseras_o_username'] = 'Nome completo do usuario';
|
||||
$lang['showuseras_o_email'] = 'Enderezo de correo-e do usuario (ofuscado segundo a configuración mailguard)';
|
||||
$lang['showuseras_o_email_link'] = 'Enderezo de correo-e do usuario como ligazón mailto:';
|
||||
$lang['useheading_o_0'] = 'Endexamais';
|
||||
$lang['useheading_o_navigation'] = 'Só Navegación';
|
||||
$lang['useheading_o_content'] = 'Só Contido do Wiki';
|
||||
$lang['useheading_o_1'] = 'Sempre';
|
||||
$lang['readdircache'] = 'Edad máxima para o directorio de caché (seg)';
|
7
projet/doku/lib/plugins/config/lang/he/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/he/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== מנהל תצורה ======
|
||||
|
||||
ניתן להשתמש בדף זה לשליטה על הגדרות התקנת ה-Dokuwiki שלך. לעזרה בנוגע להגדרות ספציפיות ניתן לפנות אל [[doku>config]]. למידע נוסף אודות תוסף זה ניתן לפנות אל [[doku>plugin:config]].
|
||||
|
||||
הגדרות עם רקע אדום-בהיר מוגנות ואין אפשרות לשנותן עם תוסף זה. הגדרות עם רקע כחול הן בעלות ערך ברירת המחדל והגדרות עם רקע לבן הוגדרו באופן מקומי עבור התקנה זו. ההגדרות בעלות הרקעים הכחול והלבן הן ברות שינוי.
|
||||
|
||||
יש לזכור ללחוץ על כפתור ה**שמירה** טרם עזיבת דף זה פן יאבדו השינויים.
|
160
projet/doku/lib/plugins/config/lang/he/lang.php
Normal file
160
projet/doku/lib/plugins/config/lang/he/lang.php
Normal file
@@ -0,0 +1,160 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Guy Yakobovitch <guy.yakobovitch@gmail.com>
|
||||
* @author DoK <kamberd@yahoo.com>
|
||||
* @author Moshe Kaplan <mokplan@gmail.com>
|
||||
* @author Yaron Yogev <yaronyogev@gmail.com>
|
||||
* @author Yaron Shahrabani <sh.yaron@gmail.com>
|
||||
* @author sagi <sagiyosef@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'הגדרות תצורה';
|
||||
$lang['error'] = 'ההגדרות לא עודכנו בגלל ערך לא תקף, נא לעיין בשינויים ולשלוח שנית.
|
||||
<br />הערכים שאינם נכונים יסומנו בגבול אדום.';
|
||||
$lang['updated'] = 'ההגדרות עודכנו בהצלחה.';
|
||||
$lang['nochoice'] = '(אין אפשרויות זמינות נוספות)';
|
||||
$lang['locked'] = 'קובץ ההגדרות אינו בר עידכון, אם הדבר אינו מכוון, <br />
|
||||
יש לודא כי קובץ ההגדרות המקומי וההרשאות נכונים.';
|
||||
$lang['_configuration_manager'] = 'מנהל תצורה';
|
||||
$lang['_header_dokuwiki'] = 'הגדרות DokuWiki';
|
||||
$lang['_header_plugin'] = 'הגדרות תוסף';
|
||||
$lang['_header_template'] = 'הגדרות תבנית';
|
||||
$lang['_header_undefined'] = 'הגדרות שונות';
|
||||
$lang['_basic'] = 'הגדרות בסיסיות';
|
||||
$lang['_display'] = 'הגדרות תצוגה';
|
||||
$lang['_authentication'] = 'הגדרות הזדהות';
|
||||
$lang['_anti_spam'] = 'הגדרות נגד דואר זבל';
|
||||
$lang['_editing'] = 'הגדרות עריכה';
|
||||
$lang['_links'] = 'הגדרות קישורים';
|
||||
$lang['_media'] = 'הגדרות מדיה';
|
||||
$lang['_advanced'] = 'הגדרות מתקדמות';
|
||||
$lang['_network'] = 'הגדרות רשת';
|
||||
$lang['_msg_setting_undefined'] = 'אין מידע-על להגדרה.';
|
||||
$lang['_msg_setting_no_class'] = 'אין קבוצה להגדרה.';
|
||||
$lang['_msg_setting_no_default'] = 'אין ערך ברירת מחדל.';
|
||||
$lang['title'] = 'כותרת הויקי';
|
||||
$lang['start'] = 'שם דף הפתיחה';
|
||||
$lang['lang'] = 'שפה';
|
||||
$lang['template'] = 'תבנית';
|
||||
$lang['savedir'] = 'ספריה לשמירת מידע';
|
||||
$lang['basedir'] = 'ספרית בסיס';
|
||||
$lang['baseurl'] = 'כתובת URL בסיסית';
|
||||
$lang['dmode'] = 'מצב יצירת ספריה';
|
||||
$lang['fmode'] = 'מצב יצירת קובץ';
|
||||
$lang['allowdebug'] = 'אפשר דיבוג <b>יש לבטל אם אין צורך!</b>';
|
||||
$lang['recent'] = 'שינויים אחרונים';
|
||||
$lang['recent_days'] = 'כמה שינויים אחרונים לשמור (ימים)';
|
||||
$lang['breadcrumbs'] = 'מספר עקבות להיסטוריה';
|
||||
$lang['youarehere'] = 'עקבות היררכיות להיסטוריה';
|
||||
$lang['fullpath'] = 'הצגת נתיב מלא לדפים בתחתית';
|
||||
$lang['typography'] = 'שימוש בחלופות טיפוגרפיות';
|
||||
$lang['dformat'] = 'תסדיר תאריך (נא לפנות לפונקציה <a href="http://php.net/strftime">strftime</a> של PHP)';
|
||||
$lang['signature'] = 'חתימה';
|
||||
$lang['toptoclevel'] = 'רמה עליונה בתוכן הענינים';
|
||||
$lang['maxtoclevel'] = 'רמה מירבית בתוכן הענינים';
|
||||
$lang['maxseclevel'] = 'רמה מירבית בעריכת קטעים';
|
||||
$lang['camelcase'] = 'השתמש בראשיות גדולות לקישורים';
|
||||
$lang['deaccent'] = 'נקה שמות דפים';
|
||||
$lang['useheading'] = 'השתמש בכותרת הראשונה לשם הדף';
|
||||
$lang['sneaky_index'] = 'כברירת מחדל, דוקוויקי יציג את כל מרחבי השמות בתצוגת תוכן הענינים. בחירה באפשרות זאת תסתיר את אלו שבהם למשתמש אין הרשאות קריאה. התוצאה עלולה להיות הסתרת תת מרחבי שמות אליהם יש למשתמש גישה. באופן זה תוכן הענינים עלול להפוך לחסר תועלת עם הגדרות ACL מסוימות';
|
||||
$lang['hidepages'] = 'הסתר דפים תואמים (ביטויים רגולריים)';
|
||||
$lang['useacl'] = 'השתמש ברשימות בקרת גישה';
|
||||
$lang['autopasswd'] = 'צור סיסמאות באופן אוטומטי';
|
||||
$lang['authtype'] = 'מנוע הזדהות';
|
||||
$lang['passcrypt'] = 'שיטת הצפנת סיסמאות';
|
||||
$lang['defaultgroup'] = 'קבוצת ברירת המחדל';
|
||||
$lang['superuser'] = 'משתמש-על';
|
||||
$lang['manager'] = 'מנהל - קבוצה, משתמש או רשימה מופרדת בפסיקים משתמש1, @קבוצה1, משתמש2 עם גישה לפעולות ניהול מסוימות.';
|
||||
$lang['profileconfirm'] = 'אשר שינוי פרופילים עם סיסמה';
|
||||
$lang['disableactions'] = 'בטל פעולות DokuWiki';
|
||||
$lang['disableactions_check'] = 'בדיקה';
|
||||
$lang['disableactions_subscription'] = 'הרשמה/הסרה מרשימה';
|
||||
$lang['disableactions_wikicode'] = 'הצגת המקור/יצוא גולמי';
|
||||
$lang['disableactions_other'] = 'פעולות אחרות (מופרדות בפסיק)';
|
||||
$lang['auth_security_timeout'] = 'מגבלת אבטח פסק הזמן להזדהות (שניות)';
|
||||
$lang['usewordblock'] = 'חסימת דואר זבל לפי רשימת מילים';
|
||||
$lang['relnofollow'] = 'השתמש ב- rel="nofollow" לקישורים חיצוניים';
|
||||
$lang['indexdelay'] = 'השהיה בטרם הכנסה לאינדקס (שניות)';
|
||||
$lang['mailguard'] = 'הגן על כתובות דוא"ל';
|
||||
$lang['iexssprotect'] = 'בדוק את הדפים המועלים לחשד ל-JavaScript או קוד HTML זדוני';
|
||||
$lang['usedraft'] = 'שמור טיוטות באופן אוטומטי בעת עריכה';
|
||||
$lang['htmlok'] = 'אישור שיבוץ HTML';
|
||||
$lang['phpok'] = 'אישור שיבוץ PHP';
|
||||
$lang['locktime'] = 'גיל מירבי לקבצי נעילה (שניות)';
|
||||
$lang['cachetime'] = 'גיל מירבי לזכרון מטמון (שניות)';
|
||||
$lang['target____wiki'] = 'חלון יעד לקישורים פנימיים';
|
||||
$lang['target____interwiki'] = 'חלון יעד לקישורים בין מערכות ויקי';
|
||||
$lang['target____extern'] = 'חלון יעד לקישורים חיצוניים';
|
||||
$lang['target____media'] = 'חלון יעד לקישור למדיה';
|
||||
$lang['target____windows'] = 'חלון יעד לתיקיות משותפות';
|
||||
$lang['refcheck'] = 'בדוק שיוך מדיה';
|
||||
$lang['gdlib'] = 'גרסת ספרית ה-GD';
|
||||
$lang['im_convert'] = 'נתיב לכלי ה-convert של ImageMagick';
|
||||
$lang['jpg_quality'] = 'איכות הדחיסה של JPG (0-100)';
|
||||
$lang['fetchsize'] = 'גודל הקובץ המירבי (bytes) ש-fetch.php יכול להוריד מבחוץ';
|
||||
$lang['subscribers'] = 'התר תמיכה ברישום לדפים';
|
||||
$lang['notify'] = 'שלח התראות על שינויים לכתובת דוא"ל זו';
|
||||
$lang['registernotify'] = 'שלח מידע על משתמשים רשומים חדשים לכתובת דוא"ל זו';
|
||||
$lang['mailfrom'] = 'כתובת הדוא"ל לשימוש בדברי דוא"ל אוטומטיים';
|
||||
$lang['sitemap'] = 'צור מפת אתר של Google (ימים)';
|
||||
$lang['rss_type'] = 'סוג פלט XML';
|
||||
$lang['rss_linkto'] = 'פלט ה-XML מקשר אל';
|
||||
$lang['rss_content'] = 'מה להציג בפרטי פלט ה-XML';
|
||||
$lang['rss_update'] = 'פלט ה-XML מתעדכן כל (שניות)';
|
||||
$lang['rss_show_summary'] = 'פלט ה-XML מציג תקציר בכותרת';
|
||||
$lang['updatecheck'] = 'בדיקת עידכוני אבטחה והתראות? על DokuWiki להתקשר אל update.dokuwiki.org לצורך כך.';
|
||||
$lang['userewrite'] = 'השתמש בכתובות URL יפות';
|
||||
$lang['useslash'] = 'השתמש בלוכסן להגדרת מרחבי שמות בכתובות';
|
||||
$lang['sepchar'] = 'מפריד בין מילות שם-דף';
|
||||
$lang['canonical'] = 'השתמש בכתובות URL מלאות';
|
||||
$lang['autoplural'] = 'בדוק לצורת רבים בקישורים';
|
||||
$lang['compression'] = 'אופן דחיסת קבצים ב-attic';
|
||||
$lang['gzip_output'] = 'השתמש בקידוד תוכן של gzip עבור xhtml';
|
||||
$lang['compress'] = 'פלט קומפקטי של CSS ו-javascript';
|
||||
$lang['send404'] = 'שלח "HTTP 404/Page Not Found" עבור דפים שאינם קיימים';
|
||||
$lang['broken_iua'] = 'האם הפעולה ignore_user_abort תקולה במערכת שלך? הדבר עלול להביא לתוכן חיפוש שאינו תקין. IIS+PHP/CGI ידוע כתקול. ראה את <a href="http://bugs.splitbrain.org/?do=details&task_id=852">באג 852</a> למידע נוסף';
|
||||
$lang['xsendfile'] = 'להשתמש בכותר X-Sendfile כדי לאפשר לשרת לספק קבצים סטטיים? על השרת שלך לתמוך באפשרות זאת.';
|
||||
$lang['renderer_xhtml'] = 'מחולל לשימוש עבור פלט הויקי העיקרי (xhtml)';
|
||||
$lang['renderer__core'] = '%s (ליבת דוקוויקי)';
|
||||
$lang['renderer__plugin'] = '%s (הרחבות)';
|
||||
$lang['proxy____host'] = 'שם השרת המתווך';
|
||||
$lang['proxy____port'] = 'שער השרת המתווך';
|
||||
$lang['proxy____user'] = 'שם המשתמש בשרת המתווך';
|
||||
$lang['proxy____pass'] = 'סיסמת ההשרת המתווך';
|
||||
$lang['proxy____ssl'] = 'השתמש ב-ssl כדי להתחבר לשרת המתווך';
|
||||
$lang['typography_o_0'] = 'ללא';
|
||||
$lang['typography_o_1'] = 'רק גרשיים כפולים';
|
||||
$lang['typography_o_2'] = 'כל הגרשים (עלול שלא לעבוד לעיתים)';
|
||||
$lang['userewrite_o_0'] = 'ללא';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'פנימי של DokuWiki';
|
||||
$lang['deaccent_o_0'] = 'כבוי';
|
||||
$lang['deaccent_o_1'] = 'הסר ניבים';
|
||||
$lang['deaccent_o_2'] = 'הסב ללטינית';
|
||||
$lang['gdlib_o_0'] = 'ספרית ה-GD אינה זמינה';
|
||||
$lang['gdlib_o_1'] = 'גרסה 1.x';
|
||||
$lang['gdlib_o_2'] = 'זיהוי אוטומטי';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'תקציר';
|
||||
$lang['rss_content_o_diff'] = 'הבדלים מאוחדים';
|
||||
$lang['rss_content_o_htmldiff'] = 'טבלת HTML של ההבדלים';
|
||||
$lang['rss_content_o_html'] = 'מלוא תוכן דף HTML';
|
||||
$lang['rss_linkto_o_diff'] = 'תצוגת הבדלים';
|
||||
$lang['rss_linkto_o_page'] = 'הדף שהשתנה';
|
||||
$lang['rss_linkto_o_rev'] = 'גרסאות קודמות';
|
||||
$lang['rss_linkto_o_current'] = 'הדף הנוכחי';
|
||||
$lang['compression_o_0'] = 'ללא';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'אל תשתמש';
|
||||
$lang['xsendfile_o_1'] = 'כותר lighttpd קנייני (לפני גרסה 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'כותר X-Sendfile רגיל';
|
||||
$lang['xsendfile_o_3'] = 'כותר Nginx X-Accel-Redirect קנייני';
|
||||
$lang['useheading_o_navigation'] = 'ניווט בלבד';
|
||||
$lang['useheading_o_1'] = 'תמיד';
|
14
projet/doku/lib/plugins/config/lang/hi/lang.php
Normal file
14
projet/doku/lib/plugins/config/lang/hi/lang.php
Normal file
@@ -0,0 +1,14 @@
|
||||
<?php
|
||||
/**
|
||||
* Hindi language file
|
||||
*
|
||||
* @author Abhinav Tyagi <abhinavtyagi11@gmail.com>
|
||||
* @author yndesai@gmail.com
|
||||
*/
|
||||
$lang['sepchar'] = 'पृष्ठ का नाम शब्द प्रथक्कर';
|
||||
$lang['sitemap'] = 'गूगल का सूचना पटल नक्शा बनायें (दिन)';
|
||||
$lang['license_o_'] = 'कुछ नहीं चुना';
|
||||
$lang['typography_o_0'] = 'कुछ नहीं';
|
||||
$lang['showuseras_o_username'] = 'उपयोगकर्ता का पूर्ण नाम';
|
||||
$lang['useheading_o_0'] = 'कभी नहीं';
|
||||
$lang['useheading_o_1'] = 'हमेशा';
|
7
projet/doku/lib/plugins/config/lang/hr/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/hr/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Upravljanje postavkama ======
|
||||
|
||||
Koristite ovu stranicu za upravljanje postavkama Vaše DokuWiki instalacije. Za pomoć o pojedinim postavkama pogledajte [[doku>config|konfiguraciju]]. Za više detalja o ovom dodatku pogledajte [[doku>plugin:config]].
|
||||
|
||||
Postavke prikazane u svjetlo crvenoj pozadini su zaštićene i ne mogu biti mijenjane pomoću ovog dodatka. Postavke s plavom pozadinom sadrže inicijalno podrazumijevane vrijednosti, dok postavke s bijelom pozadinom sadrže korisnički postavljene vrijednosti. I plave i bijele postavke se mogu mijenjati.
|
||||
|
||||
Zapamtite da pritisnete **Pohrani** gumb prije nego napustite ovu stranicu ili će izmjene biti izgubljene.
|
204
projet/doku/lib/plugins/config/lang/hr/lang.php
Normal file
204
projet/doku/lib/plugins/config/lang/hr/lang.php
Normal file
@@ -0,0 +1,204 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Davor Turkalj <turki.bsc@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'Konfiguracijske postavke';
|
||||
$lang['error'] = 'Postavke nisu ažurirane zbog neispravnih vrijednosti, molim provjerite vaše promjene i ponovo ih pohranite.
|
||||
<br />Neispravne vrijednosti biti će označene crvenim rubom.';
|
||||
$lang['updated'] = 'Postavke uspješno izmijenjene.';
|
||||
$lang['nochoice'] = '(ne postoje druge mogućnosti odabira)';
|
||||
$lang['locked'] = 'Postavke ne mogu biti izmijenjene, ako je to nenamjerno, <br />
|
||||
osigurajte da su ime datoteke lokalnih postavki i dozvole ispravni.';
|
||||
$lang['danger'] = 'Opasnost: Promjena ove opcije može učiniti nedostupnim Vaš wiki i izbornik upravljanja postavkama.';
|
||||
$lang['warning'] = 'Upozorenje: Izmjena ove opcije može izazvati neželjeno ponašanje.';
|
||||
$lang['security'] = 'Sigurnosno upozorenje: Izmjena ove opcije može izazvati sigurnosni rizik.';
|
||||
$lang['_configuration_manager'] = 'Upravljanje postavkama';
|
||||
$lang['_header_dokuwiki'] = 'DokuWiki';
|
||||
$lang['_header_plugin'] = 'Dodatak';
|
||||
$lang['_header_template'] = 'Predložak';
|
||||
$lang['_header_undefined'] = 'Nedefinirana postavka';
|
||||
$lang['_basic'] = 'Osnovno';
|
||||
$lang['_display'] = 'Prikaz';
|
||||
$lang['_authentication'] = 'Prijava';
|
||||
$lang['_anti_spam'] = 'Protu-Spam';
|
||||
$lang['_editing'] = 'Izmjena';
|
||||
$lang['_links'] = 'Prečaci';
|
||||
$lang['_media'] = 'Mediji';
|
||||
$lang['_notifications'] = 'Obavijesti';
|
||||
$lang['_syndication'] = 'RSS izvori';
|
||||
$lang['_advanced'] = 'Napredno';
|
||||
$lang['_network'] = 'Mreža';
|
||||
$lang['_msg_setting_undefined'] = 'Nema postavke meta_podatka.';
|
||||
$lang['_msg_setting_no_class'] = 'Nema postavke klase.';
|
||||
$lang['_msg_setting_no_default'] = 'Nema podrazumijevane vrijednosti.';
|
||||
$lang['title'] = 'Wiki naslov, odnosno naziv Vašeg wikija';
|
||||
$lang['start'] = 'Naziv početne stranice u svakom imenskom prostoru';
|
||||
$lang['lang'] = 'Jezik sučelja';
|
||||
$lang['template'] = 'Predložak, odnosno izgled wikija.';
|
||||
$lang['tagline'] = 'Opisni redak Wiki naslova (ako ga predložak podržava)';
|
||||
$lang['sidebar'] = 'Naziv bočne stranice (ako ga predložak podržava), prazno polje onemogućuje bočnu stranicu';
|
||||
$lang['license'] = 'Pod kojom licencom će sadržaj biti objavljen?';
|
||||
$lang['savedir'] = 'Pod-direktoriji gdje se pohranjuju podatci';
|
||||
$lang['basedir'] = 'Staza poslužitelja (npr. <code>/dokuwiki/</code>). Ostavite prazno za auto-detekciju.';
|
||||
$lang['baseurl'] = 'URL poslužitelja (npr. <code>http://www.yourserver.com</code>). Ostavite prazno za auto-detekciju.';
|
||||
$lang['cookiedir'] = 'Staza za kolačiće. Ostavite prazno za bazni URL.';
|
||||
$lang['dmode'] = 'Mod kreiranja diretorija';
|
||||
$lang['fmode'] = 'Mod kreiranja datoteka';
|
||||
$lang['allowdebug'] = 'Omogući uklanjanje pogrešaka. <b>Onemogiućiti ako nije potrebno!</b>';
|
||||
$lang['recent'] = 'Broj unosa po stranici na nedavnim promjenama';
|
||||
$lang['recent_days'] = 'Koliko nedavnih promjena da se čuva (dani)';
|
||||
$lang['breadcrumbs'] = 'Broj nedavnih stranica koji se prikazuje. Postavite na 0 da biste onemogućili.';
|
||||
$lang['youarehere'] = 'Prikaži hijerarhijsku stazu stranice (tada vjerojatno želite onemogućiti gornju opciju)';
|
||||
$lang['fullpath'] = 'Prikaži punu putanju u podnožju stranice';
|
||||
$lang['typography'] = 'Napravi tipografske zamjene';
|
||||
$lang['dformat'] = 'Format datuma (pogledajte PHP <a href="http://php.net/strftime">strftime</a> funkciju)';
|
||||
$lang['signature'] = 'Što ubacuje gumb potpisa u uređivaču';
|
||||
$lang['showuseras'] = 'Što da prikažem za korisnika koji je napravio zadnju izmjenu';
|
||||
$lang['toptoclevel'] = 'Najviši nivo za sadržaj stranice';
|
||||
$lang['tocminheads'] = 'Minimalni broj naslova koji određuje da li će biti prikazan sadržaj stranice';
|
||||
$lang['maxtoclevel'] = 'Maksimalni broj nivoa u sadržaju stranice';
|
||||
$lang['maxseclevel'] = 'Maksimalni nivo do kojeg se omogućuje izmjena dijela stranice';
|
||||
$lang['camelcase'] = 'Koristi CamelCase za poveznice (veliko početno slovo svake riječi)';
|
||||
$lang['deaccent'] = 'Kako se pročišćuje naziv stranice';
|
||||
$lang['useheading'] = 'Koristi prvi naslov za naziv stranice';
|
||||
$lang['sneaky_index'] = 'Inicijalno DokuWiki će prikazati sve imenske prostore u site mapi. Omogućavanjem ove opcije biti će sakriveni oni za koje korisnik nema barem pravo čitanja. Ovo može rezultirati skrivanjem podimenskih prostora koji su inače pristupačni, što može indeks učiniti nekorisnim pod određenim postavkama ACL-a.';
|
||||
$lang['hidepages'] = 'Kod potrage mape stranica i drugih automatskih indeksa ne prikazuj stranice koje zadovoljavaju ovaj regularni izraz';
|
||||
$lang['useacl'] = 'Koristi kontrolnu listu pristupa';
|
||||
$lang['autopasswd'] = 'Auto-generiranje lozinki';
|
||||
$lang['authtype'] = 'Mehanizam za identificiranje korisnika';
|
||||
$lang['passcrypt'] = 'Metoda šifriranja lozinki';
|
||||
$lang['defaultgroup'] = 'Osnovna grupa';
|
||||
$lang['superuser'] = 'Superuser - grupa, korisnik ili zarezom odvojena lista (npr. korisnik1,@grupa1,korisnik2) s punim pravom pristupa svim stranicama i funkcionalnostima neovisno o ACL postavkama';
|
||||
$lang['manager'] = 'Manager - grupa, korisnik ili zarezom odvojena lista (npr. korisnik1,@grupa1,korisnik2) s pristupom određenim upravljačkim funkcijama';
|
||||
$lang['profileconfirm'] = 'Potvrdi promjene profila sa lozinkom';
|
||||
$lang['rememberme'] = 'Omogući trajne kolačiće za prijavu (zapamti me)';
|
||||
$lang['disableactions'] = 'Onemogući određene DokuWiki aktivnosti';
|
||||
$lang['disableactions_check'] = 'Provjeri';
|
||||
$lang['disableactions_subscription'] = 'Pretplati/Odjavi';
|
||||
$lang['disableactions_wikicode'] = 'Vidi izvorni kod/Izvezi sirovi oblik';
|
||||
$lang['disableactions_profile_delete'] = 'Obriši svog korisnika';
|
||||
$lang['disableactions_other'] = 'Ostale aktivnosti (odvojene zarezom)';
|
||||
$lang['disableactions_rss'] = 'XML Syndication (RSS)';
|
||||
$lang['auth_security_timeout'] = 'Vremenski limit za prijavu (sekunde)';
|
||||
$lang['securecookie'] = 'Da li će kolačići poslani HTTPS-om biti poslani HTTPS-om od strane preglednika? Onemogući ovu opciju kada je samo prijava osigurana SSL-om a ne i pristup stranicama.';
|
||||
$lang['remote'] = 'Omogući udaljeni API. Ovo omogućava drugim aplikacijama pristup wikiju korištenjem XML-RPC i drugih mehanizama.';
|
||||
$lang['remoteuser'] = 'Ograniči pristup udaljenom API-u samo korisnicima i grupama navedenim ovdje u listi odvojenoj zarezom. Ostavi prazno za pristup omogućen svima.';
|
||||
$lang['usewordblock'] = 'Zaustavi spam baziran na listi riječi';
|
||||
$lang['relnofollow'] = 'Koristi rel="nofollow" na vanjskim poveznicama';
|
||||
$lang['indexdelay'] = 'Čekanje prije indeksiranja (sek.)';
|
||||
$lang['mailguard'] = 'Prikrivanje e-mail adresa';
|
||||
$lang['iexssprotect'] = 'Provjeri učitane datoteke za potencijalno maliciozni JavaScript ili HTML kod';
|
||||
$lang['usedraft'] = 'Automatski pohrani nacrte promjena tijekom uređivanja';
|
||||
$lang['htmlok'] = 'Omogući ugrađeni HTML';
|
||||
$lang['phpok'] = 'Omogući ugrađeni PHP';
|
||||
$lang['locktime'] = 'Maksimalna trajanje zaključavanja (sek.)';
|
||||
$lang['cachetime'] = 'Maksimalno trajanje priručne pohrane (sek.)';
|
||||
$lang['target____wiki'] = 'Odredišni prozor za interne poveznice';
|
||||
$lang['target____interwiki'] = 'Odredišni prozor za interwiki poveznice';
|
||||
$lang['target____extern'] = 'Odredišni prozor za vanjske poveznice';
|
||||
$lang['target____media'] = 'Odredišni prozor za medijske poveznice';
|
||||
$lang['target____windows'] = 'Odredišni prozor za windows poveznice';
|
||||
$lang['mediarevisions'] = 'Omogućiti revizije medijskih datoteka?';
|
||||
$lang['refcheck'] = 'Provjeri prije brisanja da li se medijska datoteka još uvijek koristi';
|
||||
$lang['gdlib'] = 'Inačica GD Lib';
|
||||
$lang['im_convert'] = 'Staza do ImageMagick\'s konverzijskog alata';
|
||||
$lang['jpg_quality'] = 'Kvaliteta kompresije JPG-a (0-100)';
|
||||
$lang['fetchsize'] = 'Maksimalna veličina (bajtovi) koju fetch.php može učitati iz vanjskih URL-ova. npr. za pohranu i promjenu veličine vanjskih slika.';
|
||||
$lang['subscribers'] = 'Omogući korisnicima preplatu na promjene preko e-pošte';
|
||||
$lang['subscribe_time'] = 'Vrijeme (sek.) nakon kojeg se šalju pretplatne liste. Trebalo bi biti manje od od vremena navedenog u recent_days parametru.';
|
||||
$lang['notify'] = 'Uvijek šalji obavijesti o promjenama na ovu adresu epošte';
|
||||
$lang['registernotify'] = 'Uvijek šalji obavijesti o novo-kreiranim korisnicima na ovu adresu epošte';
|
||||
$lang['mailfrom'] = 'Adresa pošiljatelja epošte koja se koristi pri slanju automatskih poruka';
|
||||
$lang['mailreturnpath'] = 'Adresa e-pošte primatelja za obavijesti o ne-isporuci';
|
||||
$lang['mailprefix'] = 'Prefiks predmeta poruke kod automatskih poruka. Ostaviti prazno za korištenje naslova wikija';
|
||||
$lang['htmlmail'] = 'Šalji ljepše, ali i veće poruke u HTML obliku. Onemogući za slanje poruka kao običan tekst.';
|
||||
$lang['sitemap'] = 'Generiraj Google mapu stranica svakih (dana). 0 za onemogućivanje';
|
||||
$lang['rss_type'] = 'tip XML feed-a';
|
||||
$lang['rss_linkto'] = 'XML feed povezuje na';
|
||||
$lang['rss_content'] = 'Što da se prikazuje u stavkama XML feed-a?';
|
||||
$lang['rss_update'] = 'Interval obnavljanja XML feed-a (sek.)';
|
||||
$lang['rss_show_summary'] = 'Prikaz sažetka u naslovu XML feed-a';
|
||||
$lang['rss_media'] = 'Koje vrste promjena trebaju biti prikazane u XML feed-u?';
|
||||
$lang['rss_media_o_both'] = 'oboje';
|
||||
$lang['rss_media_o_pages'] = 'stranice';
|
||||
$lang['rss_media_o_media'] = 'medij';
|
||||
$lang['updatecheck'] = 'Provjera za nadogradnje i sigurnosna upozorenja? DokuWiki treba imati pristup do dokuwiki.org za ovo.';
|
||||
$lang['userewrite'] = 'Koristi jednostavne URL-ove';
|
||||
$lang['useslash'] = 'Koristi kosu crtu kao separator imenskih prostora u URL-ovima';
|
||||
$lang['sepchar'] = 'Separator riječi u nazivu stranice';
|
||||
$lang['canonical'] = 'Uvije koristi puni kanonski oblik URL-ova (puna apsolutna staza)';
|
||||
$lang['fnencode'] = 'Metoda kodiranja ne-ASCII imena datoteka.';
|
||||
$lang['autoplural'] = 'Provjera izraza u množini u poveznicama';
|
||||
$lang['compression'] = 'Vrsta kompresije za pohranu attic datoteka';
|
||||
$lang['gzip_output'] = 'Koristi gzip Content-Encoding za xhtml';
|
||||
$lang['compress'] = 'Sažmi CSS i javascript izlaz';
|
||||
$lang['cssdatauri'] = 'Veličina u bajtovima do koje slike navedene u CSS datotekama će biti ugrađene u stylesheet kako bi se smanjilo prekoračenje zaglavlja HTTP zathjeva . <code>400</code> do <code>600</code> bajtova je dobra vrijednost. Postavi <code>0</code> za onemogućavanje.';
|
||||
$lang['send404'] = 'Pošalji "HTTP 404/Page Not Found" za nepostojeće stranice';
|
||||
$lang['broken_iua'] = 'Da li je ignore_user_abort funkcija neispravna na vašem sustavu? Ovo može izazvati neispravan indeks pretrage. IIS+PHP/CGI je poznat po neispravnosti. Pogledaj <a href="http://bugs.dokuwiki.org/?do=details&task_id=852">Bug 852</a> za više informacija.';
|
||||
$lang['xsendfile'] = 'Koristi X-Sendfile zaglavlje da se dopusti web poslužitelj dostavu statičkih datoteka? Vaš web poslužitelj ovo mora podržavati.';
|
||||
$lang['renderer_xhtml'] = 'Mehanizam koji se koristi za slaganje osnovnog (xhtml) wiki izlaza';
|
||||
$lang['renderer__core'] = '%s (dokuwiki jezgra)';
|
||||
$lang['renderer__plugin'] = '%s (dodatak)';
|
||||
$lang['search_nslimit'] = 'Ograniči potragu na trenutnih X imenskih prostora. Kada se potraga izvrši s strane unutar dubljeg imenskog prostora, prvih X imenskih prostora će biti dodano u filtar';
|
||||
$lang['search_fragment'] = 'Odredi podrazumijevani način djelomične pretrage';
|
||||
$lang['search_fragment_o_exact'] = 'identično';
|
||||
$lang['search_fragment_o_starts_with'] = 'počinje s';
|
||||
$lang['search_fragment_o_ends_with'] = 'završava s';
|
||||
$lang['search_fragment_o_contains'] = 'sadrži';
|
||||
$lang['dnslookups'] = 'Da li da DokuWiki potraži ime računala za udaljenu IP adresu korisnik koji je izmijenio stranicu. Ako imate spor ili neispravan DNS server, nemojte koristiti ovu funkcionalnost, onemogućite ovu opciju';
|
||||
$lang['jquerycdn'] = 'Da li da se jQuery i jQuery UI script datoteke učitavaju sa CDN? To proizvodi dodatne HTTP zahtjeve, ali datoteke se mogu brže učitati i korisnici ih već mogu imati učitane u od ranije.';
|
||||
$lang['jquerycdn_o_0'] = 'Bez CDN, samo lokalna dostava';
|
||||
$lang['jquerycdn_o_jquery'] = 'CDN na code.jquery.com';
|
||||
$lang['jquerycdn_o_cdnjs'] = 'CDN na cdnjs.com';
|
||||
$lang['proxy____host'] = 'Proxy poslužitelj - adresa';
|
||||
$lang['proxy____port'] = 'Proxy poslužitelj - port';
|
||||
$lang['proxy____user'] = 'Proxy poslužitelj - korisničko ime';
|
||||
$lang['proxy____pass'] = 'Proxy poslužitelj - lozinka';
|
||||
$lang['proxy____ssl'] = 'Koristi SSL za vezu prema proxy poslužitelju';
|
||||
$lang['proxy____except'] = 'Preskoči proxy za URL-ove koji odgovaraju ovom regularnom izrazu.';
|
||||
$lang['license_o_'] = 'Ništa odabrano';
|
||||
$lang['typography_o_0'] = 'ništa';
|
||||
$lang['typography_o_1'] = 'isključivši jednostruke navodnike';
|
||||
$lang['typography_o_2'] = 'uključivši jednostruke navodnike (ne mora uvijek raditi)';
|
||||
$lang['userewrite_o_0'] = 'ništa';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'DokuWiki interno';
|
||||
$lang['deaccent_o_0'] = 'isključeno';
|
||||
$lang['deaccent_o_1'] = 'ukloni akcente';
|
||||
$lang['deaccent_o_2'] = 'romanizacija';
|
||||
$lang['gdlib_o_0'] = 'GD Lib nije dostupna';
|
||||
$lang['gdlib_o_1'] = 'Inačica 1.x';
|
||||
$lang['gdlib_o_2'] = 'Autodetekcija';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Sažetak';
|
||||
$lang['rss_content_o_diff'] = 'Unificirani Diff';
|
||||
$lang['rss_content_o_htmldiff'] = 'HTML formatirana diff tabela';
|
||||
$lang['rss_content_o_html'] = 'Puni HTML sadržaj stranice';
|
||||
$lang['rss_linkto_o_diff'] = 'pregled razlika';
|
||||
$lang['rss_linkto_o_page'] = 'izmijenjena stranica';
|
||||
$lang['rss_linkto_o_rev'] = 'lista izmjena';
|
||||
$lang['rss_linkto_o_current'] = 'tekuća stranica';
|
||||
$lang['compression_o_0'] = 'ništa';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'ne koristi';
|
||||
$lang['xsendfile_o_1'] = 'Posebno lighttpd zaglavlje (prije inačice 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Standardno X-Sendfile zaglavlje';
|
||||
$lang['xsendfile_o_3'] = 'Posebno Nginx X-Accel-Redirect zaglavlje';
|
||||
$lang['showuseras_o_loginname'] = 'Korisničko ime';
|
||||
$lang['showuseras_o_username'] = 'Puno ime korisnika';
|
||||
$lang['showuseras_o_username_link'] = 'Puno ime korisnika kao interwiki poveznica';
|
||||
$lang['showuseras_o_email'] = 'Korisnikova adresa epošte (prikrivanje prema mailguard postavci)';
|
||||
$lang['showuseras_o_email_link'] = 'Korisnikova adresa epošte kao mailto: poveznica';
|
||||
$lang['useheading_o_0'] = 'Nikad';
|
||||
$lang['useheading_o_navigation'] = 'Samo navigacija';
|
||||
$lang['useheading_o_content'] = 'Samo wiki sadržaj';
|
||||
$lang['useheading_o_1'] = 'Uvijek';
|
||||
$lang['readdircache'] = 'Maksimalna starost za readdir međuspremnik (sek.)';
|
9
projet/doku/lib/plugins/config/lang/hu/intro.txt
Normal file
9
projet/doku/lib/plugins/config/lang/hu/intro.txt
Normal file
@@ -0,0 +1,9 @@
|
||||
====== Beállító központ ======
|
||||
|
||||
Ezzel az oldallal finomhangolhatod a DokuWiki rendszeredet. Az egyes beállításokhoz [[doku>config|itt]] kaphatsz segítséget. A bővítmények (pluginek) beállításaihoz [[doku>plugin:config|ezt]] az oldalt látogasd meg.
|
||||
|
||||
A világospiros hátterű beállítások védettek, ezzel a bővítménnyel nem módosíthatóak.
|
||||
|
||||
A kék hátterű beállítások az alapértelmezett értékek, a fehér hátterűek módosítva lettek ebben a rendszerben. Mindkét hátterű beállítások módosíthatóak.
|
||||
|
||||
Ne felejtsd a **Mentés** gombot megnyomni, mielőtt elhagyod az oldalt, különben a módosításaid elvesznek!
|
196
projet/doku/lib/plugins/config/lang/hu/lang.php
Normal file
196
projet/doku/lib/plugins/config/lang/hu/lang.php
Normal file
@@ -0,0 +1,196 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Sandor TIHANYI <stihanyi+dw@gmail.com>
|
||||
* @author Siaynoq Mage <siaynoqmage@gmail.com>
|
||||
* @author schilling.janos@gmail.com
|
||||
* @author Szabó Dávid <szabo.david@gyumolcstarhely.hu>
|
||||
* @author Sándor TIHANYI <stihanyi+dw@gmail.com>
|
||||
* @author David Szabo <szabo.david@gyumolcstarhely.hu>
|
||||
* @author Marton Sebok <sebokmarton@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'Beállítóközpont';
|
||||
$lang['error'] = 'Helytelen érték miatt a módosítások nem mentődtek. Nézd át a módosításokat, és ments újra.
|
||||
<br />A helytelen érték(ek)et piros kerettel jelöljük.';
|
||||
$lang['updated'] = 'A módosítások sikeresen beállítva.';
|
||||
$lang['nochoice'] = '(nincs egyéb lehetőség)';
|
||||
$lang['locked'] = 'A beállításokat tartalmazó fájlt nem tudtam frissíteni.<br />
|
||||
Nézd meg, hogy a fájl neve és jogosultságai helyesen vannak-e beállítva!';
|
||||
$lang['danger'] = 'Figyelem: ezt a beállítást megváltoztatva a konfigurációs menü hozzáférhetetlenné válhat.';
|
||||
$lang['warning'] = 'Figyelmeztetés: a beállítás megváltoztatása nem kívánt viselkedést okozhat.';
|
||||
$lang['security'] = 'Biztonsági figyelmeztetés: a beállítás megváltoztatása biztonsági veszélyforrást okozhat.';
|
||||
$lang['_configuration_manager'] = 'Beállítóközpont';
|
||||
$lang['_header_dokuwiki'] = 'DokuWiki beállítások';
|
||||
$lang['_header_plugin'] = 'Bővítmények beállításai';
|
||||
$lang['_header_template'] = 'Sablon beállítások';
|
||||
$lang['_header_undefined'] = 'Nem definiált értékek';
|
||||
$lang['_basic'] = 'Alap beállítások';
|
||||
$lang['_display'] = 'Megjelenítés beállításai';
|
||||
$lang['_authentication'] = 'Azonosítás beállításai';
|
||||
$lang['_anti_spam'] = 'Anti-Spam beállítások';
|
||||
$lang['_editing'] = 'Szerkesztési beállítások';
|
||||
$lang['_links'] = 'Link beállítások';
|
||||
$lang['_media'] = 'Média beállítások';
|
||||
$lang['_notifications'] = 'Értesítési beállítások';
|
||||
$lang['_syndication'] = 'Hírfolyam beállítások';
|
||||
$lang['_advanced'] = 'Haladó beállítások';
|
||||
$lang['_network'] = 'Hálózati beállítások';
|
||||
$lang['_msg_setting_undefined'] = 'Nincs beállított metaadat.';
|
||||
$lang['_msg_setting_no_class'] = 'Nincs beállított osztály.';
|
||||
$lang['_msg_setting_no_default'] = 'Nincs alapértelmezett érték.';
|
||||
$lang['title'] = 'Wiki neve';
|
||||
$lang['start'] = 'Kezdőoldal neve';
|
||||
$lang['lang'] = 'Nyelv';
|
||||
$lang['template'] = 'Sablon';
|
||||
$lang['tagline'] = 'Lábléc (ha a sablon támogatja)';
|
||||
$lang['sidebar'] = 'Oldalsáv oldal neve (ha a sablon támogatja), az üres mező letiltja az oldalsáv megjelenítését';
|
||||
$lang['license'] = 'Milyen licenc alatt érhető el a tartalom?';
|
||||
$lang['savedir'] = 'Könyvtár az adatok mentésére';
|
||||
$lang['basedir'] = 'Báziskönyvtár (pl. <code>/dokuwiki/</code>). Hagyd üresen az automatikus beállításhoz!';
|
||||
$lang['baseurl'] = 'Báziscím (pl. <code>http://www.yourserver.com</code>). Hagyd üresen az automatikus beállításhoz!';
|
||||
$lang['cookiedir'] = 'Sütik címe. Hagy üresen a báziscím használatához!';
|
||||
$lang['dmode'] = 'Könyvtár létrehozási maszk';
|
||||
$lang['fmode'] = 'Fájl létrehozási maszk';
|
||||
$lang['allowdebug'] = 'Debug üzemmód <b>Kapcsold ki, hacsak biztos nem szükséges!</b>';
|
||||
$lang['recent'] = 'Utolsó változatok száma';
|
||||
$lang['recent_days'] = 'Hány napig tartsuk meg a korábbi változatokat?';
|
||||
$lang['breadcrumbs'] = 'Nyomvonal elemszám';
|
||||
$lang['youarehere'] = 'Hierarchikus nyomvonal';
|
||||
$lang['fullpath'] = 'Az oldalak teljes útvonalának mutatása a láblécben';
|
||||
$lang['typography'] = 'Legyen-e tipográfiai csere';
|
||||
$lang['dformat'] = 'Dátum formázás (lásd a PHP <a href="http://php.net/strftime">strftime</a> függvényt)';
|
||||
$lang['signature'] = 'Aláírás';
|
||||
$lang['showuseras'] = 'A felhasználó melyik adatát mutassunk az utolsó változtatás adatainál?';
|
||||
$lang['toptoclevel'] = 'A tartalomjegyzék felső szintje';
|
||||
$lang['tocminheads'] = 'Legalább ennyi címsor hatására generálódjon tartalomjegyzék';
|
||||
$lang['maxtoclevel'] = 'A tartalomjegyzék mélysége';
|
||||
$lang['maxseclevel'] = 'A szakasz-szerkesztés maximális szintje';
|
||||
$lang['camelcase'] = 'CamelCase használata hivatkozásként';
|
||||
$lang['deaccent'] = 'Oldalnevek ékezettelenítése';
|
||||
$lang['useheading'] = 'Az első fejléc legyen az oldalnév';
|
||||
$lang['sneaky_index'] = 'Alapértelmezetten minden névtér látszik a DokuWiki áttekintő (index) oldalán. Ezen opció bekapcsolása után azok nem jelennek meg, melyekhez a felhasználónak nincs olvasás joga. De ezzel eltakarhatunk egyébként elérhető al-névtereket is, így bizonyos ACL beállításoknál használhatatlan indexet eredményez ez a beállítás.';
|
||||
$lang['hidepages'] = 'Az itt megadott oldalak elrejtése (reguláris kifejezés)';
|
||||
$lang['useacl'] = 'Hozzáférési listák (ACL) használata';
|
||||
$lang['autopasswd'] = 'Jelszavak automatikus generálása';
|
||||
$lang['authtype'] = 'Authentikációs háttérrendszer';
|
||||
$lang['passcrypt'] = 'Jelszó titkosítási módszer';
|
||||
$lang['defaultgroup'] = 'Alapértelmezett csoport';
|
||||
$lang['superuser'] = 'Adminisztrátor - csoport vagy felhasználó, aki teljes hozzáférési joggal rendelkezik az oldalakhoz és funkciókhoz, a hozzáférési jogosultságoktól függetlenül';
|
||||
$lang['manager'] = 'Menedzser - csoport vagy felhasználó, aki bizonyos menedzsment funkciókhoz hozzáfér';
|
||||
$lang['profileconfirm'] = 'Beállítások változtatásának megerősítése jelszóval';
|
||||
$lang['rememberme'] = 'Állandó sütik engedélyezése (az "emlékezz rám" funkcióhoz)';
|
||||
$lang['disableactions'] = 'Bizonyos DokuWiki tevékenységek (action) tiltása';
|
||||
$lang['disableactions_check'] = 'Ellenőrzés';
|
||||
$lang['disableactions_subscription'] = 'Feliratkozás/Leiratkozás';
|
||||
$lang['disableactions_wikicode'] = 'Forrás megtekintése/Nyers adat exportja';
|
||||
$lang['disableactions_profile_delete'] = 'Saját felhasználó törlése';
|
||||
$lang['disableactions_other'] = 'Egyéb tevékenységek (vesszővel elválasztva)';
|
||||
$lang['disableactions_rss'] = 'XML hírfolyam (RSS)';
|
||||
$lang['auth_security_timeout'] = 'Authentikációs biztonsági időablak (másodperc)';
|
||||
$lang['securecookie'] = 'A böngészők a HTTPS felett beállított sütijüket csak HTTPS felett küldhetik? Kapcsoljuk ki ezt az opciót, ha csak a bejelentkezést védjük SSL-lel, a wiki tartalmának böngészése nyílt forgalommal történik.';
|
||||
$lang['remote'] = 'Távoli API engedélyezése. Ezzel más alkalmazások XML-RPC-n keresztül hozzáférhetnek a wikihez.';
|
||||
$lang['remoteuser'] = 'A távoli API hozzáférés korlátozása a következő felhasználókra vagy csoportokra. Hagyd üresen, ha mindenki számára elérhető!';
|
||||
$lang['usewordblock'] = 'Szólista alapú spam-szűrés';
|
||||
$lang['relnofollow'] = 'rel="nofollow" beállítás használata külső hivatkozásokra';
|
||||
$lang['indexdelay'] = 'Várakozás indexelés előtt (másodperc)';
|
||||
$lang['mailguard'] = 'Email címek olvashatatlanná tétele címgyűjtők számára';
|
||||
$lang['iexssprotect'] = 'Feltöltött fájlok ellenőrzése kártékony JavaScript vagy HTML kód elkerülésére';
|
||||
$lang['usedraft'] = 'Piszkozat automatikus mentése szerkesztés alatt';
|
||||
$lang['htmlok'] = 'Beágyazott HTML engedélyezése';
|
||||
$lang['phpok'] = 'Beágyazott PHP engedélyezése';
|
||||
$lang['locktime'] = 'Oldal-zárolás maximális időtartama (másodperc)';
|
||||
$lang['cachetime'] = 'A gyorsítótár maximális élettartama (másodperc)';
|
||||
$lang['target____wiki'] = 'Cél-ablak belső hivatkozásokhoz';
|
||||
$lang['target____interwiki'] = 'Cél-ablak interwiki hivatkozásokhoz';
|
||||
$lang['target____extern'] = 'Cél-ablak külső hivatkozásokhoz';
|
||||
$lang['target____media'] = 'Cél-ablak média-fájl hivatkozásokhoz';
|
||||
$lang['target____windows'] = 'Cél-ablak Windows hivatkozásokhoz';
|
||||
$lang['mediarevisions'] = 'Médiafájlok verziókövetésének engedélyezése';
|
||||
$lang['refcheck'] = 'Médiafájlok hivatkozásainak ellenőrzése';
|
||||
$lang['gdlib'] = 'GD Lib verzió';
|
||||
$lang['im_convert'] = 'Útvonal az ImageMagick csomag convert parancsához';
|
||||
$lang['jpg_quality'] = 'JPG tömörítés minősége (0-100)';
|
||||
$lang['fetchsize'] = 'Maximális méret (bájtban), amit a fetch.php letölthet kívülről';
|
||||
$lang['subscribers'] = 'Oldalváltozás-listára feliratkozás engedélyezése';
|
||||
$lang['subscribe_time'] = 'Az értesítések kiküldésének késleltetése (másodperc); Érdemes kisebbet választani, mint a változások megőrzésének maximális ideje.';
|
||||
$lang['notify'] = 'Az oldal-változásokat erre az e-mail címre küldje';
|
||||
$lang['registernotify'] = 'Értesítés egy újonnan regisztrált felhasználóról erre az e-mail címre';
|
||||
$lang['mailfrom'] = 'Az automatikusan küldött levelekben használt e-mail cím';
|
||||
$lang['mailprefix'] = 'Előtag az automatikus e-mailek tárgyában';
|
||||
$lang['htmlmail'] = 'Szebb, de nagyobb méretű HTML multipart e-mailek küldése. Tiltsd le a nyers szöveges üzenetekhez!';
|
||||
$lang['sitemap'] = 'Hány naponként generáljunk Google sitemap-ot?';
|
||||
$lang['rss_type'] = 'XML hírfolyam típus';
|
||||
$lang['rss_linkto'] = 'XML hírfolyam hivatkozás';
|
||||
$lang['rss_content'] = 'Mit mutassunk az XML hírfolyam elemekben?';
|
||||
$lang['rss_update'] = 'Hány másodpercenként frissítsük az XML hírfolyamot?';
|
||||
$lang['rss_show_summary'] = 'A hírfolyam címébe összefoglaló helyezése';
|
||||
$lang['rss_media'] = 'Milyen változások legyenek felsorolva az XML hírfolyamban?';
|
||||
$lang['updatecheck'] = 'Frissítések és biztonsági figyelmeztetések figyelése. Ehhez a DokuWikinek kapcsolatba kell lépnie a update.dokuwiki.org-gal.';
|
||||
$lang['userewrite'] = 'Szép URL-ek használata';
|
||||
$lang['useslash'] = 'Per-jel használata névtér-elválasztóként az URL-ekben';
|
||||
$lang['sepchar'] = 'Szó elválasztó az oldalnevekben';
|
||||
$lang['canonical'] = 'Teljesen kanonikus URL-ek használata';
|
||||
$lang['fnencode'] = 'A nem ASCII fájlnevek dekódolási módja';
|
||||
$lang['autoplural'] = 'Többes szám ellenőrzés a hivatkozásokban (angol)';
|
||||
$lang['compression'] = 'Tömörítés használata a törölt lapokhoz';
|
||||
$lang['gzip_output'] = 'gzip tömörítés használata xhtml-hez (Content-Encoding)';
|
||||
$lang['compress'] = 'CSS és JavaScript fájlok tömörítése';
|
||||
$lang['cssdatauri'] = 'Mérethatár bájtokban, ami alatti CSS-ben hivatkozott fájlok közvetlenül beágyazódjanak a stíluslapba. <code>400</code>-<code>600</code> bájt ideális érték. Állítsd <code>0</code>-ra a beágyazás kikapcsolásához!';
|
||||
$lang['send404'] = '"HTTP 404/Page Not Found" küldése nemlétező oldalak esetén';
|
||||
$lang['broken_iua'] = 'Az ignore_user_abort függvény hibát dob a rendszereden? Ez nem működő keresési indexet eredményezhet. Az IIS+PHP/CGI összeállításról tudjuk, hogy hibát dob. Lásd a <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a> oldalt a további infóért.';
|
||||
$lang['xsendfile'] = 'Használjuk az X-Sendfile fejlécet, hogy a webszerver statikus állományokat tudjon küldeni? A webszervernek is támogatnia kell ezt a funkciót.';
|
||||
$lang['renderer_xhtml'] = 'Az elsődleges (xhtml) wiki kimenet generálója';
|
||||
$lang['renderer__core'] = '%s (dokuwiki mag)';
|
||||
$lang['renderer__plugin'] = '%s (bővítmény)';
|
||||
$lang['dnslookups'] = 'A DokuWiki megpróbál hosztneveket keresni a távoli IP-címekhez. Amennyiben lassú, vagy nem működő DNS-szervered van vagy csak nem szeretnéd ezt a funkciót, tiltsd le ezt az opciót!';
|
||||
$lang['proxy____host'] = 'Proxy-szerver neve';
|
||||
$lang['proxy____port'] = 'Proxy port';
|
||||
$lang['proxy____user'] = 'Proxy felhasználó név';
|
||||
$lang['proxy____pass'] = 'Proxy jelszó';
|
||||
$lang['proxy____ssl'] = 'SSL használata a proxyhoz csatlakozáskor';
|
||||
$lang['proxy____except'] = 'URL szabály azokra a webcímekre, amit szeretnél, hogy ne kezeljen a proxy.';
|
||||
$lang['license_o_'] = 'Nincs kiválasztva';
|
||||
$lang['typography_o_0'] = 'nem';
|
||||
$lang['typography_o_1'] = 'Csak a dupla idézőjelet';
|
||||
$lang['typography_o_2'] = 'Minden idézőjelet (előfordulhat, hogy nem mindig működik)';
|
||||
$lang['userewrite_o_0'] = 'nem';
|
||||
$lang['userewrite_o_1'] = '.htaccess-szel';
|
||||
$lang['userewrite_o_2'] = 'DokuWiki saját módszerével';
|
||||
$lang['deaccent_o_0'] = 'kikapcsolva';
|
||||
$lang['deaccent_o_1'] = 'ékezetek eltávolítása';
|
||||
$lang['deaccent_o_2'] = 'távirati stílus';
|
||||
$lang['gdlib_o_0'] = 'GD Lib nem elérhető';
|
||||
$lang['gdlib_o_1'] = 'Version 1.x';
|
||||
$lang['gdlib_o_2'] = 'Auto felismerés';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Kivonat';
|
||||
$lang['rss_content_o_diff'] = 'Unified diff formátum';
|
||||
$lang['rss_content_o_htmldiff'] = 'HTML formázott változás tábla';
|
||||
$lang['rss_content_o_html'] = 'Teljes HTML oldal tartalom';
|
||||
$lang['rss_linkto_o_diff'] = 'a változás nézetre';
|
||||
$lang['rss_linkto_o_page'] = 'az átdolgozott oldalra';
|
||||
$lang['rss_linkto_o_rev'] = 'a változatok listájára';
|
||||
$lang['rss_linkto_o_current'] = 'a jelenlegi oldalra';
|
||||
$lang['compression_o_0'] = 'nincs tömörítés';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'nincs használatban';
|
||||
$lang['xsendfile_o_1'] = 'Lighttpd saját fejléc (1.5-ös verzió előtti)';
|
||||
$lang['xsendfile_o_2'] = 'Standard X-Sendfile fejléc';
|
||||
$lang['xsendfile_o_3'] = 'Nginx saját X-Accel-Redirect fejléce';
|
||||
$lang['showuseras_o_loginname'] = 'Azonosító';
|
||||
$lang['showuseras_o_username'] = 'Teljes név';
|
||||
$lang['showuseras_o_username_link'] = 'A felhasználó teljes neve belső wiki-hivatkozásként';
|
||||
$lang['showuseras_o_email'] = 'E-mail cím (olvashatatlanná téve az e-mailcím védelem beállítása szerint)';
|
||||
$lang['showuseras_o_email_link'] = 'E-mail cím mailto: linkként';
|
||||
$lang['useheading_o_0'] = 'Soha';
|
||||
$lang['useheading_o_navigation'] = 'Csak navigációhoz';
|
||||
$lang['useheading_o_content'] = 'Csak Wiki tartalomhoz';
|
||||
$lang['useheading_o_1'] = 'Mindig';
|
||||
$lang['readdircache'] = 'A könyvtár olvasás gyorsítótárának maximális tárolási ideje (másodperc)';
|
7
projet/doku/lib/plugins/config/lang/ia/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/ia/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Gestion de configurationes ======
|
||||
|
||||
Usa iste pagina pro controlar le configurationes de tu installation de DokuWiki. Pro adjuta re configurationes individual, refere te a [[doku>config]].
|
||||
|
||||
Le configurationes monstrate super un fundo rubie clar es protegite e non pote esser alterate con iste plug-in. Le configurationes monstrate super un fundo blau es le valores predefinite e le configurationes monstrate super un fundo blanc ha essite definite localmente pro iste particular installation. Le configurationes blau e blanc pote esser alterate.
|
||||
|
||||
Rememora de premer le button **SALVEGUARDAR** ante de quitar iste pagina, alteremente tu modificationes essera perdite.
|
169
projet/doku/lib/plugins/config/lang/ia/lang.php
Normal file
169
projet/doku/lib/plugins/config/lang/ia/lang.php
Normal file
@@ -0,0 +1,169 @@
|
||||
<?php
|
||||
/**
|
||||
* Interlingua language file
|
||||
*
|
||||
* @author robocap <robocap1@gmail.com>
|
||||
* @author Martijn Dekker <martijn@inlv.org>
|
||||
*/
|
||||
$lang['menu'] = 'Configurationes';
|
||||
$lang['error'] = 'Le configurationes non poteva esser actualisate a causa de un valor invalide; per favor revide tu cambiamentos e resubmitte los.<br />Le valor(es) incorrecte essera monstrate circumferite per un bordo rubie.';
|
||||
$lang['updated'] = 'Actualisation del configurationes succedite.';
|
||||
$lang['nochoice'] = '(nulle altere option disponibile)';
|
||||
$lang['locked'] = 'Le file de configuration non pote esser actualisate; si isto non es intentional, <br /> assecura te que le nomine e permissiones del file local de configuration es correcte.';
|
||||
$lang['danger'] = 'Periculo: Cambiar iste option pote render tu wiki e le menu de configuration inaccessibile!';
|
||||
$lang['warning'] = 'Attention: Cambiar iste option pote causar functionamento indesirate.';
|
||||
$lang['security'] = 'Advertimento de securitate: Cambiar iste option pote causar un risco de securitate.';
|
||||
$lang['_configuration_manager'] = 'Gestion de configurationes';
|
||||
$lang['_header_dokuwiki'] = 'Configurationes de DokuWiki';
|
||||
$lang['_header_plugin'] = 'Configurationes de plug-ins';
|
||||
$lang['_header_template'] = 'Configurationes de patronos';
|
||||
$lang['_header_undefined'] = 'Configurationes non definite';
|
||||
$lang['_basic'] = 'Configurationes de base';
|
||||
$lang['_display'] = 'Configurationes de visualisation';
|
||||
$lang['_authentication'] = 'Configurationes de authentication';
|
||||
$lang['_anti_spam'] = 'Configurationes anti-spam';
|
||||
$lang['_editing'] = 'Configurationes de modification';
|
||||
$lang['_links'] = 'Configurationes de ligamines';
|
||||
$lang['_media'] = 'Configurationes de multimedia';
|
||||
$lang['_advanced'] = 'Configurationes avantiate';
|
||||
$lang['_network'] = 'Configurationes de rete';
|
||||
$lang['_msg_setting_undefined'] = 'Nulle metadatos de configuration.';
|
||||
$lang['_msg_setting_no_class'] = 'Nulle classe de configuration.';
|
||||
$lang['_msg_setting_no_default'] = 'Nulle valor predefinite.';
|
||||
$lang['fmode'] = 'Permissiones al creation de files';
|
||||
$lang['dmode'] = 'Permissiones al creation de directorios';
|
||||
$lang['lang'] = 'Lingua del interfacie';
|
||||
$lang['basedir'] = 'Cammino al servitor (p.ex.. <code>/dokuwiki/</code>). Lassa vacue pro autodetection.';
|
||||
$lang['baseurl'] = 'URL del servitor (p.ex. <code>http://www.yourserver.com</code>). Lassa vacue pro autodetection.';
|
||||
$lang['savedir'] = 'Directorio pro salveguardar datos';
|
||||
$lang['start'] = 'Nomine del pagina initial';
|
||||
$lang['title'] = 'Titulo del wiki';
|
||||
$lang['template'] = 'Patrono';
|
||||
$lang['license'] = 'Sub qual licentia debe tu contento esser publicate?';
|
||||
$lang['fullpath'] = 'Revelar le cammino complete del paginas in le pede';
|
||||
$lang['recent'] = 'Modificationes recente';
|
||||
$lang['breadcrumbs'] = 'Numero de micas de pan';
|
||||
$lang['youarehere'] = 'Micas de pan hierarchic';
|
||||
$lang['typography'] = 'Face substitutiones typographic';
|
||||
$lang['htmlok'] = 'Permitter incorporation de HTML';
|
||||
$lang['phpok'] = 'Permitter incorporation de PHP';
|
||||
$lang['dformat'] = 'Formato del datas (vide le function <a href="http://php.net/strftime">strftime</a> de PHP)';
|
||||
$lang['signature'] = 'Signatura';
|
||||
$lang['toptoclevel'] = 'Nivello principal pro tabula de contento';
|
||||
$lang['tocminheads'] = 'Numero minimal de titulos requirite pro inserer tabula de contento';
|
||||
$lang['maxtoclevel'] = 'Nivello maximal pro tabula de contento';
|
||||
$lang['maxseclevel'] = 'Nivello maximal pro modification de sectiones';
|
||||
$lang['camelcase'] = 'Usar CamelCase pro ligamines';
|
||||
$lang['deaccent'] = 'Nomines nette de paginas';
|
||||
$lang['useheading'] = 'Usar le prime titulo como nomine de pagina';
|
||||
$lang['refcheck'] = 'Verification de referentias multimedia';
|
||||
$lang['allowdebug'] = 'Permitter debugging <b>disactiva si non necessari!</b>';
|
||||
$lang['usewordblock'] = 'Blocar spam a base de lista de parolas';
|
||||
$lang['indexdelay'] = 'Retardo ante generation de indice (secundas)';
|
||||
$lang['relnofollow'] = 'Usar rel="nofollow" pro ligamines externe';
|
||||
$lang['mailguard'] = 'Offuscar adresses de e-mail';
|
||||
$lang['iexssprotect'] = 'Verificar files incargate pro codice HTML o JavaScript possibilemente malitiose';
|
||||
$lang['showuseras'] = 'Como monstrar le usator que faceva le ultime modification de un pagina';
|
||||
$lang['useacl'] = 'Usar listas de controlo de accesso';
|
||||
$lang['autopasswd'] = 'Automaticamente generar contrasignos';
|
||||
$lang['authtype'] = 'Servicio de authentication';
|
||||
$lang['passcrypt'] = 'Methodo de cryptographia de contrasignos';
|
||||
$lang['defaultgroup'] = 'Gruppo predefinite';
|
||||
$lang['superuser'] = 'Superusator: le gruppo, usator o lista separate per commas ("usator1,@gruppo1,usator2") con accesso integral a tote le paginas e functiones sin reguardo del ACL';
|
||||
$lang['manager'] = 'Administrator: le gruppo, usator o lista separate per commas ("usator1,@gruppo1,usator2") con accesso a certe functiones administrative';
|
||||
$lang['profileconfirm'] = 'Confirmar modificationes del profilo con contrasigno';
|
||||
$lang['disableactions'] = 'Disactivar actiones DokuWiki';
|
||||
$lang['disableactions_check'] = 'Verificar';
|
||||
$lang['disableactions_subscription'] = 'Subscriber/Cancellar subscription';
|
||||
$lang['disableactions_wikicode'] = 'Vider codice-fonte/Exportar texto crude';
|
||||
$lang['disableactions_other'] = 'Altere actiones (separate per commas)';
|
||||
$lang['sneaky_index'] = 'Normalmente, DokuWiki monstra tote le spatios de nomines in le vista del indice. Si iste option es active, illos ubi le usator non ha le permission de lectura essera celate. Isto pote resultar in le celamento de subspatios de nomines accessibile. Isto pote render le indice inusabile con certe configurationes de ACL.';
|
||||
$lang['auth_security_timeout'] = 'Expiration pro securitate de authentication (secundas)';
|
||||
$lang['securecookie'] = 'Debe le cookies definite via HTTPS solmente esser inviate via HTTPS per le navigator? Disactiva iste option si solmente le apertura de sessiones a tu wiki es protegite con SSL ma le navigation del wiki es facite sin securitate.';
|
||||
$lang['updatecheck'] = 'Verificar si existe actualisationes e advertimentos de securitate? DokuWiki debe contactar update.dokuwiki.org pro exequer iste function.';
|
||||
$lang['userewrite'] = 'Usar URLs nette';
|
||||
$lang['useslash'] = 'Usar le barra oblique ("/") como separator de spatios de nomines in URLs';
|
||||
$lang['usedraft'] = 'Automaticamente salveguardar un version provisori durante le modification';
|
||||
$lang['sepchar'] = 'Separator de parolas in nomines de paginas';
|
||||
$lang['canonical'] = 'Usar URLs completemente canonic';
|
||||
$lang['autoplural'] = 'Verificar si il ha formas plural in ligamines';
|
||||
$lang['compression'] = 'Methodo de compression pro files a mansarda';
|
||||
$lang['cachetime'] = 'Etate maximal pro le cache (secundas)';
|
||||
$lang['locktime'] = 'Etate maximal pro le files de serratura (secundas)';
|
||||
$lang['fetchsize'] = 'Numero maximal de bytes per file que fetch.php pote discargar de sitos externe';
|
||||
$lang['notify'] = 'Inviar notificationes de cambios a iste adresse de e-mail';
|
||||
$lang['registernotify'] = 'Inviar informationes super usatores novemente registrate a iste adresse de e-mail';
|
||||
$lang['mailfrom'] = 'Adresse de e-mail a usar pro messages automatic';
|
||||
$lang['gzip_output'] = 'Usar Content-Encoding gzip pro xhtml';
|
||||
$lang['gdlib'] = 'Version de GD Lib';
|
||||
$lang['im_convert'] = 'Cammino al programma "convert" de ImageMagick';
|
||||
$lang['jpg_quality'] = 'Qualitate del compression JPEG (0-100)';
|
||||
$lang['subscribers'] = 'Activar le possibilitate de subscriber se al paginas';
|
||||
$lang['subscribe_time'] = 'Tempore post le qual le listas de subscription e le digestos es inviate (in secundas); isto debe esser minor que le tempore specificate in recent_days.';
|
||||
$lang['compress'] = 'Compactar le output CSS e JavaScript';
|
||||
$lang['hidepages'] = 'Celar paginas correspondente (expressiones regular)';
|
||||
$lang['send404'] = 'Inviar "HTTP 404/Pagina non trovate" pro paginas non existente';
|
||||
$lang['sitemap'] = 'Generar mappa de sito Google (dies)';
|
||||
$lang['broken_iua'] = 'Es le function ignore_user_abort defectuose in tu systema? Isto pote resultar in un indice de recerca que non functiona. Vide <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a> pro plus info.';
|
||||
$lang['xsendfile'] = 'Usar le capite X-Sendfile pro lassar le servitor web livrar files static? Tu navigator del web debe supportar isto.';
|
||||
$lang['renderer_xhtml'] = 'Renditor a usar pro le output wiki principal (xhtml)';
|
||||
$lang['renderer__core'] = '%s (nucleo dokuwiki)';
|
||||
$lang['renderer__plugin'] = '%s (plug-in)';
|
||||
$lang['rememberme'] = 'Permitter cookies de session permanente (memorar me)';
|
||||
$lang['rss_type'] = 'Typo de syndication XML';
|
||||
$lang['rss_linkto'] = 'Syndication XML liga verso';
|
||||
$lang['rss_content'] = 'Que monstrar in le entratas de syndication XML?';
|
||||
$lang['rss_update'] = 'Intervallo de actualisation pro syndicationes XML (secundas)';
|
||||
$lang['recent_days'] = 'Retener quante modificationes recente? (dies)';
|
||||
$lang['rss_show_summary'] = 'Monstrar summario in titulo de syndication XML';
|
||||
$lang['target____wiki'] = 'Fenestra de destination pro ligamines interne';
|
||||
$lang['target____interwiki'] = 'Fenestra de destination pro ligamines interwiki';
|
||||
$lang['target____extern'] = 'Fenestra de destination pro ligamines externe';
|
||||
$lang['target____media'] = 'Fenestra de destination pro ligamines multimedia';
|
||||
$lang['target____windows'] = 'Fenestra de destination pro ligamines a fenestras';
|
||||
$lang['proxy____host'] = 'Nomine de servitor proxy';
|
||||
$lang['proxy____port'] = 'Porto del proxy';
|
||||
$lang['proxy____user'] = 'Nomine de usator pro le proxy';
|
||||
$lang['proxy____pass'] = 'Contrasigno pro le proxy';
|
||||
$lang['proxy____ssl'] = 'Usar SSL pro connecter al proxy';
|
||||
$lang['license_o_'] = 'Nihil seligite';
|
||||
$lang['typography_o_0'] = 'nulle';
|
||||
$lang['typography_o_1'] = 'excludente ';
|
||||
$lang['typography_o_2'] = 'includente virgulettas singule (pote non sempre functionar)';
|
||||
$lang['userewrite_o_0'] = 'nulle';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'interne a DokuWIki';
|
||||
$lang['deaccent_o_0'] = 'disactivate';
|
||||
$lang['deaccent_o_1'] = 'remover accentos';
|
||||
$lang['deaccent_o_2'] = 'romanisar';
|
||||
$lang['gdlib_o_0'] = 'GD Lib non disponibile';
|
||||
$lang['gdlib_o_1'] = 'Version 1.x';
|
||||
$lang['gdlib_o_2'] = 'Autodetection';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Abstracte';
|
||||
$lang['rss_content_o_diff'] = 'In formato Unified Diff';
|
||||
$lang['rss_content_o_htmldiff'] = 'Tabella de diff in formato HTML';
|
||||
$lang['rss_content_o_html'] = 'Contento complete del pagina in HTML';
|
||||
$lang['rss_linkto_o_diff'] = 'vista de differentias';
|
||||
$lang['rss_linkto_o_page'] = 'le pagina revidite';
|
||||
$lang['rss_linkto_o_rev'] = 'lista de versiones';
|
||||
$lang['rss_linkto_o_current'] = 'le pagina actual';
|
||||
$lang['compression_o_0'] = 'nulle';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'non usar';
|
||||
$lang['xsendfile_o_1'] = 'Capite proprietari "lighttpd" (ante version 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Capite standard "X-Sendfile"';
|
||||
$lang['xsendfile_o_3'] = 'Capite proprietari "X-Accel-Redirect" de Nginx';
|
||||
$lang['showuseras_o_loginname'] = 'Nomine de usator';
|
||||
$lang['showuseras_o_username'] = 'Nomine real del usator';
|
||||
$lang['showuseras_o_email'] = 'Adresse de e-mail del usator (offuscate secundo le configuration de Mailguard)';
|
||||
$lang['showuseras_o_email_link'] = 'Adresse de e-mail del usator como ligamine "mailto:"';
|
||||
$lang['useheading_o_0'] = 'Nunquam';
|
||||
$lang['useheading_o_navigation'] = 'Navigation solmente';
|
||||
$lang['useheading_o_content'] = 'Contento wiki solmente';
|
||||
$lang['useheading_o_1'] = 'Sempre';
|
7
projet/doku/lib/plugins/config/lang/id-ni/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/id-ni/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Fakake famöfö'ö ======
|
||||
|
||||
Plugin da'e itolo ba wangehaogö fakake moroi ba DokuWiki. Fanolo bawamöfö'ö tesöndra tou [[doku>config]]. Lala wangiila Plugin tanöbö'ö tesöndra tou ba [[doku>plugin:config]].
|
||||
|
||||
Famöfö'ö zura furi la'a soyo no laproteksi, lötesöndra bakha ba Plugin andre. Famöfö'ö zura furi la'a sobalau ya'ia wamöfö'ö sito'ölö...
|
||||
|
||||
Böi olifu ndra'ugö ba wofetugö **Irö'ö** fatua lö öröi fakake wamöfö'ö soguna bawangirö'ö wamöfö'ö safuria.
|
62
projet/doku/lib/plugins/config/lang/id-ni/lang.php
Normal file
62
projet/doku/lib/plugins/config/lang/id-ni/lang.php
Normal file
@@ -0,0 +1,62 @@
|
||||
<?php
|
||||
/**
|
||||
* idni language file
|
||||
*
|
||||
* @author Harefa <fidelis@harefa.com>
|
||||
* @author Yustinus Waruwu <juswaruwu@gmail.com>
|
||||
*/
|
||||
$lang['renderer_xhtml'] = 'Fake Renderer ba zito\'ölö (XHTML) Wiki-output.';
|
||||
$lang['renderer__core'] = '%s (dokuwiki core)';
|
||||
$lang['renderer__plugin'] = '%s (plugin)';
|
||||
$lang['rss_type'] = 'Tipe XML feed';
|
||||
$lang['rss_linkto'] = 'XML feed links khö';
|
||||
$lang['rss_content'] = 'Hadia wangoromaö nifake ba XML-Feed?';
|
||||
$lang['rss_update'] = 'XML feed (sec) inötö wamohouni';
|
||||
$lang['recent_days'] = 'Hawa\'oya laforoma\'ö moroi bazibohou? (Hari)';
|
||||
$lang['rss_show_summary'] = 'XML feed foromaö summary ba title';
|
||||
$lang['target____wiki'] = 'Lala window ba internal links';
|
||||
$lang['target____interwiki'] = 'Lala window ba interwiki links';
|
||||
$lang['target____extern'] = 'Lala window ba external links';
|
||||
$lang['target____media'] = 'Lala window ba media links';
|
||||
$lang['target____windows'] = 'Lala window ba windows links';
|
||||
$lang['proxy____host'] = 'Töi server proxy';
|
||||
$lang['proxy____port'] = 'Port proxy';
|
||||
$lang['proxy____user'] = 'Töi proxy';
|
||||
$lang['proxy____pass'] = 'Kode proxy';
|
||||
$lang['proxy____ssl'] = 'Fake ssl ba connect awö Proxy';
|
||||
$lang['typography_o_0'] = 'lö\'ö';
|
||||
$lang['typography_o_1'] = 'Ha sitombua kutip';
|
||||
$lang['typography_o_2'] = 'Fefu nikutip (itataria lömohalöwö)';
|
||||
$lang['userewrite_o_0'] = 'lö\'ö';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'DokuWiki bakha';
|
||||
$lang['deaccent_o_0'] = 'ofolai';
|
||||
$lang['deaccent_o_1'] = 'heta aksen';
|
||||
$lang['deaccent_o_2'] = 'romanize';
|
||||
$lang['gdlib_o_0'] = 'GD Lib lötesöndra';
|
||||
$lang['gdlib_o_1'] = 'Versi 1.x';
|
||||
$lang['gdlib_o_2'] = 'Otomatis';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Abstrak';
|
||||
$lang['rss_content_o_diff'] = 'Unified Diff';
|
||||
$lang['rss_content_o_htmldiff'] = 'HTML formatted diff table';
|
||||
$lang['rss_content_o_html'] = 'Fefu HTML format diff table';
|
||||
$lang['rss_linkto_o_diff'] = 'foromaö difference';
|
||||
$lang['rss_linkto_o_page'] = 'Refisi nga\'örö';
|
||||
$lang['rss_linkto_o_rev'] = 'Daftar nihaogö';
|
||||
$lang['rss_linkto_o_current'] = 'Nga\'örö safuria';
|
||||
$lang['compression_o_0'] = 'Lö\'ö';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'böi fake';
|
||||
$lang['xsendfile_o_1'] = 'Proprieteri lighttpd Header (furi Release 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Standar X-Sendfile header';
|
||||
$lang['xsendfile_o_3'] = 'Proprieteri Nginx X-Accel-Redirect header';
|
||||
$lang['showuseras_o_loginname'] = 'Töi';
|
||||
$lang['showuseras_o_username'] = 'Töi safönu';
|
||||
$lang['showuseras_o_email'] = 'Fake döi imele (obfuscated according to mailguard setting)';
|
||||
$lang['showuseras_o_email_link'] = 'Fake döi imele sifao mailto: link';
|
7
projet/doku/lib/plugins/config/lang/id/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/id/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Manajemen Konfigurasi ======
|
||||
|
||||
Gunakan halaman ini untuk mengontrol pengaturan instalasi DokuWiki anda. Untuk bantuan tentang pengaturan individual, lihat [[doku>config]]. Untuk detail lebih lanjut tentang plugin ini lihat [[doku>plugin:config]].
|
||||
|
||||
Pengaturan yang ditunjukkan dengan latar belakang merah muda dilindungi dan tidak dapat diubah dengan plugin ini. Pengaturan yang ditunjukkan dengan latar belakang biru adalah nilai bawaan (default) dan pengaturan yang ditunjukkan dengan latar belakang putih telah diatur secara lokal oleh anda. Pengaturan biru dan putih dapat diubah.
|
||||
|
||||
Ingatlah untuk menekan tombol **Simpan** sebelum meninggalkan halaman ini, jika tidak perubahan anda akan hilang.
|
60
projet/doku/lib/plugins/config/lang/is/lang.php
Normal file
60
projet/doku/lib/plugins/config/lang/is/lang.php
Normal file
@@ -0,0 +1,60 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* Icelandic language file
|
||||
*
|
||||
* @author Hrannar Baldursson <hrannar.baldursson@gmail.com>
|
||||
* @author Ólafur Gunnlaugsson <oli@audiotools.com>
|
||||
* @author Erik Bjørn Pedersen <erik.pedersen@shaw.ca>
|
||||
*/
|
||||
$lang['menu'] = 'Stillingar';
|
||||
$lang['error'] = 'Stillingum ekki breitt þar sem rangar upplýsingar voru settar inn, vinsamlegast yfirfarið stillingar merktar með rauðu';
|
||||
$lang['updated'] = 'Stillingum breitt';
|
||||
$lang['nochoice'] = '(engir aðrir valmöguleikar fyrir hendi)';
|
||||
$lang['_display'] = 'Skjástillingar';
|
||||
$lang['_anti_spam'] = 'Stillingar gegn ruslpósti';
|
||||
$lang['_editing'] = 'Útgáfastillingar';
|
||||
$lang['title'] = 'Heiti wikis';
|
||||
$lang['lang'] = 'Tungumál';
|
||||
$lang['template'] = 'Mát';
|
||||
$lang['recent'] = 'Nýlegar breytingar';
|
||||
$lang['breadcrumbs'] = 'Fjöldi brauðmolar';
|
||||
$lang['youarehere'] = 'Stigveldisá brauðmolar';
|
||||
$lang['typography'] = 'Gera stað fyrir leturgerðir';
|
||||
$lang['dformat'] = 'Dagsetningarsnið (sjá PHP-aðgerð <a href="http://php.net/strftime">strftime</a>)';
|
||||
$lang['signature'] = 'Undirskrift';
|
||||
$lang['passcrypt'] = 'Dulritunaraðferð aðgangsorðs';
|
||||
$lang['defaultgroup'] = 'Sjálfgefinn hópur';
|
||||
$lang['superuser'] = 'Hópur kerfisstjóra ';
|
||||
$lang['profileconfirm'] = 'Staðfestu breytingar með aðgangsorði';
|
||||
$lang['htmlok'] = 'Fella HTML inn';
|
||||
$lang['phpok'] = 'Fella PHP inn';
|
||||
$lang['gdlib'] = 'Útgáfa af GD Lib';
|
||||
$lang['jpg_quality'] = 'JPG gæðastilling (0-100)';
|
||||
$lang['mailfrom'] = 'Rafpóstfang fyrir sjálfvirkar póstsendingar';
|
||||
$lang['proxy____host'] = 'Heiti staðgengilsþjóns';
|
||||
$lang['proxy____port'] = 'Staðgengilstengi';
|
||||
$lang['proxy____user'] = 'Staðgengill notendanafn';
|
||||
$lang['proxy____pass'] = 'Staðgengilsaðgangsorð';
|
||||
$lang['proxy____ssl'] = 'Nýta SSL til að tengjast staðgengill';
|
||||
$lang['license_o_'] = 'Ekkert valið';
|
||||
$lang['typography_o_0'] = 'engin';
|
||||
$lang['userewrite_o_0'] = 'engin';
|
||||
$lang['deaccent_o_0'] = 'slökkt';
|
||||
$lang['deaccent_o_1'] = 'fjarlægja broddi';
|
||||
$lang['deaccent_o_2'] = 'gera rómverskt';
|
||||
$lang['gdlib_o_0'] = 'GD Lib ekki til staðar';
|
||||
$lang['gdlib_o_1'] = 'Útgáfa 1,x';
|
||||
$lang['gdlib_o_2'] = 'Sjálfvirk leit';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0,91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1,0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2,0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0,3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1,0';
|
||||
$lang['compression_o_0'] = 'engin';
|
||||
$lang['showuseras_o_loginname'] = 'Innskránafn';
|
||||
$lang['showuseras_o_username'] = 'Fullt notendanafn';
|
||||
$lang['useheading_o_0'] = 'Aldrei';
|
||||
$lang['useheading_o_1'] = 'Alltaf';
|
7
projet/doku/lib/plugins/config/lang/it/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/it/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Configurazione Wiki ======
|
||||
|
||||
Usa questa pagina per gestire la configurazione della tua installazione DokuWiki. Per la guida sulle singole impostazioni fai riferimento alla pagina [[doku>config|Configurazione]]. Per ulteriori dettagli su questo plugin vedi [[doku>plugin:config|Plugin di configurazione]].
|
||||
|
||||
Le impostazioni con lo sfondo rosso chiaro sono protette e non possono essere modificate con questo plugin. Le impostazioni con lo sfondo blu contengono i valori predefiniti, e le impostazioni con lo sfondo bianco sono relative solo a questa particolare installazione. Sia le impostazioni su sfondo blu che quelle su sfondo bianco possono essere modificate.
|
||||
|
||||
Ricordati di premere il pulsante **SALVA** prima di lasciare questa pagina altrimenti le modifiche andranno perse.
|
221
projet/doku/lib/plugins/config/lang/it/lang.php
Normal file
221
projet/doku/lib/plugins/config/lang/it/lang.php
Normal file
@@ -0,0 +1,221 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Filippo <abrickslife@gmail.com>
|
||||
* @author Roberto Bellingeri <bellingeri@netguru.it>
|
||||
* @author Eddy <eddy@mail.it>
|
||||
* @author Riccardo <riccardo.furlato@gmail.com>
|
||||
* @author Stefano <stefano.stefano@gmail.com>
|
||||
* @author damiano <damiano@spagnuolo.eu>
|
||||
* @author Torpedo <dgtorpedo@gmail.com>
|
||||
* @author Christopher Smith <chris@jalakai.co.uk>
|
||||
* @author Silvia Sargentoni <polinnia@tin.it>
|
||||
* @author Pietro Battiston <toobaz@email.it>
|
||||
* @author Lorenzo Breda <lbreda@gmail.com>
|
||||
* @author robocap <robocap1@gmail.com>
|
||||
* @author Jacopo Corbetta <jacopo.corbetta@gmail.com>
|
||||
* @author Matteo Pasotti <matteo@xquiet.eu>
|
||||
* @author Paolo <paolopoz12@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'Configurazione Wiki';
|
||||
$lang['error'] = 'Impostazioni non aggiornate a causa di un valore non corretto, controlla le modifiche apportate e salva di nuovo.
|
||||
<br />I valori non corretti sono evidenziati da un riquadro rosso.';
|
||||
$lang['updated'] = 'Aggiornamento impostazioni riuscito.';
|
||||
$lang['nochoice'] = '(nessun\'altra scelta disponibile)';
|
||||
$lang['locked'] = 'Il file di configurazione non può essere aggiornato, se questo non è intenzionale, <br />
|
||||
assicurati che il nome e i permessi del file contenente la configurazione locale siano corretti.';
|
||||
$lang['danger'] = 'Attenzione: cambiare questa opzione può rendere inaccessibile il wiki e il menu di configurazione.';
|
||||
$lang['warning'] = 'Avviso: cambiare questa opzione può causare comportamenti indesiderati.';
|
||||
$lang['security'] = 'Avviso di sicurezza: vambiare questa opzione può esporre a rischi di sicurezza.';
|
||||
$lang['_configuration_manager'] = 'Configurazione Wiki';
|
||||
$lang['_header_dokuwiki'] = 'Impostazioni DokuWiki';
|
||||
$lang['_header_plugin'] = 'Impostazioni Plugin';
|
||||
$lang['_header_template'] = 'Impostazioni Modello';
|
||||
$lang['_header_undefined'] = 'Impostazioni non definite';
|
||||
$lang['_basic'] = 'Impostazioni Base';
|
||||
$lang['_display'] = 'Impostazioni Visualizzazione';
|
||||
$lang['_authentication'] = 'Impostazioni Autenticazione';
|
||||
$lang['_anti_spam'] = 'Impostazioni Anti-Spam';
|
||||
$lang['_editing'] = 'Impostazioni Modifica';
|
||||
$lang['_links'] = 'Impostazioni Collegamenti';
|
||||
$lang['_media'] = 'Impostazioni File';
|
||||
$lang['_notifications'] = 'Impostazioni di notifica';
|
||||
$lang['_syndication'] = 'Impostazioni di collaborazione';
|
||||
$lang['_advanced'] = 'Impostazioni Avanzate';
|
||||
$lang['_network'] = 'Impostazioni Rete';
|
||||
$lang['_msg_setting_undefined'] = 'Nessun metadato definito.';
|
||||
$lang['_msg_setting_no_class'] = 'Nessuna classe definita.';
|
||||
$lang['_msg_setting_no_known_class'] = 'Classe di impostazioni non disponibile.';
|
||||
$lang['_msg_setting_no_default'] = 'Nessun valore predefinito.';
|
||||
$lang['title'] = 'Titolo del wiki';
|
||||
$lang['start'] = 'Nome della pagina iniziale';
|
||||
$lang['lang'] = 'Lingua';
|
||||
$lang['template'] = 'Modello';
|
||||
$lang['tagline'] = 'Tagline (se il template lo supporta)';
|
||||
$lang['sidebar'] = 'Nome pagina in barra laterale (se il template lo supporta), il campo vuoto disabilita la barra laterale';
|
||||
$lang['license'] = 'Sotto quale licenza vorresti rilasciare il tuo contenuto?';
|
||||
$lang['savedir'] = 'Directory per il salvataggio dei dati';
|
||||
$lang['basedir'] = 'Directory di base';
|
||||
$lang['baseurl'] = 'URL di base';
|
||||
$lang['cookiedir'] = 'Percorso cookie. Lascia in bianco per usare baseurl.';
|
||||
$lang['dmode'] = 'Permessi per le nuove directory';
|
||||
$lang['fmode'] = 'Permessi per i nuovi file';
|
||||
$lang['allowdebug'] = 'Abilita il debug <b>(disabilitare se non serve!)</b>';
|
||||
$lang['recent'] = 'Ultime modifiche';
|
||||
$lang['recent_days'] = 'Quante modifiche recenti tenere (giorni)';
|
||||
$lang['breadcrumbs'] = 'Numero di breadcrumb';
|
||||
$lang['youarehere'] = 'Breadcrumb gerarchici';
|
||||
$lang['fullpath'] = 'Mostra il percorso completo delle pagine';
|
||||
$lang['typography'] = 'Abilita la sostituzione tipografica';
|
||||
$lang['dformat'] = 'Formato delle date (vedi la funzione <a href="http://php.net/strftime">strftime</a> di PHP)';
|
||||
$lang['signature'] = 'Firma';
|
||||
$lang['showuseras'] = 'Cosa visualizzare quando si mostra l\'ultimo utente che ha modificato una pagina';
|
||||
$lang['toptoclevel'] = 'Livello superiore per l\'indice';
|
||||
$lang['tocminheads'] = 'Ammontare minimo di intestazioni che determinano la creazione del TOC';
|
||||
$lang['maxtoclevel'] = 'Numero massimo di livelli per l\'indice';
|
||||
$lang['maxseclevel'] = 'Livello massimo per le sezioni modificabili';
|
||||
$lang['camelcase'] = 'Usa CamelCase per i collegamenti';
|
||||
$lang['deaccent'] = 'Pulizia dei nomi di pagina';
|
||||
$lang['useheading'] = 'Usa la prima intestazione come nome di pagina';
|
||||
$lang['sneaky_index'] = 'Normalmente, DokuWiki mostra tutte le categorie nella vista indice. Abilitando questa opzione, saranno nascoste quelle per cui l\'utente non ha il permesso in lettura. Questo potrebbe far sì che alcune sottocategorie accessibili siano nascoste. La pagina indice potrebbe quindi diventare inutilizzabile con alcune configurazioni dell\'ACL.';
|
||||
$lang['hidepages'] = 'Nascondi le pagine che soddisfano la condizione (inserire un\'espressione regolare)';
|
||||
$lang['useacl'] = 'Usa lista di controllo accessi (ACL)';
|
||||
$lang['autopasswd'] = 'Genera password in automatico';
|
||||
$lang['authtype'] = 'Sistema di autenticazione';
|
||||
$lang['passcrypt'] = 'Metodo di cifratura password';
|
||||
$lang['defaultgroup'] = 'Gruppo predefinito';
|
||||
$lang['superuser'] = 'Amministratore - gruppo, utente o elenco di utenti separati da virgole (user1,@group1,user2) con accesso completo a tutte le pagine e le funzioni che riguardano le impostazioni ACL';
|
||||
$lang['manager'] = 'Gestore - gruppo, utente o elenco di utenti separati da virgole (user1,@group1,user2) con accesso a determinate funzioni di gestione';
|
||||
$lang['profileconfirm'] = 'Richiedi la password per modifiche al profilo';
|
||||
$lang['rememberme'] = 'Permetti i cookies di accesso permanenti (ricordami)';
|
||||
$lang['disableactions'] = 'Disabilita azioni DokuWiki';
|
||||
$lang['disableactions_check'] = 'Controlla';
|
||||
$lang['disableactions_subscription'] = 'Sottoscrivi/Rimuovi sottoscrizione';
|
||||
$lang['disableactions_wikicode'] = 'Mostra sorgente/Esporta Raw';
|
||||
$lang['disableactions_profile_delete'] = 'Elimina il proprio account';
|
||||
$lang['disableactions_other'] = 'Altre azioni (separate da virgola)';
|
||||
$lang['disableactions_rss'] = 'XML Syndication (RSS)';
|
||||
$lang['auth_security_timeout'] = 'Tempo di sicurezza per l\'autenticazione (secondi)';
|
||||
$lang['securecookie'] = 'Devono i cookies impostati tramite HTTPS essere inviati al browser solo tramite HTTPS? Disattiva questa opzione solo quando l\'accesso al tuo wiki viene effettuato con il protocollo SSL ma la navigazione del wiki non risulta sicura.';
|
||||
$lang['remote'] = 'Abilita il sistema di API remoto. Questo permette ad altre applicazioni di accedere al wiki tramite XML-RPC o altri meccanismi.';
|
||||
$lang['remoteuser'] = 'Restringi l\'accesso dell\'aPI remota ai gruppi o utenti qui specificati separati da virgola. Lascia vuoto per dare accesso a chiunque.';
|
||||
$lang['usewordblock'] = 'Blocca lo spam in base alla blacklist';
|
||||
$lang['relnofollow'] = 'Usa rel="nofollow" nei collegamenti esterni';
|
||||
$lang['indexdelay'] = 'Intervallo di tempo prima dell\'indicizzazione';
|
||||
$lang['mailguard'] = 'Oscuramento indirizzi email';
|
||||
$lang['iexssprotect'] = 'Controlla i file caricati in cerca di possibile codice JavaScript o HTML maligno.';
|
||||
$lang['usedraft'] = 'Salva una bozza in automatico in fase di modifica';
|
||||
$lang['htmlok'] = 'Consenti HTML incorporato';
|
||||
$lang['phpok'] = 'Consenti PHP incorporato';
|
||||
$lang['locktime'] = 'Durata dei file di lock (sec)';
|
||||
$lang['cachetime'] = 'Durata della cache (sec)';
|
||||
$lang['target____wiki'] = 'Finestra di destinazione per i collegamenti interni';
|
||||
$lang['target____interwiki'] = 'Finestra di destinazione per i collegamenti interwiki';
|
||||
$lang['target____extern'] = 'Finestra di destinazione per i collegamenti esterni';
|
||||
$lang['target____media'] = 'Finestra di destinazione per i collegamenti ai file';
|
||||
$lang['target____windows'] = 'Finestra di destinazione per i collegamenti alle risorse condivise';
|
||||
$lang['mediarevisions'] = 'Abilita Mediarevisions?';
|
||||
$lang['refcheck'] = 'Controlla i riferimenti ai file';
|
||||
$lang['gdlib'] = 'Versione GD Lib ';
|
||||
$lang['im_convert'] = 'Percorso per il convertitore di ImageMagick';
|
||||
$lang['jpg_quality'] = 'Qualità di compressione JPG (0-100)';
|
||||
$lang['fetchsize'] = 'Dimensione massima (bytes) scaricabile da fetch.php da extern';
|
||||
$lang['subscribers'] = 'Permetti agli utenti la sottoscrizione alle modifiche delle pagine via e-mail';
|
||||
$lang['subscribe_time'] = 'Tempo dopo il quale le liste di sottoscrizione e i riassunti vengono inviati (sec); Dovrebbe essere inferiore al tempo specificato in recent_days.';
|
||||
$lang['notify'] = 'Invia notifiche sulle modifiche a questo indirizzo';
|
||||
$lang['registernotify'] = 'Invia informazioni sui nuovi utenti registrati a questo indirizzo email';
|
||||
$lang['mailfrom'] = 'Mittente per le mail automatiche';
|
||||
$lang['mailreturnpath'] = 'Indirizzo email destinatario per notifica di mancati recapiti';
|
||||
$lang['mailprefix'] = 'Prefisso da inserire nell\'oggetto delle mail automatiche';
|
||||
$lang['htmlmail'] = 'Invia email HTML multipart più gradevoli ma più ingombranti in dimensione. Disabilita per mail in puro testo.';
|
||||
$lang['sitemap'] = 'Genera una sitemap Google (giorni)';
|
||||
$lang['rss_type'] = 'Tipo di feed XML';
|
||||
$lang['rss_linkto'] = 'Collega i feed XML a';
|
||||
$lang['rss_content'] = 'Cosa mostrare negli elementi dei feed XML?';
|
||||
$lang['rss_update'] = 'Intervallo di aggiornamento dei feed XML (sec)';
|
||||
$lang['rss_show_summary'] = 'I feed XML riportano un sommario nel titolo';
|
||||
$lang['rss_show_deleted'] = 'Feed XML mostra feed cancellati';
|
||||
$lang['rss_media'] = 'Quale tipo di cambiamento dovrebbe essere elencato nel feed XML?';
|
||||
$lang['rss_media_o_both'] = 'entrambi';
|
||||
$lang['rss_media_o_pages'] = 'pagine';
|
||||
$lang['rss_media_o_media'] = 'media';
|
||||
$lang['updatecheck'] = 'Controllare aggiornamenti e avvisi di sicurezza? DokuWiki deve contattare update.dokuwiki.org per questa funzione.';
|
||||
$lang['userewrite'] = 'Usa il rewrite delle URL';
|
||||
$lang['useslash'] = 'Usa la barra rovescia (slash) come separatore nelle URL';
|
||||
$lang['sepchar'] = 'Separatore di parole nei nomi di pagina';
|
||||
$lang['canonical'] = 'Usa URL canoniche';
|
||||
$lang['fnencode'] = 'Metodo per codificare i filenames non-ASCII.';
|
||||
$lang['autoplural'] = 'Controlla il plurale nei collegamenti';
|
||||
$lang['compression'] = 'Usa la compressione per i file dell\'archivio';
|
||||
$lang['gzip_output'] = 'Usa il Content-Encoding gzip per xhtml';
|
||||
$lang['compress'] = 'Comprimi i file CSS e javascript';
|
||||
$lang['cssdatauri'] = 'Dimensione massima in byte di un\'immagine che può essere integrata nel CSS per ridurre l\'overhead delle richieste HTTP. Da <code>400</code> a <code>600</code> bytes è un buon valore. Impostare a <code>0</code> per disabilitare.';
|
||||
$lang['send404'] = 'Invia "HTTP 404/Pagina non trovata" per le pagine inesistenti';
|
||||
$lang['broken_iua'] = 'La funzione ignore_user_abort non funziona sul tuo sistema? Questo potrebbe far sì che l\'indice di ricerca sia inutilizzabile. È noto che nella configurazione IIS+PHP/CGI non funziona. Vedi il<a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a> per maggiori informazioni.';
|
||||
$lang['xsendfile'] = 'Usare l\'header X-Sendfile per permettere al webserver di fornire file statici? Questa funzione deve essere supportata dal tuo webserver.';
|
||||
$lang['renderer_xhtml'] = 'Renderer da usare per la visualizzazione del wiki (xhtml)';
|
||||
$lang['renderer__core'] = '%s (dokuwiki)';
|
||||
$lang['renderer__plugin'] = '%s (plugin)';
|
||||
$lang['search_nslimit'] = 'Limita la ricerca agli attuali spazi dei nomi X. Quando una ricerca viene eseguita da una pagina all\'interno di uno spazio dei nomi più profondo, i primi spazi dei nomi X verranno aggiunti come filtro';
|
||||
$lang['search_fragment'] = 'Specificare il comportamento di ricerca del frammento predefinito';
|
||||
$lang['search_fragment_o_exact'] = 'esatto';
|
||||
$lang['search_fragment_o_starts_with'] = 'inizia con';
|
||||
$lang['search_fragment_o_ends_with'] = 'finisce con';
|
||||
$lang['search_fragment_o_contains'] = 'contiene';
|
||||
$lang['_feature_flags'] = 'Segnalazione di feature';
|
||||
$lang['dnslookups'] = 'Dokuwiki farà il lookup dei nomi host per ricavare l\'indirizzo IP remoto degli utenti che modificano le pagine. Se hai un DNS lento o non funzionante o se non vuoi questa funzione, disabilita l\'opzione';
|
||||
$lang['jquerycdn'] = 'Vuoi che gli script jQuery e jQuery UI siano caricati da una CDN? Questo richiederà richieste HTTP aggiuntive ma i file potrebbero caricarsi più velocemente e gli utenti potrebbero averli già in cache.';
|
||||
$lang['jquerycdn_o_0'] = 'Nessuna CDN, solo consegna locale';
|
||||
$lang['jquerycdn_o_jquery'] = 'CDN presso code.jquery.com';
|
||||
$lang['jquerycdn_o_cdnjs'] = 'CDN presso cdnjs.com';
|
||||
$lang['proxy____host'] = 'Nome server proxy';
|
||||
$lang['proxy____port'] = 'Porta proxy';
|
||||
$lang['proxy____user'] = 'Nome utente proxy';
|
||||
$lang['proxy____pass'] = 'Password proxy';
|
||||
$lang['proxy____ssl'] = 'Usa SSL per connetterti al proxy';
|
||||
$lang['proxy____except'] = 'Espressioni regolari per far corrispondere le URLs per i quali i proxy dovrebbero essere ommessi.';
|
||||
$lang['license_o_'] = 'Nessuna scelta';
|
||||
$lang['typography_o_0'] = 'nessuno';
|
||||
$lang['typography_o_1'] = 'Solo virgolette';
|
||||
$lang['typography_o_2'] = 'Tutti (potrebbe non funzionare sempre)';
|
||||
$lang['userewrite_o_0'] = 'nessuno';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'DokuWiki';
|
||||
$lang['deaccent_o_0'] = 'disabilitata';
|
||||
$lang['deaccent_o_1'] = 'rimuovi gli accenti';
|
||||
$lang['deaccent_o_2'] = 'romanizza';
|
||||
$lang['gdlib_o_0'] = 'GD Lib non disponibile';
|
||||
$lang['gdlib_o_1'] = 'Versione 1.x';
|
||||
$lang['gdlib_o_2'] = 'Rileva automaticamente';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Sunto';
|
||||
$lang['rss_content_o_diff'] = 'Diff unificata';
|
||||
$lang['rss_content_o_htmldiff'] = 'Tabella delle diff formattata HTML';
|
||||
$lang['rss_content_o_html'] = 'Tutto il contenuto della pagina in HTML';
|
||||
$lang['rss_linkto_o_diff'] = 'vista differenze';
|
||||
$lang['rss_linkto_o_page'] = 'pagina revisionata';
|
||||
$lang['rss_linkto_o_rev'] = 'elenco revisioni';
|
||||
$lang['rss_linkto_o_current'] = 'pagina attuale';
|
||||
$lang['compression_o_0'] = 'nessuna';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'non usare';
|
||||
$lang['xsendfile_o_1'] = 'Header proprietario lighttpd (prima della versione 1.5)';
|
||||
$lang['xsendfile_o_2'] = 'Header standard X-Sendfile';
|
||||
$lang['xsendfile_o_3'] = 'Header proprietario Nginx X-Accel-Redirect';
|
||||
$lang['showuseras_o_loginname'] = 'Nome utente';
|
||||
$lang['showuseras_o_username'] = 'Nome completo dell\'utente';
|
||||
$lang['showuseras_o_username_link'] = 'Nome completo dell\'utente come link interwiki';
|
||||
$lang['showuseras_o_email'] = 'Indirizzo email dell\'utente (offuscato in base alle impostazioni di sicurezza posta)';
|
||||
$lang['showuseras_o_email_link'] = 'Indirizzo email dell\'utente come collegamento mailto:';
|
||||
$lang['useheading_o_0'] = 'Mai';
|
||||
$lang['useheading_o_navigation'] = 'Solo navigazione';
|
||||
$lang['useheading_o_content'] = 'Solo contenuto wiki';
|
||||
$lang['useheading_o_1'] = 'Sempre';
|
||||
$lang['readdircache'] = 'Tempo massimo per le readdir cache (sec)';
|
11
projet/doku/lib/plugins/config/lang/ja/intro.txt
Normal file
11
projet/doku/lib/plugins/config/lang/ja/intro.txt
Normal file
@@ -0,0 +1,11 @@
|
||||
====== 設定管理 ======
|
||||
|
||||
この画面で、Dokuwikiの設定を管理することが出来ます。
|
||||
個々の設定に関しては[[doku>ja:config|DokuWiki の設定]]を参照してください。
|
||||
このプラグインに関する詳細な情報は[[doku>ja:plugin:config|設定管理プラグイン]]を参照してください。
|
||||
|
||||
背景が薄い赤の場合、その設定は保護されており、本プラグインを通して変更することは出来ません。
|
||||
背景が青の場合はデフォルト設定、背景が白の場合はサイト固有の設定になっており、どちらの場合でも変更が可能です。
|
||||
|
||||
設定の変更後は必ず **保存** ボタンを押して変更を確定してください。
|
||||
ボタンを押さなかった場合、変更は破棄されます。
|
218
projet/doku/lib/plugins/config/lang/ja/lang.php
Normal file
218
projet/doku/lib/plugins/config/lang/ja/lang.php
Normal file
@@ -0,0 +1,218 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author HokkaidoPerson <dosankomali@yahoo.co.jp>
|
||||
* @author lempel <riverlempel@hotmail.com>
|
||||
* @author Yuji Takenaka <webmaster@davilin.com>
|
||||
* @author Christopher Smith <chris@jalakai.co.uk>
|
||||
* @author Ikuo Obataya <i.obataya@gmail.com>
|
||||
* @author Daniel Dupriest <kououken@gmail.com>
|
||||
* @author Kazutaka Miyasaka <kazmiya@gmail.com>
|
||||
* @author Taisuke Shimamoto <dentostar@gmail.com>
|
||||
* @author Satoshi Sahara <sahara.satoshi@gmail.com>
|
||||
* @author Hideaki SAWADA <chuno@live.jp>
|
||||
*/
|
||||
$lang['menu'] = 'サイト設定';
|
||||
$lang['error'] = '不正な値が存在するため、設定は更新されませんでした。入力値を確認してから、再度更新してください。
|
||||
<br />不正な値が入力されている項目は赤い線で囲まれています。';
|
||||
$lang['updated'] = '設定は正しく更新されました。';
|
||||
$lang['nochoice'] = '(他の選択肢はありません)';
|
||||
$lang['locked'] = '設定用ファイルを更新できません。もし意図して変更不可にしているのでなければ、<br />
|
||||
ローカル設定ファイルの名前と権限を確認して下さい。';
|
||||
$lang['danger'] = '危険:この設定を変更するとウィキや設定管理画面にアクセスできなくなる恐れがあります。';
|
||||
$lang['warning'] = '注意:この設定を変更すると意図しない動作につながる可能性があります。';
|
||||
$lang['security'] = 'セキュリティ警告:この設定を変更するとセキュリティに悪影響する恐れがあります。';
|
||||
$lang['_configuration_manager'] = '設定管理';
|
||||
$lang['_header_dokuwiki'] = 'DokuWiki';
|
||||
$lang['_header_plugin'] = 'プラグイン';
|
||||
$lang['_header_template'] = 'テンプレート';
|
||||
$lang['_header_undefined'] = 'その他';
|
||||
$lang['_basic'] = '基本';
|
||||
$lang['_display'] = '表示';
|
||||
$lang['_authentication'] = '認証';
|
||||
$lang['_anti_spam'] = 'スパム対策';
|
||||
$lang['_editing'] = '編集';
|
||||
$lang['_links'] = 'リンク';
|
||||
$lang['_media'] = 'メディア';
|
||||
$lang['_notifications'] = '通知設定';
|
||||
$lang['_syndication'] = '配信設定(RSS)';
|
||||
$lang['_advanced'] = '高度な設定';
|
||||
$lang['_network'] = 'ネットワーク';
|
||||
$lang['_msg_setting_undefined'] = '設定のためのメタデータがありません。';
|
||||
$lang['_msg_setting_no_class'] = '設定クラスがありません。';
|
||||
$lang['_msg_setting_no_known_class'] = 'クラス設定が利用出来ません。';
|
||||
$lang['_msg_setting_no_default'] = '初期値が設定されていません。';
|
||||
$lang['title'] = 'Wikiタイトル(あなたのWikiの名前)';
|
||||
$lang['start'] = 'スタートページ名(各名前空間の始点として使われるページ名)';
|
||||
$lang['lang'] = '使用言語';
|
||||
$lang['template'] = 'テンプレート(Wikiのデザイン)';
|
||||
$lang['tagline'] = 'キャッチフレーズ(テンプレートが対応している場合に有効)';
|
||||
$lang['sidebar'] = 'サイドバー用ページ名(テンプレートが対応している場合に有効。空欄でサイドバーを無効化します。)';
|
||||
$lang['license'] = '作成した内容をどのライセンスでリリースするか';
|
||||
$lang['savedir'] = 'データ保存用のディレクトリ';
|
||||
$lang['basedir'] = 'サーバのパス (例: <code>/dokuwiki/</code>)<br>空欄にすると自動的に検出します。';
|
||||
$lang['baseurl'] = 'サーバの URL (例: <code>http://www.yourserver.com</code>)<br>空欄にすると自動的に検出します。';
|
||||
$lang['cookiedir'] = 'Cookie のパス(空欄にすると baseurl を使用します。)';
|
||||
$lang['dmode'] = 'フォルダ作成マスク';
|
||||
$lang['fmode'] = 'ファイル作成マスク';
|
||||
$lang['allowdebug'] = 'デバッグモード(<b>必要で無いときは無効にしてください</b>)';
|
||||
$lang['recent'] = '最近の変更で1ページごとに表示する数';
|
||||
$lang['recent_days'] = '最近の変更とする期間(日数)';
|
||||
$lang['breadcrumbs'] = 'トレース(パンくず)表示数(0で無効化します)';
|
||||
$lang['youarehere'] = '現在位置を表示(こちらをオンにする場合、恐らく、上のオプションをオフにしたいとも思うでしょう)';
|
||||
$lang['fullpath'] = 'ページのフッターに絶対パスを表示';
|
||||
$lang['typography'] = 'タイポグラフィー変換';
|
||||
$lang['dformat'] = '日付フォーマット(PHPの<a href="http://php.net/strftime">strftime</a>関数を参照)';
|
||||
$lang['signature'] = 'エディターの署名ボタンで挿入する内容';
|
||||
$lang['showuseras'] = '最終編集者の情報として表示する内容';
|
||||
$lang['toptoclevel'] = '目次のトップレベル見出し';
|
||||
$lang['tocminheads'] = '目次を生成する最小見出し数';
|
||||
$lang['maxtoclevel'] = '目次に表示する最大レベルの見出し';
|
||||
$lang['maxseclevel'] = '部分編集を有効にする最大レベルの見出し';
|
||||
$lang['camelcase'] = 'キャメルケースリンクを使う';
|
||||
$lang['deaccent'] = 'ページ名の変換方法';
|
||||
$lang['useheading'] = '最初の見出しをページ名とする';
|
||||
$lang['sneaky_index'] = 'デフォルトでは索引にすべての名前空間を表示しますが、このオプションを有効にすると、ユーザーに閲覧権限のない名前空間を非表示にします。ただし、閲覧が可能な副名前空間まで表示されなくなるため、ACLの設定が適正でない場合は索引機能が使えなくなる場合があります。';
|
||||
$lang['hidepages'] = '検索、サイトマップ、その他の自動インデックスの結果に表示しないページ';
|
||||
$lang['useacl'] = 'アクセス管理(ACL)を行う';
|
||||
$lang['autopasswd'] = 'パスワードの自動生成';
|
||||
$lang['authtype'] = '認証方法';
|
||||
$lang['passcrypt'] = '暗号化方法';
|
||||
$lang['defaultgroup'] = 'デフォルトグループ(全てのユーザーがこのグループに属します。)';
|
||||
$lang['superuser'] = 'スーパーユーザー(ACL設定に関わらず全てのページと機能へのアクセス権を有します。グループ、ユーザー、もしくはそれらをカンマ区切りしたリスト(例:user1,@group1,user2)を入力して下さい。)';
|
||||
$lang['manager'] = 'マネージャー(特定の管理機能へのアクセス権を有します。グループ、ユーザー、もしくはそれらをカンマ区切りしたリスト(例:user1,@group1,user2)を入力して下さい。)';
|
||||
$lang['profileconfirm'] = 'プロフィール変更時に現在のパスワードを要求';
|
||||
$lang['rememberme'] = 'ログイン用クッキーを永久に保持することを許可(ログインを保持)';
|
||||
$lang['disableactions'] = 'DokuWiki の動作を無効にする';
|
||||
$lang['disableactions_check'] = 'チェック';
|
||||
$lang['disableactions_subscription'] = '変更履歴配信の登録・解除';
|
||||
$lang['disableactions_wikicode'] = 'ソース閲覧 / 生データ出力';
|
||||
$lang['disableactions_profile_delete'] = '自分のアカウントの抹消';
|
||||
$lang['disableactions_other'] = 'その他の動作(カンマ区切り)';
|
||||
$lang['disableactions_rss'] = 'XML 配信(RSS)';
|
||||
$lang['auth_security_timeout'] = '認証タイムアウト設定(秒)';
|
||||
$lang['securecookie'] = 'クッキーをHTTPSにてセットする場合は、ブラウザよりHTTPS経由で送信された場合にみに制限する(ログインのみをSSLで行う場合は、この機能を無効にしてください。)';
|
||||
$lang['remote'] = 'リモートAPIを有効化(有効化するとXML-RPCまたは他の手段でwikiにアプリケーションがアクセスすることを許可します。)';
|
||||
$lang['remoteuser'] = 'リモートAPIへのアクセス許可(カンマ区切りで指定されたグループ、またはユーザーに対してのみ許可します。空白の場合は、すべてのユーザにアクセスを許可します。)';
|
||||
$lang['usewordblock'] = '単語リストに基づくスパムブロック';
|
||||
$lang['relnofollow'] = '外部リンクにrel="ugc nofollow"を付加';
|
||||
$lang['indexdelay'] = 'インデックスを許可(何秒後)';
|
||||
$lang['mailguard'] = 'メールアドレス保護';
|
||||
$lang['iexssprotect'] = 'アップロードファイルに悪意のあるJavaScriptやHTMLが含まれていないかチェックする';
|
||||
$lang['usedraft'] = '編集中の自動保存(ドラフト)機能を使用';
|
||||
$lang['htmlok'] = 'HTML埋め込みを許可する';
|
||||
$lang['phpok'] = 'PHP埋め込みを許可する';
|
||||
$lang['locktime'] = 'ファイルロック期限(秒)';
|
||||
$lang['cachetime'] = 'キャッシュ保持時間(秒)';
|
||||
$lang['target____wiki'] = '内部リンクのtarget属性';
|
||||
$lang['target____interwiki'] = 'InterWikiリンクのtarget属性';
|
||||
$lang['target____extern'] = '外部リンクのtarget属性';
|
||||
$lang['target____media'] = 'メディアリンクのtarget属性';
|
||||
$lang['target____windows'] = 'Windowsリンクのtarget属性';
|
||||
$lang['mediarevisions'] = 'メディアファイルの履歴を有効にする';
|
||||
$lang['refcheck'] = 'メディアファイルを削除する前に、それがまだ使われているかどうかチェックする';
|
||||
$lang['gdlib'] = 'GDlibバージョン';
|
||||
$lang['im_convert'] = 'ImageMagick変換ツールへのパス';
|
||||
$lang['jpg_quality'] = 'JPG圧縮品質(0-100)';
|
||||
$lang['fetchsize'] = 'fetch.phpが外部URLからダウンロードする内容(キャッシュ保存や、外部イメージのリサイズなど)の最大サイズ(バイト数指定)';
|
||||
$lang['subscribers'] = 'ユーザーがEメールで更新通知を受ける機能を有効にする';
|
||||
$lang['subscribe_time'] = '購読リストと概要を送信する期間(秒)<br>「最近の変更とする期間(recent_days)」で指定した期間より小さくしてください。';
|
||||
$lang['notify'] = '変更を常に通知する送信先メールアドレス';
|
||||
$lang['registernotify'] = '新規ユーザー登録を常に通知する送信先メールアドレス';
|
||||
$lang['mailfrom'] = 'メール自動送信時の送信元アドレス';
|
||||
$lang['mailreturnpath'] = '不届き通知を受け取るメールアドレス';
|
||||
$lang['mailprefix'] = '自動メールの題名に使用する接頭語(空欄の場合、Wikiタイトルが使用されます。)';
|
||||
$lang['htmlmail'] = 'メールをテキスト形式ではなく、HTML形式で送信する(見た目は良くなりますが、サイズは大きくなります。このオプションを無効にすると、プレーンテキストのみのメールを送信します。)';
|
||||
$lang['sitemap'] = 'Googleサイトマップ作成頻度(日数。0で無効化します。)';
|
||||
$lang['rss_type'] = 'XMLフィード形式';
|
||||
$lang['rss_linkto'] = 'XMLフィード内リンク先';
|
||||
$lang['rss_content'] = 'XMLフィードに表示する内容';
|
||||
$lang['rss_update'] = 'XMLフィードの更新間隔(秒)';
|
||||
$lang['rss_show_summary'] = 'XMLフィードのタイトルに概要を表示';
|
||||
$lang['rss_show_deleted'] = '削除されたフィードを含める';
|
||||
$lang['rss_media'] = 'XMLフィードで、どんな種類の変更を記載するか';
|
||||
$lang['rss_media_o_both'] = '両方';
|
||||
$lang['rss_media_o_pages'] = 'ページ';
|
||||
$lang['rss_media_o_media'] = 'メディア';
|
||||
$lang['updatecheck'] = 'DokuWikiの更新とセキュリティに関する情報をチェックする(この機能は update.dokuwiki.org への接続が必要です。)';
|
||||
$lang['userewrite'] = 'URLの書き換え';
|
||||
$lang['useslash'] = 'URL上の名前空間の区切りにスラッシュを使用';
|
||||
$lang['sepchar'] = 'ページ名の単語区切り文字';
|
||||
$lang['canonical'] = 'canonical URL(正準URL)を使用';
|
||||
$lang['fnencode'] = '非アスキーファイル名のエンコーディング方法';
|
||||
$lang['autoplural'] = 'リンク内での自動複数形処理';
|
||||
$lang['compression'] = 'アーカイブファイルの圧縮方法';
|
||||
$lang['gzip_output'] = 'xhtmlに対するコンテンツ圧縮(gzip)を使用';
|
||||
$lang['compress'] = 'CSSとJavaScriptを圧縮';
|
||||
$lang['cssdatauri'] = 'HTTP リクエスト数によるオーバーヘッドを減らすため、CSS ファイルから参照される画像ファイルのサイズがここで指定するバイト数以内の場合は CSS ファイル内に Data URI として埋め込みます。 <code>400</code> から <code>600</code> バイトがちょうどよい値です。<code>0</code> を指定すると埋め込み処理は行われません。';
|
||||
$lang['send404'] = '文書が存在しないページに"HTTP404/Page Not Found"を使用';
|
||||
$lang['broken_iua'] = 'お使いのシステムのignore_user_abort関数が故障している場合、このオプションを有効にして下さい。そのままだと、検索インデックスが動作しない可能性があります。IIS+PHP/CGIの組み合わせで破損することが判明しています。詳しくは<a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a>を参照してください。';
|
||||
$lang['xsendfile'] = 'ウェブサーバーが静的ファイルを生成する際に X-Sendfile ヘッダーを使用する(お使いのウェブサーバーがこの機能をサポートしている必要があります。)';
|
||||
$lang['renderer_xhtml'] = 'Wikiの出力(xhtml)に使用するレンダラー';
|
||||
$lang['renderer__core'] = '%s (Dokuwikiコア)';
|
||||
$lang['renderer__plugin'] = '%s (プラグイン)';
|
||||
$lang['search_nslimit'] = '現在の名前空間 X 内のみ検索する<br>より下層の名前空間から検索が実行された場合、最初の名前空間 X がフィルターとして追加されます。';
|
||||
$lang['search_fragment'] = '部分検索の規定の動作を指定する';
|
||||
$lang['search_fragment_o_exact'] = '完全一致';
|
||||
$lang['search_fragment_o_starts_with'] = '前方一致';
|
||||
$lang['search_fragment_o_ends_with'] = '後方一致';
|
||||
$lang['search_fragment_o_contains'] = '部分一致';
|
||||
$lang['trustedproxy'] = '報告される真のクライアントIPに関して、ここで指定する正規表現に合う転送プロキシを信頼します。あらゆるプロキシを信頼する場合は、何も入力しないでおいて下さい。';
|
||||
$lang['_feature_flags'] = '機能フラグ';
|
||||
$lang['defer_js'] = 'ページのHTMLが解析されるまでJavascriptの実行を延期する(ページの読み込み速度が向上しますが、一部のプラグインが正常に動作しない可能性があります)';
|
||||
$lang['dnslookups'] = 'ページを編集しているユーザーのIPアドレスからホスト名を逆引きする(利用できるDNSサーバーがない、あるいはこの機能が不要な場合にはオフにします。)';
|
||||
$lang['jquerycdn'] = 'コンテンツ・デリバリー・ネットワーク (CDN) の選択(jQuery と jQuery UI スクリプトを CDN からロードさせる場合には、追加的な HTTP リクエストが発生しますが、ブラウザキャッシュが使用されるため、表示速度の向上が期待できます。)';
|
||||
$lang['jquerycdn_o_0'] = 'CDN を使用せず、ローカルデリバリーのみ使用する';
|
||||
$lang['jquerycdn_o_jquery'] = 'CDN: code.jquery.com を使用';
|
||||
$lang['jquerycdn_o_cdnjs'] = 'CDN: cdnjs.com を使用';
|
||||
$lang['proxy____host'] = 'プロキシ - サーバー名';
|
||||
$lang['proxy____port'] = 'プロキシ - ポート';
|
||||
$lang['proxy____user'] = 'プロキシ - ユーザー名';
|
||||
$lang['proxy____pass'] = 'プロキシ - パスワード';
|
||||
$lang['proxy____ssl'] = 'プロキシへの接続にsslを使用';
|
||||
$lang['proxy____except'] = 'スキップするプロキシのURL正規表現';
|
||||
$lang['license_o_'] = '選択されていません';
|
||||
$lang['typography_o_0'] = '変換しない';
|
||||
$lang['typography_o_1'] = '二重引用符(ダブルクオート)のみ';
|
||||
$lang['typography_o_2'] = 'すべての引用符(動作しない場合があります)';
|
||||
$lang['userewrite_o_0'] = '使用しない';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'DokuWikiによる設定';
|
||||
$lang['deaccent_o_0'] = '変換しない';
|
||||
$lang['deaccent_o_1'] = 'アクセント付きの文字からアクセントを取り除く';
|
||||
$lang['deaccent_o_2'] = 'ローマ字化';
|
||||
$lang['gdlib_o_0'] = 'GD Libが利用不可';
|
||||
$lang['gdlib_o_1'] = 'バージョン 1.x';
|
||||
$lang['gdlib_o_2'] = '自動検出';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = '概要';
|
||||
$lang['rss_content_o_diff'] = '差分(Unified Diff)';
|
||||
$lang['rss_content_o_htmldiff'] = '差分(HTML形式)';
|
||||
$lang['rss_content_o_html'] = '完全なHTMLページ';
|
||||
$lang['rss_linkto_o_diff'] = '変更点のリスト';
|
||||
$lang['rss_linkto_o_page'] = '変更されたページ';
|
||||
$lang['rss_linkto_o_rev'] = 'リビジョンのリスト';
|
||||
$lang['rss_linkto_o_current'] = '現在のページ';
|
||||
$lang['compression_o_0'] = '圧縮しない';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = '使用しない';
|
||||
$lang['xsendfile_o_1'] = 'lighttpd ヘッダー(リリース1.5以前)';
|
||||
$lang['xsendfile_o_2'] = '標準 X-Sendfile ヘッダー';
|
||||
$lang['xsendfile_o_3'] = 'Nginx X-Accel-Redirect ヘッダー';
|
||||
$lang['showuseras_o_loginname'] = 'ログイン名';
|
||||
$lang['showuseras_o_username'] = 'ユーザーのフルネーム';
|
||||
$lang['showuseras_o_username_link'] = 'user という InterWiki リンクになったユーザーのフルネーム';
|
||||
$lang['showuseras_o_email'] = 'ユーザーのメールアドレス(メールガード設定による難読化)';
|
||||
$lang['showuseras_o_email_link'] = 'ユーザーのメールアドレスをmailtoリンクにする';
|
||||
$lang['useheading_o_0'] = '使用しない';
|
||||
$lang['useheading_o_navigation'] = 'ナビゲーションのみ';
|
||||
$lang['useheading_o_content'] = 'Wikiの内容のみ';
|
||||
$lang['useheading_o_1'] = '常に使用する';
|
||||
$lang['readdircache'] = 'readdir キャッシュの最大保持期間(秒)';
|
7
projet/doku/lib/plugins/config/lang/ko/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/ko/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== 환경 설정 관리자 ======
|
||||
|
||||
설치된 도쿠위키의 설정을 제어하려면 이 페이지를 사용하세요. 개별 설정에 대한 도움말은 [[doku>ko:config]]를 참조하세요. 이 플러그인에 대한 자세한 내용은 [[doku>ko:plugin:config]]를 참조하세요.
|
||||
|
||||
밝은 빨간색 배경으로 보이는 설정은 이 플러그인으로 바꿀 수 없도록 보호되어 있습니다. 파란색 배경으로 보이는 설정은 기본값이며 하얀색 배경으로 보이는 설정은 특정 설치에 대해 로컬로 설정되어 있습니다. 파란색과 하얀색 배경으로 된 설정은 바꿀 수 있습니다.
|
||||
|
||||
이 페이지를 떠나기 전에 **저장** 버튼을 누르지 않으면 바뀜이 사라지는 것에 주의하세요.
|
208
projet/doku/lib/plugins/config/lang/ko/lang.php
Normal file
208
projet/doku/lib/plugins/config/lang/ko/lang.php
Normal file
@@ -0,0 +1,208 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author pavement <pavement@rael.cc>
|
||||
* @author Traend <Traend@ruu.kr>
|
||||
* @author Seungheon Song <esketch@gmail.com>
|
||||
* @author jk Lee
|
||||
* @author dongnak <dongnak@gmail.com>
|
||||
* @author Song Younghwan <purluno@gmail.com>
|
||||
* @author Seung-Chul Yoo <dryoo@live.com>
|
||||
* @author erial2 <erial2@gmail.com>
|
||||
* @author Myeongjin <aranet100@gmail.com>
|
||||
* @author S.H. Lee <tuders@naver.com>
|
||||
*/
|
||||
$lang['menu'] = '환경 설정';
|
||||
$lang['error'] = '잘못된 값 때문에 설정을 바꿀 수 없습니다, 바뀜을 검토하고 다시 제출하세요.
|
||||
<br />잘못된 값은 빨간 선으로 둘러싸여 보여집니다.';
|
||||
$lang['updated'] = '설정이 성공적으로 바뀌었습니다.';
|
||||
$lang['nochoice'] = '(다른 선택은 할 수 없습니다)';
|
||||
$lang['locked'] = '설정 파일을 바꿀 수 없습니다, 의도하지 않았다면, <br />
|
||||
로컬 설정 파일 이름과 권한이 맞는지 확인하세요.';
|
||||
$lang['danger'] = '위험: 이 옵션을 바꾸면 위키와 환경 설정 메뉴에 접근할 수 없을 수도 있습니다.';
|
||||
$lang['warning'] = '경고: 이 옵션을 바꾸면 의도하지 않는 동작을 일으킬 수 있습니다.';
|
||||
$lang['security'] = '보안 경고: 이 옵션을 바꾸면 보안 위험이 있을 수 있습니다.';
|
||||
$lang['_configuration_manager'] = '환경 설정 관리자';
|
||||
$lang['_header_dokuwiki'] = '도쿠위키';
|
||||
$lang['_header_plugin'] = '플러그인';
|
||||
$lang['_header_template'] = '템플릿';
|
||||
$lang['_header_undefined'] = '정의되지 않은 설정';
|
||||
$lang['_basic'] = '기본';
|
||||
$lang['_display'] = '보이기';
|
||||
$lang['_authentication'] = '인증';
|
||||
$lang['_anti_spam'] = '스팸 방지';
|
||||
$lang['_editing'] = '편집';
|
||||
$lang['_links'] = '링크';
|
||||
$lang['_media'] = '미디어';
|
||||
$lang['_notifications'] = '알림';
|
||||
$lang['_syndication'] = '신디케이션 (RSS)';
|
||||
$lang['_advanced'] = '고급';
|
||||
$lang['_network'] = '네트워크';
|
||||
$lang['_msg_setting_undefined'] = '설정에 메타데이터가 없습니다.';
|
||||
$lang['_msg_setting_no_class'] = '설정에 클래스가 없습니다.';
|
||||
$lang['_msg_setting_no_default'] = '기본값이 없습니다.';
|
||||
$lang['title'] = '위키 제목 (위키 이름)';
|
||||
$lang['start'] = '각 이름공간에 시작점으로 사용할 문서 이름';
|
||||
$lang['lang'] = '인터페이스 언어';
|
||||
$lang['template'] = '템플릿 (위키 디자인)';
|
||||
$lang['tagline'] = '태그라인 (템플릿이 지원할 경우)';
|
||||
$lang['sidebar'] = '사이드바 문서 이름 (템플릿이 지원할 경우), 필드를 비우면 사이드바를 비활성화';
|
||||
$lang['license'] = '내용을 배포할 때 어떤 라이선스에 따라야 합니까?';
|
||||
$lang['savedir'] = '데이터를 저장할 디렉터리';
|
||||
$lang['basedir'] = '서버 경로 (예 <code>/dokuwiki/</code>). 자동 감지를 하려면 비워 두세요.';
|
||||
$lang['baseurl'] = '서버 URL (예 <code>http://www.yourserver.com</code>). 자동 감지를 하려면 비워 두세요.';
|
||||
$lang['cookiedir'] = '쿠키 경로. 기본 URL 위치로 지정하려면 비워 두세요.';
|
||||
$lang['dmode'] = '디렉터리 만들기 모드';
|
||||
$lang['fmode'] = '파일 만들기 모드';
|
||||
$lang['allowdebug'] = '디버그 허용. <b>필요하지 않으면 비활성화하세요!</b>';
|
||||
$lang['recent'] = '최근 바뀜에서 문서당 항목 수';
|
||||
$lang['recent_days'] = '최근 바뀜을 유지할 기한 (일)';
|
||||
$lang['breadcrumbs'] = '이동 경로 "추적" 수. 비활성화하려면 0으로 설정하세요.';
|
||||
$lang['youarehere'] = '계층적 이동 경로 사용 (다음에 위 옵션을 비활성화하기를 원할 겁니다)';
|
||||
$lang['fullpath'] = '바닥글에 문서의 전체 경로 밝히기';
|
||||
$lang['typography'] = '타이포그래피 대체';
|
||||
$lang['dformat'] = '날짜 형식 (PHP의 <a href="http://php.net/strftime">strftime</a> 함수 참고)';
|
||||
$lang['signature'] = '편집기에서 서명 버튼을 누를 때 넣을 내용';
|
||||
$lang['showuseras'] = '문서를 마지막으로 편집한 사용자를 보여줄지 여부';
|
||||
$lang['toptoclevel'] = '목차의 최상위 단계';
|
||||
$lang['tocminheads'] = '목차를 넣을 여부를 결정할 최소 문단 수';
|
||||
$lang['maxtoclevel'] = '목차의 최대 단계';
|
||||
$lang['maxseclevel'] = '문단의 최대 편집 단계';
|
||||
$lang['camelcase'] = '링크에 CamelCase 사용';
|
||||
$lang['deaccent'] = '문서 이름을 지우는 방법';
|
||||
$lang['useheading'] = '문서 이름을 첫 문단 제목으로 사용';
|
||||
$lang['sneaky_index'] = '기본적으로, 도쿠위키는 사이트맵에 모든 이름공간을 보여줍니다. 이 옵션을 활성화하면 사용자가 읽기 권한이 없는 이름공간을 숨기게 됩니다. 특정 ACL 설정으로 색인을 사용할 수 없게 할 수 있는 접근할 수 있는 하위 이름공간을 숨기면 설정됩니다.';
|
||||
$lang['hidepages'] = '검색, 사이트맵 및 다른 자동 색인에서 이 정규 표현식과 일치하는 문서 숨기기';
|
||||
$lang['useacl'] = '접근 제어 목록 (ACL) 사용';
|
||||
$lang['autopasswd'] = '자동 생성 비밀번호';
|
||||
$lang['authtype'] = '인증 백엔드';
|
||||
$lang['passcrypt'] = '비밀번호 암호화 방법';
|
||||
$lang['defaultgroup'] = '기본 그룹, 모든 새 사용자는 이 그룹에 속하게 됩니다';
|
||||
$lang['superuser'] = '슈퍼유저 - ACL 설정과 상관없이 모든 문서와 기능에 완전히 접근할 수 있는 그룹, 사용자 또는 쉼표로 구분된 목록 사용자1,@그룹1,사용자2';
|
||||
$lang['manager'] = '관리자 - 특정 관리 기능에 접근할 수 있는 그룹, 사용자 또는 쉼표로 구분된 목록 사용자1,@그룹1,사용자2';
|
||||
$lang['profileconfirm'] = '프로필을 바꿀 때 비밀번호로 확인';
|
||||
$lang['rememberme'] = '영구적으로 로그인 쿠키 허용 (기억하기)';
|
||||
$lang['disableactions'] = '도쿠위키 동작 비활성화';
|
||||
$lang['disableactions_check'] = '검사';
|
||||
$lang['disableactions_subscription'] = '구독/구독 취소';
|
||||
$lang['disableactions_wikicode'] = '원본 보기/원본 내보내기';
|
||||
$lang['disableactions_profile_delete'] = '자신의 계정 삭제';
|
||||
$lang['disableactions_other'] = '다른 동작 (쉼표로 구분)';
|
||||
$lang['disableactions_rss'] = 'XML 신디케이션 (RSS)';
|
||||
$lang['auth_security_timeout'] = '인증 보안 시간 초과 (초)';
|
||||
$lang['securecookie'] = 'HTTPS를 통해 설정된 쿠키는 HTTPS를 통해서만 보내져야 합니까? 위키 로그인에만 SSL로 보호하고 위키를 둘러보는 것에는 보호하지 않게 하려면 이 옵션을 비활성화하세요.';
|
||||
$lang['remote'] = '원격 API 시스템 활성화. 다른 어플리케이션이 XML-RPC 또는 다른 메커니즘을 통해 위키에 접근할 수 있습니다.';
|
||||
$lang['remoteuser'] = '여기에 입력한 쉼표로 구분된 그룹 또는 사용자에게 원격 API 접근을 제한합니다. 모두에게 접근 권한을 주려면 비워 두세요.';
|
||||
$lang['usewordblock'] = '낱말 목록을 바탕으로 스팸 막기';
|
||||
$lang['relnofollow'] = '바깥 링크에 rel="nofollow" 사용';
|
||||
$lang['indexdelay'] = '색인 전 지연 시간 (초)';
|
||||
$lang['mailguard'] = '이메일 주소를 알아볼 수 없게 하기';
|
||||
$lang['iexssprotect'] = '올린 파일의 악성 자바스크립트, HTML 코드 가능성 여부를 검사';
|
||||
$lang['usedraft'] = '편집하는 동안 자동으로 초안 저장';
|
||||
$lang['htmlok'] = 'HTML 포함 허용';
|
||||
$lang['phpok'] = 'PHP 포함 허용';
|
||||
$lang['locktime'] = '파일 잠그기에 대한 최대 시간 (초)';
|
||||
$lang['cachetime'] = '캐시에 대한 최대 시간 (초)';
|
||||
$lang['target____wiki'] = '안쪽 링크에 대한 타겟 창';
|
||||
$lang['target____interwiki'] = '인터위키 링크에 대한 타겟 창';
|
||||
$lang['target____extern'] = '바깥 링크에 대한 타겟 창';
|
||||
$lang['target____media'] = '미디어 링크에 대한 타겟 창';
|
||||
$lang['target____windows'] = 'Windows 링크에 대한 타겟 창';
|
||||
$lang['mediarevisions'] = '미디어 판을 활성화하겠습니까?';
|
||||
$lang['refcheck'] = '미디어 파일을 삭제하기 전에 아직 사용하고 있는지 검사';
|
||||
$lang['gdlib'] = 'GD 라이브러리 버전';
|
||||
$lang['im_convert'] = 'ImageMagick의 변환 도구의 경로';
|
||||
$lang['jpg_quality'] = 'JPG 압축 품질 (0-100)';
|
||||
$lang['fetchsize'] = 'fetch.php가 바깥 URL에서 다운로드할 수 있는 최대 크기 (바이트), 예를 들어 바깥 그림을 캐시하고 크기 조절할 때.';
|
||||
$lang['subscribers'] = '사용자가 이메일로 문서 바뀜을 구독할 수 있도록 하기';
|
||||
$lang['subscribe_time'] = '구독 목록과 요약이 보내질 경과 시간 (초); recent_days에 지정된 시간보다 작아야 합니다.';
|
||||
$lang['notify'] = '항상 이 이메일 주소로 바뀜 알림을 보냄';
|
||||
$lang['registernotify'] = '항상 이 이메일 주소로 새로 등록한 사용자의 정보를 보냄';
|
||||
$lang['mailfrom'] = '자동으로 보내는 메일에 사용할 보내는 사람 이메일 주소';
|
||||
$lang['mailreturnpath'] = '배달 불가 안내를 위한 수신자 메일 주소';
|
||||
$lang['mailprefix'] = '자동으로 보내는 메일에 사용할 이메일 제목 접두어. 위키 제목을 사용하려면 비워 두세요';
|
||||
$lang['htmlmail'] = '보기에는 더 좋지만 크키가 조금 더 큰 HTML 태그가 포함된 이메일을 보내기. 일반 텍스트만으로 된 메일을 보내려면 비활성화하세요.';
|
||||
$lang['sitemap'] = 'Google 사이트맵 생성 날짜 빈도 (일). 비활성화하려면 0';
|
||||
$lang['rss_type'] = 'XML 피드 형식';
|
||||
$lang['rss_linkto'] = 'XML 피드 링크 정보';
|
||||
$lang['rss_content'] = 'XML 피드 항목에 보여주는 내용은 무엇입니까?';
|
||||
$lang['rss_update'] = 'XML 피드 업데이트 간격 (초)';
|
||||
$lang['rss_show_summary'] = 'XML 피드의 제목에서 요악 보여주기';
|
||||
$lang['rss_media'] = '어떤 규격으로 XML 피드에 바뀜을 나열해야 합니까?';
|
||||
$lang['rss_media_o_both'] = '양방향';
|
||||
$lang['rss_media_o_pages'] = '쪽';
|
||||
$lang['rss_media_o_media'] = '미디어';
|
||||
$lang['updatecheck'] = '업데이트와 보안 경고를 검사할까요? 도쿠위키는 이 기능을 위해 update.dokuwiki.org에 연결이 필요합니다.';
|
||||
$lang['userewrite'] = '멋진 URL 사용';
|
||||
$lang['useslash'] = 'URL에서 이름공간 구분자로 슬래시 사용';
|
||||
$lang['sepchar'] = '문서 이름 낱말 구분자';
|
||||
$lang['canonical'] = '완전한 canonical URL 사용';
|
||||
$lang['fnencode'] = 'ASCII가 아닌 파일 이름을 인코딩하는 방법.';
|
||||
$lang['autoplural'] = '링크에서 복수형 검사';
|
||||
$lang['compression'] = '첨부 파일의 압축 방법';
|
||||
$lang['gzip_output'] = 'xhtml에 대해 gzip 내용 인코딩 사용';
|
||||
$lang['compress'] = 'CSS 및 자바스크립트를 압축하여 출력';
|
||||
$lang['cssdatauri'] = 'CSS 파일에서 그림이 참조되는 최대 바이트 크기를 스타일시트에 규정해야 HTTP 요청 헤더 오버헤드 크기를 줄일 수 있습니다. <code>400</code>에서 <code>600</code> 바이트 정도면 좋은 효율을 가져옵니다. 비활성화하려면 <code>0</code>으로 설정하세요.';
|
||||
$lang['send404'] = '존재하지 않는 문서에 "HTTP 404/페이지를 찾을 수 없습니다" 보내기';
|
||||
$lang['broken_iua'] = '시스템에서 ignore_user_abort 함수에 문제가 있습니까? 문제가 있다면 검색 색인이 동작하지 않는 원인이 됩니다. 이 함수가 IIS+PHP/CGI에서 문제가 있는 것으로 알려져 있습니다. 자세한 정보는 <a href="http://bugs.dokuwiki.org/?do=details&task_id=852">버그 852</a>를 참조하시기 바랍니다.';
|
||||
$lang['xsendfile'] = '웹 서버가 정적 파일을 제공할 수 있도록 X-Sendfile 헤더를 사용하겠습니까? 웹 서버가 이 기능을 지원해야 합니다.';
|
||||
$lang['renderer_xhtml'] = '주요 (xhtml) 위키 출력에 사용할 렌더러';
|
||||
$lang['renderer__core'] = '%s (도쿠위키 코어)';
|
||||
$lang['renderer__plugin'] = '%s (플러그인)';
|
||||
$lang['search_nslimit'] = '검색을 현재 X 네임스페이스로 제한하십시오. 더 깊은 네임스페이스 내의 페이지에서 검색을 실행하면 첫 번째 X 네임스페이스가 필터로 추가됩니다.';
|
||||
$lang['dnslookups'] = '도쿠위키가 문서를 편집하는 사용자의 원격 IP 주소에 대한 호스트 이름을 조회합니다. 서버가 느리거나 DNS 서버를 작동하지 않거나 이 기능을 원하지 않으면, 이 옵션을 비활성화하세요';
|
||||
$lang['jquerycdn'] = '제이쿼리(jQuery)와 제이쿼리UI 스크립트 파일을 컨텐츠전송네트워크(CDN)에서 불러와야만 합니까? 이것은 추가적인 HTTP요청을 합니다. 하지만 파일이 빨리 불러지고 캐쉬에 저장되게 할 수 있습니다.';
|
||||
$lang['jquerycdn_o_0'] = '컨텐츠전송네트워크(CDN) 사용 안 함. 로컬 전송만 함';
|
||||
$lang['jquerycdn_o_jquery'] = '\'code.jquery.com\' 의 컨텐츠전송네트워크(CDN) 사용';
|
||||
$lang['jquerycdn_o_cdnjs'] = '\'cdnjs.com\' 의 컨텐츠전송네트워크(CDN) 사용';
|
||||
$lang['proxy____host'] = '프록시 서버 이름';
|
||||
$lang['proxy____port'] = '프록시 포트';
|
||||
$lang['proxy____user'] = '프록시 사용자 이름';
|
||||
$lang['proxy____pass'] = '프록시 비밀번호';
|
||||
$lang['proxy____ssl'] = '프록시로 연결하는 데 SSL 사용';
|
||||
$lang['proxy____except'] = '프록시가 건너뛰어야 할 일치하는 URL의 정규 표현식.';
|
||||
$lang['license_o_'] = '선택하지 않음';
|
||||
$lang['typography_o_0'] = '없음';
|
||||
$lang['typography_o_1'] = '작은따옴표를 제외';
|
||||
$lang['typography_o_2'] = '작은따옴표를 포함 (항상 동작하지 않을 수도 있음)';
|
||||
$lang['userewrite_o_0'] = '없음';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = '도쿠위키 내부';
|
||||
$lang['deaccent_o_0'] = '끄기';
|
||||
$lang['deaccent_o_1'] = '악센트 제거';
|
||||
$lang['deaccent_o_2'] = '로마자화';
|
||||
$lang['gdlib_o_0'] = 'GD 라이브러리를 사용할 수 없음';
|
||||
$lang['gdlib_o_1'] = '버전 1.x';
|
||||
$lang['gdlib_o_2'] = '자동 감지';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = '개요';
|
||||
$lang['rss_content_o_diff'] = '통합 차이';
|
||||
$lang['rss_content_o_htmldiff'] = 'HTML 형식의 차이 표';
|
||||
$lang['rss_content_o_html'] = '전체 HTML 페이지 내용';
|
||||
$lang['rss_linkto_o_diff'] = '차이 보기';
|
||||
$lang['rss_linkto_o_page'] = '개정된 문서';
|
||||
$lang['rss_linkto_o_rev'] = '판의 목록';
|
||||
$lang['rss_linkto_o_current'] = '현재 문서';
|
||||
$lang['compression_o_0'] = '없음';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = '사용하지 않음';
|
||||
$lang['xsendfile_o_1'] = '사유 lighttpd 헤더 (릴리스 1.5 이전)';
|
||||
$lang['xsendfile_o_2'] = '표준 X-Sendfile 헤더';
|
||||
$lang['xsendfile_o_3'] = '사유 Nginx X-Accel-Redirect 헤더';
|
||||
$lang['showuseras_o_loginname'] = '로그인 이름';
|
||||
$lang['showuseras_o_username'] = '사용자의 실명';
|
||||
$lang['showuseras_o_username_link'] = '인터위키 사용자 링크로 된 사용자의 실명';
|
||||
$lang['showuseras_o_email'] = '사용자의 이메일 주소 (메일 주소 설정에 따라 안보일 수 있음)';
|
||||
$lang['showuseras_o_email_link'] = 'mailto: 링크로 된 사용자의 이메일 주소';
|
||||
$lang['useheading_o_0'] = '전혀 없음';
|
||||
$lang['useheading_o_navigation'] = '둘러보기에만';
|
||||
$lang['useheading_o_content'] = '위키 내용에만';
|
||||
$lang['useheading_o_1'] = '항상';
|
||||
$lang['readdircache'] = 'readdir 캐시의 최대 시간 (초)';
|
7
projet/doku/lib/plugins/config/lang/la/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/la/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Optionum Administratio ======
|
||||
|
||||
In hac pagina administratoris optiones mutare et inspicere potes. Auxilia in pagina [[doku>config|conformationis]] sunt, si singulas res uidere uis, i ad paginam [[doku>plugin:config|conformationis]].
|
||||
|
||||
Optiones ostensae rubro colore tutae et non nunc mutabiles sunt. Optiones ostensae caeruleo colore praecipuae sunt et optiones ostensae in area alba singulares huic uici sunt. Et caerulae et albae optiones mutabiles sunt.
|
||||
|
||||
Memento premere **SERVA** ante quam nouam paginam eas: si hoc non facias, mutata amissa sunt.
|
170
projet/doku/lib/plugins/config/lang/la/lang.php
Normal file
170
projet/doku/lib/plugins/config/lang/la/lang.php
Normal file
@@ -0,0 +1,170 @@
|
||||
<?php
|
||||
/**
|
||||
* Latin language file
|
||||
*
|
||||
* @author Massimiliano Vassalli <vassalli.max@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'Optiones Administrationis';
|
||||
$lang['error'] = 'Optiones non nouatae ob errores: rursum temptat. Errores rubro colore signati sunt.';
|
||||
$lang['updated'] = 'Optiones feliciter nouatae.';
|
||||
$lang['nochoice'] = '(nulla optio est)';
|
||||
$lang['locked'] = 'Optio documenti non nouata est, <br/> optiones et facultates documenti inspicis.';
|
||||
$lang['danger'] = 'CAVE: si has optiones mutabis, in administrationis indicem non inire potes.';
|
||||
$lang['warning'] = 'CAVE: si hae optiones mutabis, graues errores erunt.';
|
||||
$lang['security'] = 'CAVE: si hae optiones mutabis, graues errores erunt.';
|
||||
$lang['_configuration_manager'] = 'Optionum administratio';
|
||||
$lang['_header_dokuwiki'] = 'Vicis Optiones';
|
||||
$lang['_header_plugin'] = 'Addendorum Optiones';
|
||||
$lang['_header_template'] = 'Vicis Formae Optiones';
|
||||
$lang['_header_undefined'] = 'Variae Optiones';
|
||||
$lang['_basic'] = 'Praecipuae Optiones';
|
||||
$lang['_display'] = 'Speciei Optiones';
|
||||
$lang['_authentication'] = 'Confirmationis Optiones';
|
||||
$lang['_anti_spam'] = 'In Mala Optiones';
|
||||
$lang['_editing'] = 'Recensendi Optiones';
|
||||
$lang['_links'] = 'Nexi Optiones';
|
||||
$lang['_media'] = 'Visiuorum Optiones';
|
||||
$lang['_advanced'] = 'Maiores Optiones';
|
||||
$lang['_network'] = 'Interretis Optiones';
|
||||
$lang['_msg_setting_undefined'] = 'Res codicum sine optionibus.';
|
||||
$lang['_msg_setting_no_class'] = 'Classes sine optionibus';
|
||||
$lang['_msg_setting_no_default'] = 'Nihil';
|
||||
$lang['fmode'] = 'Documentum creandum ratio';
|
||||
$lang['dmode'] = 'Scrinia creandam ratio';
|
||||
$lang['lang'] = 'Linguae optiones';
|
||||
$lang['basedir'] = 'Computatoris seruitoris domicilium (ex. <code>/dokuwiki/</code>). Nihil scribere si id machinatione agnoscere uis.';
|
||||
$lang['baseurl'] = 'Computatoris seruitoris VRL (ex. <code>http://www.yourserver.com</code>). Nihil scribere si id machinatione agnoscere uis.';
|
||||
$lang['savedir'] = 'Documentorum seruatorum domicilium';
|
||||
$lang['start'] = 'Nomen paginae dominicae';
|
||||
$lang['title'] = 'Vicis titulus';
|
||||
$lang['template'] = 'Vicis forma';
|
||||
$lang['license'] = 'Sub quibus legibus uicem creare uin?';
|
||||
$lang['fullpath'] = 'Totum domicilium paginae in pedibus scribis.';
|
||||
$lang['recent'] = 'Extremae mutationes';
|
||||
$lang['breadcrumbs'] = 'Numerus uestigiorum';
|
||||
$lang['youarehere'] = 'Ordo uestigiorum';
|
||||
$lang['typography'] = 'Signa supponentes';
|
||||
$lang['htmlok'] = 'HTML aptum facere';
|
||||
$lang['phpok'] = 'PHP aptum facere';
|
||||
$lang['dformat'] = 'Forma diei (uide paginam <a href="http://php.net/strftime">de diebus</a>)';
|
||||
$lang['signature'] = 'Subscriptio';
|
||||
$lang['toptoclevel'] = 'Gradus maior tabularum argumentorum';
|
||||
$lang['tocminheads'] = 'Minimus numerus capitum';
|
||||
$lang['maxtoclevel'] = 'Maximus numerus tabularum argumentorum';
|
||||
$lang['maxseclevel'] = 'Maxima pars gradus recensendi';
|
||||
$lang['camelcase'] = 'SignaContinua nexis apta facere';
|
||||
$lang['deaccent'] = 'Titulus paginarum abrogare';
|
||||
$lang['useheading'] = 'Capite primo ut titulo paginae uti';
|
||||
$lang['refcheck'] = 'Documenta uisiua inspicere';
|
||||
$lang['allowdebug'] = '<b>ineptum facias si non necessarium!</b> aptum facere';
|
||||
$lang['usewordblock'] = 'Malum interretiale ob uerba delere';
|
||||
$lang['indexdelay'] = 'Tempus transitum in ordinando (sec)';
|
||||
$lang['relnofollow'] = 'rel="nofollow" externis nexis uti';
|
||||
$lang['mailguard'] = 'Cursus interretiales abscondere';
|
||||
$lang['iexssprotect'] = 'Documenta nouata ob mala JavaScript uel HTML inspicere';
|
||||
$lang['showuseras'] = 'Quid, cum Sodalem, qui extremus paginam recensuit, ostendat, scribere';
|
||||
$lang['useacl'] = 'Aditus inspectionis indicibus uti';
|
||||
$lang['autopasswd'] = 'Tessera machinatione generata';
|
||||
$lang['authtype'] = 'Confirmationis finis';
|
||||
$lang['passcrypt'] = 'Ratio tesserae tuendae';
|
||||
$lang['defaultgroup'] = 'Grex communis';
|
||||
$lang['superuser'] = 'Magister\stra - grex, Sodalis uel index diuisus a uigulis sodalis1,@grex,sodalis2 cum plenis facultatibus sine ICA optionum termino';
|
||||
$lang['manager'] = 'Administrator - grex, Sodalis uel index diuisus a uigulis sodalis1,@grex,sodalis2 cum certis facultatibus';
|
||||
$lang['profileconfirm'] = 'Mutationes tessera confirmanda sunt';
|
||||
$lang['disableactions'] = 'Vicis actiones ineptas facere';
|
||||
$lang['disableactions_check'] = 'Inspicere';
|
||||
$lang['disableactions_subscription'] = 'Inscribe/Delere';
|
||||
$lang['disableactions_wikicode'] = 'Fontem uidere/Rudem transcribere';
|
||||
$lang['disableactions_other'] = 'Aliae actiones (uirgulis diuisae)';
|
||||
$lang['sneaky_index'] = 'Hic uicis omnia genera in indice inserit. Si ineptam hanc optionem facias, solum ea, quae Sodales uidere possunt, in indice erunt. Hoc suggreges et suggenera abscondere potest.';
|
||||
$lang['auth_security_timeout'] = 'Confirmationis Tempus (secundis)';
|
||||
$lang['securecookie'] = 'Formulae HTTPS mittine solum per HTTPS possunt? Ineptam hanc optio facias, si accessus uicis tutus est, sed interretis non.';
|
||||
$lang['updatecheck'] = 'Nouationes et fiducias inspicerene? Hic uicis connectere update.dokuwiki.org debes.';
|
||||
$lang['userewrite'] = 'VRL formosis uti';
|
||||
$lang['useslash'] = 'Repagula in URL, ut genera diuidas, uti';
|
||||
$lang['usedraft'] = 'Propositum in recensione machinatione seruatur';
|
||||
$lang['sepchar'] = 'Signum, quod paginas diuidit';
|
||||
$lang['canonical'] = 'VRL perfecto uti';
|
||||
$lang['fnencode'] = 'Ratio quae nomen documentorum non-ASCII codificit';
|
||||
$lang['autoplural'] = 'Pluralia in nexis inspicere';
|
||||
$lang['compression'] = 'Ratio compressionis documentis "attic"';
|
||||
$lang['cachetime'] = 'Maximum tempus formulis (sec)';
|
||||
$lang['locktime'] = 'Maximum tempus documentis inclusis (sec)';
|
||||
$lang['fetchsize'] = 'Maximum pondus (bytes), quod fetch.php ab externis onerare potest';
|
||||
$lang['notify'] = 'Adnotationis mutationes ad hunc cursum mittere';
|
||||
$lang['registernotify'] = 'De nouis Sodalibus ad hunc cursum notas mittere';
|
||||
$lang['mailfrom'] = 'Cursus interretialis, quo in cursibus uti';
|
||||
$lang['gzip_output'] = 'gzip Argumentum-Codificans xhtml uti';
|
||||
$lang['gdlib'] = 'GD Lib forma';
|
||||
$lang['im_convert'] = 'Domicilium machinae ImageMagick\'s';
|
||||
$lang['jpg_quality'] = 'JPG compressio colorum (0-100)';
|
||||
$lang['subscribers'] = 'Inscriptionis paginarum auxilium aptus facere';
|
||||
$lang['subscribe_time'] = 'Tempus post quod inscriptionum index et summa missa sunt (sec); Hic minor quam tempus declaratum fortasse est.';
|
||||
$lang['compress'] = 'CSS et javascript dimissio';
|
||||
$lang['hidepages'] = 'Paginas congruentes abscondere (uerba regularia)';
|
||||
$lang['send404'] = 'Mitte "HTTP 404/ Pagina non reperta" si paginae non sunt.';
|
||||
$lang['sitemap'] = 'Google formam situs gignere (dies)';
|
||||
$lang['broken_iua'] = 'ignore_user_abort functio inepta estne? Hoc indicem quaestionum, quae non aptae sunt, creare non potest. IIS+PHP/CGI ineptum est. Vide <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Bug 852</a>';
|
||||
$lang['xsendfile'] = 'X-Sendfile utine ut seruitor interretialis documenta firma creet? Tuus seruitor interretialis hunc pati debes.';
|
||||
$lang['renderer_xhtml'] = 'Quid dimittere ut hoc in principio uicis (xhtml) utaris';
|
||||
$lang['renderer__core'] = '%s (uicis nucleus)';
|
||||
$lang['renderer__plugin'] = '%s (addenda)';
|
||||
$lang['rememberme'] = 'Formulas aditus aptas facere (memento me)';
|
||||
$lang['rss_type'] = 'XML summae genus';
|
||||
$lang['rss_linkto'] = 'XML summae connectio';
|
||||
$lang['rss_content'] = 'Quid in XML summis uidere?';
|
||||
$lang['rss_update'] = 'XML summae renouationis interuallum temporis';
|
||||
$lang['recent_days'] = 'Numerus mutationum recentium tenendorum (dies)';
|
||||
$lang['rss_show_summary'] = 'XML summa titulos ostendit';
|
||||
$lang['target____wiki'] = 'Fenestra nexis internis';
|
||||
$lang['target____interwiki'] = 'Fenestra nexis inter uicem';
|
||||
$lang['target____extern'] = 'Fenestra nexis externis';
|
||||
$lang['target____media'] = 'Fenestra nexis uisiuis';
|
||||
$lang['target____windows'] = 'Fenestra nexis fenestrarum';
|
||||
$lang['proxy____host'] = 'Proxis seruitoris nomen';
|
||||
$lang['proxy____port'] = 'Proxis portus';
|
||||
$lang['proxy____user'] = 'Proxis nomen sodalis';
|
||||
$lang['proxy____pass'] = 'Proxis tessera';
|
||||
$lang['proxy____ssl'] = 'SSL ut connectas uti';
|
||||
$lang['proxy____except'] = 'Verba, ut VRL inspicias, quibus Proxis non agnoscitur.';
|
||||
$lang['license_o_'] = 'Nihil electum';
|
||||
$lang['typography_o_0'] = 'neuter';
|
||||
$lang['typography_o_1'] = 'sine singulis uirgulis';
|
||||
$lang['typography_o_2'] = 'cum singulis uirgulis';
|
||||
$lang['userewrite_o_0'] = 'neuter';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'DokuWiki domesticus';
|
||||
$lang['deaccent_o_0'] = 'ex';
|
||||
$lang['deaccent_o_1'] = 'accentum tollere';
|
||||
$lang['deaccent_o_2'] = 'Latinis litteris';
|
||||
$lang['gdlib_o_0'] = 'GD Lib inepta';
|
||||
$lang['gdlib_o_1'] = 'Forma 1.x';
|
||||
$lang['gdlib_o_2'] = 'Machinatione inspicere';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Summa';
|
||||
$lang['rss_content_o_diff'] = 'Comparatio una';
|
||||
$lang['rss_content_o_htmldiff'] = 'Tabulae HTML formatae comparatae';
|
||||
$lang['rss_content_o_html'] = 'Pagina cum HTML';
|
||||
$lang['rss_linkto_o_diff'] = 'discrimina uidere';
|
||||
$lang['rss_linkto_o_page'] = 'pagina recensita';
|
||||
$lang['rss_linkto_o_rev'] = 'recensionum index';
|
||||
$lang['rss_linkto_o_current'] = 'hic pagina';
|
||||
$lang['compression_o_0'] = 'neuter';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'Noli uti';
|
||||
$lang['xsendfile_o_2'] = 'Praecipuus X-Sendfile';
|
||||
$lang['xsendfile_o_3'] = 'Proprietarius Nginx X-Accel-Redirect';
|
||||
$lang['showuseras_o_loginname'] = 'Sodalis nomen';
|
||||
$lang['showuseras_o_username'] = 'Sodalis nomen uerum';
|
||||
$lang['showuseras_o_email'] = 'Sodalis cursus interretialis (absconditus ut is tueratur)';
|
||||
$lang['showuseras_o_email_link'] = 'Sodalis cursus interretialis ut mailto: nexum';
|
||||
$lang['useheading_o_0'] = 'Numquam';
|
||||
$lang['useheading_o_navigation'] = 'Solum adspicere';
|
||||
$lang['useheading_o_content'] = 'Solum uicis argumentum';
|
||||
$lang['useheading_o_1'] = 'Semper';
|
||||
$lang['readdircache'] = 'Maximum tempus readdir (sec)';
|
7
projet/doku/lib/plugins/config/lang/lb/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/lb/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Konfiguratioun ======
|
||||
|
||||
Dëses Plugin hëlleft der bei der Konfiguratioun vun DokuWiki. Hëllef zu deenen eenzelnen Astellungen fënns de ënner [[doku>config]]. Méi Informatiounen zu dësem Plugin kriss de ënner [[doku>plugin:config]].
|
||||
|
||||
Astellungen mat engem hellrouden Hannergrond si geséchert a kënnen net mat dësem Plugin verännert ginn. Astellungen mat hellbloem Hannergrond si Virastellungen, wäiss hannerluechte Felder weisen lokal verännert Werter un. Souwuel dié blo wéi och déi wäiss Felder kënne verännert ginn.
|
||||
|
||||
Vergiess w.e.g. net **Späicheren** ze drécken iers de d'Säit verléiss, anescht ginn all deng Ännerungen verluer.
|
7
projet/doku/lib/plugins/config/lang/lt/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/lt/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Konfiguracijos Administravimas ======
|
||||
|
||||
Naudokite šį puslapį Dokuwiki instaliacijos tvarkymui. Pagalba individualiems nustatymams [[doku>config]]. Daugiau informacijos apie šį priedą [[doku>plugin:config]].
|
||||
|
||||
Nustatymai raudoname fone yra apsaugoti nuo pakeitimų ir negali būti pakeisti šio įrankio pagalba. Nustatymai mėlyname fone nustatyti pagal nutylėjimą, o baltame fone nustatyti lokaliai būtent šiai instaliacijai. Nustatymai mėlyname ir baltame fone gali būti keičiami.
|
||||
|
||||
Prieš paliekant ši puslapį, nepamirškite išsaugoti pakeitimus, tai galite padaryti nuspaudę **SAVE** mygtuką, kitu atveju pakeitimai nebus išsaugoti.
|
25
projet/doku/lib/plugins/config/lang/lt/lang.php
Normal file
25
projet/doku/lib/plugins/config/lang/lt/lang.php
Normal file
@@ -0,0 +1,25 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* Lithuanian language file
|
||||
*
|
||||
* @author audrius.klevas <audrius.klevas@gmail.com>
|
||||
* @author Arunas Vaitekunas <aras@fan.lt>
|
||||
*/
|
||||
$lang['lang'] = 'Kalba';
|
||||
$lang['template'] = 'Paruoštukas';
|
||||
$lang['recent'] = 'Paskutiniai taisymai';
|
||||
$lang['disableactions_check'] = 'Patikrinti';
|
||||
$lang['xsendfile_o_1'] = 'Firminė lighthttpd antraštė (prieš 1.5 išleidimą)';
|
||||
$lang['xsendfile_o_2'] = 'Standartinė X-Sendfile antraštė';
|
||||
$lang['xsendfile_o_3'] = 'Firminė Nginx X-Accel-Redirect antraštė';
|
||||
$lang['showuseras_o_loginname'] = 'Prisijungimo vardas';
|
||||
$lang['showuseras_o_username'] = 'Vartotojo pilnas vardas';
|
||||
$lang['showuseras_o_email'] = 'Vartotojo el. pašto adresas (pasak pašto apsaugos yra netinkamas)';
|
||||
$lang['showuseras_o_email_link'] = 'Vartotojo el. pašto adresas kaip mailto: nuoroda';
|
||||
$lang['useheading_o_0'] = 'Niekada';
|
||||
$lang['useheading_o_navigation'] = 'Tik Navigacija';
|
||||
$lang['useheading_o_content'] = 'Tik Wiki Turinys';
|
||||
$lang['useheading_o_1'] = 'Visada';
|
7
projet/doku/lib/plugins/config/lang/lv/intro.txt
Normal file
7
projet/doku/lib/plugins/config/lang/lv/intro.txt
Normal file
@@ -0,0 +1,7 @@
|
||||
====== Konfigurācijas vednis ======
|
||||
|
||||
Lapā var uzdot DokuWiki instalācijas iestatījumus. Palīdzību par atsevišķiem iestatījumiem meklēt [[doku>config]]. Sīkākas ziņas par šo moduli skatīt [[doku>plugin:config]].
|
||||
|
||||
Ar sarkanu fonu parādītie iestatījumi ir aizsargāti un ar šo moduli nav labojami. Ar zilu fonu parādītie iestatījumi ir noklusētās vērtības, bet uz balta fona parādīti programmas lokālie iestatījumi . Gan zilos, gan baltos var labot.
|
||||
|
||||
Pirms aizej no šīs lapas, atceries nopsiest pogu **SAGLABĀT**, lai nezustu veiktās izmaiņas.
|
179
projet/doku/lib/plugins/config/lang/lv/lang.php
Normal file
179
projet/doku/lib/plugins/config/lang/lv/lang.php
Normal file
@@ -0,0 +1,179 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* Latvian, Lettish language file
|
||||
*
|
||||
* @author Oskars Pakers <oskars.pakers@gmail.com>
|
||||
* @author Aivars Miška <allefm@gmail.com>
|
||||
*/
|
||||
$lang['menu'] = 'Konfigurācijas iestatījumi.';
|
||||
$lang['error'] = 'Iestatījumi nav saglabāti, jo uzdotas aplamas vērtības. Lūdzu pārskatīt izmaiņas un saglabāt atkārtoti.
|
||||
<br /> Aplamās vērtības izceltas sarkanā rāmī.';
|
||||
$lang['updated'] = 'Iestatījumi veiksmīgi saglabāti.';
|
||||
$lang['nochoice'] = '(citu iespēju nav)';
|
||||
$lang['locked'] = 'Iestatījumu fails nav grozāms, ja tā nevajag būt, <br />
|
||||
pārliecinies, ka ir pareizs lokālo iestatījuma faila vārds un tiesības.';
|
||||
$lang['danger'] = 'Bīstami: Šī parametra maiņa var padarīt wiki sistēmu un konfigurācijas izvēlni nepieejamu.';
|
||||
$lang['warning'] = 'Brīdinājums: Šī parametra maiņa var izraisīt negaidītu programmas uzvedību.';
|
||||
$lang['security'] = 'Drošības brīdinājums: Šī parametra maiņa var būt riskanta drošībai.';
|
||||
$lang['_configuration_manager'] = 'Konfigurācijas pārvaldnieks';
|
||||
$lang['_header_dokuwiki'] = 'Dokuwiki iestatījumi';
|
||||
$lang['_header_plugin'] = 'Moduļu iestatījumi';
|
||||
$lang['_header_template'] = 'Šablonu iestatījumi';
|
||||
$lang['_header_undefined'] = 'Citi iestatījumi';
|
||||
$lang['_basic'] = 'Pamatiestatījumi';
|
||||
$lang['_display'] = 'Izskata iestatījumi';
|
||||
$lang['_authentication'] = 'Autentifikācija';
|
||||
$lang['_anti_spam'] = 'Pretspama iestatījumi';
|
||||
$lang['_editing'] = 'Labošanas iestatījumi';
|
||||
$lang['_links'] = 'Saišu iestatījumi';
|
||||
$lang['_media'] = 'Mēdiju iestatījumi';
|
||||
$lang['_notifications'] = 'Brīdinājumu iestatījumi';
|
||||
$lang['_advanced'] = 'Smalkāka iestatīšana';
|
||||
$lang['_network'] = 'Tīkla iestatījumi';
|
||||
$lang['_msg_setting_undefined'] = 'Nav atrodami iestatījumu metadati';
|
||||
$lang['_msg_setting_no_class'] = 'Nav iestatījumu klases';
|
||||
$lang['_msg_setting_no_default'] = 'Nav noklusētās vērtības';
|
||||
$lang['title'] = 'Wiki virsraksts';
|
||||
$lang['start'] = 'Sākumlapas vārds';
|
||||
$lang['lang'] = 'Valoda';
|
||||
$lang['template'] = 'Šablons';
|
||||
$lang['license'] = 'Ar kādu licenci saturs tiks publicēts?';
|
||||
$lang['savedir'] = 'Direktorija datu glabāšanai';
|
||||
$lang['basedir'] = 'Saknes direktorija';
|
||||
$lang['baseurl'] = 'Saknes adrese (URL)';
|
||||
$lang['dmode'] = 'Tiesības izveidotajām direktorijām';
|
||||
$lang['fmode'] = 'Tiesības izveidotajiem failiem';
|
||||
$lang['allowdebug'] = 'Ieslēgt atkļūdošanu. <b>Izslēdz!</b>';
|
||||
$lang['recent'] = 'Jaunākie grozījumi';
|
||||
$lang['recent_days'] = 'Cik dienas glabāt jaunākās izmaiņas';
|
||||
$lang['breadcrumbs'] = 'Apmeklējumu vēstures garums';
|
||||
$lang['youarehere'] = 'Rādīt "tu atrodies šeit"';
|
||||
$lang['fullpath'] = 'Norādīt kājenē pilnu lapas ceļu';
|
||||
$lang['typography'] = 'Veikt tipogrāfijas aizvietošanu';
|
||||
$lang['dformat'] = 'Datuma formāts (sk. PHP <a href="http://php.net/strftime">strftime</a> funkciju)';
|
||||
$lang['signature'] = 'Paraksts';
|
||||
$lang['showuseras'] = 'Kā rādīt pēdējo lietotāju, ka labojis lapu';
|
||||
$lang['toptoclevel'] = 'Satura rādītāja pirmais līmenis';
|
||||
$lang['tocminheads'] = 'Mazākais virsrakstu skaits, no kuriem jāveido satura rādītājs.';
|
||||
$lang['maxtoclevel'] = 'Satura rādītāja dziļākais līmenis';
|
||||
$lang['maxseclevel'] = 'Dziļākais sekciju labošanas līmenis';
|
||||
$lang['camelcase'] = 'Lietot saitēm CamelCase';
|
||||
$lang['deaccent'] = 'Lapu nosaukumu transliterācija';
|
||||
$lang['useheading'] = 'Izmantot pirmo virsrakstu lapu nosaukumiem';
|
||||
$lang['sneaky_index'] = 'Pēc noklusētā DokuWiki lapu sarakstā parāda visu nodaļu lapas. Ieslēdzot šo parametru, noslēps tās nodaļas, kuras apmeklētājam nav tiesības lasīt. Bet tad tiks arī paslēptas dziļākas, bet atļautas nodaļas. Atsevišķos pieejas tiesību konfigurācijas gadījumos lapu saraksts var nedarboties.';
|
||||
$lang['hidepages'] = 'Slēpt lapas (regulāras izteiksmes)';
|
||||
$lang['useacl'] = 'Izmantot piekļuves tiesības';
|
||||
$lang['autopasswd'] = 'Automātiski ģenerēt paroles';
|
||||
$lang['authtype'] = 'Autentifikācijas mehānisms';
|
||||
$lang['passcrypt'] = 'Paroļu šifrēšanas metode';
|
||||
$lang['defaultgroup'] = 'Noklusētā grupa';
|
||||
$lang['superuser'] = 'Administrators - grupa, lietotājs vai to saraksts ( piem.: user1,@group1,user2), kam ir pilnas tiesības.';
|
||||
$lang['manager'] = 'Pārziņi - grupa, lietotājs vai to saraksts ( piem.: user1,@group1,user2), kam ir pieeja pie dažām administrēšanas funkcijām.';
|
||||
$lang['profileconfirm'] = 'Profila labošanai vajag paroli';
|
||||
$lang['rememberme'] = 'Atļaut pastāvīgas ielogošanās sīkdatnes ("atceries mani")';
|
||||
$lang['disableactions'] = 'Bloķēt Dokuwiki darbības';
|
||||
$lang['disableactions_check'] = 'atzīmēt';
|
||||
$lang['disableactions_subscription'] = 'abonēt/atteikties';
|
||||
$lang['disableactions_wikicode'] = 'skatīt/eksportēt izejtekstu';
|
||||
$lang['disableactions_other'] = 'citas darbības (atdalīt ar komatiem)';
|
||||
$lang['auth_security_timeout'] = 'Autorizācijas drošības intervāls (sekundēs)';
|
||||
$lang['securecookie'] = 'Vai pa HTTPS sūtāmās sīkdatnes sūtīt tikai pa HTTPS? Atslēdz šo iespēju, kad tikai pieteikšanās wiki sistēmā notiek pa SSL šifrētu savienojumu, bet skatīšana - pa nešifrētu.';
|
||||
$lang['usewordblock'] = 'Bloķēt spamu pēc slikto vārdu saraksta.';
|
||||
$lang['relnofollow'] = 'rel="nofollow" ārējām saitēm';
|
||||
$lang['indexdelay'] = 'Laika aizture pirms indeksācijas (sekundēs)';
|
||||
$lang['mailguard'] = 'Slēpt epasta adreses';
|
||||
$lang['iexssprotect'] = 'Pārbaudīt, vai augšupielādētajā failā nav nav potenciāli bīstamā JavaScript vai HTML koda.';
|
||||
$lang['usedraft'] = 'Labojot automātiski saglabāt melnrakstu';
|
||||
$lang['htmlok'] = 'Atļaut iekļautu HTTP';
|
||||
$lang['phpok'] = 'Atļaut iekļautu PHP';
|
||||
$lang['locktime'] = 'Bloķēšanas failu maksimālais vecums';
|
||||
$lang['cachetime'] = 'Bufera maksimālais vecums (sek)';
|
||||
$lang['target____wiki'] = 'Kur atvērt iekšējās saites';
|
||||
$lang['target____interwiki'] = 'Kur atvērt saites strap wiki';
|
||||
$lang['target____extern'] = 'Kur atvērt ārējās saites';
|
||||
$lang['target____media'] = 'Kur atvērt mēdiju saites';
|
||||
$lang['target____windows'] = 'Kur atvērt saites uz tīkla mapēm';
|
||||
$lang['refcheck'] = 'Pārbaudīt saites uz mēdiju failiem';
|
||||
$lang['gdlib'] = 'GD Lib versija';
|
||||
$lang['im_convert'] = 'Ceļš uz ImageMagick convert rīku';
|
||||
$lang['jpg_quality'] = 'JPG saspiešanas kvalitāte';
|
||||
$lang['fetchsize'] = 'Maksimālais faila apjoms baitos, ko fetch.php var ielādēt no interneta.';
|
||||
$lang['subscribers'] = 'Atļaut abonēt izmaiņas';
|
||||
$lang['subscribe_time'] = 'Pēc cik ilga laika izsūtīt abonētos sarakstus un kopsavilkumus (sekundes); jābūt mazākam par laiku, kas norādīts "recent_days".';
|
||||
$lang['notify'] = 'Nosūtīt izmaiņu paziņojumu uz epasta adresi';
|
||||
$lang['registernotify'] = 'Nosūtīt paziņojumu par jauniem lietotājiem uz epasta adresi';
|
||||
$lang['mailfrom'] = 'Epasta adrese automātiskajiem paziņojumiem';
|
||||
$lang['mailprefix'] = 'E-pasta temata prefikss automātiskajiem paziņojumiem';
|
||||
$lang['sitemap'] = 'Lapas karte priekš Google (dienas)';
|
||||
$lang['rss_type'] = 'XML barotnes veids';
|
||||
$lang['rss_linkto'] = 'XML barotnes uz ';
|
||||
$lang['rss_content'] = 'Ko attēlot XML barotnē?';
|
||||
$lang['rss_update'] = 'XML barotnes atjaunošanas intervāls (sec)';
|
||||
$lang['rss_show_summary'] = 'Rādīt visrakstos XML barotnes kopsavilkumu ';
|
||||
$lang['updatecheck'] = 'Pārbaudīt, vai pieejami atjauninājumi un drošības brīdinājumi? Dokuwiki sazināsies ar update.dokuwiki.org';
|
||||
$lang['userewrite'] = 'Ērti lasāmas adreses (URL)';
|
||||
$lang['useslash'] = 'Lietot slīpiņu par URL atdalītāju';
|
||||
$lang['sepchar'] = 'Lapas nosaukuma vārdu atdalītājs';
|
||||
$lang['canonical'] = 'Lietot kanoniskus URL';
|
||||
$lang['fnencode'] = 'Ne ASCII failvārdu kodēšanas metode:';
|
||||
$lang['autoplural'] = 'Automātisks daudzskaitlis';
|
||||
$lang['compression'] = 'Saspiešanas metode vecajiem failiem';
|
||||
$lang['gzip_output'] = 'Lietot gzip Content-Encoding priekš xhtml';
|
||||
$lang['compress'] = 'Saspiest CSS un javascript failus';
|
||||
$lang['send404'] = 'Par neesošām lapām atbildēt "HTTP 404/Page Not Found" ';
|
||||
$lang['broken_iua'] = 'Varbūt tavā serverī nedarbojas funkcija ignore_user_abort? Tā dēļ var nestādāt meklēšanas indeksācija. Šī problēma sastopama, piemēram, IIS ar PHP/CGI. Papildus informāciju skatīt <a href="http://bugs.splitbrain.org/?do=details&task_id=852">Kļūdā Nr.852</a>.';
|
||||
$lang['xsendfile'] = 'Lietot X-Sendfile virsrakstu, augšupielādējot failu serverī? ';
|
||||
$lang['renderer_xhtml'] = 'Galveno (xhtml) wiki saturu renderēt ar ';
|
||||
$lang['renderer__core'] = '%s (dokuwiki kodols)';
|
||||
$lang['renderer__plugin'] = '%s (modulis)';
|
||||
$lang['proxy____host'] = 'Proxy servera vārds';
|
||||
$lang['proxy____port'] = 'Proxy ports';
|
||||
$lang['proxy____user'] = 'Proxy lietotāja vārds';
|
||||
$lang['proxy____pass'] = 'Proxy parole';
|
||||
$lang['proxy____ssl'] = 'Lietot SSL savienojumu ar proxy';
|
||||
$lang['proxy____except'] = 'Regulārā izteiksme tiem URL, kam nevar lietot proxy.';
|
||||
$lang['license_o_'] = 'Ar nekādu';
|
||||
$lang['typography_o_0'] = 'neko';
|
||||
$lang['typography_o_1'] = 'tikai dubultpēdiņas';
|
||||
$lang['typography_o_2'] = 'visas pēdiņas (ne vienmēr strādā)';
|
||||
$lang['userewrite_o_0'] = 'nē';
|
||||
$lang['userewrite_o_1'] = '.htaccess';
|
||||
$lang['userewrite_o_2'] = 'DokuWiki līdzekļi';
|
||||
$lang['deaccent_o_0'] = 'nē';
|
||||
$lang['deaccent_o_1'] = 'atmest diakritiku';
|
||||
$lang['deaccent_o_2'] = 'pārrakstīt latīņu burtiem';
|
||||
$lang['gdlib_o_0'] = 'GD Lib nav pieejama';
|
||||
$lang['gdlib_o_1'] = 'versija 1.x';
|
||||
$lang['gdlib_o_2'] = 'noteikt automātiksi';
|
||||
$lang['rss_type_o_rss'] = 'RSS 0.91';
|
||||
$lang['rss_type_o_rss1'] = 'RSS 1.0';
|
||||
$lang['rss_type_o_rss2'] = 'RSS 2.0';
|
||||
$lang['rss_type_o_atom'] = 'Atom 0.3';
|
||||
$lang['rss_type_o_atom1'] = 'Atom 1.0';
|
||||
$lang['rss_content_o_abstract'] = 'Abstract';
|
||||
$lang['rss_content_o_diff'] = 'apvienotu diff';
|
||||
$lang['rss_content_o_htmldiff'] = 'HTML formatētu diff tabulu';
|
||||
$lang['rss_content_o_html'] = 'pilnu HTML lapas saturu';
|
||||
$lang['rss_linkto_o_diff'] = 'atšķirības';
|
||||
$lang['rss_linkto_o_page'] = 'grozītās lapas';
|
||||
$lang['rss_linkto_o_rev'] = 'grozījumu sarakstu';
|
||||
$lang['rss_linkto_o_current'] = 'patreizējo lapu';
|
||||
$lang['compression_o_0'] = 'nav';
|
||||
$lang['compression_o_gz'] = 'gzip';
|
||||
$lang['compression_o_bz2'] = 'bz2';
|
||||
$lang['xsendfile_o_0'] = 'nelietot';
|
||||
$lang['xsendfile_o_1'] = 'lighttpd (pirms laidiena 1.5) veida galvene';
|
||||
$lang['xsendfile_o_2'] = 'Standarta X-Sendfile galvene';
|
||||
$lang['xsendfile_o_3'] = 'Nginx X-Accel-Redirect veida galvene';
|
||||
$lang['showuseras_o_loginname'] = 'Login vārds';
|
||||
$lang['showuseras_o_username'] = 'Pilns lietotāja vārds';
|
||||
$lang['showuseras_o_email'] = 'Lietotāja epasta adrese (slēpta ar norādīto paņēmienu)';
|
||||
$lang['showuseras_o_email_link'] = 'Lietot epasta adreses kā mailto: saites';
|
||||
$lang['useheading_o_0'] = 'Nekad';
|
||||
$lang['useheading_o_navigation'] = 'Tikai navigācija';
|
||||
$lang['useheading_o_content'] = 'Tikai Wiki saturs';
|
||||
$lang['useheading_o_1'] = 'Vienmēr';
|
||||
$lang['readdircache'] = 'Maksimālais readdir kesš dzīves laiks (sek.)';
|
10
projet/doku/lib/plugins/config/lang/mr/intro.txt
Normal file
10
projet/doku/lib/plugins/config/lang/mr/intro.txt
Normal file
@@ -0,0 +1,10 @@
|
||||
====== कॉन्फिगरेशन व्यवस्थापक ======
|
||||
|
||||
तुमच्या डॉक्युविकीची सेटिंग बदलान्यासाथी हे पान वापरा.
|
||||
विशिष्ठ सेटिंग विषयी माहिती पाहिजे असल्यास [[doku>config]] पहा.
|
||||
प्लगिन विषयी अधिक माहितीसाठी [[doku>plugin:config]] पहा.
|
||||
हलक्या लाल पार्श्वभूमिमधे दाखवलेले सेटिंग सुरक्षित आहेत व या प्लगिन द्वारा बदलता येणार नाहीत.
|
||||
निळ्या पार्श्वभूमीमधे दाखवलेले सेटिंग आपोआप सेट होणार्या किमती आहेत आणि पांढर्या पार्श्वभूमीमधे
|
||||
दाखवलेले सेटिंग या इन्स्टॉलेशनसाठी ख़ास सेट केलेले आहेत. निळे आणि पांढरे दोन्ही सेटिंग बदलता येतील.
|
||||
|
||||
ह्या पानावरून बाहर जाण्याआधी "Save" चे बटन क्लिक करायला विसरू नका नाहीतर सर्व बदल नाहीसे होतील.
|
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user