Add script 'get-openssl-version.sh'.
This commit is contained in:
@ -0,0 +1,66 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\test;
|
||||
|
||||
use dokuwiki\plugin\config\core\ConfigParser;
|
||||
|
||||
/**
|
||||
* @group plugin_config
|
||||
* @group admin_plugins
|
||||
* @group plugins
|
||||
* @group bundled_plugins
|
||||
*/
|
||||
class ConfigParserTest extends \DokuWikiTest {
|
||||
|
||||
function test_readconfig() {
|
||||
$parser = new ConfigParser();
|
||||
$conf = $parser->parse(__DIR__ . '/data/config.php');
|
||||
|
||||
// var_dump($conf);
|
||||
|
||||
$this->assertEquals('42', $conf['int1']);
|
||||
$this->assertEquals('6*7', $conf['int2']);
|
||||
|
||||
$this->assertEquals('Hello World', $conf['str1']);
|
||||
$this->assertEquals('G\'day World', $conf['str2']);
|
||||
$this->assertEquals('Hello World', $conf['str3']);
|
||||
$this->assertEquals("Hello 'World'", $conf['str4']);
|
||||
$this->assertEquals('Hello "World"', $conf['str5']);
|
||||
|
||||
$this->assertEquals(array('foo', 'bar', 'baz'), $conf['arr1']);
|
||||
}
|
||||
|
||||
function test_readconfig_onoff() {
|
||||
$parser = new ConfigParser();
|
||||
$conf = $parser->parse(__DIR__ . '/data/config.php');
|
||||
|
||||
// var_dump($conf);
|
||||
|
||||
$this->assertEquals(0, $conf['onoff1']);
|
||||
$this->assertEquals(1, $conf['onoff2']);
|
||||
$this->assertEquals(2, $conf['onoff3']);
|
||||
$this->assertEquals(0, $conf['onoff4']);
|
||||
$this->assertEquals(1, $conf['onoff5']);
|
||||
$this->assertEquals(false, $conf['onoff6']);
|
||||
$this->assertEquals(true, $conf['onoff7']);
|
||||
$this->assertEquals('false', $conf['onoff8']);
|
||||
$this->assertEquals('true', $conf['onoff9']);
|
||||
|
||||
$this->assertEquals('false senctence', $conf['str11']);
|
||||
$this->assertEquals('true sentence', $conf['str12']);
|
||||
$this->assertEquals('truesfdf', $conf['str13']);
|
||||
$this->assertEquals("true", $conf['str14']);
|
||||
$this->assertEquals("truesfdsf", $conf['str15']);
|
||||
|
||||
$this->assertTrue($conf['onoff1'] == false);
|
||||
$this->assertTrue($conf['onoff2'] == true);
|
||||
$this->assertTrue($conf['onoff3'] == true);
|
||||
$this->assertTrue($conf['onoff4'] == false);
|
||||
$this->assertTrue($conf['onoff5'] == true);
|
||||
$this->assertTrue($conf['onoff6'] == false);
|
||||
$this->assertTrue($conf['onoff7'] == true);
|
||||
$this->assertTrue($conf['onoff8'] == true); //string
|
||||
$this->assertTrue($conf['onoff9'] == true); //string
|
||||
}
|
||||
|
||||
}
|
@ -0,0 +1,54 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\test;
|
||||
|
||||
use dokuwiki\HTTP\DokuHTTPClient;
|
||||
use dokuwiki\plugin\config\core\Configuration;
|
||||
use dokuwiki\plugin\config\core\Setting\SettingFieldset;
|
||||
use dokuwiki\plugin\config\core\Setting\SettingHidden;
|
||||
|
||||
/**
|
||||
* Ensure config options have documentation at dokuwiki.org
|
||||
*
|
||||
* @group plugin_config
|
||||
* @group admin_plugins
|
||||
* @group plugins
|
||||
* @group bundled_plugins
|
||||
* @group internet
|
||||
*/
|
||||
class DocumentationTest extends \DokuWikiTest
|
||||
{
|
||||
/**
|
||||
* @return \Generator|array[]
|
||||
*/
|
||||
public function provideSettings()
|
||||
{
|
||||
$configuration = new Configuration();
|
||||
|
||||
foreach ($configuration->getSettings() as $setting) {
|
||||
if (is_a($setting, SettingHidden::class)) continue;
|
||||
if (is_a($setting, SettingFieldset::class)) continue;
|
||||
|
||||
$key = $setting->getKey();
|
||||
$pretty = $setting->getPrettyKey();
|
||||
if (!preg_match('/ href="(.*?)"/', $pretty, $m)) continue;
|
||||
$url = $m[1];
|
||||
|
||||
yield [$key, $url];
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* @dataProvider provideSettings
|
||||
* @param string $key Settingskey
|
||||
* @param string $url Documentation URL
|
||||
*/
|
||||
public function testDocs($key, $url)
|
||||
{
|
||||
$http = new DokuHTTPClient();
|
||||
$check = $http->get($url);
|
||||
$fail = (bool)strpos($check, 'topic does not exist');
|
||||
$msg = "Setting '$key' should have documentation at $url.";
|
||||
$this->assertFalse($fail, $msg . ' ' . $http->status . ' ' . $http->error);
|
||||
}
|
||||
}
|
@ -0,0 +1,76 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\test;
|
||||
|
||||
use dokuwiki\plugin\config\core\ConfigParser;
|
||||
use dokuwiki\plugin\config\core\Loader;
|
||||
|
||||
/**
|
||||
* @group plugin_config
|
||||
* @group admin_plugins
|
||||
* @group plugins
|
||||
* @group bundled_plugins
|
||||
*/
|
||||
class LoaderExtraDefaultsTest extends \DokuWikiTest
|
||||
{
|
||||
|
||||
protected $pluginsEnabled = ['testing'];
|
||||
|
||||
protected $oldSetting = [];
|
||||
|
||||
public function setUp(): void
|
||||
{
|
||||
global $config_cascade;
|
||||
|
||||
$out = "<?php\n/*\n * protected settings, cannot modified in the Config manager\n" .
|
||||
" * Some test data */\n";
|
||||
$out .= "\$conf['title'] = 'New default Title';\n";
|
||||
$out .= "\$conf['tagline'] = 'New default Tagline';\n";
|
||||
$out .= "\$conf['plugin']['testing']['schnibble'] = 1;\n";
|
||||
$out .= "\$conf['plugin']['testing']['second'] = 'New default setting';\n";
|
||||
|
||||
$file = DOKU_CONF . 'otherdefaults.php';
|
||||
file_put_contents($file, $out);
|
||||
|
||||
//store original settings
|
||||
$this->oldSetting = $config_cascade['main']['default'];
|
||||
//add second file with defaults, which override the defaults of DokuWiki
|
||||
$config_cascade['main']['default'][] = $file;
|
||||
|
||||
parent::setUp();
|
||||
}
|
||||
|
||||
/**
|
||||
* Ensure loading the defaults work, and that the extra default for plugins provided via an extra main default file
|
||||
* override the plugin defaults as well
|
||||
*/
|
||||
public function testDefaultsOverwriting()
|
||||
{
|
||||
$loader = new Loader(new ConfigParser());
|
||||
|
||||
$conf = $loader->loadDefaults();
|
||||
$this->assertTrue(is_array($conf));
|
||||
|
||||
// basic defaults
|
||||
$this->assertArrayHasKey('title', $conf);
|
||||
$this->assertEquals('New default Title', $conf['title']);
|
||||
$this->assertEquals('New default Tagline', $conf['tagline']);
|
||||
|
||||
// plugin defaults
|
||||
$this->assertArrayHasKey('plugin____testing____schnibble', $conf);
|
||||
$this->assertEquals(1, $conf['plugin____testing____schnibble']);
|
||||
$this->assertEquals('New default setting', $conf['plugin____testing____second']);
|
||||
|
||||
}
|
||||
|
||||
public function tearDown(): void
|
||||
{
|
||||
global $config_cascade;
|
||||
|
||||
$config_cascade['main']['default'] = $this->oldSetting;
|
||||
unlink(DOKU_CONF . 'otherdefaults.php');
|
||||
|
||||
parent::tearDown();
|
||||
}
|
||||
|
||||
}
|
@ -0,0 +1,80 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\test;
|
||||
|
||||
use dokuwiki\plugin\config\core\ConfigParser;
|
||||
use dokuwiki\plugin\config\core\Loader;
|
||||
|
||||
/**
|
||||
* @group plugin_config
|
||||
* @group admin_plugins
|
||||
* @group plugins
|
||||
* @group bundled_plugins
|
||||
*/
|
||||
class LoaderTest extends \DokuWikiTest {
|
||||
|
||||
protected $pluginsEnabled = ['testing'];
|
||||
|
||||
/**
|
||||
* Ensure loading the config meta data works
|
||||
*/
|
||||
public function testMetaData() {
|
||||
$loader = new Loader(new ConfigParser());
|
||||
|
||||
$meta = $loader->loadMeta();
|
||||
$this->assertTrue(is_array($meta));
|
||||
|
||||
// there should be some defaults
|
||||
$this->assertArrayHasKey('savedir', $meta);
|
||||
$this->assertEquals(['savedir', '_caution' => 'danger'], $meta['savedir']);
|
||||
$this->assertArrayHasKey('proxy____port', $meta);
|
||||
$this->assertEquals(['numericopt'], $meta['proxy____port']);
|
||||
|
||||
// there should be plugin info
|
||||
$this->assertArrayHasKey('plugin____testing____plugin_settings_name', $meta);
|
||||
$this->assertEquals(['fieldset'], $meta['plugin____testing____plugin_settings_name']);
|
||||
$this->assertArrayHasKey('plugin____testing____schnibble', $meta);
|
||||
$this->assertEquals(['onoff'], $meta['plugin____testing____schnibble']);
|
||||
}
|
||||
|
||||
/**
|
||||
* Ensure loading the defaults work
|
||||
*/
|
||||
public function testDefaults() {
|
||||
$loader = new Loader(new ConfigParser());
|
||||
|
||||
$conf = $loader->loadDefaults();
|
||||
$this->assertTrue(is_array($conf));
|
||||
|
||||
// basic defaults
|
||||
$this->assertArrayHasKey('title', $conf);
|
||||
$this->assertEquals('DokuWiki', $conf['title']);
|
||||
|
||||
// plugin defaults
|
||||
$this->assertArrayHasKey('plugin____testing____schnibble', $conf);
|
||||
$this->assertEquals(0, $conf['plugin____testing____schnibble']);
|
||||
$this->assertEquals('Default value', $conf['plugin____testing____second']);
|
||||
}
|
||||
|
||||
/**
|
||||
* Ensure language loading works
|
||||
*/
|
||||
public function testLangs() {
|
||||
$loader = new Loader(new ConfigParser());
|
||||
|
||||
$lang = $loader->loadLangs();
|
||||
$this->assertTrue(is_array($lang));
|
||||
|
||||
// basics are not included in the returned array!
|
||||
$this->assertArrayNotHasKey('title', $lang);
|
||||
|
||||
// plugin strings
|
||||
$this->assertArrayHasKey('plugin____testing____plugin_settings_name', $lang);
|
||||
$this->assertEquals('Testing', $lang['plugin____testing____plugin_settings_name']);
|
||||
$this->assertArrayHasKey('plugin____testing____schnibble', $lang);
|
||||
$this->assertEquals(
|
||||
'Turns on the schnibble before the frobble is used',
|
||||
$lang['plugin____testing____schnibble']
|
||||
);
|
||||
}
|
||||
}
|
@ -0,0 +1,99 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\test\Setting;
|
||||
|
||||
use dokuwiki\plugin\config\core\Setting\Setting;
|
||||
|
||||
abstract class AbstractSettingTest extends \DokuWikiTest {
|
||||
|
||||
/** @var string the class to test */
|
||||
protected $class;
|
||||
|
||||
/**
|
||||
* Sets up the proper class to test based on the test's class name
|
||||
* @throws \Exception
|
||||
*/
|
||||
public function setUp() : void {
|
||||
parent::setUp();
|
||||
$class = get_class($this);
|
||||
$class = substr($class, strrpos($class, '\\') + 1, -4);
|
||||
$class = 'dokuwiki\\plugin\\config\\core\\Setting\\' . $class;
|
||||
$this->class = $class;
|
||||
}
|
||||
|
||||
public function testInitialBasics() {
|
||||
/** @var Setting $setting */
|
||||
$setting = new $this->class('test');
|
||||
$this->assertEquals('test', $setting->getKey());
|
||||
$this->assertSame(false, $setting->isProtected());
|
||||
$this->assertSame(true, $setting->isDefault());
|
||||
$this->assertSame(false, $setting->hasError());
|
||||
$this->assertSame(false, $setting->shouldBeSaved());
|
||||
}
|
||||
|
||||
public function testShouldHaveDefault() {
|
||||
/** @var Setting $setting */
|
||||
$setting = new $this->class('test');
|
||||
$this->assertSame(true, $setting->shouldHaveDefault());
|
||||
}
|
||||
|
||||
public function testPrettyKey() {
|
||||
/** @var Setting $setting */
|
||||
$setting = new $this->class('test');
|
||||
$this->assertEquals('test', $setting->getPrettyKey(false));
|
||||
|
||||
$setting = new $this->class('test____foo');
|
||||
$this->assertEquals('test»foo', $setting->getPrettyKey(false));
|
||||
|
||||
$setting = new $this->class('test');
|
||||
$this->assertEquals(
|
||||
'<a href="https://www.dokuwiki.org/config:test">test</a>',
|
||||
$setting->getPrettyKey(true)
|
||||
);
|
||||
|
||||
$setting = new $this->class('test____foo');
|
||||
$this->assertEquals('test»foo', $setting->getPrettyKey(true));
|
||||
|
||||
$setting = new $this->class('start');
|
||||
$this->assertEquals(
|
||||
'<a href="https://www.dokuwiki.org/config:startpage">start</a>',
|
||||
$setting->getPrettyKey(true)
|
||||
);
|
||||
}
|
||||
|
||||
public function testType() {
|
||||
/** @var Setting $setting */
|
||||
$setting = new $this->class('test');
|
||||
$this->assertEquals('dokuwiki', $setting->getType());
|
||||
|
||||
$setting = new $this->class('test_foo');
|
||||
$this->assertEquals('dokuwiki', $setting->getType());
|
||||
|
||||
$setting = new $this->class('plugin____test');
|
||||
$this->assertEquals('plugin', $setting->getType());
|
||||
|
||||
$setting = new $this->class('tpl____test');
|
||||
$this->assertEquals('template', $setting->getType());
|
||||
}
|
||||
|
||||
public function testCaution() {
|
||||
/** @var Setting $setting */
|
||||
$setting = new $this->class('test');
|
||||
$this->assertEquals(false, $setting->caution());
|
||||
|
||||
$setting = new $this->class('test', ['_caution' => 'warning']);
|
||||
$this->assertEquals('warning', $setting->caution());
|
||||
|
||||
$setting = new $this->class('test', ['_caution' => 'danger']);
|
||||
$this->assertEquals('danger', $setting->caution());
|
||||
|
||||
$setting = new $this->class('test', ['_caution' => 'security']);
|
||||
$this->assertEquals('security', $setting->caution());
|
||||
|
||||
$setting = new $this->class('test', ['_caution' => 'flargh']);
|
||||
$this->expectException(\RuntimeException::class);
|
||||
$setting->caution();
|
||||
}
|
||||
|
||||
|
||||
}
|
@ -0,0 +1,20 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\test\Setting;
|
||||
|
||||
/**
|
||||
* @group plugin_config
|
||||
* @group admin_plugins
|
||||
* @group plugins
|
||||
* @group bundled_plugins
|
||||
*/
|
||||
class SettingArrayTest extends SettingTest {
|
||||
|
||||
/** @inheritdoc */
|
||||
public function dataOut() {
|
||||
return [
|
||||
[ ['foo','bar'], "\$conf['test'] = array('foo', 'bar');\n"]
|
||||
];
|
||||
}
|
||||
|
||||
}
|
@ -0,0 +1,24 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\test\Setting;
|
||||
|
||||
/**
|
||||
* @group plugin_config
|
||||
* @group admin_plugins
|
||||
* @group plugins
|
||||
* @group bundled_plugins
|
||||
*/
|
||||
class SettingNumericTest extends SettingTest {
|
||||
|
||||
/** @inheritdoc */
|
||||
public function dataOut() {
|
||||
return [
|
||||
[42, "\$conf['test'] = 42;\n"],
|
||||
[0, "\$conf['test'] = 0;\n"],
|
||||
[-42, "\$conf['test'] = -42;\n"],
|
||||
[-42.13, "\$conf['test'] = -42.13;\n"],
|
||||
['12*13', "\$conf['test'] = 12*13;\n"],
|
||||
];
|
||||
}
|
||||
|
||||
}
|
@ -0,0 +1,23 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\test\Setting;
|
||||
|
||||
/**
|
||||
* @group plugin_config
|
||||
* @group admin_plugins
|
||||
* @group plugins
|
||||
* @group bundled_plugins
|
||||
*/
|
||||
class SettingNumericoptTest extends SettingNumericTest {
|
||||
|
||||
/** @inheritdoc */
|
||||
public function dataOut() {
|
||||
return array_merge(
|
||||
parent::dataOut(),
|
||||
[
|
||||
['', "\$conf['test'] = '';\n"],
|
||||
]
|
||||
);
|
||||
}
|
||||
|
||||
}
|
@ -0,0 +1,72 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\test\Setting;
|
||||
|
||||
/**
|
||||
* @group plugin_config
|
||||
* @group admin_plugins
|
||||
* @group plugins
|
||||
* @group bundled_plugins
|
||||
*/
|
||||
class SettingOnoffTest extends SettingTest {
|
||||
|
||||
/** @inheritdoc */
|
||||
public function dataOut() {
|
||||
return [
|
||||
[1, "\$conf['test'] = 1;\n"],
|
||||
[0, "\$conf['test'] = 0;\n"],
|
||||
|
||||
['1', "\$conf['test'] = 1;\n"],
|
||||
['0', "\$conf['test'] = 0;\n"],
|
||||
|
||||
['on', "\$conf['test'] = 1;\n"],
|
||||
['off', "\$conf['test'] = 0;\n"],
|
||||
|
||||
['true', "\$conf['test'] = 1;\n"],
|
||||
['false', "\$conf['test'] = 0;\n"],
|
||||
|
||||
['On', "\$conf['test'] = 1;\n"],
|
||||
['Off', "\$conf['test'] = 0;\n"],
|
||||
|
||||
['True', "\$conf['test'] = 1;\n"],
|
||||
['False', "\$conf['test'] = 0;\n"],
|
||||
|
||||
[true, "\$conf['test'] = 1;\n"],
|
||||
[false, "\$conf['test'] = 0;\n"],
|
||||
|
||||
[3, "\$conf['test'] = 1;\n"],
|
||||
['3', "\$conf['test'] = 1;\n"],
|
||||
|
||||
['', "\$conf['test'] = 0;\n"],
|
||||
[' ', "\$conf['test'] = 0;\n"],
|
||||
];
|
||||
}
|
||||
|
||||
/** @inheritdoc */
|
||||
public function dataShouldBeSaved() {
|
||||
return [
|
||||
[0, null, false],
|
||||
[1, null, false],
|
||||
[0, 0, false],
|
||||
[1, 1, false],
|
||||
[0, 1, true],
|
||||
[1, 0, true],
|
||||
|
||||
['0', '0', false],
|
||||
['1', '1', false],
|
||||
['0', '1', true],
|
||||
['1', '0', true],
|
||||
|
||||
['0', 0, false],
|
||||
['1', 1, false],
|
||||
['0', 1, true],
|
||||
['1', 0, true],
|
||||
|
||||
[0, '0', false],
|
||||
[1, '1', false],
|
||||
[0, '1', true],
|
||||
[1, '0', true],
|
||||
];
|
||||
}
|
||||
|
||||
}
|
@ -0,0 +1,13 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\test\Setting;
|
||||
|
||||
/**
|
||||
* @group plugin_config
|
||||
* @group admin_plugins
|
||||
* @group plugins
|
||||
* @group bundled_plugins
|
||||
*/
|
||||
class SettingStringTest extends SettingTest {
|
||||
|
||||
}
|
@ -0,0 +1,70 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\test\Setting;
|
||||
|
||||
use dokuwiki\plugin\config\core\Setting\Setting;
|
||||
|
||||
/**
|
||||
* @group plugin_config
|
||||
* @group admin_plugins
|
||||
* @group plugins
|
||||
* @group bundled_plugins
|
||||
*/
|
||||
class SettingTest extends AbstractSettingTest {
|
||||
|
||||
/**
|
||||
* Dataprovider for testOut()
|
||||
*
|
||||
* @return array
|
||||
*/
|
||||
public function dataOut() {
|
||||
return [
|
||||
['bar', "\$conf['test'] = 'bar';\n"],
|
||||
["foo'bar", "\$conf['test'] = 'foo\\'bar';\n"],
|
||||
];
|
||||
}
|
||||
|
||||
/**
|
||||
* Check the output
|
||||
*
|
||||
* @param mixed $in The value to initialize the setting with
|
||||
* @param string $out The expected output (for conf[test])
|
||||
* @dataProvider dataOut
|
||||
*/
|
||||
public function testOut($in, $out) {
|
||||
/** @var Setting $setting */
|
||||
$setting = new $this->class('test');
|
||||
$setting->initialize('ignore', $in);
|
||||
|
||||
$this->assertEquals($out, $setting->out('conf'));
|
||||
}
|
||||
|
||||
/**
|
||||
* DataProvider for testShouldBeSaved()
|
||||
*
|
||||
* @return array
|
||||
*/
|
||||
public function dataShouldBeSaved() {
|
||||
return [
|
||||
['default', null, false],
|
||||
['default', 'default', false],
|
||||
['default', 'new', true],
|
||||
];
|
||||
}
|
||||
|
||||
/**
|
||||
* Check if shouldBeSaved works as expected
|
||||
*
|
||||
* @dataProvider dataShouldBeSaved
|
||||
* @param mixed $default The default value
|
||||
* @param mixed $local The current local value
|
||||
* @param bool $expect The expected outcome
|
||||
*/
|
||||
public function testShouldBeSaved($default, $local, $expect) {
|
||||
/** @var Setting $setting */
|
||||
$setting = new $this->class('test');
|
||||
$setting->initialize($default, $local, null);
|
||||
$this->assertSame($expect, $setting->shouldBeSaved());
|
||||
}
|
||||
|
||||
}
|
@ -0,0 +1,70 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\test;
|
||||
use dokuwiki\plugin\config\core\Setting\SettingString;
|
||||
use dokuwiki\plugin\config\core\Writer;
|
||||
|
||||
/**
|
||||
* @group plugin_config
|
||||
* @group admin_plugins
|
||||
* @group plugins
|
||||
* @group bundled_plugins
|
||||
*/
|
||||
class WriterTest extends \DokuWikiTest {
|
||||
|
||||
public function testSave() {
|
||||
global $config_cascade;
|
||||
$config = end($config_cascade['main']['local']);
|
||||
|
||||
$set1 = new SettingString('test1');
|
||||
$set1->initialize('foo','bar', null);
|
||||
$set2 = new SettingString('test2');
|
||||
$set2->initialize('foo','foo', null);
|
||||
$settings = [$set1, $set2];
|
||||
$writer = new Writer();
|
||||
|
||||
// before running, no backup should exist
|
||||
$this->assertFileExists($config);
|
||||
$this->assertFileNotExists("$config.bak.php");
|
||||
$old = filesize($config);
|
||||
|
||||
/** @noinspection PhpUnhandledExceptionInspection */
|
||||
$writer->save($settings);
|
||||
|
||||
// after running, both should exist
|
||||
$this->assertFileExists($config);
|
||||
$this->assertFileExists("$config.bak.php");
|
||||
$this->assertEquals($old, filesize("$config.bak.php"), 'backup should have size of old file');
|
||||
|
||||
// check contents
|
||||
$conf = [];
|
||||
include $config;
|
||||
$this->assertArrayHasKey('test1', $conf);
|
||||
$this->assertEquals('bar', $conf['test1']);
|
||||
$this->assertArrayNotHasKey('test2', $conf);
|
||||
|
||||
/** @noinspection PhpUnhandledExceptionInspection */
|
||||
$writer->save($settings);
|
||||
$this->assertEquals(filesize($config), filesize("$config.bak.php"));
|
||||
}
|
||||
|
||||
public function testTouch() {
|
||||
global $config_cascade;
|
||||
$config = end($config_cascade['main']['local']);
|
||||
$writer = new Writer();
|
||||
|
||||
$old = filemtime($config);
|
||||
$this->waitForTick(true);
|
||||
/** @noinspection PhpUnhandledExceptionInspection */
|
||||
$writer->touch();
|
||||
clearstatcache($config);
|
||||
$this->assertGreaterThan($old, filemtime($config));
|
||||
}
|
||||
|
||||
public function testEmpty() {
|
||||
$writer = new Writer();
|
||||
$this->expectException(\Exception::class);
|
||||
$this->expectErrorMessage('empty config');
|
||||
$writer->save([]);
|
||||
}
|
||||
}
|
@ -0,0 +1,32 @@
|
||||
<?php
|
||||
|
||||
|
||||
$conf['int1'] = 42;
|
||||
$conf['int2'] = 6*7;
|
||||
|
||||
$conf['str1'] = 'Hello World';
|
||||
$conf['str2'] = 'G\'day World';
|
||||
$conf['str3'] = "Hello World";
|
||||
$conf['str4'] = "Hello 'World'";
|
||||
$conf['str5'] = "Hello \"World\"";
|
||||
|
||||
$conf['arr1'] = array('foo','bar', 'baz');
|
||||
|
||||
$conf['foo']['bar'] = 'x1';
|
||||
$conf['foo']['baz'] = 'x2';
|
||||
|
||||
$conf['onoff1'] = 0;
|
||||
$conf['onoff2'] = 1;
|
||||
$conf['onoff3'] = 2;
|
||||
$conf['onoff4'] = '0';
|
||||
$conf['onoff5'] = '1';
|
||||
$conf['onoff6'] = false;
|
||||
$conf['onoff7'] = true;
|
||||
$conf['onoff8'] = 'false';
|
||||
$conf['onoff9'] = 'true';
|
||||
|
||||
$conf['str11'] = 'false senctence';
|
||||
$conf['str12'] = 'true sentence';
|
||||
$conf['str13'] = 'truesfdf';
|
||||
$conf['str14'] = "true";
|
||||
$conf['str15'] = "truesfdsf";
|
@ -0,0 +1,28 @@
|
||||
<?php
|
||||
|
||||
$meta['int1'] = array('numeric');
|
||||
$meta['int2'] = array('numeric');
|
||||
|
||||
$meta['str1'] = array('string');
|
||||
$meta['str2'] = array('string');
|
||||
$meta['str3'] = array('string');
|
||||
$meta['str4'] = array('string');
|
||||
$meta['str5'] = array('string');
|
||||
|
||||
$meta['arr1'] = array('array');
|
||||
|
||||
$meta['onoff1'] = array('onoff');
|
||||
$meta['onoff2'] = array('onoff');
|
||||
$meta['onoff3'] = array('onoff');
|
||||
$meta['onoff4'] = array('onoff');
|
||||
$meta['onoff5'] = array('onoff');
|
||||
$meta['onoff6'] = array('onoff');
|
||||
$meta['onoff7'] = array('onoff');
|
||||
$meta['onoff8'] = array('onoff');
|
||||
$meta['onoff9'] = array('onoff');
|
||||
|
||||
$meta['str11'] = array('string');
|
||||
$meta['str12'] = array('string');
|
||||
$meta['str13'] = array('string');
|
||||
$meta['str14'] = array('string');
|
||||
$meta['str15'] = array('string');
|
282
snippets/dokuwiki-2023-04-04/lib/plugins/config/admin.php
Normal file
282
snippets/dokuwiki-2023-04-04/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;
|
||||
}
|
||||
}
|
@ -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 |
@ -0,0 +1,98 @@
|
||||
<?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);
|
||||
|
||||
// fallback to simply including the file #3271
|
||||
if($contents === null) {
|
||||
$conf = [];
|
||||
include $file;
|
||||
return $conf;
|
||||
}
|
||||
|
||||
$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;
|
||||
}
|
||||
|
||||
}
|
@ -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';
|
||||
}
|
||||
|
||||
}
|
275
snippets/dokuwiki-2023-04-04/lib/plugins/config/core/Loader.php
Normal file
275
snippets/dokuwiki-2023-04-04/lib/plugins/config/core/Loader.php
Normal file
@ -0,0 +1,275 @@
|
||||
<?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()
|
||||
{
|
||||
|
||||
// initialize array
|
||||
$conf = array();
|
||||
|
||||
// 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
|
||||
)
|
||||
);
|
||||
|
||||
// load main files
|
||||
global $config_cascade;
|
||||
return array_merge(
|
||||
$conf,
|
||||
$this->loadConfigs($config_cascade['main']['default'])
|
||||
);
|
||||
}
|
||||
|
||||
/**
|
||||
* 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;
|
||||
}
|
||||
}
|
@ -0,0 +1,310 @@
|
||||
<?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="https://www.dokuwiki.org/config:startpage">' . $out . '</a>';
|
||||
} else {
|
||||
return '<a href="https://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;
|
||||
}
|
||||
|
||||
/**
|
||||
* Escaping
|
||||
*
|
||||
* @param string $string
|
||||
* @return string
|
||||
*/
|
||||
protected function escape($string) {
|
||||
$tr = array("\\" => '\\\\', "'" => '\\\'');
|
||||
return "'" . strtr(cleanText($string), $tr) . "'";
|
||||
}
|
||||
|
||||
/**
|
||||
* 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 '';
|
||||
|
||||
if (is_array($this->local)) {
|
||||
$value = 'array(' . join(', ', array_map([$this, 'escape'], $this->local)) . ')';
|
||||
} else {
|
||||
$value = $this->escape($this->local);
|
||||
}
|
||||
|
||||
$out = '$' . $var . "['" . $this->getArrayKey() . "'] = $value;\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;
|
||||
}
|
||||
|
||||
}
|
@ -0,0 +1,85 @@
|
||||
<?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;
|
||||
}
|
||||
|
||||
/** @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);
|
||||
}
|
||||
}
|
@ -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);
|
||||
}
|
||||
}
|
@ -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);
|
||||
}
|
||||
}
|
@ -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);
|
||||
}
|
||||
|
||||
}
|
126
snippets/dokuwiki-2023-04-04/lib/plugins/config/core/Writer.php
Normal file
126
snippets/dokuwiki-2023-04-04/lib/plugins/config/core/Writer.php
Normal file
@ -0,0 +1,126 @@
|
||||
<?php
|
||||
|
||||
namespace dokuwiki\plugin\config\core;
|
||||
use dokuwiki\plugin\config\core\Setting\Setting;
|
||||
use dokuwiki\Logger;
|
||||
|
||||
/**
|
||||
* 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 = '';
|
||||
foreach($settings as $setting) {
|
||||
if($setting->shouldBeSaved()) {
|
||||
$out .= $setting->out('conf', 'php');
|
||||
}
|
||||
}
|
||||
|
||||
if($out === '') {
|
||||
throw new \Exception('empty config');
|
||||
}
|
||||
$out = $this->getHeader() . $out;
|
||||
|
||||
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 (if possible)
|
||||
*
|
||||
* @todo this should probably be moved to core
|
||||
* @param string $file
|
||||
*/
|
||||
protected function opcacheUpdate($file) {
|
||||
if(!function_exists('opcache_invalidate')) return;
|
||||
set_error_handler(function ($errNo, $errMsg) {
|
||||
Logger::debug('Unable to invalidate opcache: ' . $errMsg); }
|
||||
);
|
||||
opcache_invalidate($file);
|
||||
restore_error_handler();
|
||||
}
|
||||
|
||||
/**
|
||||
* 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: ' . (isset($_SERVER['REMOTE_USER']) ? $_SERVER['REMOTE_USER'] : 'Unknown'),
|
||||
' * Date: ' . date('r'),
|
||||
' */',
|
||||
'',
|
||||
''
|
||||
)
|
||||
);
|
||||
}
|
||||
}
|
Binary file not shown.
After Width: | Height: | Size: 637 B |
Binary file not shown.
After Width: | Height: | Size: 682 B |
Binary file not shown.
After Width: | Height: | Size: 606 B |
@ -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';
|
@ -0,0 +1,7 @@
|
||||
====== مدير الضبط ======
|
||||
|
||||
استخدم هذه الصفحة للتحكم باعدادات دوكو ويكي المثبتة عندك. للمساعدة في أمر ما أشر إلى [[doku>config]]. لمعلومات اكثر عن هذه الاضافة انظر [[doku>plugin:config]].
|
||||
|
||||
الاعدادات الظاهرة بخلفية حمراء فاتحة اعدادات محمية ولا يمكن تغييرها بهذه الاضافة. الاعدادات الظاهرة بخلفية زرقاء هي القيم الافتراضية والاعدادات الظاهرة بخلفية بيضاء خصصت لهذا التثبيت محليا. الاعدادات الزرقاء والبيضاء يمكن تغييرها.
|
||||
|
||||
تأكد من ضغط زر **SAVE** قبل ترك الصفحة وإلا ستضيع تعديلاتك.
|
187
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/ar/lang.php
Normal file
187
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/ar/lang.php
Normal file
@ -0,0 +1,187 @@
|
||||
<?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['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'] = 'المدة القصوى لتخزين ';
|
@ -0,0 +1,7 @@
|
||||
====== Диспечер на настройките ======
|
||||
|
||||
От тук можете да управлявате настройките на вашето Dokuwiki. За отделните настройки вижте [[doku>config]]. За повече информация относно тази приставка вижте [[doku>plugin:config]].
|
||||
|
||||
Настройките изобразени със светло червен фон са защитени и не могат да бъдат променяни с тази приставка. Настройките показани със син фон са стандартните стойности, а настройките с бял фон са били настроени локално за тази конкретна инсталация. Можете да променяте както сините, така и белите настройки.
|
||||
|
||||
Не забравяйте да натиснете бутона **ЗАПИС** преди да напуснете страницата, в противен случай промените няма да бъдат приложени.
|
189
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/bg/lang.php
Normal file
189
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/bg/lang.php
Normal file
@ -0,0 +1,189 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Alinur <alinur@danwin1210.de>
|
||||
* @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['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 (сек)';
|
@ -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.
|
@ -0,0 +1,169 @@
|
||||
<?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['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';
|
@ -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
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/ca/lang.php
Normal file
187
snippets/dokuwiki-2023-04-04/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 Marc Zulet <marczulet@gmail.com>
|
||||
* @author Joan <aseques@gmail.com>
|
||||
* @author David Surroca <davidsurrocaestrada@gmail.com>
|
||||
* @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>
|
||||
*/
|
||||
$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['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';
|
@ -0,0 +1,6 @@
|
||||
====== بەڕێوەبردنی رێکخستنەکان ======
|
||||
ئەم لاپەڕەیە بەکاربێنە بۆ کۆنترۆڵکردنی ڕێکخستنەکانی دامەزراندنی DokuWiki. بۆ یارمەتی دان لەسەر رێکخستنەکان تاک ئاماژە بە . [[doku>config]] بۆ زانیاری زیاتر دەربارەی ئەم زیادکراوەکان بڕوانە [[doku>plugin:config]].
|
||||
|
||||
ئەو رێکخستنەکانی کە بە باکگراوندی سووری کاڵ پیشان دراون پارێزراون و ناتوانرێت لەگەڵ ئەم پێوەکراوە دا بگۆردرێ. ئەو رێکخستنەکانی کە باکگراوندی شینیان هەیە بەها گریمانەییەکان نوچەیین و رێکخستنەکانی پییشاندراو بە باکگراوندی سپی لە خۆوە بۆ ئەم جێگیرکردنە دیاریکراوانە دانراوە. هەردوو ڕێکبەندەکانی شین و سپی دەکرێت بگۆردرین.
|
||||
|
||||
بیرت بێت کە دوگمەی **پاشکەوت** دابگرە پێش ئەوەی ئەم لاپەڕەیە بەجێ بهێڵم ئەگینا گۆڕانکاریەکانت وون دەبن.
|
@ -0,0 +1,212 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author qezwan <qezwan@gmail.com>
|
||||
* @author Wrya <wryaali33@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['_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'] = 'ناونیشانی ویکی ئاکا. ناوی ویکیی ەکەت';
|
||||
$lang['start'] = 'ناوی لاپەڕە بۆ بەکارهێنانی وەک خاڵی سەرەتا بۆ هەر بۆشایی ناوێک';
|
||||
$lang['lang'] = 'زمانی ڕووکار';
|
||||
$lang['template'] = 'ڕووکاری ئاکا. دیزاینی ویکی';
|
||||
$lang['tagline'] = '(تاگلاین (ئەگەر تێمپلەیت پشتگیری بکات';
|
||||
$lang['sidebar'] = 'ناوی لاتەنیشت لاپەڕە (ئەگەر تێمپلەیت پشتگیری بکات), خانەی بەتاڵ شریتی لالەکاردەکەوێ';
|
||||
$lang['license'] = 'دەبێت ناوەڕۆکەکەت لە ژێر کام مۆڵەتدا بڵاوبکرێتەوە؟ ';
|
||||
$lang['savedir'] = 'دایەرێکتۆری بۆ هەڵگرتنی داتا ';
|
||||
$lang['basedir'] = 'ڕێڕەوی سێرڤەر (eg. <code>/dokuwiki/</code>). چۆڵی بە جێبهێڵە بۆ دۆزینەوەی خۆکار.';
|
||||
$lang['baseurl'] = 'URL ی سێرڤەر (eg. <code>http://www.yourserver.com</code>) چۆڵی بە جێبهێڵە بۆ دۆزینەوەی خۆکار.';
|
||||
$lang['cookiedir'] = 'ڕیگای کوکی، چۆڵی بەچێبهێڵە بۆ بنەمای خۆی';
|
||||
$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 \'s <a href="http://php.net/strftime">strftime</a> function)';
|
||||
$lang['signature'] = 'چی بکەیت بە دوگمەی ئیمزا لە سەرنووسەر';
|
||||
$lang['showuseras'] = 'چی پیشان بدرێت کاتێک بەکارهێنەرەکە نیشان دەدات کە دوایین جار پەڕەیەکی بژارکردووە';
|
||||
$lang['toptoclevel'] = 'ئاستی سەرەوە بۆ ریزبەندی بابەتەکان';
|
||||
$lang['tocminheads'] = 'کەمترین بڕی مانشێت کە دیاری دەکات کە ئایا تۆک بنیات نراوە';
|
||||
$lang['maxtoclevel'] = 'بەرزترین ئاست بۆ ریزبەندی بابەتەکان';
|
||||
$lang['maxseclevel'] = 'بەرزترین ئاستی بژارکردنی بەش';
|
||||
$lang['camelcase'] = 'بەکارهێنانی کەیسی وشتر بۆ بەستەرەکان';
|
||||
$lang['deaccent'] = 'چۆن ناوی لاپەڕەکان خاوێن بکەوە';
|
||||
$lang['useheading'] = 'یەکەم سەردێڕ بۆ ناوی لاپەڕەکان بەکاربهێنە';
|
||||
$lang['sneaky_index'] = 'بە گریمانەیی، DokuWiki هەموو بۆشاییناوەکان لە نەخشەی سایتەکە پیشان دەدات. چالاککردنی ئەم هەڵبژاردنە ئەو کەسانە دەشارێتەوە کە بەکارهێنەر مۆڵەتەکانی خوێندنەوەی نیە. ئەمە لەوانەیە ببێتە هۆی شاردنەوەی بۆشایی لاوەکی توانای چوونەژورەوەی هەبێت کە لەوانەیە ئیندێکس ەکە بەکارنەهیێت لەگەڵ هەندێک ڕێکخستنی ACL.';
|
||||
$lang['hidepages'] = 'شاردنەوەی پەڕەکان کە هاوچەوچەن لەگەڵ ئەم دەربڕینە ئاساییە لە گەڕان، نەخشەی سایت ەکە و ئیندێکسە ئۆتۆماتیکیەکانی تر';
|
||||
$lang['useacl'] = 'بەکارهێنانی لیستەکانی کۆنترۆڵی چوونەژورەوە';
|
||||
$lang['autopasswd'] = 'تێپەڕوشە دروستکەری خۆکار';
|
||||
$lang['authtype'] = 'Authentication backend';
|
||||
$lang['passcrypt'] = 'شێوازی نهێنینهێنی';
|
||||
$lang['defaultgroup'] = 'گرووپی بنەڕەت، هەموو بەکارهێنەرە نوێکان لەم گرووپەدا دابنرێ';
|
||||
$lang['superuser'] = 'Superuser - group, بەکارهێنەر یان وێرکڕا لیستی جیاکراوە user1,@group1,user2 لەگەڵ گەیشتنی تەواو بۆ هەموو لاپەڕەکان و ئەرکەکان بەبێ گوێدانە ڕێکبەندەکانی ACL';
|
||||
$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'] = 'XML سەندیکا (RSS)';
|
||||
$lang['auth_security_timeout'] = '(کاتی تەواوبووی ئاسایشی ڕەسەنایەتی سەلماندن (چرکە';
|
||||
$lang['securecookie'] = 'ئایا کۆکیزەکان لە ڕێگەی HTTPS دابندرێن تەنها لە ڕێگەی HTTPS ئەوە دەنێردرێن لەلایەن وێبگەڕەکە؟ ئەم هەڵبژاردنە لە کاربخە کاتێک تەنها چوونە ژوورەوەی ویکیەکەت پارێزراوە لەگەڵ SSL بەڵام گەڕانی ویکی بە ناپارێزراوی ئەنجام دراوە.';
|
||||
$lang['remote'] = 'چالاککردنی سیستەمی API ی دوور. ئەمە ڕێگە بە کاربەرنامەکانی تر دەدات بۆ چوونە ژورەوەی ویکی لە ڕێگەی XML-RPC یان میکانیزمەکانی ترەوە.';
|
||||
$lang['remoteuser'] = 'سنوردارکردنی دەستگەیشتنی API لەدوورەوە بۆ کۆمەڵە جیاکراوەکان بە کۆما یان بەکارهێنەرەکان کە لێرە دران. بە بەتاڵی بڕۆ بۆ پێدانی دەستگەیشتن بە هەموو کەسێک.';
|
||||
$lang['usewordblock'] = 'بلۆککردنی سپام لەسەر بنەمای لیستی ووشە';
|
||||
$lang['relnofollow'] = 'بەکارهێنانی rel="ugc nofollow" لەسەر بەستەری دەرەکی';
|
||||
$lang['indexdelay'] = 'دواخستنی کات پێش پێڕستکردن (sec)';
|
||||
$lang['mailguard'] = 'ناونیشانی ئیمەیلی نادیار';
|
||||
$lang['iexssprotect'] = 'پشکنینی فایلە بارکراوەکان بۆ ئەگەری خراپی JavaScript یان HTML کۆد';
|
||||
$lang['usedraft'] = 'بە شێوەیەکی ئۆتۆماتیکی ڕەشنووسێک لە کاتی بژارکردندا خزن بکە';
|
||||
$lang['locktime'] = 'بەرزترین تەمەن بۆ فایلەکانی قوفڵ (چرکە)
|
||||
';
|
||||
$lang['cachetime'] = 'بەرزترین تەمەن بۆ حەشارگە (چرکە)
|
||||
';
|
||||
$lang['target____wiki'] = 'پەنجەرەی مەبەست بۆ لینکە ناوەکیەکان
|
||||
';
|
||||
$lang['target____interwiki'] = 'پەنجەرەی مەبەست بۆ لینکەکانی نێوان ویکی
|
||||
';
|
||||
$lang['target____extern'] = 'پەنجەرەی مەبەست بۆ بەستەری دەرەکی';
|
||||
$lang['target____media'] = 'پەنجەرەی مەبەست بۆ لینکەکانی میدیا';
|
||||
$lang['target____windows'] = 'پەنجەرەی مەبەست بۆ لینکی پەنجەرەکان';
|
||||
$lang['mediarevisions'] = 'چالاککردنی پێداچوونەوەکانی میدیا؟';
|
||||
$lang['refcheck'] = 'بپشکنە ئەگەر فایلی میدیا هێشتا لە بەکارهێناندایە پێش سڕینەوەی';
|
||||
$lang['gdlib'] = 'ڤێرژنی GD Lib';
|
||||
$lang['im_convert'] = 'ڕێڕەو بۆ ئامڕازی گۆڕینی ImageMagick';
|
||||
$lang['jpg_quality'] = 'کوالیتی پەستانەکانی JPG (0-100)';
|
||||
$lang['fetchsize'] = '(گەورەترین قەبارە (بایت fetch.php لەوانەیە دابەزێنێت لە URLs دەرەکی, وەک. بۆ خەزنکردنی کاتی و گۆڕینی قەبارەی وێنە دەرەکیەکان.';
|
||||
$lang['subscribers'] = 'ڕێگە بدە بە بەکارهێنەران بۆ بەشداری کردن لە گۆڕانکاریەکانی لاپەڕە بە ئیمەیڵ';
|
||||
$lang['subscribe_time'] = 'کات دوای ئەوەی کە لیستەکانی بەشداریکردن و هەرس دەنێردرێن (چرکە) ؛ ئەمە دەبێت بچووکتر بێت لەو کاتەی کە لە recent_days.';
|
||||
$lang['notify'] = 'هەمیشە ئاگاداری ەکانی گۆڕان بنێرە بۆ ئەم ناونیشانی ئیمەیڵە';
|
||||
$lang['registernotify'] = 'هەمیشە زانیاری لەسەر بەکارهێنەرە تازە تۆمارکراوەکان بنێرە بۆ ئەم ناونیشانی ئیمەیڵە';
|
||||
$lang['mailfrom'] = 'ناونیشانی ئیمەیڵی نێرەر بۆ بەکارهێنانی بۆ ئیمەیڵە ئۆتۆماتیکیەکان';
|
||||
$lang['mailreturnpath'] = 'ناونیشانی ئیمەیڵی وەرگر بۆ ئاگانامەکانی نەگەیشتن';
|
||||
$lang['mailprefix'] = 'پێشگری بابەتی ئیمەیڵ بۆ بەکارهێنانی بۆ ئیمەیڵە ئۆتۆماتیکیەکان. بە بەتاڵی جێبێڵبۆ بەکارهێنانی ناونیشانی ویکی';
|
||||
$lang['htmlmail'] = 'ناردنی گەڕانی باشتر، بەڵام گەورەتر لە قەبارەی ئیمەیلەکانی فرەبەشی HTML. لەکارخستنی تەنها پۆستەکان بۆ دەقی سادە.';
|
||||
$lang['sitemap'] = 'دروستکردنی نەخشەی سایتی گووگڵ ئەمە زۆرجار (لە رۆژدا). 0 بۆ ناچالاککردن';
|
||||
$lang['rss_type'] = 'جۆری ڕاگەیەنەری XML';
|
||||
$lang['rss_linkto'] = 'لینکەکانی فیدی XML بۆ';
|
||||
$lang['rss_content'] = 'چی پیشان بدرێت لە ئایتمی فیدی XML؟';
|
||||
$lang['rss_update'] = 'ماوەکانی نوێکردنەوەی ڕاگەیەنەری XML (sec)';
|
||||
$lang['rss_show_summary'] = 'پوختەی پیشاندانی ڕاگەیەنەری XML لە ناونیشان';
|
||||
$lang['rss_show_deleted'] = 'پیشاندانی کورتەکانی وێبی XML';
|
||||
$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'] = 'بەکارهێنانی URL ە تەواو قوونەکان';
|
||||
$lang['fnencode'] = 'شێوازی کۆدکردنی ناوی فایلەکانی نا-ASCII.';
|
||||
$lang['autoplural'] = 'پشکنینی فۆرمەکانی پلوراڵ لە لینکەکان';
|
||||
$lang['compression'] = 'شێوازی گوشارکردن بۆ فایلە کەمکراوەکان';
|
||||
$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 نەدۆزرایەوە" بۆ ئەو لاپەڕانەی کە ئێستا نین';
|
||||
$lang['broken_iua'] = 'ئایا ignore_user_abort لە سیستەمەکەت دا تێکچووە؟ ئەمە لەوانەیە دەبێتە هۆی کارنەکردنی گەڕانی ئیندێکس. IIS+PHP/CGI ناسراوە بە شکاوی. بڕوانە <a href="http://bugs.dokuwiki.org/?do=details&task_id=852">Bug 852</a> بۆ زانیاری زیاتر.';
|
||||
$lang['xsendfile'] = 'سەرپەڕەی فایلی-X-Sendfile بەکاربێنە بۆ ئەوەی بهێڵیت وێبسێرڤەرفایلە ستاتیکەکان ڕادەست بکات؟ وێبسێرڤەرەکەت پێویستە پشتگیری ئەمە بکات.';
|
||||
$lang['renderer_xhtml'] = 'نمایشی بۆ بەکارهێنانی بۆ سەرەکی (xhtml) دەرچوی ویکی';
|
||||
$lang['renderer__core'] = '%s (ناوک دووکوویکی)';
|
||||
$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['trustedproxy'] = 'متمانە بە ناردنی پرۆکسی گونجاو لەگەڵ ئەم دەربڕینە ئاساییە دەربارەی ئای پی ڕاستەقینەی کڕیارکە ی ڕاپۆرت دەکەن. گریمانەیی هاوچەشنە لەگەڵ تۆڕە ناوخۆییەکان. بە بەتاڵی جێبێڵبە بۆ باوەڕ کردن بە نوێنەر.';
|
||||
$lang['_feature_flags'] = 'ئاڵاکانی تایبەتمەندی';
|
||||
$lang['defer_js'] = 'Defer javascript بۆ جێبەجێ کردن پاش ئەوەی HTML لاپەڕەکە شیکراوە. خێرای پەڕەی هەستپێکراو باشتر دەکات بەڵام دەکرێت ژمارەیەکی کەم لە پێوەکراوەکان بشکێنێ.';
|
||||
$lang['dnslookups'] = 'DokuWiki بەدوای ناوی خانەخوێبگەڕێ بۆ ناونیشانی ئای پی دوور لە بەکارهێنەران کە لاپەڕە گۆڕانکاریدەکەن. ئەگەر ڕاژەکاری دی ان ئەی سی خاو یان کارنەکردنت هەیە یان ئەم تایبەتمەندیەت نەوێت، ئەم هەڵبژاردنە لە کاربخە';
|
||||
$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'] = 'بە لاگرتنی تاکە وتە';
|
||||
$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 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'] = '(سەرپەڕی گشتی لایتپی دی (پێش بڵاوکردنەوەی ١.٥';
|
||||
$lang['xsendfile_o_2'] = 'سەرپەڕی فایلی-X-پێوانەیی';
|
||||
$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'] = 'ناونیشانی ئیمەیڵی بەکارهێنەر وەک ئیمەیل: link';
|
||||
$lang['useheading_o_0'] = 'هەرگیز';
|
||||
$lang['useheading_o_navigation'] = 'تەنها ڕێنیشاندەر';
|
||||
$lang['useheading_o_content'] = 'تەنها ناوەڕۆکی ویکی';
|
||||
$lang['useheading_o_1'] = 'هەمیشە';
|
||||
$lang['readdircache'] = 'بەرزترین تەمەن بۆ کاتی خوێندنەوە (sec)';
|
@ -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.
|
233
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/cs/lang.php
Normal file
233
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/cs/lang.php
Normal file
@ -0,0 +1,233 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Petr Kajzar <petr.kajzar@centrum.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['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['dontlog'] = 'Zakázat protokolování pro tyto typy záznamů.';
|
||||
$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)';
|
@ -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.
|
252
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/cy/lang.php
Normal file
252
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/cy/lang.php
Normal file
@ -0,0 +1,252 @@
|
||||
<?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['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)';
|
@ -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.
|
217
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/da/lang.php
Normal file
217
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/da/lang.php
Normal file
@ -0,0 +1,217 @@
|
||||
<?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['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.
|
@ -0,0 +1,218 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Axel Kirch <axel@globeglotter.com>
|
||||
* @author MaWi <drmaxxis@gmail.com>
|
||||
* @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_known_class'] = 'Setting-Klasse nicht verfügbar.';
|
||||
$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 Zugriffskontrollliste';
|
||||
$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['remotecors'] = 'Erlaubt externen Clients API-Zugriff per Cross-Origin Resource Sharing (CORS). Asterisk (*), um alle Quellen zu erlauben. Leer lassen, um CORS zu deaktivieren.';
|
||||
$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['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['dontlog'] = 'Deaktivieren Sie die Protokollierung für diese Arten von Logs.';
|
||||
$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_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'] = '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.';
|
||||
$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['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'] = 'Vertraue 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 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 des Proxybenutzers';
|
||||
$lang['proxy____ssl'] = 'SSL verwenden, um auf den Proxy zuzugreifen';
|
||||
$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)';
|
@ -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.
|
233
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/de/lang.php
Normal file
233
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/de/lang.php
Normal file
@ -0,0 +1,233 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Andreas Gohr <andi@splitbrain.org>
|
||||
* @author Markus Glaser <glaser@hallowelt.com>
|
||||
* @author Axel Schwarzer <SchwarzerA@gmail.com>
|
||||
* @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['remotecors'] = 'Erlaubt externen Clients API-Zugriff per Cross-Origin Resource Sharing (CORS). Asterisk (*), um alle Quellen zu erlauben. Leer lassen, um CORS zu deaktivieren.';
|
||||
$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['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['dontlog'] = 'Protokollierung für diese Logtypen deaktivieren.';
|
||||
$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.';
|
||||
$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['hidewarnings'] = 'Keine PHP Warnungen anzeigen. Diese Einstellung kann den Umstieg auf PHP8+ erleichtern. Warnungen werden weiterhin im Fehlerlog gespeichert und sollten gemeldet werden.';
|
||||
$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)';
|
@ -0,0 +1,7 @@
|
||||
====== Ρυθμίσεις ======
|
||||
|
||||
Χρησιμοποιήστε αυτή την σελίδα για να ρυθμίσετε την λειτουργία του Dokuwiki σας. Για βοήθεια σχετικά με τις ρυθμίσεις δείτε την σελίδα [[doku>config]]. Για περισσότερες λεπτομέρειες σχετικά με αυτή την επέκταση δείτε την σελίδα [[doku>plugin:config]].
|
||||
|
||||
Οι ρυθμίσεις που εμφανίζονται σε απαλό κόκκινο φόντο είναι κλειδωμένες και δεν μπορούν να τροποποιηθούν μέσω αυτής της επέκτασης. Οι ρυθμίσεις που εμφανίζονται σε μπλε φόντο είναι οι προεπιλεγμένες ενώ οι ρυθμίσεις που εμφανίζονται σε λευκό φόντο είναι αυτές που διαφέρουν από τις προεπιλεγμένες. Και οι ρυθμίσεις που εμφανίζονται σε μπλε φόντο και οι ρυθμίσεις που εμφανίζονται σε λευκό φόντο μπορούν να τροποποιηθούν.
|
||||
|
||||
Θυμηθείτε να επιλέξετε **Αποθήκευση** αφού κάνετε τις αλλαγές που θέλετε.
|
210
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/el/lang.php
Normal file
210
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/el/lang.php
Normal file
@ -0,0 +1,210 @@
|
||||
<?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['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 (δευτερόλεπτα)';
|
@ -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.
|
278
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/en/lang.php
Normal file
278
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/en/lang.php
Normal file
@ -0,0 +1,278 @@
|
||||
<?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.';
|
||||
$lang['remotecors'] = 'Enable Cross-Origin Resource Sharing (CORS) for the remote interfaces. Asterisk (*) to allow all origins. Leave empty to deny CORS.';
|
||||
|
||||
/* 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['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.';
|
||||
$lang['dontlog'] = 'Disable logging for these types of logs.';
|
||||
|
||||
/* 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.';
|
||||
$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.';
|
||||
$lang['hidewarnings'] = 'Do not display any warnings issued by PHP. This may ease the transisition to PHP8+. Warnings will still be logged in the error log and should be reported.';
|
||||
|
||||
/* 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)';
|
@ -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
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/eo/lang.php
Normal file
197
snippets/dokuwiki-2023-04-04/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 Yves Nevelsteen <yves.nevelsteen@gmail.com>
|
||||
* @author Erik Bjørn Pedersen <erik.pedersen@shaw.ca>
|
||||
* @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['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)';
|
@ -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.
|
230
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/es/lang.php
Normal file
230
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/es/lang.php
Normal file
@ -0,0 +1,230 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author cadetill <cadetill@gmail.com>
|
||||
* @author Luna Frax <lunafrax@gmail.com>
|
||||
* @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['remotecors'] = 'Habilitar el Uso Compartido de Recursos entre Orígenes (CORS) para las interfaces remotas. Asterisco (*) para permitir todos los orígenes. Dejar vacío para denegar CORS.';
|
||||
$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['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['dontlog'] = 'Deshabilitar inicio de sesión para este tipo de registros.';
|
||||
$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['hidewarnings'] = 'No mostrar ninguna advertencia emitida por PHP. Esto puede facilitar la transición a PHP8+. Las advertencias seguirán siendo registradas en el registro de errores y deben ser reportadas.';
|
||||
$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)';
|
@ -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';
|
@ -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.
|
177
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/eu/lang.php
Normal file
177
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/eu/lang.php
Normal file
@ -0,0 +1,177 @@
|
||||
<?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['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)';
|
@ -0,0 +1,8 @@
|
||||
====== تنظیمات پیکربندی ======
|
||||
|
||||
از این صفحه برای مدیریت تنظیمات DokuWiki استفاده کنید. برای راهنمایی بیشتر به [[doku>config]] مراجعه نماید.
|
||||
برای جزییات در مورد این افزونه نیز میتوانید به [[doku>plugin:config]] مراجعه کنید.
|
||||
|
||||
تنظیماتی که با پیشزمینهی قرمز مشخص شدهاند، غیرقابل تغییر میباشند. تنظیماتی که به پیشزمینهی آبی مشخص شدهاند نیز حامل مقادیر پیشفرض میباشند و تنظیماتی که پیشزمینهی سفید دارند به طور محلی برای این سیستم تنظیم شدهاند. تمامی مقادیر آبی و سفید قابلیت تغییر دارند.
|
||||
|
||||
به یاد داشته باشید که قبل از ترک صفحه، دکمهی **ذخیره** را بفشارید، در غیر این صورت تنظیمات شما از بین خواهد رفت.
|
211
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/fa/lang.php
Normal file
211
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/fa/lang.php
Normal file
@ -0,0 +1,211 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Faramarz Karamizadeh <f.karamizadeh@yahoo.com>
|
||||
* @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['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 (ثانیه)';
|
@ -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.
|
191
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/fi/lang.php
Normal file
191
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/fi/lang.php
Normal file
@ -0,0 +1,191 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Pasi <zazuu@zazuu.net>
|
||||
* @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['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)';
|
@ -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 !
|
237
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/fr/lang.php
Normal file
237
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/fr/lang.php
Normal file
@ -0,0 +1,237 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Olivier Humbert <trebmuh@tuxfamily.org>
|
||||
* @author Philippe Verbeke <ph.verbeke@gmail.com>
|
||||
* @author Schplurtz le Déboulonné <schplurtz@laposte.net>
|
||||
* @author Nicolas Friedli <nicolas@theologique.ch>
|
||||
* @author Pierre Henriot <pierre.henriot@gmail.com>
|
||||
* @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>
|
||||
*/
|
||||
$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'] = 'Dossier d\'enregistrement des données';
|
||||
$lang['basedir'] = 'Dossier 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 dossiers';
|
||||
$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['remotecors'] = 'Active le partage de ressources entre origines multiples (CORS) pour les interfaces distantes. Utiliser un astérisque (*) pour autoriser toutes les origines. Laisser vide pour interdire le CORS.';
|
||||
$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['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 courriels multipart HTML (visuellement plus agréable, mais plus lourd). Désactiver pour utiliser uniquement des courriel en texte seul.';
|
||||
$lang['dontlog'] = 'Désactiver l\'enregistrement pour ces types de journaux.';
|
||||
$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.';
|
||||
$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['hidewarnings'] = 'Ne montrer aucun avertissement émis par PHP. Cela peut faciliter la transition vers PHP 8+. Les avertissements seront toujours enregistrés dans le journal des erreurs et devraient être rapportés.';
|
||||
$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)';
|
@ -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.
|
186
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/gl/lang.php
Normal file
186
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/gl/lang.php
Normal file
@ -0,0 +1,186 @@
|
||||
<?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['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)';
|
@ -0,0 +1,7 @@
|
||||
====== מנהל תצורה ======
|
||||
|
||||
ניתן להשתמש בדף זה לשליטה על הגדרות התקנת ה-Dokuwiki שלך. לעזרה בנוגע להגדרות ספציפיות ניתן לפנות אל [[doku>config]]. למידע נוסף אודות תוסף זה ניתן לפנות אל [[doku>plugin:config]].
|
||||
|
||||
הגדרות עם רקע אדום-בהיר מוגנות ואין אפשרות לשנותן עם תוסף זה. הגדרות עם רקע כחול הן בעלות ערך ברירת המחדל והגדרות עם רקע לבן הוגדרו באופן מקומי עבור התקנה זו. ההגדרות בעלות הרקעים הכחול והלבן הן ברות שינוי.
|
||||
|
||||
יש לזכור ללחוץ על כפתור ה**שמירה** טרם עזיבת דף זה פן יאבדו השינויים.
|
158
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/he/lang.php
Normal file
158
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/he/lang.php
Normal file
@ -0,0 +1,158 @@
|
||||
<?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['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'] = 'תמיד';
|
@ -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'] = 'हमेशा';
|
@ -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.
|
202
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/hr/lang.php
Normal file
202
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/hr/lang.php
Normal file
@ -0,0 +1,202 @@
|
||||
<?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['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.)';
|
@ -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!
|
198
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/hu/lang.php
Normal file
198
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/hu/lang.php
Normal file
@ -0,0 +1,198 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* @license GPL 2 (http://www.gnu.org/licenses/gpl.html)
|
||||
*
|
||||
* @author Hamp Gábor <gabor.hamp@gmail.com>
|
||||
* @author Viktor Horváth <horvath.viktor@forrastrend.hu>
|
||||
* @author Sandor TIHANYI <stihanyi+dw@gmail.com>
|
||||
* @author Siaynoq Mage <siaynoqmage@gmail.com>
|
||||
* @author schilling.janos <schilling.janos@gmail.com>
|
||||
* @author Szabó Dávid <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['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['rss_media_o_both'] = 'mindkettő';
|
||||
$lang['rss_media_o_pages'] = 'oldalak';
|
||||
$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['search_fragment_o_exact'] = 'pontosan';
|
||||
$lang['search_fragment_o_contains'] = 'tartalmaz';
|
||||
$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)';
|
@ -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.
|
167
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/ia/lang.php
Normal file
167
snippets/dokuwiki-2023-04-04/lib/plugins/config/lang/ia/lang.php
Normal file
@ -0,0 +1,167 @@
|
||||
<?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['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';
|
@ -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.
|
@ -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';
|
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user