[-]
[+]
|
Added |
icinga-web.changes
|
|
[-]
[+]
|
Changed |
icinga-web.spec
^
|
|
[-]
[+]
|
Deleted |
icinga-web-1.3.1.tar.bz2/app/modules/AppKit/lib/util/AppKitModuleUtil.class.php
^
|
@@ -1,211 +0,0 @@
-<?php
-/*
- * To change this template, choose Tools | Templates
- * and open the template in the editor.
- */
-
-class AppKitModuleUtil extends AppKitSingleton {
-
- const DEFAULT_NAMESPACE = 'org.icinga.global';
-
- const DATA_FLAT = 'flat';
- const DATA_DEFAULT = 'default';
- const DATA_UNIQUE = 'unique';
-
- protected static $default_config_keys = array (
- 'app.javascript_files' => self::DATA_FLAT,
- 'app.javascript_actions' => self::DATA_DEFAULT,
- 'app.javascript_dynamic' => self::DATA_UNIQUE,
- 'app.css_files' => self::DATA_FLAT,
- 'app.meta_tags' => self::DATA_DEFAULT
- );
-
- private $modules = null;
-
- private $s_configns = array();
- private $s_modnames = array();
-
- /**
- * @return AppKitModuleUtil
- */
- public static function getInstance() {
- return parent::getInstance(__CLASS__);
- }
-
- public function __construct() {
- parent::__construct();
- $this->modules = new ArrayObject();
- }
-
- public static function normalizeModuleName($module) {
- return strtolower($module);
- }
-
- public static function validConfig($module) {
- AppKitModuleUtil::normalizeModuleName($module);
- if (AgaviConfig::get(sprintf('modules.%s.version', false)) !== false) {
- return true;
- }
-
- return false;
- }
-
- public function isRegistered($module) {
- $module = $this->normalizeModuleName($module);
- return $this->modules->offsetExists($module);
- }
-
- /**
- *
- * @param <type> $module
- * @return AppKitModuleConfigItem
- */
- public function registerModule($module) {
- if (!$this->isRegistered($module) && AppKitModuleUtil::validConfig($module)) {
- $this->modules[$module] =
- new AppKitModuleConfigItem($module);
- }
-
- return $this->modules[$module];
- }
-
- /**
- *
- * @param <type> $module
- * @return AppKitModuleConfigItem
- */
- public function getConfigObject($module) {
- if ($this->isRegistered($module)) {
- return $this->modules[$module];
- }
-
- throw new AppKitModelException('The module %s does not exit!', $this->normalizeModuleName($module));
- }
-
- public function getValidConfigNamespaces() {
- if (!count($this->s_configns)) {
- foreach ($this->modules as $module=>$ci) {
- foreach ($ci->getConfigNamespaces() as $config_ns) {
- $this->s_configns[] = $config_ns;
- $this->s_modnames[$config_ns] = $module;
- }
- }
- }
- return $this->s_configns;
- }
-
- public function getSubConfig($subkey, $type=self::DATA_FLAT) {
- $out = array ();
- foreach ($this->getValidConfigNamespaces() as $ns) {
- $test = $ns. '.'. $subkey;
-
- if (($data = AgaviConfig::get($test, false)) !== false) {
- $out[$subkey][isset($this->s_modnames[$ns]) ? $this->s_modnames[$ns] : $ns] = $data;
- }
- }
-
- switch ($type) {
- case self::DATA_FLAT:
- return AppKitArrayUtil::flattenArray($out, 'sub');
- break;
-
- case self::DATA_UNIQUE:
- return AppKitArrayUtil::uniqueKeysArray($out, true);
- break;
-
- case self::DATA_DEFAULT:
- default:
- return $out;
- break;
- }
- }
-
- public function getWholeConfig() {
- $out=array();
- foreach (self::$default_config_keys as $subkey=>$subtype) {
- $out[$subkey] = $this->getSubConfig($subkey, ($subtype=='flat' ? true : false));
- }
- return $out;
- }
-
- public function applyToRequestAttributes(AgaviExecutionContainer $container, array $which_subkeys=null, $ns=self::DEFAULT_NAMESPACE) {
- if ($which_subkeys===null)
- $which_subkeys = self::$default_config_keys;
-
- $rq = $container->getContext()->getRequest();
-
- foreach (self::$default_config_keys as $subkey=>$subtype) {
- $data = $this->getSubConfig($subkey, $subtype);
-
- if (isset($data)) {
- if ($subtype == self::DATA_UNIQUE) {
- $rq->setAttribute($subkey, $data, $ns);
- }
- else {
- foreach ($data as $value) {
- $rq->appendAttribute($subkey, $value, $ns);
- }
- }
- }
- }
- }
-}
-
-class AppKitModuleConfigItem extends AgaviAttributeHolder {
-
- const NS_INT = '__module_config_item';
- const DEFAULT_SUB_NS = 'appkit_module';
-
- const A_MODULE_NAME = 'module_name';
- const A_BASE_NS = 'base_ns';
- const A_CONFIG_NS = 'config_namespaces';
-
- protected $defaultNamespace = 'org.icinga.moduleConfig';
-
- public function __construct($module) {
- $module = AppKitModuleUtil::normalizeModuleName($module);
-
- if (AppKitModuleUtil::validConfig($module)) {
- $this->setAttribute(self::A_MODULE_NAME, $module, self::NS_INT);
- $this->setAttribute(self::A_BASE_NS, 'modules.'. $module, self::NS_INT);
-
- $this->addConfigNamespace('modules.'. $module. '.'. self::DEFAULT_SUB_NS);
-
- parent::__construct();
- }
- else {
- throw new AppKitModelException('Configuration for module %s not found!', $module);
- }
- }
-
- public function addConfigNamespace($namespace) {
- $this->appendAttribute(self::A_CONFIG_NS, $namespace, self::NS_INT);
- }
-
- public function getAttributeNamespaces() {
- $ns = parent::getAttributeNamespaces();
-
- if (($index = array_search(self::NS_INT, $ns)) !== false) {
- unset($ns[$index]);
- }
-
- return $ns;
- }
-
- public function &getAttributes($ns = null) {
- parent::getAttributes($ns);
- }
-
- public function getModuleName() {
- return $this->getAttribute(self::A_MODULE_NAME, self::NS_INT);
- }
-
- public function getConfigNamespaces() {
- return $this->getAttribute(self::A_CONFIG_NS, self::NS_INT);
- }
-
-}
-
-class AppKitModuleUtilException extends AppKitException {}
-
-?>
|
[-]
[+]
|
Deleted |
icinga-web-1.3.1.tar.bz2/bin/getopts.php
^
|
@@ -1,235 +0,0 @@
-<?php
- /**********************************************************************************
- * Coded by Matt Carter (M@ttCarter.net) *
- ***********************************************************************************
- * getOpts *
- * Extended CLI mode option and switch handling *
- * *
- **********************************************************************************/
-/*
-GetOpt Readme
-+++++++++++++++
-
-getOpt is a library to load commandline options in replacement for the horribly inflexible 'getopts' native php function. It can be invoked using the typical 'require', 'include' (or their varients) from any PHP scripts.
-
-LEGAL STUFF
-===========
-This code is covered under the GPL with republishing permissions provided credit is given to the original author Matt Carter (M@ttCarter.com).
-
-LATEST VERSIONS
-===============
-The latest version can be found on the McStuff website currently loadted at http://ttcarter.com/mcstuff or by contacting the author at M@ttCarter.com (yes thats an email address).
-
-QUICK EXAMPLE
-=============
-#!/usr/bin/php -qC
-<?php
-require('getopts.php');
-$opts = getopts(array(
- 'a' => array('switch' => 'a','type' => GETOPT_SWITCH),
- 'b' => array('switch' => array('b','letterb'),'type' => GETOPT_SWITCH),
- 'c' => array('switch' => 'c', 'type' => GETOPT_VAL, 'default' => 'defaultval'),
- 'd' => array('switch' => 'd', 'type' => GETOPT_KEYVAL),
- 'e' => array('switch' => 'e', 'type' => GETOPT_ACCUMULATE),
- 'f' => array('switch' => 'f'),
-),$_SERVER['argv']);
-?>
-
-When used with the commandline:
->./PROGRAM.php -ab -c 15 -d key=val -e 1 --letterb -d key2=val2 -eeeeeee 2 3
-
-Gives the $opt variable the following structure:
-$opt = Array (
- [cmdline] => Array (
- [0] => 1
- [1] => 2
- [2] => 3
- )
- [a] => 1
- [b] => 1
- [c] => 15
- [d] => Array (
- [key] => val
- [key2] => val2
- )
- [e] => 8
- [f] => 0
-)
-
-Of course the above is a complex example showing off most of getopts functions all in one.
-
-Types and there meanings
-========================
-
-GETOPT_SWITCH
- This is either 0 or 1. No matter how many times it is specified on the command line.
-
- >PROGRAM -c -c -c -cccc
- Gives:
- $opt['c'] = 1;
-
- >PROGRAM
- Gives:
- $opt['c'] = 0
-
-GETOPT_ACCUMULATE
- Each time this switch is used its value increases.
-
- >PROGRAM -vvvv
- Gives:
- $opt['v'] = 4
-
-GETOPT_VAL
- This expects a value after its specification.
-
- >PROGRAM -c 32
- Gives:
- $opt['c'] = 32
-
- Multiple times override each precursive invokation so:
-
- >PROGRAM -c 32 -c 10 -c 67
- Gives:
- $opt['c'] = 67
-
-GETOPT_MULTIVAL
- The same format as GETOPT_VAL only this allows multiple values. All incomming variables are automatically formatted in an array no matter how few items are present.
-
- >PROGRAM -c 1 -c 2 -c 3
- Gives:
- $opt['c'] = array(1,2,3)
-
- >PROGRAM -c 1
- Gives:
- $opt['c'] = array(1)
-
- >PROGRAM
- Gives:
- $opt['c'] = array()
-
-GETOPT_KEYVAL
- Allows for key=value specifications.
-
- >PROGRAM -c key=val -c key2=val2 -c key3=val3 -c key3=val4
- Gives:
- $opt['c'] = array('key1' => 'val2','key2' => 'val2','key3' => array('val3','val4');
-
-*/
-
-define('GETOPT_NOTSWITCH',0); // Internal use only
-define('GETOPT_SWITCH',1);
-define('GETOPT_ACCUMULATE',2);
-define('GETOPT_VAL',3);
-define('GETOPT_MULTIVAL',4);
-define('GETOPT_KEYVAL',5);
-
-/**
-* @param array $options The getOpts specification. See the documentation for more details
-* @param string|array $fromarr Either a command line of switches or the array structure to take options from. If omitted $_SERVER['argv'] is used
-* @return array Processed array of return values
-*/
-function getopts($options,$fromarr = null) {
- if ($fromarr === null)
- $fromarr = $_SERVER['argv'];
- elseif (!is_array($fromarr))
- $fromarr = explode(' ',$fromarr); // Split it into an array if someone passes anything other than an array
- $opts = array('cmdline' => array()); // Output options
- $optionslookup = array(); // Reverse lookup table mapping each possible option to its real $options key
- foreach ($options as $optitem => $props) { // Default all options
- if (!isset($props['type'])) { // User didnt specify type...
- $options[$optitem]['type'] = GETOPT_SWITCH; // Default to switch
- $props['type'] = GETOPT_SWITCH; // And again because we're not using pointers here
- }
- switch ($props['type']) {
- case GETOPT_VAL:
- if (isset($props['default'])) {
- $opts[$optitem] = $props['default'];
- break;
- } // else fallthough...
- case GETOPT_ACCUMULATE:
- case GETOPT_SWITCH:
- $opts[$optitem] = 0;
- break;
- case GETOPT_MULTIVAL:
- case GETOPT_KEYVAL:
- $opts[$optitem] = array();
- }
- if (is_array($props['switch'])) { // Create the $optionslookup var from an array of aliases
- foreach ($props['switch'] as $switchalias)
- $optionslookup[$switchalias] = $optitem;
- } else { // Create the $optionslookup ref as a simple pointer to the hash
- $optionslookup[$props['switch']] = $optitem;
- }
- }
-
- $inswitch = GETOPT_NOTSWITCH;
- for ($i = 1; $i < count($fromarr); $i++) {
- switch ($inswitch) {
- case GETOPT_MULTIVAL:
- case GETOPT_VAL:
- if (substr($fromarr[$i],0,1) == '-') // Throw error if the user tries to simply set another switch while the last one is still 'open'
- die("The option '{$fromarr[$i]}' needs a value.\n");
- GETOPT_setval($opts,$options,$inswitch_key,$fromarr[$i]);
- $inswitch = GETOPT_NOTSWITCH; // Reset the reader to carry on reading normal stuff
- break;
- case GETOPT_KEYVAL: // Yes, the awkward one.
- if (substr($fromarr[$i],0,1) == '-') // Throw error if the user tries to simply set another switch while the last one is still 'open'
- die("The option '{$fromarr[$i]}' needs a value.\n");
- $fromarr[$i] = strtr($fromarr[$i],':','='); // Replace all ':' with '=' (keeping things simple and fast.
- if (strpos($fromarr[$i],'=') === false)
- die("The option '$inswitch_userkey' needs a key-value pair. E.g. '-$inswitch_userkey option=value'");
- GETOPT_setval($opts,$options,$inswitch_key,explode('=',$fromarr[$i]));
- $inswitch = GETOPT_NOTSWITCH; // Reset the reader to carry on reading normal stuff
- break;
- case GETOPT_NOTSWITCH: // General invokation of no previously complex cmdline options (i.e. i have no idea what to expect next)
- if (substr($fromarr[$i],0,1) == '-') {
- // Probably the start of a switch
- if ((strlen($fromarr[$i]) == 2) || (substr($fromarr[$i],0,2) == '--')) { // Single switch OR long opt (might be a weird thing like VAL, MULTIVAL etc.)
- $userkey = ltrim($fromarr[$i],'-');
- if (!isset($optionslookup[$userkey]))
- die("Unknown option '-$userkey'\n");
- $hashkey = $optionslookup[$userkey]; // Replace with the REAL key
- if (($options[$hashkey]['type'] == GETOPT_SWITCH) || ($options[$hashkey]['type'] == GETOPT_ACCUMULATE)) {
- GETOPT_setval($opts,$options,$hashkey,1); // Simple enough - Single option specified in switch that needs no params.
- } else { // OK the option needs a value. This is where the fun begins
- $inswitch = $options[$hashkey]['type']; // Set so the next process cycle will pick it up
- $inswitch_key = $hashkey;
- $inswitch_userkey = $userkey;
- }
- } else {
- // Multiple letters. Probably a bundling
- for ($o = 1; $o < strlen($fromarr[$i]); $o++) {
- $hashkey = substr($fromarr[$i],$o,1);
- if (!isset($optionslookup[$hashkey]))
- die("Unknown option '-$hashkey'\n");
- if (($options[$optionslookup[$hashkey]]['type'] != GETOPT_SWITCH) && ($options[$optionslookup[$hashkey]]['type'] != GETOPT_ACCUMULATE))
- die("Option '-$hashkey' requires a value.\n");
- GETOPT_setval($opts,$options,$optionslookup[$hashkey],1);
- }
- }
- } else {
- $opts['cmdline'][] = $fromarr[$i]; // Just detritus on the cmdline
- }
- break;
- }
- }
- return $opts;
-}
-
-function GETOPT_setval(&$opts,&$options,$key,$value) {
- switch ($options[$key]['type']) {
- case GETOPT_VAL:
- case GETOPT_SWITCH:
- $opts[$key] = $value;
- break;
- case GETOPT_ACCUMULATE:
- $opts[$key]++;
- break;
- case GETOPT_MULTIVAL:
- $opts[$key][] = $value;
- break;
- case GETOPT_KEYVAL:
- $opts[$key][$value[0]] = $value[1];
- }
-}
-?>
\ No newline at end of file
|
[-]
[+]
|
Deleted |
icinga-web-1.3.1.tar.bz2/etc/contrib/businessprocess-icinga-cronk/.buildpath
^
|
@@ -1,8 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<buildpath>
- <buildpathentry kind="src" path="bin"/>
- <buildpathentry kind="src" path="src/app/modules/Cronks/actions/bpAddon"/>
- <buildpathentry kind="src" path="src/app/modules/Cronks/templates/bpAddon"/>
- <buildpathentry kind="src" path="src/app/modules/Cronks/views/bpAddon"/>
- <buildpathentry kind="con" path="org.eclipse.php.core.LANGUAGE"/>
-</buildpath>
|
[-]
[+]
|
Deleted |
icinga-web-1.3.1.tar.bz2/etc/contrib/businessprocess-icinga-cronk/.project
^
|
@@ -1,22 +0,0 @@
-<?xml version="1.0" encoding="UTF-8"?>
-<projectDescription>
- <name>bp-icinga-cronk</name>
- <comment></comment>
- <projects>
- </projects>
- <buildSpec>
- <buildCommand>
- <name>org.eclipse.wst.validation.validationbuilder</name>
- <arguments>
- </arguments>
- </buildCommand>
- <buildCommand>
- <name>org.eclipse.dltk.core.scriptbuilder</name>
- <arguments>
- </arguments>
- </buildCommand>
- </buildSpec>
- <natures>
- <nature>org.eclipse.php.core.PHPNature</nature>
- </natures>
-</projectDescription>
|
[-]
[+]
|
Deleted |
icinga-web-1.3.1.tar.bz2/etc/contrib/businessprocess-icinga-cronk/.settings
^
|
-(directory)
|
[-]
[+]
|
Deleted |
icinga-web-1.3.1.tar.bz2/etc/contrib/businessprocess-icinga-cronk/.settings/org.eclipse.php.core.prefs
^
|
@@ -1,3 +0,0 @@
-#Fri Jul 23 13:46:26 CEST 2010
-eclipse.preferences.version=1
-include_path=0;/bp-icinga-cronk
|
[-]
[+]
|
Deleted |
icinga-web-1.3.1.tar.bz2/etc/contrib/businessprocess-icinga-cronk/bin/db.ini
^
|
@@ -1,21 +0,0 @@
-; DB Setup ini
-; Change these values to fit to your DB
-;
-; !! Please notice that keeping the db-password in this file after installing the plugin is a security risk !!
-
-;Type of your database
-dbtype = "mysql"
-
-;Address of the database
-host = "127.0.0.1"
-port = "3306"
-dbname = "icinga_web"
-
-;Credentials
-dbuser = "icinga_web"
-dbpass = "icinga"
-
-
-
-
-
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/.gitignore
^
|
@@ -14,6 +14,10 @@
app/modules/Web/config/icinga-io.xml
app/modules/AppKit/cache/Widgets/SquishLoader.xml
app/modules/Api/lib/.ssh/*
+app/modules/Api/config/module.site.xml
+app/modules/AppKit/config/module.site.xml
+app/modules/Web/config/module.site.xml
+app/modules/Cronks/config/module.site.xml
bin/clearcache.sh
icinga-web.session
icinga-web.webprj
@@ -28,3 +32,4 @@
icinga-web.mwb.bak
*~
*.swp
+
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/aclocal.m4
^
|
@@ -66,4 +66,15 @@
flag_debug="false"
AC_MSG_RESULT([YES ... debug=false, jscache=false (!!)])
], [ AC_MSG_RESULT([no (good)]) ])
+])
+
+AC_DEFUN([ACICINGA_PATH_GUESS], [
+ $2=$3
+ for x in $1; do
+ AC_MSG_CHECKING([if path $x exists])
+ AS_IF([test -d $x],
+ [AC_MSG_RESULT([found]); $2=$x; break],
+ [AC_MSG_RESULT([not found])]
+ )
+ done
])
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/config/config_handlers.xml
^
|
@@ -1,3 +1,14 @@
<?xml version="1.0" encoding="UTF-8"?>
<ae:configurations xmlns:ae="http://agavi.org/agavi/config/global/envelope/1.0" xmlns="http://agavi.org/agavi/config/parts/config_handlers/1.0" parent="%core.system_config_dir%/config_handlers.xml">
+
+ <ae:configuration>
+ <handlers>
+
+ <handler pattern="%core.config_dir%/routing.xml" class="AppKitModuleRoutingHandler">
+ <validation>%core.agavi_dir%/config/xsd/routing.xsd</validation>
+ <transformation>%core.agavi_dir%/config/xsl/routing.xsl</transformation>
+ </handler>
+
+ </handlers>
+ </ae:configuration>
</ae:configurations>
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/config/icinga.xml.in
^
|
@@ -17,6 +17,7 @@
-->
<setting name="appkit.web_path">@web_path@</setting>
<setting name="appkit.web_absolute_path">@web_absolute_path@</setting>
+ <setting name="appkit.logout_path">@web_path@</setting>
<setting name="appkit.image_path">@web_path@/images</setting>
<setting name="appkit.image_absolute_path">@web_absolute_path@/images</setting>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/bg.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,"Няма теми за показване"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" bg","Last-Translator":" Ivaylo <ivaylo@kostadinov.name>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-12-10 15:29+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Преименувайте"],"Do you really want to delete these groups?":[null,"Моля потвърдете изтриването на тези групи!"],"Auto refresh":[null,"Автоматично обновяване"],"Please provide a password for this user":[null,"Моля ъведете парола за този потребител"],"Auth via":[null,"Ауторизация чрез"],"email":[null,""],"Critical error":[null,"Критична грешка"],"Unknown error - please check your logs":[null,""],"Password":[null,"Паролата"],"Category editor":[null,""],"Tactical overview settings":[null,"Настройките на тактическия екран"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Успешно влизане. Ще бъдете пренасочени незабавно. Ако това не стане <a \"#~ \"href=\"%s\">моля щракнете тук за да достигнете направлението</a>.\""],"Command":[null,"Командата"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"Създадено"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"WARNING"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Потребител"],"Principals":[null,""],"Filter":[null,"Филтърът"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,"Не забравяйте да изчистите agavi config cache след това."],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Изпращането на командата невъзможно. Моля проверета в лога!"],"Welcome":[null,"Добре дошли"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Критично"],"Cronk Id":[null,""],"Groups":[null,"Групите"],"Users":[null,"Потребител"],"Say what?":[null,""],"Login":[null,"Влизане"],"Confirm password":[null,"Потвърдете вашата паролата"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,""],"Email":[null,"Email"],"Clear selection":[null,"Изчистете селекцията"],"Commands":[null,"Командите"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,"Празна селекция"],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,"Грешка: %s"],"Your application profile has been deleted!":[null,""],"Title":[null,"Въведете име"],"One or more fields are invalid":[null,"Едно или повече полета са грешни"],"UP":[null,"UP"],"Services":[null,""],"Message":[null,"Съобщение"],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,""],"Warning":[null,"Внимание"],"isActive":[null,""],"Language":[null,"Език"],"Edit group":[null,"Редактиране на група"],"Change title for this portlet":[null,"Преименувай този портлет"],"Add restriction":[null,"Добавете ограничение"],"State information":[null,"Допълваща информация"],"No users to display":[null,"Няма потребители за показване"],"Error report":[null,"Списък на грешките"],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,""],"Add new category":[null,"Добавете нов потребител"],"Close":[null,"Затвори"],"Available groups":[null,"Достъпни групи"],"Add new user":[null,"Добавете нов потребител"],"Edit user":[null,"Редактиране на потребител"],"Could not remove the last tab!":[null,"Затварянето на последния таб неуспешно!"],"True":[null,""],"Logout":[null,"Излизане"],"Reload":[null,""],"Delete":[null,"Изтриване на потребител"],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Добавете ограничение"],"(default) no option":[null,""],"Clear cache":[null,"Изчистете грешките"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Моля проверете отново какво сте въвели!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"Грешка"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,"Покажи уеб-адреса на този изглед"],"Access denied":[null,"Достъпът отказан"],"Running":[null,""],"Do you really want to delete these users?":[null,"Моля потвърдете изтриването на тези потребители!"],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Селекцията липсва"],"Increment current notification":[null,""],"Name":[null,"Преименувайте"],"Icinga bug report":[null,""],"elete cronk":[null,"Изтриване на групи"],"Reset":[null,""],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Паролата"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Създаване на нов потребител"],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Връзката с уеб-сървера неуспешна!"],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Командата изпратена"],"Sorry":[null,""],"Delete groups":[null,"Изтриване на групи"],"Unknown":[null,""],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Документи"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,"Показване на групи"],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,"Групово наследяване"],"Meta":[null,""],"Forced":[null,"Принудително"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,"Създаване на репорт за dev.icinga.org"],"Change language":[null,"Смяна на езика"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,"Щракнете тук за да редактирате потребител"],"Delete user":[null,"Изтриване на потребител"],"Bug report":[null,"Доклад за програмни грешки"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"Невъзможно да се промени"],"COMMENT_AUTHOR_NAME":[null,"COMMENT_AUTHOR_NAME"],"Session expired":[null,""],"Hide disabled ":[null,"Скрий изключените "],"No groups to display":[null,"Няма групи за показване"],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Добавете нова група"],"Action":[null,""],"A error occured when requesting ":[null,"Грешка при поискване на "],"Auto refresh ({0} seconds)":[null,"Автоматично обновяване ({0} секунди)"],"The following ":[null,""],"Grid settings":[null,"Нстройките"],"Yes":[null,"Да"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,""],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Не"],"Enter title":[null,"Въведете име"],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,"Неуспешно влизане (конфигурация)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMMENT_DATA"],"Dev":[null,"Dev"],"Group name":[null,"Име на групата"],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Преименувай този таб"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Преименувайте"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,""],"CRITICAL":[null,"CRITICAL"],"Login error":[null,"Неуспешно влизане"],"Modify filter":[null,"Промяна на филтъра"],"Status":[null,"Положението"],"Stop icinga process":[null,""],"Language changed":[null,"Езикък променен"],"Remove":[null,""],"Disabled":[null,"Изключено"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Щракнете тук за да видите инструкциите"],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"Редактиране на потребител"],"Guest":[null,"Гост"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,"Показване на теми {0} - {1} от {2}"],"Close others":[null,"Затвори всички останали"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"Въведете име"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,"Покажи уеб-адреса на този изглед"],"New Preference":[null,"Нови предпочитания"],"Confirm":[null,"Потвърдете вашата паролата"],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Моля потвърдете изтриването на всички "],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Неизвестен тип на поле: {0}"],"Meta information":[null,"Допълваща информация"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} команда изпратена успешно!"],"Link to this view":[null,"Връзка към този изглед"],"UNKNOWN":[null,"UNKNOWN"],"About":[null,"За"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Моля свържете се със вашия системен администратор ако смятате че това е необичайно."],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Отказване"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Промяна на"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,"Обща информация"],"Displaying users":[null,"Показване на потребителите"],"Position":[null,"Описание"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} елемента)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"Преименувайте"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Паролата"],"Agavi setting":[null,"Нстройките"],"seconds":[null,""],"Unknown id":[null,"Неизвестен тип на поле: {0}"],"CronkBuilder":[null,""],"Available logs":[null,"Достъпни дневници"],"Link":[null,"Връзката"],"New password":[null,"Нова парола"],"Settings":[null,"Нстройките"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Неправилно"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"UNREACHABLE"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,""],"Refresh":[null,"Обнови"],"Are you sure to do this?":[null,"Моля потвърдете че искате да продължите"]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,"Изчистете грешките"],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Командата изпратена"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Създаване на нова група"],"Add":[null,"Добавете"],"PENDING":[null,"PENDING"],"no principals availabe":[null,""],"Advanced":[null,"За напреднали"],"COMMENT_TIME":[null,"COMMENT_TIME"],"Change Password":[null,"Смяна на парола"],"Language settings":[null,"Езикови настройки"],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Преименувайте"],"Return code out of bounds":[null,"Резултатът е извън валидните граници"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Зареждането на списъка с крон-ове невъзможно, грешка: {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Грешка при изпращане на командата"],"Time":[null,""],"Discard":[null,"Отказване"],"Are you sure to delete {0}":[null,"Моля потвърдете че искате да продължите"],"Refresh the data in the grid":[null,"Обнови информациата в таблицата"],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Преименувай този таб"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,"Достъпни потребители"],"Request failed":[null,""],"Close and refresh":[null,"Автоматично обновяване"],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,"Неуспешно влизане"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Промяна"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Прилагане"],"Saving":[null,"Внимание"],"IN TOTAL":[null,"ОБЩО"],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Описание"],"DOWN":[null,"DOWN"]}
\ No newline at end of file
+{"No topics to display":[null,"Няма теми за показване"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" bg","Last-Translator":" Ivaylo <ivaylo@kostadinov.name>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-12-10 15:29+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Преименувайте"],"Do you really want to delete these groups?":[null,"Моля потвърдете изтриването на тези групи!"],"Auto refresh":[null,"Автоматично обновяване"],"Please provide a password for this user":[null,"Моля ъведете парола за този потребител"],"Auth via":[null,"Ауторизация чрез"],"email":[null,""],"Critical error":[null,"Критична грешка"],"Unknown error - please check your logs":[null,""],"Password":[null,"Паролата"],"Category editor":[null,""],"Tactical overview settings":[null,"Настройките на тактическия екран"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Успешно влизане. Ще бъдете пренасочени незабавно. Ако това не стане <a \"#~ \"href=\"%s\">моля щракнете тук за да достигнете направлението</a>.\""],"Reset view":[null,""],"Command":[null,"Командата"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"Създадено"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"WARNING"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Потребител"],"Principals":[null,""],"Filter":[null,"Филтърът"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,"Не забравяйте да изчистите agavi config cache след това."],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Изпращането на командата невъзможно. Моля проверета в лога!"],"Welcome":[null,"Добре дошли"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Критично"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"SERVICE_OUTPUT"],"Groups":[null,"Групите"],"Users":[null,"Потребител"],"Say what?":[null,""],"Login":[null,"Влизане"],"Confirm password":[null,"Потвърдете вашата паролата"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,""],"Email":[null,"Email"],"Clear selection":[null,"Изчистете селекцията"],"Commands":[null,"Командите"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,"Празна селекция"],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,"Грешка: %s"],"Your application profile has been deleted!":[null,""],"Title":[null,"Въведете име"],"One or more fields are invalid":[null,"Едно или повече полета са грешни"],"UP":[null,"UP"],"Services":[null,""],"Message":[null,"Съобщение"],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,""],"Warning":[null,"Внимание"],"isActive":[null,""],"Language":[null,"Език"],"Edit group":[null,"Редактиране на група"],"Change title for this portlet":[null,"Преименувай този портлет"],"Add restriction":[null,"Добавете ограничение"],"State information":[null,"Допълваща информация"],"No users to display":[null,"Няма потребители за показване"],"Error report":[null,"Списък на грешките"],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,""],"Add new category":[null,"Добавете нов потребител"],"Close":[null,"Затвори"],"Available groups":[null,"Достъпни групи"],"Add new user":[null,"Добавете нов потребител"],"Edit user":[null,"Редактиране на потребител"],"Could not remove the last tab!":[null,"Затварянето на последния таб неуспешно!"],"True":[null,""],"Logout":[null,"Излизане"],"Reload":[null,""],"Delete":[null,"Изтриване на потребител"],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Добавете ограничение"],"(default) no option":[null,""],"Clear cache":[null,"Изчистете грешките"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Моля проверете отново какво сте въвели!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"Грешка"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,"Покажи уеб-адреса на този изглед"],"Access denied":[null,"Достъпът отказан"],"Running":[null,""],"Do you really want to delete these users?":[null,"Моля потвърдете изтриването на тези потребители!"],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Селекцията липсва"],"Increment current notification":[null,""],"Name":[null,"Преименувайте"],"Icinga bug report":[null,""],"elete cronk":[null,"Изтриване на групи"],"Reset":[null,""],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Паролата"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Създаване на нов потребител"],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Връзката с уеб-сървера неуспешна!"],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Командата изпратена"],"Sorry":[null,""],"Delete groups":[null,"Изтриване на групи"],"Unknown":[null,""],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Документи"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,"Показване на групи"],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,"Групово наследяване"],"Meta":[null,""],"Forced":[null,"Принудително"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,"Създаване на репорт за dev.icinga.org"],"Change language":[null,"Смяна на езика"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,"Щракнете тук за да редактирате потребител"],"Delete user":[null,"Изтриване на потребител"],"Bug report":[null,"Доклад за програмни грешки"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"Невъзможно да се промени"],"COMMENT_AUTHOR_NAME":[null,"COMMENT_AUTHOR_NAME"],"Session expired":[null,""],"Hide disabled ":[null,"Скрий изключените "],"No groups to display":[null,"Няма групи за показване"],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Добавете нова група"],"Action":[null,""],"A error occured when requesting ":[null,"Грешка при поискване на "],"Auto refresh ({0} seconds)":[null,"Автоматично обновяване ({0} секунди)"],"The following ":[null,""],"Grid settings":[null,"Нстройките"],"Yes":[null,"Да"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,""],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Не"],"Enter title":[null,"Въведете име"],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,"Неуспешно влизане (конфигурация)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMMENT_DATA"],"Dev":[null,"Dev"],"Group name":[null,"Име на групата"],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Преименувай този таб"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Преименувайте"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,""],"CRITICAL":[null,"CRITICAL"],"Login error":[null,"Неуспешно влизане"],"Modify filter":[null,"Промяна на филтъра"],"Status":[null,"Положението"],"Stop icinga process":[null,""],"Language changed":[null,"Езикък променен"],"Remove":[null,""],"Disabled":[null,"Изключено"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Щракнете тук за да видите инструкциите"],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"Редактиране на потребител"],"Guest":[null,"Гост"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,"Показване на теми {0} - {1} от {2}"],"Close others":[null,"Затвори всички останали"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"Въведете име"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,"Покажи уеб-адреса на този изглед"],"New Preference":[null,"Нови предпочитания"],"Confirm":[null,"Потвърдете вашата паролата"],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Моля потвърдете изтриването на всички "],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Неизвестен тип на поле: {0}"],"Meta information":[null,"Допълваща информация"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} команда изпратена успешно!"],"Link to this view":[null,"Връзка към този изглед"],"UNKNOWN":[null,"UNKNOWN"],"About":[null,"За"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Моля свържете се със вашия системен администратор ако смятате че това е необичайно."],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Отказване"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Промяна на"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,"Обща информация"],"Displaying users":[null,"Показване на потребителите"],"Position":[null,"Описание"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} елемента)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"Преименувайте"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Паролата"],"Agavi setting":[null,"Нстройките"],"seconds":[null,""],"Unknown id":[null,"Неизвестен тип на поле: {0}"],"CronkBuilder":[null,""],"Available logs":[null,"Достъпни дневници"],"Link":[null,"Връзката"],"New password":[null,"Нова парола"],"Settings":[null,"Нстройките"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Неправилно"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"HOST_OUTPUT"],"UNREACHABLE":[null,"UNREACHABLE"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,""],"Refresh":[null,"Обнови"],"Are you sure to do this?":[null,"Моля потвърдете че искате да продължите"]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,"Изчистете грешките"],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Командата изпратена"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Създаване на нова група"],"Add":[null,"Добавете"],"PENDING":[null,"PENDING"],"no principals availabe":[null,""],"Advanced":[null,"За напреднали"],"COMMENT_TIME":[null,"COMMENT_TIME"],"Change Password":[null,"Смяна на парола"],"Language settings":[null,"Езикови настройки"],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Преименувайте"],"Return code out of bounds":[null,"Резултатът е извън валидните граници"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Зареждането на списъка с крон-ове невъзможно, грешка: {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Грешка при изпращане на командата"],"Time":[null,""],"Discard":[null,"Отказване"],"Are you sure to delete {0}":[null,"Моля потвърдете че искате да продължите"],"Refresh the data in the grid":[null,"Обнови информациата в таблицата"],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,"Изтриване на групи"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Преименувай този таб"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,"Достъпни потребители"],"Request failed":[null,""],"Close and refresh":[null,"Автоматично обновяване"],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,"Неуспешно влизане"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Промяна"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Прилагане"],"Saving":[null,"Внимание"],"Expand":[null,""],"IN TOTAL":[null,"ОБЩО"],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Описание"],"DOWN":[null,"DOWN"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/ca.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-05-01 13:14+0200","Language":" ca","Last-Translator":" Jordi <jordi.rojas@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-11-25 23:45+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,""],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,""],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"Crític"],"Unknown error - please check your logs":[null,""],"Password":[null,""],"Category editor":[null,""],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"Command":[null,"Comanda"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,""],"Principals":[null,""],"Filter":[null,"Filtre"],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,""],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Crític"],"Cronk Id":[null,""],"Groups":[null,""],"Users":[null,""],"Say what?":[null,""],"Login":[null,""],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,"Comandes"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Entreu el títol"],"One or more fields are invalid":[null,""],"UP":[null,""],"Services":[null,""],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,""],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,"Modificar el títol d'aquest portlet"],"Add restriction":[null,"Afegir restricció"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,""],"Add new category":[null,"Afegir un nou usuari"],"Close":[null,"Tancar"],"Available groups":[null,""],"Add new user":[null,"Afegir un nou usuari"],"Edit user":[null,""],"Could not remove the last tab!":[null,""],"True":[null,""],"Logout":[null,""],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Afegir restricció"],"(default) no option":[null,""],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,""],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,""],"Name":[null,""],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,""],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,""],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,"Comanda enviada"],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,""],"HOST_ALIAS":[null,""],"Docs":[null,"Documents"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Forçat"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,"Afegir un nou grup"],"Action":[null,""],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,""],"The following ":[null,""],"Grid settings":[null,""],"Yes":[null,""],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Difusió"],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,""],"Enter title":[null,"Entreu el títol"],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Dev"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Modificar el títol d'aquesta fitxa"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,""],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,"CRITIC"],"Login error":[null,""],"Modify filter":[null,""],"Status":[null,""],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,""],"Disabled":[null,"Descartar"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Invitat"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Tancar altres"],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"Entreu el títol"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,""],"Unknown field type: {0}":[null,""],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,""],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,"Sobre"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,"Abortar"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,""],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"Afegir restricció"],"Remove this preference":[null,""],"{0} ({1} items)":[null,""],"HOST_ADDRESS":[null,"Direcció IP"],"You can not delete system categories":[null,""],"username":[null,""],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,""],"Agavi setting":[null,""],"seconds":[null,""],"Unknown id":[null,""],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,""],"New password":[null,""],"Settings":[null,""],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,"Tancar"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,""],"Refresh":[null,""],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,""],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Comanda enviada"],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,"Afegir"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,"Avançat"],"COMMENT_TIME":[null,""],"Change Password":[null,""],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,""],"Return code out of bounds":[null,""],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,"Error al enviar la comanda"],"Time":[null,""],"Discard":[null,"Descartar"],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,""],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Modificar el títol d'aquesta fitxa"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"Tancar altres"],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,""],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,""],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Aplicar"],"Saving":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"Direcció IP"],"Description":[null,"Afegir restricció"],"DOWN":[null,"Abaix"]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-05-01 13:14+0200","Language":" ca","Last-Translator":" Jordi <jordi.rojas@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-11-25 23:45+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,""],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,""],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"Crític"],"Unknown error - please check your logs":[null,""],"Password":[null,""],"Category editor":[null,""],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"Reset view":[null,""],"Command":[null,"Comanda"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,""],"Principals":[null,""],"Filter":[null,"Filtre"],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,""],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Crític"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,""],"Groups":[null,""],"Users":[null,""],"Say what?":[null,""],"Login":[null,""],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,"Comandes"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Entreu el títol"],"One or more fields are invalid":[null,""],"UP":[null,""],"Services":[null,""],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,""],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,"Modificar el títol d'aquest portlet"],"Add restriction":[null,"Afegir restricció"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,""],"Add new category":[null,"Afegir un nou usuari"],"Close":[null,"Tancar"],"Available groups":[null,""],"Add new user":[null,"Afegir un nou usuari"],"Edit user":[null,""],"Could not remove the last tab!":[null,""],"True":[null,""],"Logout":[null,""],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Afegir restricció"],"(default) no option":[null,""],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,""],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,""],"Name":[null,""],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,""],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,""],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,"Comanda enviada"],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,""],"HOST_ALIAS":[null,""],"Docs":[null,"Documents"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Forçat"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,"Afegir un nou grup"],"Action":[null,""],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,""],"The following ":[null,""],"Grid settings":[null,""],"Yes":[null,""],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Difusió"],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,""],"Enter title":[null,"Entreu el títol"],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Dev"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Modificar el títol d'aquesta fitxa"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,""],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,"CRITIC"],"Login error":[null,""],"Modify filter":[null,""],"Status":[null,""],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,""],"Disabled":[null,"Descartar"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Invitat"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Tancar altres"],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"Entreu el títol"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,""],"Unknown field type: {0}":[null,""],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,""],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,"Sobre"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,"Abortar"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,""],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"Afegir restricció"],"Remove this preference":[null,""],"{0} ({1} items)":[null,""],"HOST_ADDRESS":[null,"Direcció IP"],"You can not delete system categories":[null,""],"username":[null,""],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,""],"Agavi setting":[null,""],"seconds":[null,""],"Unknown id":[null,""],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,""],"New password":[null,""],"Settings":[null,""],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,"Tancar"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,""],"Refresh":[null,""],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,""],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Comanda enviada"],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,"Afegir"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,"Avançat"],"COMMENT_TIME":[null,""],"Change Password":[null,""],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,""],"Return code out of bounds":[null,""],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,"Error al enviar la comanda"],"Time":[null,""],"Discard":[null,"Descartar"],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,""],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Modificar el títol d'aquesta fitxa"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"Tancar altres"],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,""],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,""],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Aplicar"],"Saving":[null,""],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"Direcció IP"],"Description":[null,"Afegir restricció"],"DOWN":[null,"Abaix"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/cs.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" cs","Last-Translator":" Jan <karass007@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-10-21 11:43+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Přejmenovat"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,"Automaticky obnovit"],"Please provide a password for this user":[null,""],"Auth via":[null,"Ověřit pomocí"],"email":[null,""],"Critical error":[null,"Kritické"],"Unknown error - please check your logs":[null,""],"Password":[null,"Heslo"],"Category editor":[null,""],"Tactical overview settings":[null,"Nastavení taktického přehledu"],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Přihlášení proběhlo úspěšně. Měli byste být ihned přesměrováni, pokud ne, \"#~ \"<a href=\"%s\">klikněte prosím sem pro přechod na další stránku</a>.\""],"Command":[null,"Příkaz"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"WARNING"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Uživatel"],"Principals":[null,""],"Filter":[null,"Filtr"],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Vítejte"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Kritické"],"Cronk Id":[null,""],"no more fields":[null,"již nejsou žádná pole"],"Groups":[null,""],"Users":[null,"Uživatel"],"Say what?":[null,""],"Login":[null,"Přihlášení"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,"Příkazy"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Zadejte název"],"One or more fields are invalid":[null,"již nejsou žádná pole"],"UP":[null,"UP"],"Services":[null,"Služby pro"],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,"Varování"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,""],"Add restriction":[null,""],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,"Authkey pro API (volitelně)"],"Add new category":[null,"Přidat uživatele"],"Close":[null,"Zavřít"],"Available groups":[null,"Dostupné skupiny"],"Add new user":[null,"Přidat uživatele"],"Edit user":[null,""],"Could not remove the last tab!":[null,"Nemohu odstranit poslední panel!"],"True":[null,""],"Logout":[null,"Log"],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,"(default) Žádné nastavení"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,"Ověřte prosím zadané údaje a zkuste to znovu!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,"Přístup odepřen"],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,""],"Name":[null,"Přejmenovat"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,"Reset"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Heslo"],"Icinga status":[null,"Icinga"],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,"Příkaz odeslán"],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,"Neznámý"],"HOST_ALIAS":[null,""],"Docs":[null,"Dokumentace"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Služby pro"],"SERVICE_CURRENT_STATE":[null,"SLUZBA_SOUCASNY_STAV"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Vynuceno"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,"Log"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,"Změnit jazyk"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,"Chybové hlášení"],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,"Přidat novou skupinu"],"Action":[null,"Volba"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"Automaticky obnovit"],"The following ":[null,""],"Grid settings":[null,"Nastavení"],"Yes":[null,"Ano"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,""],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Ne"],"Enter title":[null,"Zadejte název"],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,""],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,""],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Přejmenovat"],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,"CRITICAL"],"Login error":[null,"Přihlášení"],"Modify filter":[null,"Upravit filtr"],"Status":[null,"Stav"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Odstranit"],"Disabled":[null,"Zrušit"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Host"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Zavřít ostatní"],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"Zadejte název"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Neznámý typ pole: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} příkaz byl úspěšně odeslán!"],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,"O aplikaci"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,"Zrušit"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Upravit"],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,""],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} položek)"],"HOST_ADDRESS":[null,""],"You can not delete system categories":[null,""],"username":[null,"Přejmenovat"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,"SLUZBA_NAZEV"],"Save password":[null,"Heslo"],"Agavi setting":[null,"Nastavení"],"seconds":[null,""],"Unknown id":[null,"Neznámý"],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,"Přihlášení"],"New password":[null,"Heslo"],"Settings":[null,"Nastavení"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,"Zavřít"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,"SLUZBA_TYP_KONTROLY"],"Option":[null,"Volba"],"Refresh":[null,"Obnovit"],"Are you sure to do this?":[null,"Opravdu to chcete udělat ?"]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Příkaz odeslán"],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,"přidat"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,"Změnit heslo"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Přejmenovat"],"Return code out of bounds":[null,"Návratový kód je mimo daný rozsah"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,"Chyba při odesílání příkazu"],"Time":[null,""],"Discard":[null,"Zrušit"],"Are you sure to delete {0}":[null,"Opravdu to chcete udělat ?"],"Refresh the data in the grid":[null,"Obnovit data v mřížce"],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,""],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"Automaticky obnovit"],"Admin tasks":[null,""],"Services for ":[null,"Služby pro"],"Login failed":[null,"Přihlášení selhalo"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Upravit"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Použít"],"Saving":[null,"Varování"],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,""],"Description":[null,""],"DOWN":[null,"DOWN"]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" cs","Last-Translator":" Jan <karass007@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-10-21 11:43+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Přejmenovat"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,"Automaticky obnovit"],"Please provide a password for this user":[null,""],"Auth via":[null,"Ověřit pomocí"],"email":[null,""],"Critical error":[null,"Kritické"],"Unknown error - please check your logs":[null,""],"Password":[null,"Heslo"],"Category editor":[null,""],"Tactical overview settings":[null,"Nastavení taktického přehledu"],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Přihlášení proběhlo úspěšně. Měli byste být ihned přesměrováni, pokud ne, \"#~ \"<a href=\"%s\">klikněte prosím sem pro přechod na další stránku</a>.\""],"Reset view":[null,"Reset"],"Command":[null,"Příkaz"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"WARNING"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Uživatel"],"Principals":[null,""],"Filter":[null,"Filtr"],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Vítejte"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Kritické"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"SLUZBA_SOUCASNY_STAV"],"no more fields":[null,"již nejsou žádná pole"],"Groups":[null,""],"Users":[null,"Uživatel"],"Say what?":[null,""],"Login":[null,"Přihlášení"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,"Příkazy"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Zadejte název"],"One or more fields are invalid":[null,"již nejsou žádná pole"],"UP":[null,"UP"],"Services":[null,"Služby pro"],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,"Varování"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,""],"Add restriction":[null,""],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,"Authkey pro API (volitelně)"],"Add new category":[null,"Přidat uživatele"],"Close":[null,"Zavřít"],"Available groups":[null,"Dostupné skupiny"],"Add new user":[null,"Přidat uživatele"],"Edit user":[null,""],"Could not remove the last tab!":[null,"Nemohu odstranit poslední panel!"],"True":[null,""],"Logout":[null,"Log"],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,"(default) Žádné nastavení"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,"Ověřte prosím zadané údaje a zkuste to znovu!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,"Přístup odepřen"],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,""],"Name":[null,"Přejmenovat"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,"Reset"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Heslo"],"Icinga status":[null,"Icinga"],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,"Příkaz odeslán"],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,"Neznámý"],"HOST_ALIAS":[null,""],"Docs":[null,"Dokumentace"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Služby pro"],"SERVICE_CURRENT_STATE":[null,"SLUZBA_SOUCASNY_STAV"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Vynuceno"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,"Log"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,"Změnit jazyk"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,"Chybové hlášení"],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,"Přidat novou skupinu"],"Action":[null,"Volba"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"Automaticky obnovit"],"The following ":[null,""],"Grid settings":[null,"Nastavení"],"Yes":[null,"Ano"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,""],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Ne"],"Enter title":[null,"Zadejte název"],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,""],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,""],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Přejmenovat"],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,"CRITICAL"],"Login error":[null,"Přihlášení"],"Modify filter":[null,"Upravit filtr"],"Status":[null,"Stav"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Odstranit"],"Disabled":[null,"Zrušit"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Host"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Zavřít ostatní"],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"Zadejte název"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Neznámý typ pole: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} příkaz byl úspěšně odeslán!"],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,"O aplikaci"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,"Zrušit"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Upravit"],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,""],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} položek)"],"HOST_ADDRESS":[null,""],"You can not delete system categories":[null,""],"username":[null,"Přejmenovat"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,"SLUZBA_NAZEV"],"Save password":[null,"Heslo"],"Agavi setting":[null,"Nastavení"],"seconds":[null,""],"Unknown id":[null,"Neznámý"],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,"Přihlášení"],"New password":[null,"Heslo"],"Settings":[null,"Nastavení"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,"Zavřít"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,"SLUZBA_TYP_KONTROLY"],"Option":[null,"Volba"],"Refresh":[null,"Obnovit"],"Are you sure to do this?":[null,"Opravdu to chcete udělat ?"]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Příkaz odeslán"],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,"přidat"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,"Změnit heslo"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Přejmenovat"],"Return code out of bounds":[null,"Návratový kód je mimo daný rozsah"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,"Chyba při odesílání příkazu"],"Time":[null,""],"Discard":[null,"Zrušit"],"Are you sure to delete {0}":[null,"Opravdu to chcete udělat ?"],"Refresh the data in the grid":[null,"Obnovit data v mřížce"],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,""],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"Automaticky obnovit"],"Admin tasks":[null,""],"Services for ":[null,"Služby pro"],"Login failed":[null,"Přihlášení selhalo"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Upravit"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Použít"],"Saving":[null,"Varování"],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,""],"Description":[null,""],"DOWN":[null,"DOWN"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/da.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" da","Last-Translator":" Tom <tom.decooman@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-04-29 09:12+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,""],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,""],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,""],"Unknown error - please check your logs":[null,""],"Password":[null,""],"Category editor":[null,""],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"Command":[null,""],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,""],"Principals":[null,""],"Filter":[null,""],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,""],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,""],"Cronk Id":[null,""],"Groups":[null,""],"Users":[null,""],"Say what?":[null,""],"Login":[null,""],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,""],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,""],"One or more fields are invalid":[null,""],"UP":[null,""],"Services":[null,""],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,""],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,""],"Add restriction":[null,""],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,""],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,""],"True":[null,""],"Logout":[null,""],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,""],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,""],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,""],"Name":[null,""],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,""],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,""],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,""],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,""],"HOST_ALIAS":[null,""],"Docs":[null,""],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,""],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,""],"Action":[null,""],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,""],"The following ":[null,""],"Grid settings":[null,""],"Yes":[null,""],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,""],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,""],"Enter title":[null,""],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,""],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,""],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,""],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,""],"Login error":[null,""],"Modify filter":[null,""],"Status":[null,""],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,""],"Disabled":[null,""],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,""],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,""],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,""],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,""],"Unknown field type: {0}":[null,""],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,""],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,""],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,""],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,""],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,""],"Remove this preference":[null,""],"{0} ({1} items)":[null,""],"HOST_ADDRESS":[null,""],"You can not delete system categories":[null,""],"username":[null,""],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,""],"Agavi setting":[null,""],"seconds":[null,""],"Unknown id":[null,""],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,""],"New password":[null,""],"Settings":[null,""],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,""],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,""],"Refresh":[null,""],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,""],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,""],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,""],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,""],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,""],"Return code out of bounds":[null,""],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,""],"Time":[null,""],"Discard":[null,""],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,""],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,""],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,""],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,""],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,""],"Saving":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,""],"Description":[null,""],"DOWN":[null,""]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" da","Last-Translator":" Tom <tom.decooman@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-04-29 09:12+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,""],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,""],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,""],"Unknown error - please check your logs":[null,""],"Password":[null,""],"Category editor":[null,""],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"Reset view":[null,""],"Command":[null,""],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,""],"Principals":[null,""],"Filter":[null,""],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,""],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,""],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,""],"Groups":[null,""],"Users":[null,""],"Say what?":[null,""],"Login":[null,""],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,""],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,""],"One or more fields are invalid":[null,""],"UP":[null,""],"Services":[null,""],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,""],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,""],"Add restriction":[null,""],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,""],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,""],"True":[null,""],"Logout":[null,""],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,""],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,""],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,""],"Name":[null,""],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,""],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,""],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,""],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,""],"HOST_ALIAS":[null,""],"Docs":[null,""],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,""],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,""],"Action":[null,""],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,""],"The following ":[null,""],"Grid settings":[null,""],"Yes":[null,""],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,""],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,""],"Enter title":[null,""],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,""],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,""],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,""],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,""],"Login error":[null,""],"Modify filter":[null,""],"Status":[null,""],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,""],"Disabled":[null,""],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,""],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,""],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,""],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,""],"Unknown field type: {0}":[null,""],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,""],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,""],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,""],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,""],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,""],"Remove this preference":[null,""],"{0} ({1} items)":[null,""],"HOST_ADDRESS":[null,""],"You can not delete system categories":[null,""],"username":[null,""],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,""],"Agavi setting":[null,""],"seconds":[null,""],"Unknown id":[null,""],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,""],"New password":[null,""],"Settings":[null,""],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,""],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,""],"Refresh":[null,""],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,""],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,""],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,""],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,""],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,""],"Return code out of bounds":[null,""],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,""],"Time":[null,""],"Discard":[null,""],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,""],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,""],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,""],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,""],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,""],"Saving":[null,""],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,""],"Description":[null,""],"DOWN":[null,""]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/de.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,"Keine Themen zum Anzeigen"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" ","Language":" de","X-Poedit-Language":" German","Last-Translator":" Frederik <frederik.weber@bs.ch>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-11-20 12:50+0200","Language-Team":" icinga developer team <translation@icinga.org>","Content-Transfer-Encoding":" 8bit","Project-Id-Version":" icinga-web-translation 0.0"},"User name":[null,"Benutzername"],"Do you really want to delete these groups?":[null,"Wollen Sie diese Gruppen wirklich löschen?"],"Auto refresh":[null,"Automatische Aktualisierung"],"Please provide a password for this user":[null,"Bitte setzen Sie ein Passwort für diesen Benutzer"],"Auth via":[null,"Authentifiziert durch"],"email":[null,"E-Mail"],"Critical error":[null,"Kritischer Fehler"],"Unknown error - please check your logs":[null,""],"Password":[null,"Passwort"],"Category editor":[null,""],"Tactical overview settings":[null,"Einstellungen der taktischen Ansicht"],"HOST_LAST_HARD_STATE_CHANGE":[null,"Letzte Statusänderung (hart)"],"Items":[null,"Elemente"],"Sorry, you could not be authenticated for icinga-web.":[null,"Entschuldigung, Sie konnten für icinga-web nicht authentifiziert werden."],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Erfolgreiche Anmeldung! Falls keine automatische Weiterleitung erfolgt \"#~ \"bitte <a href=\"%s\">hier</a> klicken.\""],"Command":[null,"Befehl"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Host Ausführungszeit(min/durchs./max)"],"Created":[null,"Erstellt"],"Your login session has gone away, press ok to login again!":[null,"Ihre Sitzung ist abgelaufen. Drücken Sie ok um sich erneut anzumelden!"],"WARNING":[null,"WARNUNG"],"Sorry, could not find a xml file for %s":[null,"Entschuldigung, es konnte keine XML Datei für %s gefunden werden"],"of":[null,"von"],"Your default language hast changed!":[null,"Ihre Standardsprache wurde geändert!"],"User":[null,"Benutzer"],"Principals":[null,"Richtlinien"],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,"Ausgabe"],"Don't forget to clear the agavi config cache after that.":[null,"Bitte anschließend die agavi Konfiguration löschen!"],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Der Befehl konnte nicht gesendet werden. Bitte prüfen Sie die Logdateien!"],"Welcome":[null,"Willkommen"],"Categories":[null,""],"This command will be send to all selected items":[null,"Dieser Befehl wird an alle ausgewählten Elemente verschickt"],"Critical":[null,"Kritisch"],"Cronk Id":[null,""],"no more fields":[null,"Keine weitere Eingaben notwendig"],"Groups":[null,"Gruppen"],"Users":[null,"Benutzer"],"Say what?":[null,""],"Login":[null,"Anmeldung"],"Confirm password":[null,"Passwort bestätigen"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"Dienst_Notiz_URL"],"id":[null,"ID"],"Email":[null,"E-Mail"],"Clear selection":[null,"Auswahl aufheben"],"Commands":[null,"Befehle"],"Service execution (min/avg/max)":[null,"Dienst ausführung (min/durschn./max)"],"Nothing selected":[null,"Nichts ausgewählt"],"HOST_EXECUTION_TIME":[null,"Ausführungszeit"],"add":[null,"Hinzufügen"],"is not":[null,""],"Exception thrown: %s":[null,"Ausnahme aufgetreten: %s"],"Your application profile has been deleted!":[null,"Ihr Anwendungsprofil wurde gelöscht."],"Title":[null,"Unbezeichnet"],"One or more fields are invalid":[null,"Ein oder mehrere Felder sind ungültig"],"UP":[null,"Hoch"],"Services":[null,"Dienste"],"Message":[null,"Nachricht"],"HOST_STATUS_UPDATE_TIME":[null,"Aktualisierungszeit"],"Press me":[null,"Drück mich"],"Warning":[null,"Warnung"],"isActive":[null,"ist aktiv"],"Language":[null,"Sprache"],"Edit group":[null,"Gruppe bearbeiten"],"Change title for this portlet":[null,"Titel ändern"],"Add restriction":[null,"Einschränkung hinzufügen"],"State information":[null,"Meta Informationen"],"No users to display":[null,"Keine Benutzer zum Anzeigen"],"Error report":[null,"Fehlerbericht"],"HOST_IS_FLAPPING":[null,"flattert"],"Authkey for Api (optional)":[null,"Schlüssel API Zugriff"],"Add new category":[null,"Benutzer hinzufügen"],"Close":[null,"Schließen"],"Available groups":[null,"Vorhandene Gruppen"],"Add new user":[null,"Benutzer hinzufügen"],"Edit user":[null,"Benutzer bearbeiten"],"Could not remove the last tab!":[null,"Kann letzten Tab nicht entfernen!"],"True":[null,"Wahr"],"Logout":[null,"Abmelden"],"Reload":[null,""],"Delete":[null,"Benutzer löschen"],"To start with a new application profile, click the following button.":[null,"Um mit einem neuen Anwendungsprofil zu starten, klicken Sie auf den folgenden Knopf."],"description":[null,"Beschreibung"],"(default) no option":[null,"(default) keine Auswahl"],"Clear cache":[null,"Fehler zurücksetzen"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"Service wechselt häufig"],"Please verify your input and try again!":[null,"Bitte prüfen Sie Ihre Eingabe und versuchen Sie es erneut."],"HOST_CURRENT_CHECK_ATTEMPT":[null,"Aktueller Check Versuch"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"Nächste Prüfung"],"Please alter your config file and set one to 'true' (%s).":[null,"Bitte ändern Sie Ihre Konfigurationsdatei und setzen Sie eins auf \"wahr\" (true) (%s)."],"Error":[null,"Fehler"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"Die Authentifizierung wurde nicht vollständig konfiguriert. Mindestens eines der folgenden Attribute muss aktiviert werden:"],"Save this view as new cronk":[null,"Diese Ansicht als URL"],"Access denied":[null,"Zugriff verweigert"],"Running":[null,""],"Do you really want to delete these users?":[null,"Wollen Sie diese Benutzer wirklich löschen?"],"Image":[null,""],"Principal":[null,"Richtlinie"],"Selection is missing":[null,"Fehlende Auswahl"],"Increment current notification":[null,"Erhöhe aktuelle Benachrichtungen"],"Name":[null,"Name"],"Icinga bug report":[null,"Icinga Fehlerbericht"],"elete cronk":[null,"Gruppen löschen"],"Reset":[null,"Zurücksetzen"],"firstname":[null,"Vorname"],"Save Cronk":[null,""],"New category":[null,"Diese Kategorie löschen"],"Password changed":[null,"Passwort geändert"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Neuen Benutzer erstellen"],"The password was successfully changed":[null,"Das Passwort wurde erfolgreich geändert"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Die Verbindung zum Web Server war nicht möglich!"],"The passwords don't match!":[null,"Die Passwörter stimmen nicht überein!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"Letzer Check"],"Command sent":[null,"Befehl angewandt"],"Sorry":[null,"Entschuldigung"],"Delete groups":[null,"Gruppen löschen"],"Unknown":[null,"Unbekannt"],"HOST_ALIAS":[null,"Host Alias"],"Docs":[null,"Dokumentation"],"Service latency (min/avg/max)":[null,"Dienst Latzenz (min/durschn./max)"],"Displaying groups":[null,"Gruppen anzeigen"],"Preferences for user":[null,"Einstellungen für den Benutzer"],"SERVICE_CURRENT_STATE":[null,"Dienst_Aktueller_Status"],"Remove selected groups":[null,"Ausgewählte Gruppen entfernen"],"Cronk deleted":[null,""],"Group inheritance":[null,"Gruppenvererbung"],"Meta":[null,""],"Forced":[null,"Erzwungen"],"groupname":[null,"Gruppenname"],"Search":[null,"Suche"],"SERVICE_NEXT_CHECK":[null,"Dienst_nächste_Überprüfung"],"log":[null,"Log"],"Severity":[null,"Schweregrad"],"Create report for dev.icinga.org":[null,"Bericht erstellen für dev.icinga.org"],"Change language":[null,"Sprache ändern"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"Letzter Wechsel des Dienstes zu einem Hardstate"],"The server encountered an error:<br/>":[null,"Der Server hat einen Fehler festgestellt:<br/>"],"Click to edit user":[null,"Klicke um den Benutzer zu bearbeiten"],"Delete user":[null,"Benutzer löschen"],"Bug report":[null,"Fehlerreport"],"Save changes":[null,"Änderungen speichern"],"SERVICE_EXECUTION_TIME":[null,"Dienst_Ausführungszeit"],"Can't modify":[null,"Nicht abänderbar"],"COMMENT_AUTHOR_NAME":[null,"Author Name"],"Session expired":[null,"Session abgelaufen"],"Hide disabled ":[null,"Verstecke deaktivierte"],"No groups to display":[null,"Keine Gruppen zum Anzeigen"],"HOST_LATENCY":[null,"Hostlatenz"],"Add new group":[null,"Gruppe hinzufügen"],"Action":[null,"Option"],"A error occured when requesting ":[null,"Während der Anfrage ist ein Fehler aufgetreten"],"Auto refresh ({0} seconds)":[null,"Automatische Aktualisierung ({0} sekunden)"],"The following ":[null,"Das folgende"],"Grid settings":[null,"Rastereinstellungen"],"Yes":[null,"Ja"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Rundruf"],"SERVICE_STATUS_UPDATE_TIME":[null,"Dienst_Status_Aktualisierungszeit"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Applikationsstatus zurücksetzen"],"Cronks":[null,""],"No":[null,"Nein"],"Enter title":[null,"Titel eingeben"],"Add selected principals":[null,"Ausgewählte Berechtigungen hinzufügen"],"Success":[null,""],"Try":[null,"Los"],"Login error (configuration)":[null,"Login Fehler (Konfiguration)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"Kommentar"],"Dev":[null,"Development"],"Group name":[null,"Gruppen Name"],"Select a principal (Press Ctrl for multiple selects)":[null,"Wählen Sie eine Berechtigung aus (Drücken Sie Strg für Mehrfachauswahl)"],"Share your Cronk":[null,""],"Ressource ":[null,"Ressource"],"Authorization failed for this instance":[null,"Titel ändern für diesen Reiter ändern"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Anwendung zurücksetzen"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Benutzereinstellungen"],"Surname":[null,"Nachname"],"HOST_NOTES_URL":[null,"Notiz URL"],"Searching ...":[null,"Suche"],"CRITICAL":[null,"Kritisch"],"Login error":[null,"Fehler bei der Anmeldung"],"Modify filter":[null,"Filter ändern"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,"Sprache geändert"],"Remove":[null,"Entfernen"],"Disabled":[null,"Deaktiviert"],"You haven't selected anything!":[null,"Sie haben nichts ausgewählt!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Für Hilfe klicken"],"active":[null,"aktiv"],"Please enter a comment for this bug. This could be":[null,"Bitte füge einen Kommentar zu diesem Fehler ein. Es könnte sein"],"contain":[null,""],"Edit":[null,"Benutzer bearbeiten"],"Guest":[null,"Gast"],"Host latency (min/avg/max)":[null,"Host Latenz (min/Durchschnitt/max)"],"Displaying topics {0} - {1} of {2}":[null,"Themen anzeigen"],"Close others":[null,"Andere schließen"],"HOST_MAX_CHECK_ATTEMPTS":[null,"Maximale Prüfversuche"],"SERVICE_LAST_CHECK":[null,"Dienst_letzte_Überprüfung"],"Save":[null,"Speichern"],"No node was removed":[null,"Es wurde kein Knoten entfernt"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"Dienst_maximale_Überprüfungsversuche"],"untitled":[null,"Unbezeichnet"],"lastname":[null,"Nachname"],"This item is read only!":[null,"Das Objekt ist schreibgeschützt!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"Geplante Auszeit (Tiefe)"],"Get this view as URL":[null,"Diese Ansicht als URL"],"New Preference":[null,"Neue Einstellung"],"Confirm":[null,"Passwort bestätigen"],"Reload the cronk (not the content)":[null,"Cronk aktualisieren (kein Inhaltsaktualisierung)"],"Send report to admin":[null,"Bericht an den Administrator senden"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Wollen Sie wirklich alles löschen?"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"Dienst_Ausgabe"],"We're Icinga":[null,"Wir sind Icinga"],"Unknown field type: {0}":[null,"Unbekannter Feldtyp {0}"],"Meta information":[null,"Meta Informationen"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} Der Befehl wurde erfolgreich verschickt!"],"Link to this view":[null,"Verknüpfung zu dieser Übersicht"],"UNKNOWN":[null,"UNBEKANNT"],"About":[null,"Über uns"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Bitte kontaktiere deinen Systemadministrator, wenn Sie der Meinung sind, dass Dies ungewöhnlich ist."],"SERVICE_LAST_NOTIFICATION":[null,"Dienst_letzte_Benachrichtigung"],"Abort":[null,"Abbruch"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Ändern"],"HOST_LAST_NOTIFICATION":[null,"Letzte Benachrichtigung"],"General information":[null,"Allgemeine Informationen"],"Displaying users":[null,"Benutzer anzeigen"],"Position":[null,"Beschreibung"],"Remove this preference":[null,"Diese Einstellung löschen"],"{0} ({1} items)":[null,"{0} ({1} Einträge)"],"HOST_ADDRESS":[null,"Host Adresse"],"You can not delete system categories":[null,""],"username":[null,"Benutzername"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"Aktueller Hoststatus"],"HOST_PERFDATA":[null,"Performancedaten"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"Dienst_Aktueller_Prüfversuch"],"To be on the verge to logout ...":[null,"Kurz vorm Ausloggen"],"Hosts":[null,"Hosts"],"SERVICE_PERFDATA":[null,"Dienst_Performanz_Daten"],"SERVICE_DISPLAY_NAME":[null,"Dienst_Anzeigename"],"Save password":[null,"Passwort speichern"],"Agavi setting":[null,"Rastereinstellungen"],"seconds":[null,""],"Unknown id":[null,"Unbekannte ID"],"CronkBuilder":[null,""],"Available logs":[null,"Vorhandene Logdateien"],"Link":[null,"Verknüpfung"],"New password":[null,"Neues Passwort"],"Settings":[null,"Einstellungen"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"Hostname"],"False":[null,"Nicht zutreffend"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"Dienst_Geplannte_Ausfallzeit"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"UNERREICHBAR"],"SERVICE_CHECK_TYPE":[null,"Dienst_Überprüfungsart"],"Option":[null,"Option"],"Refresh":[null,"Aktualisieren"],"Are you sure to do this?":[null,"Bist du sicher?"]," principals?":[null,"Berechtigungen"],"Tab slider":[null,""],"Clear errors":[null,"Fehler zurücksetzen"],"OK":[null,"OK"],"Services (active/passive)":[null,"Dienste (aktiv/passiv)"],"Remove selected users":[null,"Ausgewählte Benutzer entfernen"],"Type":[null,"Typ"],"Comment bug":[null,"Fehler kommentieren"],"HOST_CHECK_TYPE":[null,"Host Alias"],"Create a new group":[null,"Neue Gruppe erstellen"],"Add":[null,"Hinzufügen"],"PENDING":[null,"Wartend"],"no principals availabe":[null,"Keine Richtlinien verfügbar"],"Advanced":[null,"Erweitert"],"COMMENT_TIME":[null,"Zeit"],"Change Password":[null,"Passwort ändern"],"Language settings":[null,"Spracheinstellungen"],"Removing a category":[null,"Diese Kategorie löschen"],"The confirmed password doesn't match":[null,"Das bestätigte Passwort stimmt nicht überein"],"Rename":[null,"Umbenennen"],"Return code out of bounds":[null,"Rückgabewert außerhalb der Grenzen"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Konnte die Cronkauflistung nicht laden. Der folgende Fehler ist aufgetreten: {0} ({1})"],"SERVICE_LATENCY":[null,"Dienst_Latenz"],"Error sending command":[null,"Fehler beim Senden des Befehls!"],"Time":[null,"Zeit"],"Discard":[null,"Verwerfen"],"Are you sure to delete {0}":[null,"Bist du sicher?"],"Refresh the data in the grid":[null,"Aktualisiere Daten in der Tabelle"],"Remove selected":[null,"Ausgewählte entfernen"],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Titel ändern für diesen Reiter ändern"],"Sorry, cronk \"%s\" not found":[null,"Entschuldigung, Cronk \"%s\" wurde nicht gefunden"],"Available users":[null,"Vorhandene Benutzer"],"Request failed":[null,"Anfrage fehlgeschlagen"],"Admin tasks":[null,""],"Services for ":[null,"Dienste für"],"Login failed":[null,"Anmeldung fehlgeschlagen"],"Permissions":[null,"Berechtigungen"],"Some error: {0}":[null,""],"Modified":[null,"Geändert"],"Log":[null,"Protokoll"],"Hosts (active/passive)":[null,"Hosts (aktiv/passiv)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Einstellungen"],"Item":[null,"Element"],"Apply":[null,"Anwenden"],"Saving":[null,"Speichere"],"IN TOTAL":[null,"GESAMT"],"Seems like you have no logs":[null,"Keine Logdateien vorhanden"],"HOST_ADDRESS6":[null,"Host Adresse"],"Description":[null,"Beschreibung"],"DOWN":[null,"Aus"]}
\ No newline at end of file
+{"No topics to display":[null,"Keine Themen zum Anzeigen"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" ","Language":" de","X-Poedit-Language":" German","Last-Translator":" Ann-Katrin <moon.nilaya@googlemail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-04-04 13:19+0200","Language-Team":" icinga developer team <translation@icinga.org>","Content-Transfer-Encoding":" 8bit","Project-Id-Version":" icinga-web-translation 0.0"},"User name":[null,"Benutzername"],"Do you really want to delete these groups?":[null,"Wollen Sie diese Gruppen wirklich löschen?"],"Auto refresh":[null,"Automatische Aktualisierung"],"Please provide a password for this user":[null,"Bitte setzen Sie ein Passwort für diesen Benutzer"],"Auth via":[null,"Authentifiziert durch"],"email":[null,"E-Mail"],"Critical error":[null,"Kritischer Fehler"],"Unknown error - please check your logs":[null,"Unbekannter Fehler - bitte überprüfen Sie die Logdateien"],"Password":[null,"Passwort"],"Category editor":[null,"Kategorie Editor"],"Tactical overview settings":[null,"Einstellungen der taktischen Ansicht"],"HOST_LAST_HARD_STATE_CHANGE":[null,"Letzte Statusänderung (hart)"],"Items":[null,"Elemente"],"Sorry, you could not be authenticated for icinga-web.":[null,"Entschuldigung, Sie konnten für icinga-web nicht authentifiziert werden."],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Erfolgreiche Anmeldung! Falls keine automatische Weiterleitung erfolgt \"#~ \"bitte <a href=\"%s\">hier</a> klicken.\""],"Reset view":[null,"Zurücksetzen"],"Command":[null,"Befehl"],"We have deleted your cronk \"{0}\"":[null,"Ihr Cronk \"{0}\" wurde gelöscht"],"Host execution time (min/avg/max)":[null,"Host Ausführungszeit(min/durchs./max)"],"Created":[null,"Erstellt"],"Your login session has gone away, press ok to login again!":[null,"Ihre Sitzung ist abgelaufen. Drücken Sie ok um sich erneut anzumelden!"],"WARNING":[null,"WARNUNG"],"Sorry, could not find a xml file for %s":[null,"Entschuldigung, es konnte keine XML Datei für %s gefunden werden"],"of":[null,"von"],"Your default language hast changed!":[null,"Ihre Standardsprache wurde geändert!"],"User":[null,"Benutzer"],"Principals":[null,"Richtlinien"],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,"Ausgabe"],"Don't forget to clear the agavi config cache after that.":[null,"Bitte anschließend die agavi Konfiguration löschen!"],"Couldn't submit check command - check your access.xml":[null,"Konnte den check-Befehl nicht absetzen - bitte die access.xml prüfen"],"Could not send the command, please examine the logs!":[null,"Der Befehl konnte nicht gesendet werden. Bitte prüfen Sie die Logdateien!"],"Welcome":[null,"Willkommen"],"Categories":[null,"Kategorien"],"This command will be send to all selected items":[null,"Dieser Befehl wird an alle ausgewählten Elemente verschickt"],"Critical":[null,"Kritisch"],"Cronk Id":[null,"Cronk Id"],"SERVICE_LONG_OUTPUT":[null,"Dienst_Ausgabe"],"no more fields":[null,"Keine weitere Eingaben notwendig"],"Groups":[null,"Gruppen"],"Users":[null,"Benutzer"],"Say what?":[null,"Say what?"],"Login":[null,"Anmeldung"],"Confirm password":[null,"Passwort bestätigen"],"Instance":[null,"Instanz"],"SERVICE_NOTES_URL":[null,"Dienst_Notiz_URL"],"id":[null,"ID"],"Email":[null,"E-Mail"],"Clear selection":[null,"Auswahl aufheben"],"Commands":[null,"Befehle"],"Service execution (min/avg/max)":[null,"Dienst ausführung (min/durschn./max)"],"Nothing selected":[null,"Nichts ausgewählt"],"HOST_EXECUTION_TIME":[null,"Ausführungszeit"],"add":[null,"Hinzufügen"],"is not":[null,""],"Exception thrown: %s":[null,"Ausnahme aufgetreten: %s"],"Your application profile has been deleted!":[null,"Ihr Anwendungsprofil wurde gelöscht."],"Title":[null,"Titel"],"One or more fields are invalid":[null,"Ein oder mehrere Felder sind ungültig"],"UP":[null,"Hoch"],"Services":[null,"Dienste"],"Message":[null,"Nachricht"],"HOST_STATUS_UPDATE_TIME":[null,"Aktualisierungszeit"],"Press me":[null,"Drück mich"],"Warning":[null,"Warnung"],"isActive":[null,"ist aktiv"],"Language":[null,"Sprache"],"Edit group":[null,"Gruppe bearbeiten"],"Change title for this portlet":[null,"Titel ändern"],"Add restriction":[null,"Einschränkung hinzufügen"],"State information":[null,"Status Informationen"],"No users to display":[null,"Keine Benutzer zum Anzeigen"],"Error report":[null,"Fehlerbericht"],"HOST_IS_FLAPPING":[null,"flattert"],"Authkey for Api (optional)":[null,"Schlüssel API Zugriff"],"Add new category":[null,"Neue Kategorie hinzufügen"],"Close":[null,"Schließen"],"Available groups":[null,"Vorhandene Gruppen"],"Add new user":[null,"Benutzer hinzufügen"],"Edit user":[null,"Benutzer bearbeiten"],"Could not remove the last tab!":[null,"Kann letzten Tab nicht entfernen!"],"True":[null,"Wahr"],"Logout":[null,"Abmelden"],"Reload":[null,"Neu laden"],"Delete":[null,"Benutzer löschen"],"To start with a new application profile, click the following button.":[null,"Um mit einem neuen Anwendungsprofil zu starten, klicken Sie auf den folgenden Knopf."],"description":[null,"Beschreibung"],"(default) no option":[null,"(default) keine Auswahl"],"Clear cache":[null,"Cache leeren"],"Hidden":[null,"versteckt"],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"Service wechselt häufig"],"Please verify your input and try again!":[null,"Bitte prüfen Sie Ihre Eingabe und versuchen Sie es erneut."],"HOST_CURRENT_CHECK_ATTEMPT":[null,"Aktueller Check Versuch"],"Visible":[null,"Sichtbar"],"HOST_NEXT_CHECK":[null,"Nächste Prüfung"],"Please alter your config file and set one to 'true' (%s).":[null,"Bitte ändern Sie Ihre Konfigurationsdatei und setzen Sie eins auf \"wahr\" (true) (%s)."],"Error":[null,"Fehler"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"Die Authentifizierung wurde nicht vollständig konfiguriert. Mindestens eines der folgenden Attribute muss aktiviert werden:"],"Save this view as new cronk":[null,"Diese Ansicht als neuen Cronk speichern"],"Access denied":[null,"Zugriff verweigert"],"Running":[null,"Läuft"],"Do you really want to delete these users?":[null,"Wollen Sie diese Benutzer wirklich löschen?"],"Image":[null,"Abbild"],"Principal":[null,"Richtlinie"],"Selection is missing":[null,"Fehlende Auswahl"],"Increment current notification":[null,"Erhöhe aktuelle Benachrichtungen"],"Name":[null,"Name"],"Icinga bug report":[null,"Icinga Fehlerbericht"],"elete cronk":[null,"Gruppen löschen"],"Reset":[null,"Zurücksetzen"],"firstname":[null,"Vorname"],"Save Cronk":[null,"Cronk speichern"],"New category":[null,"Neue Kategorie erstellen"],"Password changed":[null,"Passwort geändert"],"Icinga status":[null,"Icinga Status"],"Create a new user":[null,"Neuen Benutzer erstellen"],"The password was successfully changed":[null,"Das Passwort wurde erfolgreich geändert"],"Invalid authorization type defined in access.xml":[null,"Ungültiger Authorisierungstyp in access.xml definiert"],"Please confirm restarting icinga":[null,"Bitte bestätigen Sie, das Sie icinga neu starten wollen"],"In order to complete you have to reload the interface. Are you sure?":[null,"Zum Abschluss des Vorganges muss das Interface neu geladen werden. Wollen Sie das nun tun?"],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Die Verbindung zum Web Server war nicht möglich."],"The passwords don't match!":[null,"Die Passwörter stimmen nicht überein!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"Letzer Check"],"Command sent":[null,"Befehl angewandt"],"Sorry":[null,"Entschuldigung"],"Delete groups":[null,"Gruppen löschen"],"Unknown":[null,"Unbekannt"],"HOST_ALIAS":[null,"Host Alias"],"Docs":[null,"Dokumentation"],"Service latency (min/avg/max)":[null,"Dienst Latzenz (min/durschn./max)"],"Displaying groups":[null,"Gruppen anzeigen"],"Preferences for user":[null,"Einstellungen für den Benutzer"],"SERVICE_CURRENT_STATE":[null,"Dienst_Aktueller_Status"],"Remove selected groups":[null,"Ausgewählte Gruppen entfernen"],"Cronk deleted":[null,"Cronk gelöscht"],"Group inheritance":[null,"Gruppenvererbung"],"Meta":[null,"Meta"],"Forced":[null,"Erzwungen"],"groupname":[null,"Gruppenname"],"Search":[null,"Suche"],"SERVICE_NEXT_CHECK":[null,"Dienst_nächste_Überprüfung"],"log":[null,"Log"],"Severity":[null,"Schweregrad"],"Create report for dev.icinga.org":[null,"Bericht erstellen für dev.icinga.org"],"Change language":[null,"Sprache ändern"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"Letzter Wechsel des Dienstes zu einem Hardstate"],"The server encountered an error:<br/>":[null,"Der Server hat einen Fehler festgestellt:<br/>"],"Click to edit user":[null,"Klicke um den Benutzer zu bearbeiten"],"Delete user":[null,"Benutzer löschen"],"Bug report":[null,"Fehlerreport"],"Save changes":[null,"Änderungen speichern"],"SERVICE_EXECUTION_TIME":[null,"Dienst_Ausführungszeit"],"Can't modify":[null,"Nicht abänderbar"],"COMMENT_AUTHOR_NAME":[null,"Author Name"],"Session expired":[null,"Session abgelaufen"],"Hide disabled ":[null,"Verstecke deaktivierte"],"No groups to display":[null,"Keine Gruppen zum Anzeigen"],"HOST_LATENCY":[null,"Hostlatenz"],"Add new group":[null,"Gruppe hinzufügen"],"Action":[null,"Aktivität"],"A error occured when requesting ":[null,"Während der Anfrage ist ein Fehler aufgetreten"],"Auto refresh ({0} seconds)":[null,"Automatische Aktualisierung ({0} sekunden)"],"The following ":[null,"Das folgende"],"Grid settings":[null,"Rastereinstellungen"],"Yes":[null,"Ja"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,"Lade Cronks ..."],"Please wait...":[null,"Bitte warten ..."],"Broadcast":[null,"Rundruf"],"SERVICE_STATUS_UPDATE_TIME":[null,"Dienst_Status_Aktualisierungszeit"],"is":[null,""],"Clear":[null,"Leeren"],"Reset application state":[null,"Applikationsstatus zurücksetzen"],"Cronks":[null,"Cronks"],"No":[null,"Nein"],"Enter title":[null,"Titel eingeben"],"Add selected principals":[null,"Ausgewählte Berechtigungen hinzufügen"],"Success":[null,"Erfolg"],"Try":[null,"Los"],"Login error (configuration)":[null,"Login Fehler (Konfiguration)"],"(hh:ii)":[null,"(hh:mm)"],"COMMENT_DATA":[null,"Kommentar"],"Dev":[null,"Development"],"Group name":[null,"Gruppen Name"],"Select a principal (Press Ctrl for multiple selects)":[null,"Wählen Sie eine Berechtigung aus (Drücken Sie Strg für Mehrfachauswahl)"],"Share your Cronk":[null,"Ihren Cronk veröffentlichen"],"Ressource ":[null,"Ressource"],"Authorization failed for this instance":[null,"Authorisierung für diese Instanz fehlgeschlagen"],"Cronk \"{0}\" successfully written to database!":[null,"Cronk \"{0}\" wurde erfolgreich in die Datenbank geschrieben!"],"App reset":[null,"Anwendung zurücksetzen"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,"Ihre icinga Webserver haben kein ssh2 aktiviert, kann die Prüfung nicht durchführen"],"User preferences":[null,"Benutzereinstellungen"],"Surname":[null,"Nachname"],"HOST_NOTES_URL":[null,"Notiz URL"],"Searching ...":[null,"Suche ..."],"CRITICAL":[null,"Kritisch"],"Login error":[null,"Fehler bei der Anmeldung"],"Modify filter":[null,"Filter ändern"],"Status":[null,"Status"],"Stop icinga process":[null,"Icinga Prozess anhalten"],"Language changed":[null,"Sprache geändert"],"Remove":[null,"Entfernen"],"Disabled":[null,"Deaktiviert"],"You haven't selected anything!":[null,"Sie haben nichts ausgewählt!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,"Den Agavi-Konfigurationscache leeren um neue XML-Konfiguration anzuwenden"],"greater than":[null,""],"Click here to view instructions":[null,"Für Hilfe klicken"],"active":[null,"aktiv"],"Please enter a comment for this bug. This could be":[null,"Bitte füge einen Kommentar zu diesem Fehler ein. Es könnte sein"],"contain":[null,""],"Edit":[null,"Benutzer bearbeiten"],"Guest":[null,"Gast"],"Host latency (min/avg/max)":[null,"Host Latenz (min/Durchschnitt/max)"],"Displaying topics {0} - {1} of {2}":[null,"Themen anzeigen"],"Close others":[null,"Andere schließen"],"HOST_MAX_CHECK_ATTEMPTS":[null,"Maximale Prüfversuche"],"SERVICE_LAST_CHECK":[null,"Dienst_letzte_Überprüfung"],"Save":[null,"Speichern"],"No node was removed":[null,"Es wurde kein Knoten entfernt"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"Dienst_maximale_Überprüfungsversuche"],"untitled":[null,"Unbezeichnet"],"lastname":[null,"Nachname"],"This item is read only!":[null,"Das Objekt ist schreibgeschützt!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"Geplante Auszeit (Tiefe)"],"Get this view as URL":[null,"Diese Ansicht als URL"],"New Preference":[null,"Neue Einstellung"],"Confirm":[null,"bestätigen"],"Reload the cronk (not the content)":[null,"Cronk aktualisieren (kein Inhaltsaktualisierung)"],"Send report to admin":[null,"Bericht an den Administrator senden"],"Not allowed":[null,"Nicht erlaubt"],"Please confirm shutting down icinga":[null,"Bitte bestätigen Sie, das Sie icinga beenden wollen"],"Do you really want to delete all ":[null,"Wollen Sie wirklich alles löschen?"],"Expert mode":[null,"Experten Modus"],"SERVICE_OUTPUT":[null,"Dienst_Ausgabe"],"We're Icinga":[null,"Wir sind Icinga"],"Unknown field type: {0}":[null,"Unbekannter Feldtyp {0}"],"Meta information":[null,"Meta Informationen"],"Parameters":[null,"Parameter"],"{0} command was sent successfully!":[null,"{0} Der Befehl wurde erfolgreich verschickt!"],"Link to this view":[null,"Verknüpfung zu dieser Übersicht"],"UNKNOWN":[null,"UNBEKANNT"],"About":[null,"Über uns"],"Show status of accessible icinga instances":[null,"Status der erreichbaren incinga Instanzen anzeigen"],"All categories available":[null,"Alle verfügbaren Kategorien"],"Please contact your system admin if you think this is not common.":[null,"Bitte kontaktiere deinen Systemadministrator, wenn Sie der Meinung sind, dass Dies ungewöhnlich ist."],"SERVICE_LAST_NOTIFICATION":[null,"Dienst_letzte_Benachrichtigung"],"Abort":[null,"Abbruch"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,"Bitte füllen Sie alle vorgeschriebenen Felder aus (mit einem Ausrufezeichen versehen)"],"Modify":[null,"Ändern"],"HOST_LAST_NOTIFICATION":[null,"Letzte Benachrichtigung"],"General information":[null,"Allgemeine Informationen"],"Displaying users":[null,"Benutzer anzeigen"],"Position":[null,"Pos()ition()"],"Remove this preference":[null,"Diese Einstellung löschen"],"{0} ({1} items)":[null,"{0} ({1} Einträge)"],"HOST_ADDRESS":[null,"Host Adresse"],"You can not delete system categories":[null,"Sie können Systemkategorien nicht löschen"],"username":[null,"Benutzername"],"System categories are not editable!":[null,"Systemkategorien sind nicht editierbar!"],"HOST_CURRENT_STATE":[null,"Aktueller Hoststatus"],"HOST_PERFDATA":[null,"Performancedaten"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"Dienst_Aktueller_Prüfversuch"],"To be on the verge to logout ...":[null,"Kurz vorm Ausloggen"],"Hosts":[null,"Hosts"],"SERVICE_PERFDATA":[null,"Dienst_Performanz_Daten"],"SERVICE_DISPLAY_NAME":[null,"Dienst_Anzeigename"],"Save password":[null,"Passwort speichern"],"Agavi setting":[null,"Agavi Einstellungen"],"seconds":[null,""],"Unknown id":[null,"Unbekannte ID"],"CronkBuilder":[null,"CronkBuilder"],"Available logs":[null,"Vorhandene Logdateien"],"Link":[null,"Verknüpfung"],"New password":[null,"Neues Passwort"],"Settings":[null,"Einstellungen"],"Module":[null,"Modul"],"HOST_DISPLAY_NAME":[null,"Hostname"],"False":[null,"Nicht zutreffend"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"Dienst_Geplannte_Ausfallzeit"],"(Re-)Start icinga process":[null,"Icinga Prozess (neu) starten"],"HOST_LONG_OUTPUT":[null,"Ausgabe"],"UNREACHABLE":[null,"UNERREICHBAR"],"SERVICE_CHECK_TYPE":[null,"Dienst_Überprüfungsart"],"Option":[null,"Option"],"Refresh":[null,"Aktualisieren"],"Are you sure to do this?":[null,"Bist du sicher?"]," principals?":[null,"Berechtigungen"],"Tab slider":[null,""],"Clear errors":[null,"Fehler zurücksetzen"],"OK":[null,"OK"],"Services (active/passive)":[null,"Dienste (aktiv/passiv)"],"Remove selected users":[null,"Ausgewählte Benutzer entfernen"],"Type":[null,"Typ"],"Comment bug":[null,"Fehler kommentieren"],"HOST_CHECK_TYPE":[null,"Host Alias"],"Create a new group":[null,"Neue Gruppe erstellen"],"Add":[null,"Hinzufügen"],"PENDING":[null,"Wartend"],"no principals availabe":[null,"Keine Richtlinien verfügbar"],"Advanced":[null,"Erweitert"],"COMMENT_TIME":[null,"Zeit"],"Change Password":[null,"Passwort ändern"],"Language settings":[null,"Spracheinstellungen"],"Removing a category":[null,"Diese Kategorie löschen"],"The confirmed password doesn't match":[null,"Das bestätigte Passwort stimmt nicht überein"],"Rename":[null,"Umbenennen"],"Return code out of bounds":[null,"Rückgabewert außerhalb der Grenzen"],"CatId":[null,"CatID"],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Konnte die Cronkauflistung nicht laden. Der folgende Fehler ist aufgetreten: {0} ({1})"],"SERVICE_LATENCY":[null,"Dienst_Latenz"],"Error sending command":[null,"Fehler beim Senden des Befehls!"],"Time":[null,"Zeit"],"Discard":[null,"Verwerfen"],"Are you sure to delete {0}":[null,"Wollen sie {0} wirklich löschen?"],"Refresh the data in the grid":[null,"Aktualisiere Daten in der Tabelle"],"Remove selected":[null,"Ausgewählte entfernen"],"Stopped":[null,"Angehalten"],"Reload cronk":[null,"Gruppen löschen"],"Add new parameter to properties":[null,"Neuen Parameter zu den Eingenschaften hinzufügen"],"Change title for this tab":[null,"Titel ändern für diesen Reiter ändern"],"Sorry, cronk \"%s\" not found":[null,"Entschuldigung, Cronk \"%s\" wurde nicht gefunden"],"Available users":[null,"Vorhandene Benutzer"],"Request failed":[null,"Anfrage fehlgeschlagen"],"Admin tasks":[null,"Administrative Aufgaben"],"Services for ":[null,"Dienste für"],"Login failed":[null,"Anmeldung fehlgeschlagen"],"Permissions":[null,"Berechtigungen"],"Some error: {0}":[null,"unbekannter Fehler: {0}"],"Modified":[null,"Geändert"],"Log":[null,"Protokoll"],"Hosts (active/passive)":[null,"Hosts (aktiv/passiv)"],"Save custom Cronk":[null,"Benutzerdefinierten Cronk speichern"],"No selection was made!":[null,"Es wurde keine Auswahl getroffen!"],"Preferences":[null,"Einstellungen"],"Item":[null,"Element"],"Apply":[null,"Anwenden"],"Saving":[null,"Speichere"],"Expand":[null,""],"IN TOTAL":[null,"GESAMT"],"Seems like you have no logs":[null,"Keine Logdateien vorhanden"],"HOST_ADDRESS6":[null,"HOST_ADDRESS6"],"Description":[null,"Beschreibung"],"DOWN":[null,"Aus"]}
\ No newline at end of file
|
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/de.mo
^
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/el.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,"Δεν υπάρχουν θέματα για εμφάνιση"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" el","Last-Translator":" Theodore <theo@sarikoudis.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-10-07 05:54+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Ονομα χρήστη"],"Do you really want to delete these groups?":[null,"Θέλετε σίγουρα να διαγράψετε αυτές τις ομάδες;"],"Auto refresh":[null,"Αυτόματη ανανέωση"],"Please provide a password for this user":[null,"Παρακαλώ προμηθεύστε ένα συνθηματικό για αυτόν τον χρήστη "],"Auth via":[null,"Αναγνώριση χρήστη μέσω"],"email":[null,"email"],"Critical error":[null,"Σημαντικό σφάλμα"],"Unknown error - please check your logs":[null,""],"Password":[null,"Συνθηματικό"],"Category editor":[null,""],"Tactical overview settings":[null,"Ρυθμίσεις τακτικής επισκόπισης"],"HOST_LAST_HARD_STATE_CHANGE":[null,"τελευταία σφοδρή αλλαγή κατάστασης"],"Items":[null,"Στοιχεία"],"Sorry, you could not be authenticated for icinga-web.":[null,"Λυπάμαι, δεν ήταν δυνατή η πιστοποίησή σας."],"Command":[null,"Εντολή"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Χρόνος εκτέλεσης (Ελαχ/Μεσο/Μεγιστο)"],"Created":[null,"Δημιουργήθηκε"],"Your login session has gone away, press ok to login again!":[null,"Εχετε αποσυνδεθεί, πατήστε ΟΚ για να ξανασυνδεθείτε!"],"WARNING":[null,"Προειδοποίηση"],"Sorry, could not find a xml file for %s":[null,"Λυπάμαι, δεν βρέθηκε xml αρχείο για %s"],"of":[null,"εκτός"],"Your default language hast changed!":[null,"Εχει αλλαχθεί η προεπιλογή γλώσσας!"],"User":[null,"Χρήστης"],"Principals":[null,"Εντολείς"],"Filter":[null,"Φιλτρο"],"HOST_OUTPUT":[null,"Εξοδος αποτελεσμάτων"],"Don't forget to clear the agavi config cache after that.":[null,"Μετά από αυτό, Μην λησμονήσετε να αδειάσετε το agavi config cache"],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Δεν στάλθηκε η εντολή, παρακαλώ ελέγξτε το αρχείο καταγραφής!"],"Welcome":[null,"Καλώς Ηλθατε"],"Categories":[null,""],"This command will be send to all selected items":[null,"Η εντολή θα σταλεί σε όλα τα επιλεγμένα στοιχεία"],"Critical":[null,"Σημαντικό"],"Cronk Id":[null,""],"no more fields":[null,"Δεν υπάρχουν άλλα πεδία"],"Groups":[null,"Ομάδες"],"Users":[null,"Χρήστες"],"Say what?":[null,"Τι είπε?"],"Login":[null,"Είσοδος"],"Confirm password":[null,"Επιβεβαίωση συνθηματικού"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"URL σημειώσεων"],"id":[null,"id"],"Email":[null,"Email"],"Clear selection":[null,"Καθαριμσός επιλογής"],"Commands":[null,"Εντολές"],"Service execution (min/avg/max)":[null,"Εκτέλεση υπηρεσίας (Ελαχ/Μέσο/Μεγιστο)"],"Nothing selected":[null,"Δεν έχετε επιλέξει"],"HOST_EXECUTION_TIME":[null,"Χρόνος εκτέλεσης"],"is not":[null,""],"Exception thrown: %s":[null,"Προκλήθηκε εξαίρεση %s"],"Your application profile has been deleted!":[null,"Εχει σβησθεί το προφίλ προσβασής σας στην εφαρμογή!"],"Title":[null,"χωρίς τίτλο"],"One or more fields are invalid":[null,"Ενα η περισσότερα πεδία έχει άκυρα δεδομένα"],"UP":[null,"Επάνω"],"Services":[null,"Υπηρεσίες"],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"Χρόνος ενημέρωσης κατάστασης"],"Press me":[null,"Πίεσέ με"],"Warning":[null,"Προειδοποίηση"],"isActive":[null,"Ενεργός"],"Language":[null,"Γλώσσα"],"Edit group":[null,"Επεξεργασία ομάδας"],"Change title for this portlet":[null,"Αλλαγή τίτλου για αυτό το portlet"],"Add restriction":[null,"Προσθήκη περιορισμού"],"State information":[null,"Meta information"],"No users to display":[null,"Δεν υπάρχουν χρήστες για εμφάνιση"],"Error report":[null,"Αναφορά σφάλματος"],"HOST_IS_FLAPPING":[null,"Ο ξενιστής πεταρίζει"],"Authkey for Api (optional)":[null,"Κλειδι αναγνώρισης για Api (προεραιτικό)"],"Add new category":[null,"Προσθήκη νέου χρήστη"],"Close":[null,"Κλείσε"],"Available groups":[null,"Διαθέσιμες Ομάδες"],"Add new user":[null,"Προσθήκη νέου χρήστη"],"Edit user":[null,"Επεξεργασία χρήστη"],"Could not remove the last tab!":[null,"Δεν μπορεί να αφαιρεθεί το τελευταίο tab!"],"True":[null,"Αληθές"],"Logout":[null,"Αποσύνδεση"],"Reload":[null,""],"Delete":[null,"Διαγραφή χρήστη"],"To start with a new application profile, click the following button.":[null,"Για να ξεκινήσετε ένα νέο προφιλ εφαρμογής, επιλέξτε το ακόλουθο κουμπί."],"description":[null,"περιγραφή"],"(default) no option":[null,"(αρχικές τιμές) χωρις επιλογή"],"Clear cache":[null,"Καθαρισμός Σφαλμάτων"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"Η υπηρεσία πεταρίζει"],"Please verify your input and try again!":[null,"Επιβεβαιώστε την καταχώρισή σας και ξαναπροσπαθήστε!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"Απόπειρα ελέγχου"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"Επόμενος έλεγχος"],"Please alter your config file and set one to 'true' (%s).":[null,"Παρακαλώ αλλάξτε το αρχείο ρυθμήσεων και δώστε τμή 'Αληθές' (%s)."],"Error":[null,"Σφάλμα"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"Δεν έχει ρυθμιστεί σωστά η πιστοποίηση χρηστών. Πρέπει να έχετε ενεργοποιημένη τουλάχιστόν μία απο τις παρακάτω ιδιότητες:"],"Save this view as new cronk":[null,"Η προβολή ως URL"],"Access denied":[null,"Αρνηση Πρόσβασης"],"Running":[null,""],"Do you really want to delete these users?":[null,"Θέλετε σίγουρα να διαγράψετε αυτούς τους χρήστες;"],"Image":[null,""],"Principal":[null,"Εντολέας"],"Selection is missing":[null,"Δεν υπάρχει επιλογή"],"Increment current notification":[null,"Αύξηση τρέχουσας ειδοποίησης"],"Name":[null,"Ονομα"],"Icinga bug report":[null,"αναφορά σφάλματος Icinga"],"elete cronk":[null,"Διαγραφή Ομάδων"],"Reset":[null,"Αρχικοποίηση"],"firstname":[null,"Ονομα"],"Save Cronk":[null,""],"New category":[null,"Απομάκρυνση κατηγορίας"],"Password changed":[null,"Το συνθηματικό άλλαξε"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Δημιουργία νέου χρήστη"],"The password was successfully changed":[null,"Η αλλαγή συνθηματικού έγινε με επιτυχία"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Δεν ηταν δυνατή η σύνδεση στον web-server!"],"The passwords don't match!":[null,"Τα συνθηματικά δεν συμπίπτουν!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"τελευταίος έλεγχος"],"Command sent":[null,"Εντολή στάλθηκε"],"Sorry":[null,"Λυπάμαι"],"Delete groups":[null,"Διαγραφή Ομάδων"],"Unknown":[null,"Αγνωστο"],"HOST_ALIAS":[null,"Ψευδώνυμο"],"Docs":[null,"Docs"],"Service latency (min/avg/max)":[null,"Υστέριση υπηρεσίας (Ελαχ/Μέσο/Μεγιστο)"],"Displaying groups":[null,"Εμφάνιση ομάδων"],"Preferences for user":[null,"Προτιμήσεις για τον χρήστη"],"SERVICE_CURRENT_STATE":[null,"Τρέχουσα κατάσταση υπηρεσίας"],"Remove selected groups":[null,"Απομάκρυνση επιλεγμένων ομάδων"],"Cronk deleted":[null,""],"Group inheritance":[null,"Κληρονομικότητα ομάδων"],"Meta":[null,""],"Forced":[null,"Εξαναγκασμένος"],"groupname":[null,"Ονομα ομάδας"],"Search":[null,"Αναζήτηση"],"SERVICE_NEXT_CHECK":[null,"Επόμενος έλεγχος"],"log":[null,"καταγραφή"],"Severity":[null,"Σοβαρότητα"],"Create report for dev.icinga.org":[null,"Δημιουργία αναφοράς για dev.icinga.org"],"Change language":[null,"Αλλαγή γλώσσας"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"Τελευταία σφροδρή αλλαγή κατάστασης"],"The server encountered an error:<br/>":[null,"Ο διακομιστής συνάντησε σφάλμα : <br/>"],"Click to edit user":[null,"Επιλέξτε εδώ για επεξεργασία χρήστη"],"Delete user":[null,"Διαγραφή χρήστη"],"Bug report":[null,"Αναφορά σφάλματος"],"SERVICE_EXECUTION_TIME":[null,"Χρόνος εκτέλεσης"],"Can't modify":[null,"Δεν επιτρέπεται μεταβολή"],"COMMENT_AUTHOR_NAME":[null,"Συγγραφέας"],"Session expired":[null,"Εληξε η σύνδεση"],"Hide disabled ":[null,"Απόκρυψη μη ενεργών"],"No groups to display":[null,"Δεν υπάρχουν ομάδες για εμφάνιση"],"HOST_LATENCY":[null,"Υστέριση"],"Add new group":[null,"Προσθήκη νέας ομάδας"],"Action":[null,"Επιλογή"],"Cancel":[null,"Ακύρωση"],"A error occured when requesting ":[null,"Σφάλμα ζητώντας"],"Auto refresh ({0} seconds)":[null,"Αυτόματη ανανέωση ({0}δευτερόλεπτα)"],"The following ":[null,"Το ακόλουθο"],"Grid settings":[null,"Ρυθμίσεις πλέγματος"],"Yes":[null,"Ναι"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Εκπομπή"],"SERVICE_STATUS_UPDATE_TIME":[null,"Χρόνος Ενημέρωσης κατάστασης"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Αρχικοποίηση κατάστασης εφαρμογής"],"Cronks":[null,""],"No":[null,"Οχι"],"Enter title":[null,"Εισάγετε τίτλο"],"Add selected principals":[null,"Προσθήκη επιλεγμένων εντολέων"],"Success":[null,""],"Login error (configuration)":[null,"Σφάλμα εισόδου (ρυθμίσεις)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"Σχόλια"],"Dev":[null,"Dev"],"Group name":[null,"Ονομα ομάδας"],"Select a principal (Press Ctrl for multiple selects)":[null,"Επιλογή εντολέων (Πιέστε Ctrl για πολλαπλή επιλογή)"],"Share your Cronk":[null,""],"Ressource ":[null,"Πόρος"],"Authorization failed for this instance":[null,"Αλλαγή τίτλου για το tab"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Επανεκκίνηση Εφαρμογής"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Προτιμήσεις Χρήστη"],"Surname":[null,"Επίθετο"],"HOST_NOTES_URL":[null,"URL σημειώσεων"],"Searching ...":[null,"Αναζήτηση"],"CRITICAL":[null,"Σημαντικό"],"Login error":[null,"Σφάλμα εισόδου"],"Modify filter":[null,"Τροποποίηση Φίλτρου"],"Status":[null,"Κατάσταση"],"Stop icinga process":[null,""],"Language changed":[null,"Η γλώσσα άλλαξε"],"Remove":[null,"Απομάκρυνση"],"Disabled":[null,"Απενεργοποιημένο"],"You haven't selected anything!":[null,"Δεν έχετε επιλέξει κάτι!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Επιλέξτε εδώ για να δείτε οδηγίες"],"active":[null,"ενεργός"],"Please enter a comment for this bug. This could be":[null,"Παρακαλώ προσθέστε κάποιο σχόλιο για το σφάλμα. Αυτό θα μπορούσε να είναι"],"contain":[null,""],"Edit":[null,"Επεξεργασία χρήστη"],"Guest":[null,"Φιλοξενούμενος"],"Host latency (min/avg/max)":[null,"Υστέριση κόμβου (Ελαχ/Μεσο/Μεγιστο)"],"Displaying topics {0} - {1} of {2}":[null,"Εμφάνιση θεμάτων {0} - {1} of {2}"],"Close others":[null,"Κλείσιμο άλλων"],"HOST_MAX_CHECK_ATTEMPTS":[null,"Μεγιστός αριθμός απόπειρας ελέγχου"],"SERVICE_LAST_CHECK":[null,"Τελευταίος έλεγχος υπηρεσίας"],"Save":[null,"Αποθήκευση"],"No node was removed":[null,"Κανένας κόμβος δεν διεγράφη"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"Μεγιστος αριθμός απόπειρ. ελέγχου"],"untitled":[null,"χωρίς τίτλο"],"lastname":[null,"Επίθετο"],"This item is read only!":[null,"Το στοιχείο είναι μόνο ανάγνωσης!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"Βάθος χρόνου προγραμματισμένης διακοπής λειτουργίας"],"Get this view as URL":[null,"Η προβολή ως URL"],"New Preference":[null,"Νέα προτίμηση"],"Confirm":[null,"Επιβεβαίωση συνθηματικού"],"Reload the cronk (not the content)":[null,"επαναφόρτωση του cronk (οχι του περιεχομένου)"],"Send report to admin":[null,"Στείλε αναφορά στον Διαχειριστή"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Θέλετε να τα διαγράψετε όλα"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"Εξοδος Αποτελεσμάτων"],"We're Icinga":[null,"Είμαστε Icinga"],"Unknown field type: {0}":[null,"Αγνωστο είδος πεδίου: {0}"],"Meta information":[null,"Meta information"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} εντολή εστάλθη με επιτυχία!"],"Link to this view":[null,"Σύνδεσμος σε αυτή τη προβολή"],"UNKNOWN":[null,"ΑΓΝΩΣΤΟ"],"About":[null,"Πληροφορίες"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Επικοινωνήστε με τον διαχειριστή συστημάτων αν νομίζεται οτι αυτό δεν είναι συνηθησμένο."],"SERVICE_LAST_NOTIFICATION":[null,"Τελευταία ειδοποίηση"],"Abort":[null,"Εγκατάληψη"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Τροποποίηση"],"HOST_LAST_NOTIFICATION":[null,"τελευταία ειδοποίηση"],"General information":[null,"Γενικές Πληροφορίες"],"Displaying users":[null,"Εμφάνιση χρηστών"],"Position":[null,"Περιγραφή"],"Remove this preference":[null,"Απομάκρυνση αυτής της προτίμισης"],"{0} ({1} items)":[null,"{0} ({1} στοιχεία)"],"HOST_ADDRESS":[null,"Διεύθυνση"],"You can not delete system categories":[null,""],"username":[null,"ονομα χρήστη"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"Τρέχουσα κατάσταση"],"HOST_PERFDATA":[null,"Δεδομένα απόδοσης"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"Τρέχουσα απόπειρα ελέγχου"],"To be on the verge to logout ...":[null,"Στο χείλος της αποσύνδεσης ..."],"Hosts":[null,"Ξενιστές"],"SERVICE_PERFDATA":[null,"Αποτελέσματα Απόδοσης"],"SERVICE_DISPLAY_NAME":[null,"Εμφανιζόμενο Ονομα"],"Save password":[null,"Αποθήκευση συνθηματικού"],"Agavi setting":[null,"Ρυθμίσεις πλέγματος"],"seconds":[null,""],"Unknown id":[null,"Αγνωστο id"],"CronkBuilder":[null,""],"Available logs":[null,"Διαθέσιμες καταγραφές"],"Link":[null,"Συνδεσμος"],"New password":[null,"Νέο συνθηματικό"],"Settings":[null,"Ρυθμίσεις"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"Εμφανιζόμενο ονομα"],"False":[null,"Ψεύδος"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"Βάθος Χρόνου προγραμματισμένης διακοπής λειτουργίας"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"Απροσπέλαστο"],"SERVICE_CHECK_TYPE":[null,"Είδος ελέγχου υπηρεσίας"],"Option":[null,"Επιλογή"],"Refresh":[null,"Ανανέωση"],"Are you sure to do this?":[null,"Είσται σίγουρος ;"]," principals?":[null,"εντολείς ?"],"Tab slider":[null,""],"Clear errors":[null,"Καθαρισμός Σφαλμάτων"],"OK":[null,"OK"],"Services (active/passive)":[null,"Υπηρεσίες (Ενεργές/Παθητικες)"],"Remove selected users":[null,"Απομάκρυνση επιλεγμένων χρηστών"],"Type":[null,"Type"],"Comment bug":[null,"Σχολιασμός σφάλματος"],"HOST_CHECK_TYPE":[null,"Είδος ελέγχου"],"Create a new group":[null,"Δημιουργία νέας ομάδας"],"Add":[null,"Προσθήκη"],"PENDING":[null,"ΕΚΡΕΜΕΙ"],"no principals availabe":[null,"Δεν υπάρχουν εντολείς"],"Advanced":[null,"Προχωρημένες"],"COMMENT_TIME":[null,"Χρόνος"],"Change Password":[null,"Αλλαγή κωδικού"],"Language settings":[null,"Ρυθμίσεις γλώσας"],"Removing a category":[null,"Απομάκρυνση κατηγορίας"],"The confirmed password doesn't match":[null,"Δεν συμπίπτει το συνθηματικό επιβεβαίωσης"],"Rename":[null,"Μετονομασία"],"Return code out of bounds":[null,"Επιστροφή κωδικού αποτελέσματος εκτός ορίων"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Δεν φορτώθηκε η λίστα cronk, συνέβη το ακόλουθο λάθος: {0} ({1})"],"SERVICE_LATENCY":[null,"Υστέριση"],"Error sending command":[null,"Σφάλμα κατά τη αποστολή της εντολής"],"Time":[null,""],"Discard":[null,"Απόρριψη"],"Are you sure to delete {0}":[null,"Είσται σίγουρος ;"],"Refresh the data in the grid":[null,"Ανανέωση δεδομένων στο πλέγμα"],"Remove selected":[null,"Απομάκρυνση επιλεγμένων"],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Αλλαγή τίτλου για το tab"],"Sorry, cronk \"%s\" not found":[null,"Λυπάμαι, δεν βρέθηκε το cronk \"%s\""],"Available users":[null,"Διαθέσιμοι Χρήστες"],"Request failed":[null,"Αποτυχία αιτήματος"],"Admin tasks":[null,""],"Services for ":[null,"Υπηρεσίες για "],"Login failed":[null,"Αποτυχία εισόδου"],"Permissions":[null,"Αδειες"],"Some error: {0}":[null,""],"Modified":[null,"Τροποποήθηκε"],"Hosts (active/passive)":[null,"Κομβοι (ενεργοι/παθητικοί)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Προτιμήσεις"],"Item":[null,"Στοιχείο"],"Apply":[null,"Εφαρμογή"],"Saving":[null,"Αποθηκεύω"],"IN TOTAL":[null,"Σε σύνολο"],"Seems like you have no logs":[null,"Μοιάζει να μην έχετε καταγραφή"],"HOST_ADDRESS6":[null,"Διεύθυνση"],"Description":[null,"Περιγραφή"],"DOWN":[null,"ΚΑΤΩ"]}
\ No newline at end of file
+{"No topics to display":[null,"Δεν υπάρχουν θέματα για εμφάνιση"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" el","Last-Translator":" Theodore <theo@sarikoudis.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-10-07 05:54+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Ονομα χρήστη"],"Do you really want to delete these groups?":[null,"Θέλετε σίγουρα να διαγράψετε αυτές τις ομάδες;"],"Auto refresh":[null,"Αυτόματη ανανέωση"],"Please provide a password for this user":[null,"Παρακαλώ προμηθεύστε ένα συνθηματικό για αυτόν τον χρήστη "],"Auth via":[null,"Αναγνώριση χρήστη μέσω"],"email":[null,"email"],"Critical error":[null,"Σημαντικό σφάλμα"],"Unknown error - please check your logs":[null,""],"Password":[null,"Συνθηματικό"],"Category editor":[null,""],"Tactical overview settings":[null,"Ρυθμίσεις τακτικής επισκόπισης"],"HOST_LAST_HARD_STATE_CHANGE":[null,"τελευταία σφοδρή αλλαγή κατάστασης"],"Items":[null,"Στοιχεία"],"Sorry, you could not be authenticated for icinga-web.":[null,"Λυπάμαι, δεν ήταν δυνατή η πιστοποίησή σας."],"Reset view":[null,"Αρχικοποίηση"],"Command":[null,"Εντολή"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Χρόνος εκτέλεσης (Ελαχ/Μεσο/Μεγιστο)"],"Created":[null,"Δημιουργήθηκε"],"Your login session has gone away, press ok to login again!":[null,"Εχετε αποσυνδεθεί, πατήστε ΟΚ για να ξανασυνδεθείτε!"],"WARNING":[null,"Προειδοποίηση"],"Sorry, could not find a xml file for %s":[null,"Λυπάμαι, δεν βρέθηκε xml αρχείο για %s"],"of":[null,"εκτός"],"Your default language hast changed!":[null,"Εχει αλλαχθεί η προεπιλογή γλώσσας!"],"User":[null,"Χρήστης"],"Principals":[null,"Εντολείς"],"Filter":[null,"Φιλτρο"],"HOST_OUTPUT":[null,"Εξοδος αποτελεσμάτων"],"Don't forget to clear the agavi config cache after that.":[null,"Μετά από αυτό, Μην λησμονήσετε να αδειάσετε το agavi config cache"],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Δεν στάλθηκε η εντολή, παρακαλώ ελέγξτε το αρχείο καταγραφής!"],"Welcome":[null,"Καλώς Ηλθατε"],"Categories":[null,""],"This command will be send to all selected items":[null,"Η εντολή θα σταλεί σε όλα τα επιλεγμένα στοιχεία"],"Critical":[null,"Σημαντικό"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"Εξοδος Αποτελεσμάτων"],"no more fields":[null,"Δεν υπάρχουν άλλα πεδία"],"Groups":[null,"Ομάδες"],"Users":[null,"Χρήστες"],"Say what?":[null,"Τι είπε?"],"Login":[null,"Είσοδος"],"Confirm password":[null,"Επιβεβαίωση συνθηματικού"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"URL σημειώσεων"],"id":[null,"id"],"Email":[null,"Email"],"Clear selection":[null,"Καθαριμσός επιλογής"],"Commands":[null,"Εντολές"],"Service execution (min/avg/max)":[null,"Εκτέλεση υπηρεσίας (Ελαχ/Μέσο/Μεγιστο)"],"Nothing selected":[null,"Δεν έχετε επιλέξει"],"HOST_EXECUTION_TIME":[null,"Χρόνος εκτέλεσης"],"is not":[null,""],"Exception thrown: %s":[null,"Προκλήθηκε εξαίρεση %s"],"Your application profile has been deleted!":[null,"Εχει σβησθεί το προφίλ προσβασής σας στην εφαρμογή!"],"Title":[null,"χωρίς τίτλο"],"One or more fields are invalid":[null,"Ενα η περισσότερα πεδία έχει άκυρα δεδομένα"],"UP":[null,"Επάνω"],"Services":[null,"Υπηρεσίες"],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"Χρόνος ενημέρωσης κατάστασης"],"Press me":[null,"Πίεσέ με"],"Warning":[null,"Προειδοποίηση"],"isActive":[null,"Ενεργός"],"Language":[null,"Γλώσσα"],"Edit group":[null,"Επεξεργασία ομάδας"],"Change title for this portlet":[null,"Αλλαγή τίτλου για αυτό το portlet"],"Add restriction":[null,"Προσθήκη περιορισμού"],"State information":[null,"Meta information"],"No users to display":[null,"Δεν υπάρχουν χρήστες για εμφάνιση"],"Error report":[null,"Αναφορά σφάλματος"],"HOST_IS_FLAPPING":[null,"Ο ξενιστής πεταρίζει"],"Authkey for Api (optional)":[null,"Κλειδι αναγνώρισης για Api (προεραιτικό)"],"Add new category":[null,"Προσθήκη νέου χρήστη"],"Close":[null,"Κλείσε"],"Available groups":[null,"Διαθέσιμες Ομάδες"],"Add new user":[null,"Προσθήκη νέου χρήστη"],"Edit user":[null,"Επεξεργασία χρήστη"],"Could not remove the last tab!":[null,"Δεν μπορεί να αφαιρεθεί το τελευταίο tab!"],"True":[null,"Αληθές"],"Logout":[null,"Αποσύνδεση"],"Reload":[null,""],"Delete":[null,"Διαγραφή χρήστη"],"To start with a new application profile, click the following button.":[null,"Για να ξεκινήσετε ένα νέο προφιλ εφαρμογής, επιλέξτε το ακόλουθο κουμπί."],"description":[null,"περιγραφή"],"(default) no option":[null,"(αρχικές τιμές) χωρις επιλογή"],"Clear cache":[null,"Καθαρισμός Σφαλμάτων"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"Η υπηρεσία πεταρίζει"],"Please verify your input and try again!":[null,"Επιβεβαιώστε την καταχώρισή σας και ξαναπροσπαθήστε!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"Απόπειρα ελέγχου"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"Επόμενος έλεγχος"],"Please alter your config file and set one to 'true' (%s).":[null,"Παρακαλώ αλλάξτε το αρχείο ρυθμήσεων και δώστε τμή 'Αληθές' (%s)."],"Error":[null,"Σφάλμα"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"Δεν έχει ρυθμιστεί σωστά η πιστοποίηση χρηστών. Πρέπει να έχετε ενεργοποιημένη τουλάχιστόν μία απο τις παρακάτω ιδιότητες:"],"Save this view as new cronk":[null,"Η προβολή ως URL"],"Access denied":[null,"Αρνηση Πρόσβασης"],"Running":[null,""],"Do you really want to delete these users?":[null,"Θέλετε σίγουρα να διαγράψετε αυτούς τους χρήστες;"],"Image":[null,""],"Principal":[null,"Εντολέας"],"Selection is missing":[null,"Δεν υπάρχει επιλογή"],"Increment current notification":[null,"Αύξηση τρέχουσας ειδοποίησης"],"Name":[null,"Ονομα"],"Icinga bug report":[null,"αναφορά σφάλματος Icinga"],"elete cronk":[null,"Διαγραφή Ομάδων"],"Reset":[null,"Αρχικοποίηση"],"firstname":[null,"Ονομα"],"Save Cronk":[null,""],"New category":[null,"Απομάκρυνση κατηγορίας"],"Password changed":[null,"Το συνθηματικό άλλαξε"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Δημιουργία νέου χρήστη"],"The password was successfully changed":[null,"Η αλλαγή συνθηματικού έγινε με επιτυχία"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Δεν ηταν δυνατή η σύνδεση στον web-server!"],"The passwords don't match!":[null,"Τα συνθηματικά δεν συμπίπτουν!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"τελευταίος έλεγχος"],"Command sent":[null,"Εντολή στάλθηκε"],"Sorry":[null,"Λυπάμαι"],"Delete groups":[null,"Διαγραφή Ομάδων"],"Unknown":[null,"Αγνωστο"],"HOST_ALIAS":[null,"Ψευδώνυμο"],"Docs":[null,"Docs"],"Service latency (min/avg/max)":[null,"Υστέριση υπηρεσίας (Ελαχ/Μέσο/Μεγιστο)"],"Displaying groups":[null,"Εμφάνιση ομάδων"],"Preferences for user":[null,"Προτιμήσεις για τον χρήστη"],"SERVICE_CURRENT_STATE":[null,"Τρέχουσα κατάσταση υπηρεσίας"],"Remove selected groups":[null,"Απομάκρυνση επιλεγμένων ομάδων"],"Cronk deleted":[null,""],"Group inheritance":[null,"Κληρονομικότητα ομάδων"],"Meta":[null,""],"Forced":[null,"Εξαναγκασμένος"],"groupname":[null,"Ονομα ομάδας"],"Search":[null,"Αναζήτηση"],"SERVICE_NEXT_CHECK":[null,"Επόμενος έλεγχος"],"log":[null,"καταγραφή"],"Severity":[null,"Σοβαρότητα"],"Create report for dev.icinga.org":[null,"Δημιουργία αναφοράς για dev.icinga.org"],"Change language":[null,"Αλλαγή γλώσσας"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"Τελευταία σφροδρή αλλαγή κατάστασης"],"The server encountered an error:<br/>":[null,"Ο διακομιστής συνάντησε σφάλμα : <br/>"],"Click to edit user":[null,"Επιλέξτε εδώ για επεξεργασία χρήστη"],"Delete user":[null,"Διαγραφή χρήστη"],"Bug report":[null,"Αναφορά σφάλματος"],"SERVICE_EXECUTION_TIME":[null,"Χρόνος εκτέλεσης"],"Can't modify":[null,"Δεν επιτρέπεται μεταβολή"],"COMMENT_AUTHOR_NAME":[null,"Συγγραφέας"],"Session expired":[null,"Εληξε η σύνδεση"],"Hide disabled ":[null,"Απόκρυψη μη ενεργών"],"No groups to display":[null,"Δεν υπάρχουν ομάδες για εμφάνιση"],"HOST_LATENCY":[null,"Υστέριση"],"Add new group":[null,"Προσθήκη νέας ομάδας"],"Action":[null,"Επιλογή"],"Cancel":[null,"Ακύρωση"],"A error occured when requesting ":[null,"Σφάλμα ζητώντας"],"Auto refresh ({0} seconds)":[null,"Αυτόματη ανανέωση ({0}δευτερόλεπτα)"],"The following ":[null,"Το ακόλουθο"],"Grid settings":[null,"Ρυθμίσεις πλέγματος"],"Yes":[null,"Ναι"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Εκπομπή"],"SERVICE_STATUS_UPDATE_TIME":[null,"Χρόνος Ενημέρωσης κατάστασης"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Αρχικοποίηση κατάστασης εφαρμογής"],"Cronks":[null,""],"No":[null,"Οχι"],"Enter title":[null,"Εισάγετε τίτλο"],"Add selected principals":[null,"Προσθήκη επιλεγμένων εντολέων"],"Success":[null,""],"Login error (configuration)":[null,"Σφάλμα εισόδου (ρυθμίσεις)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"Σχόλια"],"Dev":[null,"Dev"],"Group name":[null,"Ονομα ομάδας"],"Select a principal (Press Ctrl for multiple selects)":[null,"Επιλογή εντολέων (Πιέστε Ctrl για πολλαπλή επιλογή)"],"Share your Cronk":[null,""],"Ressource ":[null,"Πόρος"],"Authorization failed for this instance":[null,"Αλλαγή τίτλου για το tab"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Επανεκκίνηση Εφαρμογής"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Προτιμήσεις Χρήστη"],"Surname":[null,"Επίθετο"],"HOST_NOTES_URL":[null,"URL σημειώσεων"],"Searching ...":[null,"Αναζήτηση"],"CRITICAL":[null,"Σημαντικό"],"Login error":[null,"Σφάλμα εισόδου"],"Modify filter":[null,"Τροποποίηση Φίλτρου"],"Status":[null,"Κατάσταση"],"Stop icinga process":[null,""],"Language changed":[null,"Η γλώσσα άλλαξε"],"Remove":[null,"Απομάκρυνση"],"Disabled":[null,"Απενεργοποιημένο"],"You haven't selected anything!":[null,"Δεν έχετε επιλέξει κάτι!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Επιλέξτε εδώ για να δείτε οδηγίες"],"active":[null,"ενεργός"],"Please enter a comment for this bug. This could be":[null,"Παρακαλώ προσθέστε κάποιο σχόλιο για το σφάλμα. Αυτό θα μπορούσε να είναι"],"contain":[null,""],"Edit":[null,"Επεξεργασία χρήστη"],"Guest":[null,"Φιλοξενούμενος"],"Host latency (min/avg/max)":[null,"Υστέριση κόμβου (Ελαχ/Μεσο/Μεγιστο)"],"Displaying topics {0} - {1} of {2}":[null,"Εμφάνιση θεμάτων {0} - {1} of {2}"],"Close others":[null,"Κλείσιμο άλλων"],"HOST_MAX_CHECK_ATTEMPTS":[null,"Μεγιστός αριθμός απόπειρας ελέγχου"],"SERVICE_LAST_CHECK":[null,"Τελευταίος έλεγχος υπηρεσίας"],"Save":[null,"Αποθήκευση"],"No node was removed":[null,"Κανένας κόμβος δεν διεγράφη"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"Μεγιστος αριθμός απόπειρ. ελέγχου"],"untitled":[null,"χωρίς τίτλο"],"lastname":[null,"Επίθετο"],"This item is read only!":[null,"Το στοιχείο είναι μόνο ανάγνωσης!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"Βάθος χρόνου προγραμματισμένης διακοπής λειτουργίας"],"Get this view as URL":[null,"Η προβολή ως URL"],"New Preference":[null,"Νέα προτίμηση"],"Confirm":[null,"Επιβεβαίωση συνθηματικού"],"Reload the cronk (not the content)":[null,"επαναφόρτωση του cronk (οχι του περιεχομένου)"],"Send report to admin":[null,"Στείλε αναφορά στον Διαχειριστή"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Θέλετε να τα διαγράψετε όλα"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"Εξοδος Αποτελεσμάτων"],"We're Icinga":[null,"Είμαστε Icinga"],"Unknown field type: {0}":[null,"Αγνωστο είδος πεδίου: {0}"],"Meta information":[null,"Meta information"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} εντολή εστάλθη με επιτυχία!"],"Link to this view":[null,"Σύνδεσμος σε αυτή τη προβολή"],"UNKNOWN":[null,"ΑΓΝΩΣΤΟ"],"About":[null,"Πληροφορίες"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Επικοινωνήστε με τον διαχειριστή συστημάτων αν νομίζεται οτι αυτό δεν είναι συνηθησμένο."],"SERVICE_LAST_NOTIFICATION":[null,"Τελευταία ειδοποίηση"],"Abort":[null,"Εγκατάληψη"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Τροποποίηση"],"HOST_LAST_NOTIFICATION":[null,"τελευταία ειδοποίηση"],"General information":[null,"Γενικές Πληροφορίες"],"Displaying users":[null,"Εμφάνιση χρηστών"],"Position":[null,"Περιγραφή"],"Remove this preference":[null,"Απομάκρυνση αυτής της προτίμισης"],"{0} ({1} items)":[null,"{0} ({1} στοιχεία)"],"HOST_ADDRESS":[null,"Διεύθυνση"],"You can not delete system categories":[null,""],"username":[null,"ονομα χρήστη"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"Τρέχουσα κατάσταση"],"HOST_PERFDATA":[null,"Δεδομένα απόδοσης"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"Τρέχουσα απόπειρα ελέγχου"],"To be on the verge to logout ...":[null,"Στο χείλος της αποσύνδεσης ..."],"Hosts":[null,"Ξενιστές"],"SERVICE_PERFDATA":[null,"Αποτελέσματα Απόδοσης"],"SERVICE_DISPLAY_NAME":[null,"Εμφανιζόμενο Ονομα"],"Save password":[null,"Αποθήκευση συνθηματικού"],"Agavi setting":[null,"Ρυθμίσεις πλέγματος"],"seconds":[null,""],"Unknown id":[null,"Αγνωστο id"],"CronkBuilder":[null,""],"Available logs":[null,"Διαθέσιμες καταγραφές"],"Link":[null,"Συνδεσμος"],"New password":[null,"Νέο συνθηματικό"],"Settings":[null,"Ρυθμίσεις"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"Εμφανιζόμενο ονομα"],"False":[null,"Ψεύδος"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"Βάθος Χρόνου προγραμματισμένης διακοπής λειτουργίας"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"Εξοδος αποτελεσμάτων"],"UNREACHABLE":[null,"Απροσπέλαστο"],"SERVICE_CHECK_TYPE":[null,"Είδος ελέγχου υπηρεσίας"],"Option":[null,"Επιλογή"],"Refresh":[null,"Ανανέωση"],"Are you sure to do this?":[null,"Είσται σίγουρος ;"]," principals?":[null,"εντολείς ?"],"Tab slider":[null,""],"Clear errors":[null,"Καθαρισμός Σφαλμάτων"],"OK":[null,"OK"],"Services (active/passive)":[null,"Υπηρεσίες (Ενεργές/Παθητικες)"],"Remove selected users":[null,"Απομάκρυνση επιλεγμένων χρηστών"],"Type":[null,"Type"],"Comment bug":[null,"Σχολιασμός σφάλματος"],"HOST_CHECK_TYPE":[null,"Είδος ελέγχου"],"Create a new group":[null,"Δημιουργία νέας ομάδας"],"Add":[null,"Προσθήκη"],"PENDING":[null,"ΕΚΡΕΜΕΙ"],"no principals availabe":[null,"Δεν υπάρχουν εντολείς"],"Advanced":[null,"Προχωρημένες"],"COMMENT_TIME":[null,"Χρόνος"],"Change Password":[null,"Αλλαγή κωδικού"],"Language settings":[null,"Ρυθμίσεις γλώσας"],"Removing a category":[null,"Απομάκρυνση κατηγορίας"],"The confirmed password doesn't match":[null,"Δεν συμπίπτει το συνθηματικό επιβεβαίωσης"],"Rename":[null,"Μετονομασία"],"Return code out of bounds":[null,"Επιστροφή κωδικού αποτελέσματος εκτός ορίων"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Δεν φορτώθηκε η λίστα cronk, συνέβη το ακόλουθο λάθος: {0} ({1})"],"SERVICE_LATENCY":[null,"Υστέριση"],"Error sending command":[null,"Σφάλμα κατά τη αποστολή της εντολής"],"Time":[null,""],"Discard":[null,"Απόρριψη"],"Are you sure to delete {0}":[null,"Είσται σίγουρος ;"],"Refresh the data in the grid":[null,"Ανανέωση δεδομένων στο πλέγμα"],"Remove selected":[null,"Απομάκρυνση επιλεγμένων"],"Stopped":[null,""],"Reload cronk":[null,"Διαγραφή Ομάδων"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Αλλαγή τίτλου για το tab"],"Sorry, cronk \"%s\" not found":[null,"Λυπάμαι, δεν βρέθηκε το cronk \"%s\""],"Available users":[null,"Διαθέσιμοι Χρήστες"],"Request failed":[null,"Αποτυχία αιτήματος"],"Admin tasks":[null,""],"Services for ":[null,"Υπηρεσίες για "],"Login failed":[null,"Αποτυχία εισόδου"],"Permissions":[null,"Αδειες"],"Some error: {0}":[null,""],"Modified":[null,"Τροποποήθηκε"],"Hosts (active/passive)":[null,"Κομβοι (ενεργοι/παθητικοί)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Προτιμήσεις"],"Item":[null,"Στοιχείο"],"Apply":[null,"Εφαρμογή"],"Saving":[null,"Αποθηκεύω"],"Expand":[null,""],"IN TOTAL":[null,"Σε σύνολο"],"Seems like you have no logs":[null,"Μοιάζει να μην έχετε καταγραφή"],"HOST_ADDRESS6":[null,"Διεύθυνση"],"Description":[null,"Περιγραφή"],"DOWN":[null,"ΚΑΤΩ"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/en.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" ","Language":" en","X-Poedit-Language":" English","Last-Translator":" Gunnar <gunnar.beutner@netways.de>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-01-10 13:20+0200","Language-Team":" ","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" Icinga-Web"},"User name":[null,"User name"],"Do you really want to delete these groups?":[null,"Do you really want to delete these groups?"],"Auto refresh":[null,"Auto refresh"],"Please provide a password for this user":[null,"Please provide a password for this user"],"Auth via":[null,"Auth via"],"email":[null,"email"],"Critical error":[null,"Critical"],"Unknown error - please check your logs":[null,""],"Password":[null,"Password"],"Category editor":[null,""],"Tactical overview settings":[null,"Tactical overview settings"],"HOST_LAST_HARD_STATE_CHANGE":[null,"Last hard state change"],"Items":[null,"Items"],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\""],"Command":[null,"Command"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"Created"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"WARNING"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,"of"],"Your default language hast changed!":[null,"Your default language has changed!"],"User":[null,"User"],"Principals":[null,"Principals"],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,"Output"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Welcome"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Critical"],"Cronk Id":[null,""],"no more fields":[null,"no more fields"],"Groups":[null,"Groups"],"Users":[null,"Users"],"Say what?":[null,"Say what?"],"Login":[null,"Login"],"Confirm password":[null,"Confirm password"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"Notes url"],"id":[null,"id"],"Email":[null,"Email"],"Clear selection":[null,"Clear selection"],"Commands":[null,"Commands"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,"Nothing selected"],"HOST_EXECUTION_TIME":[null,"Execution time"],"is not":[null,""],"Exception thrown: %s":[null,"Exception thrown: %s"],"Your application profile has been deleted!":[null,""],"Title":[null,"Enter title"],"One or more fields are invalid":[null,"One or more fields are invalid"],"UP":[null,"UP"],"Services":[null,"Services for "],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"Status update time"],"Press me":[null,"Press me"],"Warning":[null,"Warning"],"isActive":[null,"isActive"],"Language":[null,"Language"],"Edit group":[null,"Edit group"],"Change title for this portlet":[null,"Change title for this portlet"],"Add restriction":[null,"Add restriction"],"State information":[null,"Meta information"],"No users to display":[null,"No users to display"],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"Host is flapping"],"Authkey for Api (optional)":[null,"Authkey for Api (optional)"],"Add new category":[null,"Add new user"],"Close":[null,"Close"],"Available groups":[null,"Available groups"],"Add new user":[null,"Add new user"],"Edit user":[null,"Edit user"],"Could not remove the last tab!":[null,"Could not remove the last tab!"],"True":[null,""],"Logout":[null,"Logout"],"Reload":[null,""],"Delete":[null,"Delete user"],"To start with a new application profile, click the following button.":[null,""],"description":[null,"description"],"(default) no option":[null,"(default) no option"],"Clear cache":[null,"Clear errors"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"Is flapping"],"Please verify your input and try again!":[null,"Please verify your input and try again!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"Current check attempt"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"Next check"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"Error"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,"Get this view as URL"],"Access denied":[null,"Access denied"],"Running":[null,""],"Do you really want to delete these users?":[null,"Do you really want to delete these users?"],"Image":[null,""],"Principal":[null,"Principal"],"Selection is missing":[null,"Selection is missing"],"Increment current notification":[null,"Increment current notification"],"Name":[null,"Name"],"Icinga bug report":[null,""],"elete cronk":[null,"Delete groups"],"Reset":[null,"Reset"],"firstname":[null,"firstname"],"Save Cronk":[null,""],"New category":[null,"Removing a category"],"Password changed":[null,"Password changed"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Create a new user"],"The password was successfully changed":[null,"The password was successfully changed"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"Only close":[null,"Only close"],"The passwords don't match!":[null,"The passwords don't match!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"Last check"],"Command sent":[null,"Command sent"],"Sorry":[null,"Sorry"],"Delete groups":[null,"Delete groups"],"Unknown":[null,"Unknown"],"HOST_ALIAS":[null,"Alias"],"Docs":[null,"Docs"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,"Displaying groups"],"Preferences for user":[null,"Preferences for user"],"SERVICE_CURRENT_STATE":[null,"Current state"],"Remove selected groups":[null,"Remove selected groups"],"Cronk deleted":[null,""],"Group inheritance":[null,"Group inheritance"],"Meta":[null,""],"Forced":[null,"Forced"],"groupname":[null,"groupname"],"Search":[null,"Search"],"SERVICE_NEXT_CHECK":[null,"Next check"],"log":[null,"log"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,"Change language"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"Last hard state change"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,"Click to edit user"],"Delete user":[null,"Delete user"],"Bug report":[null,"Bug report"],"Save changes":[null,"Save changes"],"SERVICE_EXECUTION_TIME":[null,"Execution time"],"Can't modify":[null,"Can't modify"],"COMMENT_AUTHOR_NAME":[null,"Author"],"Session expired":[null,""],"Hide disabled ":[null,"Hide disabled "],"No groups to display":[null,"No groups to display"],"HOST_LATENCY":[null,"Latency"],"Add new group":[null,"Add new group"],"Action":[null,"Option"],"A error occured when requesting ":[null,"A error occured when requesting "],"Auto refresh ({0} seconds)":[null,"Auto refresh"],"The following ":[null,""],"Grid settings":[null,"Grid settings"],"Yes":[null,"Yes"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Broadcast"],"SERVICE_STATUS_UPDATE_TIME":[null,"Status update time"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"No"],"Enter title":[null,"Enter title"],"Add selected principals":[null,"Add selected principals"],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"Comment"],"Dev":[null,"Dev"],"Group name":[null,"Group name"],"Select a principal (Press Ctrl for multiple selects)":[null,"Select a principal (Press Ctrl for multiple selects)"],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Change title for this tab"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"App reset"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"User preferences"],"Surname":[null,"Surname"],"HOST_NOTES_URL":[null,"Notes URL"],"Searching ...":[null,"Search"],"CRITICAL":[null,"CRITICAL"],"Login error":[null,"Login"],"Modify filter":[null,"Modify filter"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,"Language changed"],"Remove":[null,"Remove"],"Disabled":[null,"Disabled"],"You haven't selected anything!":[null,"You haven't selected anything!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Click here to view instructions"],"active":[null,"active"],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"Edit user"],"Guest":[null,"Guest"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Close others"],"HOST_MAX_CHECK_ATTEMPTS":[null,"Max check attempts"],"SERVICE_LAST_CHECK":[null,"Last check"],"Save":[null,"Save"],"No node was removed":[null,"No node was removed"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"Max check attempts"],"untitled":[null,"Enter title"],"lastname":[null,"lastname"],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"Scheduled downtime depth"],"Get this view as URL":[null,"Get this view as URL"],"New Preference":[null,"New Preference"],"Confirm":[null,"Confirm password"],"Reload the cronk (not the content)":[null,"Reload the cronk (not the content)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Do you really want to delete all "],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"Output"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Unknown field type: {0}"],"Meta information":[null,"Meta information"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} command was sent successfully!"],"Link to this view":[null,"Link to this view"],"UNKNOWN":[null,"UNKNOWN"],"About":[null,"About"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"Last notification"],"Abort":[null,"Abort"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Modify"],"HOST_LAST_NOTIFICATION":[null,"Last notification"],"General information":[null,"General information"],"Displaying users":[null,"Displaying users"],"Position":[null,"Description"],"Remove this preference":[null,"Remove this preference"],"{0} ({1} items)":[null,"{0} ({1} items)"],"HOST_ADDRESS":[null,"Address"],"You can not delete system categories":[null,""],"username":[null,"username"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"Current state"],"HOST_PERFDATA":[null,"Perfdata"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"Current check attempt"],"To be on the verge to logout ...":[null,"To be on the verge to logout ..."],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"Performance data"],"SERVICE_DISPLAY_NAME":[null,"Display name"],"Save password":[null,"Save password"],"Agavi setting":[null,"Grid settings"],"seconds":[null,""],"Unknown id":[null,"Unknown id"],"CronkBuilder":[null,""],"Available logs":[null,"Available logs"],"Link":[null,"Link"],"New password":[null,"New password"],"Settings":[null,"Settings"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"Display name"],"False":[null,"Close"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"Scheduled downtime depth"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"UNREACHABLE"],"SERVICE_CHECK_TYPE":[null,"Check type"],"Option":[null,"Option"],"Refresh":[null,"Refresh"],"Are you sure to do this?":[null,"Are you sure to do this?"]," principals?":[null,"principals?"],"Tab slider":[null,""],"Clear errors":[null,"Clear errors"],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,"Remove selected users"],"Type":[null,"Type"],"Comment bug":[null,"Comment bug"],"HOST_CHECK_TYPE":[null,"Check type"],"Create a new group":[null,"Create a new group"],"Add":[null,"Add"],"PENDING":[null,""],"no principals availabe":[null,"no principals availabe"],"Advanced":[null,"Advanced"],"COMMENT_TIME":[null,"Time"],"Change Password":[null,"Change Password"],"Language settings":[null,"Language settings"],"Removing a category":[null,"Removing a category"],"The confirmed password doesn't match":[null,"The confirmed password doesn't match"],"Rename":[null,"Rename"],"Return code out of bounds":[null,"Return code out of bounds"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Could not load the cronk listing, following error occured: {0} ({1})"],"SERVICE_LATENCY":[null,"Latency"],"Error sending command":[null,"Error sending command"],"Time":[null,""],"Discard":[null,"Discard"],"Are you sure to delete {0}":[null,"Are you sure to do this?"],"Refresh the data in the grid":[null,"Refresh data in grid"],"Remove selected":[null,"Remove selected"],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Change title for this tab"],"Sorry, cronk \"%s\" not found":[null,"Sorry, cronk \"%s\" not found"],"Available users":[null,"Available users"],"Request failed":[null,""],"Close and refresh":[null,"Close and refresh"],"Admin tasks":[null,""],"Services for ":[null,"Services for "],"Login failed":[null,"Login failed"],"Permissions":[null,"Permissions"],"Some error: {0}":[null,""],"Modified":[null,"Modified"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Preferences"],"Item":[null,"Item"],"Apply":[null,"Apply"],"Saving":[null,"Saving"],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"Address"],"Description":[null,"Description"],"DOWN":[null,"DOWN"]}
\ No newline at end of file
+{"No topics to display":[null,"No topics to display"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" ","Language":" en","X-Poedit-Language":" English","Last-Translator":" Gunnar <gunnar.beutner@netways.de>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-05-05 12:30+0200","Language-Team":" ","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" Icinga-Web"},"User name":[null,"User name"],"Do you really want to delete these groups?":[null,"Do you really want to delete these groups?"],"Auto refresh":[null,"Auto refresh"],"Please provide a password for this user":[null,"Please provide a password for this user"],"Auth via":[null,"Auth via"],"email":[null,"email"],"Critical error":[null,"Critical error"],"Unknown error - please check your logs":[null,"Unknown error - please check your logs"],"Password":[null,"Password"],"Category editor":[null,"Category editor"],"Tactical overview settings":[null,"Tactical overview settings"],"HOST_LAST_HARD_STATE_CHANGE":[null,"Last hard state change"],"Items":[null,"Items"],"Sorry, you could not be authenticated for icinga-web.":[null,"Sorry, you could not be authenticated for icinga-web."],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\""],"Reset view":[null,"Reset view"],"Command":[null,"Command"],"We have deleted your cronk \"{0}\"":[null,"We have deleted your cronk \"{0}\""],"Host execution time (min/avg/max)":[null,"Host execution time (min/avg/max)"],"Created":[null,"Created"],"Your login session has gone away, press ok to login again!":[null,"Your login session has gone away, press ok to login again!"],"WARNING":[null,"WARNING"],"Sorry, could not find a xml file for %s":[null,"Sorry, could not find a xml file for %s"],"of":[null,"of"],"Your default language hast changed!":[null,"Your default language has changed!"],"User":[null,"User"],"Principals":[null,"Principals"],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,"Output"],"Don't forget to clear the agavi config cache after that.":[null,"Don't forget to clear the agavi config cache after that."],"Couldn't submit check command - check your access.xml":[null,"Couldn't submit check command - check your access.xml"],"Could not send the command, please examine the logs!":[null,"Could not send the command, please examine the logs!"],"Welcome":[null,"Welcome"],"Categories":[null,"Categories"],"This command will be send to all selected items":[null,"This command will be send to all selected items"],"Critical":[null,"Critical"],"Cronk Id":[null,"Cronk Id"],"SERVICE_LONG_OUTPUT":[null,"Output"],"no more fields":[null,"no more fields"],"Groups":[null,"Groups"],"Users":[null,"Users"],"Say what?":[null,"Say what?"],"Login":[null,"Login"],"Confirm password":[null,"Confirm password"],"Instance":[null,"Instance"],"SERVICE_NOTES_URL":[null,"Notes url"],"id":[null,"id"],"Email":[null,"Email"],"Clear selection":[null,"Clear selection"],"Commands":[null,"Commands"],"Service execution (min/avg/max)":[null,"Service execution (min/avg/max)"],"Nothing selected":[null,"Nothing selected"],"HOST_EXECUTION_TIME":[null,"Execution time"],"is not":[null,"is not"],"Exception thrown: %s":[null,"Exception thrown: %s"],"Your application profile has been deleted!":[null,"Your application profile has been deleted!"],"Title":[null,"Title"],"One or more fields are invalid":[null,"One or more fields are invalid"],"UP":[null,"UP"],"Services":[null,"Services for Services"],"Message":[null,"Message"],"HOST_STATUS_UPDATE_TIME":[null,"Status update time"],"Press me":[null,"Press me"],"Warning":[null,"Warning"],"isActive":[null,"isActive"],"Language":[null,"Language"],"Edit group":[null,"Edit group"],"Change title for this portlet":[null,"Change title for this portlet"],"Add restriction":[null,"Add restriction"],"State information":[null,"State information"],"No users to display":[null,"No users to display"],"Error report":[null,"Error report"],"HOST_IS_FLAPPING":[null,"Host is flapping"],"Authkey for Api (optional)":[null,"Authkey for Api (optional)"],"Add new category":[null,"Add new category"],"Close":[null,"Close"],"Available groups":[null,"Available groups"],"Add new user":[null,"Add new user"],"Edit user":[null,"Edit user"],"Could not remove the last tab!":[null,"Could not remove the last tab!"],"True":[null,"True"],"Logout":[null,"Logout"],"Reload":[null,"Reload"],"Delete":[null,"Delete"],"To start with a new application profile, click the following button.":[null,"To start with a new application profile, click the following button."],"description":[null,"description"],"(default) no option":[null,"(default) no option"],"Clear cache":[null,"Clear cache"],"Hidden":[null,"Hidden"],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"Is flapping"],"Please verify your input and try again!":[null,"Please verify your input and try again!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"Current check attempt"],"Visible":[null,"Visible"],"HOST_NEXT_CHECK":[null,"Next check"],"Please alter your config file and set one to 'true' (%s).":[null,"Please alter your config file and set one to 'true' (%s)."],"Error":[null,"Error"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:"],"Save this view as new cronk":[null,"Save this view as new cronk"],"Access denied":[null,"Access denied"],"Running":[null,"Running"],"Do you really want to delete these users?":[null,"Do you really want to delete these users?"],"Image":[null,"Image"],"Principal":[null,"Principal"],"Selection is missing":[null,"Selection is missing"],"Increment current notification":[null,"Increment current notification"],"Name":[null,"Name"],"Icinga bug report":[null,"Icinga bug report"],"elete cronk":[null,"elete cronk"],"Reset":[null,"Reset"],"firstname":[null,"firstname"],"Save Cronk":[null,"Save Cronk"],"New category":[null,"New category"],"Password changed":[null,"Password changed"],"Icinga status":[null,"Icinga status"],"Create a new user":[null,"Create a new user"],"The password was successfully changed":[null,"The password was successfully changed"],"Invalid authorization type defined in access.xml":[null,"Invalid authorization type defined in access.xml"],"Please confirm restarting icinga":[null,"Please confirm restarting icinga"],"In order to complete you have to reload the interface. Are you sure?":[null,"In order to complete you have to reload the interface. Are you sure?"],"does not contain":[null,"does not contain"],"Couldn't connect to web-server.":[null,"Couldn't connect to web-server."],"Only close":[null,"Only close"],"The passwords don't match!":[null,"The passwords don't match!"],"less than":[null,"less than"],"HOST_LAST_CHECK":[null,"Last check"],"Command sent":[null,"Command sent"],"Sorry":[null,"Sorry"],"Delete groups":[null,"Delete groups"],"Unknown":[null,"Unknown"],"HOST_ALIAS":[null,"Alias"],"Docs":[null,"Docs"],"Service latency (min/avg/max)":[null,"Service latency (min/avg/max)"],"Displaying groups":[null,"Displaying groups"],"Preferences for user":[null,"Preferences for user"],"SERVICE_CURRENT_STATE":[null,"Current state"],"Remove selected groups":[null,"Remove selected groups"],"Cronk deleted":[null,"Cronk deleted"],"Group inheritance":[null,"Group inheritance"],"Meta":[null,"Meta"],"Forced":[null,"Forced"],"groupname":[null,"groupname"],"Search":[null,"Search"],"SERVICE_NEXT_CHECK":[null,"Next check"],"log":[null,"log"],"Severity":[null,"Severity"],"Create report for dev.icinga.org":[null,"Create report for dev.icinga.org"],"Change language":[null,"Change language"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"Last hard state change"],"The server encountered an error:<br/>":[null,"The server encountered an error:<br/>"],"Click to edit user":[null,"Click to edit user"],"Delete user":[null,"Delete user"],"Bug report":[null,"Bug report"],"Save changes":[null,"Save changes"],"SERVICE_EXECUTION_TIME":[null,"Execution time"],"Can't modify":[null,"Can't modify"],"COMMENT_AUTHOR_NAME":[null,"Author"],"Session expired":[null,"Session expired"],"Hide disabled ":[null,"Hide disabled "],"No groups to display":[null,"No groups to display"],"HOST_LATENCY":[null,"Latency"],"Add new group":[null,"Add new group"],"Action":[null,"Action"],"A error occured when requesting ":[null,"A error occured when requesting "],"Auto refresh ({0} seconds)":[null,"Auto refresh ({0} seconds)"],"The following ":[null,"The following "],"Grid settings":[null,"Grid settings"],"Yes":[null,"Yes"],"Loading TO \"{0}\" ...":[null,"Loading TO \"{0}\" ..."],"Loading Cronks ...":[null,"Loading Cronks ..."],"Please wait...":[null,"Please wait..."],"Broadcast":[null,"Broadcast"],"SERVICE_STATUS_UPDATE_TIME":[null,"Status update time"],"is":[null,"is"],"Clear":[null,"Clear"],"Reset application state":[null,"Reset application state"],"Cronks":[null,"Cronks"],"No":[null,"No"],"Enter title":[null,"Enter title"],"Add selected principals":[null,"Add selected principals"],"Success":[null,"Success"],"Login error (configuration)":[null,"Login error (configuration)"],"(hh:ii)":[null,"(hh:ii)"],"COMMENT_DATA":[null,"Comment"],"Dev":[null,"Dev"],"Group name":[null,"Group name"],"Select a principal (Press Ctrl for multiple selects)":[null,"Select a principal (Press Ctrl for multiple selects)"],"Share your Cronk":[null,"Share your Cronk"],"Ressource ":[null,"Ressource "],"Authorization failed for this instance":[null,"Authorization failed for this instance"],"Cronk \"{0}\" successfully written to database!":[null,"Cronk \"{0}\" successfully written to database!"],"App reset":[null,"App reset"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,"You're icinga-web server doesn't have ssh2 enabled, couldn't check results"],"User preferences":[null,"User preferences"],"Surname":[null,"Surname"],"HOST_NOTES_URL":[null,"Notes URL"],"Searching ...":[null,"Searching ..."],"CRITICAL":[null,"CRITICAL"],"Login error":[null,"LoginLogin error"],"Modify filter":[null,"Modify filter"],"Status":[null,"Status"],"Stop icinga process":[null,"Stop icinga process"],"Language changed":[null,"Language changed"],"Remove":[null,"Remove"],"Disabled":[null,"Disabled"],"You haven't selected anything!":[null,"You haven't selected anything!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,"Clear the agavi configuration cache to apply new xml configuration."],"greater than":[null,"greater than"],"Click here to view instructions":[null,"Click here to view instructions"],"active":[null,"active"],"Please enter a comment for this bug. This could be":[null,"Please enter a comment for this bug. This could be"],"contain":[null,"contain"],"Edit":[null,"Edit"],"Guest":[null,"Guest"],"Host latency (min/avg/max)":[null,"Host latency (min/avg/max)"],"Displaying topics {0} - {1} of {2}":[null,"Displaying topics {0} - {1} of {2}"],"Close others":[null,"Close others"],"HOST_MAX_CHECK_ATTEMPTS":[null,"Max check attempts"],"SERVICE_LAST_CHECK":[null,"Last check"],"Save":[null,"Save"],"No node was removed":[null,"No node was removed"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"Max check attempts"],"untitled":[null,"untitled"],"lastname":[null,"lastname"],"This item is read only!":[null,"This item is read only!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"Scheduled downtime depth"],"Get this view as URL":[null,"Get this view as URL"],"New Preference":[null,"New Preference"],"Confirm":[null,"Confirm"],"Reload the cronk (not the content)":[null,"Reload the cronk (not the content)"],"Send report to admin":[null,"Send report to admin"],"Not allowed":[null,"Not allowed"],"Please confirm shutting down icinga":[null,"Please confirm shutting down icinga"],"Do you really want to delete all ":[null,"Do you really want to delete all "],"Expert mode":[null,"Expert mode"],"SERVICE_OUTPUT":[null,"Output"],"We're Icinga":[null,"We're Icinga"],"Unknown field type: {0}":[null,"Unknown field type: {0}"],"Meta information":[null,"Meta information"],"Parameters":[null,"Parameters"],"{0} command was sent successfully!":[null,"{0} command was sent successfully!"],"Link to this view":[null,"Link to this view"],"UNKNOWN":[null,"UNKNOWN"],"About":[null,"About"],"Show status of accessible icinga instances":[null,"Show status of accessible icinga instances"],"All categories available":[null,"All categories available"],"Please contact your system admin if you think this is not common.":[null,"Please contact your system admin if you think this is not common."],"SERVICE_LAST_NOTIFICATION":[null,"Last notification"],"Abort":[null,"Abort"],"CronkBuilder has gone away!":[null,"CronkBuilder has gone away!"],"Please fill out required fields (marked with an exclamation mark)":[null,"Please fill out required fields (marked with an exclamation mark)"],"Modify":[null,"Modify"],"HOST_LAST_NOTIFICATION":[null,"Last notification"],"General information":[null,"General information"],"Displaying users":[null,"Displaying users"],"Position":[null,"Position"],"Remove this preference":[null,"Remove this preference"],"{0} ({1} items)":[null,"{0} ({1} items)"],"HOST_ADDRESS":[null,"Address"],"You can not delete system categories":[null,"You can not delete system categories"],"username":[null,"username"],"System categories are not editable!":[null,"System categories are not editable!"],"HOST_CURRENT_STATE":[null,"Current state"],"HOST_PERFDATA":[null,"Perfdata"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"Current check attempt"],"To be on the verge to logout ...":[null,"To be on the verge to logout ..."],"Hosts":[null,"Hosts"],"SERVICE_PERFDATA":[null,"Performance data"],"SERVICE_DISPLAY_NAME":[null,"Display name"],"Save password":[null,"Save password"],"Agavi setting":[null,"Agavi setting"],"seconds":[null,"seconds"],"Unknown id":[null,"Unknown id"],"CronkBuilder":[null,"CronkBuilder"],"Available logs":[null,"Available logs"],"Link":[null,"Link"],"New password":[null,"New password"],"Settings":[null,"Settings"],"Module":[null,"Module"],"HOST_DISPLAY_NAME":[null,"Display name"],"False":[null,"False"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"Scheduled downtime depth"],"(Re-)Start icinga process":[null,"(Re-)Start icinga process"],"HOST_LONG_OUTPUT":[null,"Output"],"UNREACHABLE":[null,"UNREACHABLE"],"SERVICE_CHECK_TYPE":[null,"Check type"],"Option":[null,"Option"],"Refresh":[null,"Refresh"],"Are you sure to do this?":[null,"Are you sure to do this?"]," principals?":[null," principals?"],"Tab slider":[null,"Tab slider"],"Clear errors":[null,"Clear errors"],"OK":[null,"OK"],"Services (active/passive)":[null,"Services (active/passive)"],"Remove selected users":[null,"Remove selected users"],"Type":[null,"Type"],"Comment bug":[null,"Comment bug"],"HOST_CHECK_TYPE":[null,"Check type"],"Create a new group":[null,"Create a new group"],"Add":[null,"Add"],"PENDING":[null,"PENDING"],"no principals availabe":[null,"no principals availabe"],"Advanced":[null,"Advanced"],"COMMENT_TIME":[null,"Time"],"Change Password":[null,"Change Password"],"Language settings":[null,"Language settings"],"Removing a category":[null,"Removing a category"],"The confirmed password doesn't match":[null,"The confirmed password doesn't match"],"Rename":[null,"Rename"],"Return code out of bounds":[null,"Return code out of bounds"],"CatId":[null,"CatId"],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Could not load the cronk listing, following error occured: {0} ({1})"],"SERVICE_LATENCY":[null,"Latency"],"Error sending command":[null,"Error sending command"],"Time":[null,"Time"],"Discard":[null,"Discard"],"Are you sure to delete {0}":[null,"Are you sure to delete {0}"],"Refresh the data in the grid":[null,"Refresh data in grid"],"Remove selected":[null,"Remove selected"],"Stopped":[null,"Stopped"],"Reload cronk":[null,"Reload cronk"],"Add new parameter to properties":[null,"Add new parameter to properties"],"Change title for this tab":[null,"Change title for this tab"],"Sorry, cronk \"%s\" not found":[null,"Sorry, cronk \"%s\" not found"],"Available users":[null,"Available users"],"Request failed":[null,"Request failed"],"Close and refresh":[null,"Close and refresh"],"Admin tasks":[null,"Admin tasks"],"Services for ":[null,"Services for "],"Login failed":[null,"Login failed"],"Permissions":[null,"Permissions"],"Some error: {0}":[null,"Some error: {0}"],"Modified":[null,"Modified"],"Hosts (active/passive)":[null,"Hosts (active/passive)"],"Save custom Cronk":[null,"Save custom Cronk"],"No selection was made!":[null,"No selection was made!"],"Preferences":[null,"Preferences"],"Item":[null,"Item"],"Apply":[null,"Apply"],"Saving":[null,"Saving"],"Expand":[null,"Expand"],"IN TOTAL":[null,"IN TOTAL"],"Seems like you have no logs":[null,"Seems like you have no logs"],"HOST_ADDRESS6":[null,"Address IPv6"],"Description":[null,"Description"],"DOWN":[null,"DOWN"]}
\ No newline at end of file
|
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/en.mo
^
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/es.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,"No hay temas que mostrar"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" es","X-Poedit-Language":" Spanish","Last-Translator":" Alvaro <asaez@asaez.es>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-02-01 03:16+0200","Language-Team":" none","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" icinga-web-translation 0.0"},"User name":[null,"Nombre de usuario"],"Do you really want to delete these groups?":[null,"Realmente quiere eliminar estos grupos?"],"Auto refresh":[null,"Auto cargar"],"Please provide a password for this user":[null,"Por favor,introduzca una contraseña para este usuario"],"Auth via":[null,"Autenticación por"],"email":[null,"correo electrónico"],"Critical error":[null,"Error crítico"],"Unknown error - please check your logs":[null,""],"Password":[null,"Contraseña"],"Category editor":[null,""],"Tactical overview settings":[null,"Seccion de Ajustes Tacticos"],"HOST_LAST_HARD_STATE_CHANGE":[null,"Último cambio de estado"],"Items":[null,"artículos"],"Sorry, you could not be authenticated for icinga-web.":[null,"Lo sentimos, no ha podido ser validado para icinga-web"],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Acceso permitido. Redireccionando automáticamente, de lo contrario haga \"#~ \"click <a href=\"%s\">aquí</a>.\""],"Command":[null,"Comando"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Tiempo de ejecución del host (min/avg/max)"],"Created":[null,"Creado"],"Your login session has gone away, press ok to login again!":[null,"Su sesión se ha desconectado, pulse ok para acceder de nuevo!"],"WARNING":[null,"AVISO"],"Sorry, could not find a xml file for %s":[null,"Lo sentimos, no se ha encontrado un fichero xml para %s"],"of":[null,"de"],"Your default language hast changed!":[null,"Su idioma predeterminado ha cambiado!"],"User":[null,"Usuario"],"Principals":[null,"Principales"],"Filter":[null,"Filtro"],"HOST_OUTPUT":[null,"Salida"],"Don't forget to clear the agavi config cache after that.":[null,"No olvide borrar la caché de configuración de agavi después de eso."],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"No se pudo enviar el comando, por favor examine los registros!"],"Welcome":[null,"Bienvenido"],"Categories":[null,""],"This command will be send to all selected items":[null,"Este comando será enviado a todos los elementos seleccionados"],"Critical":[null,"Crítico"],"Cronk Id":[null,""],"no more fields":[null,"no hay mas campos"],"Groups":[null,"Grupos"],"Users":[null,"Usuarios"],"Say what?":[null,"Qué dijo?"],"Login":[null,"Acceso"],"Confirm password":[null,"Confirmar contraseña"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,"id"],"Email":[null,"Correo electrónico"],"Clear selection":[null,"Borrar selección"],"Commands":[null,"Comandos"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,"Nada seleccionado"],"HOST_EXECUTION_TIME":[null,"Tiempo de ejecución"],"add":[null,"añadir"],"is not":[null,""],"Exception thrown: %s":[null,"Ocurrió una excepción: %s"],"Your application profile has been deleted!":[null,"Su perfil de aplicación ha sido borrado!"],"Title":[null,"sin título"],"One or more fields are invalid":[null,"Uno o más campos no son válidos"],"UP":[null,"Arriba"],"Services":[null,"Servicios"],"Message":[null,"Mensaje"],"HOST_STATUS_UPDATE_TIME":[null,"Estado de tiempo de actualización"],"Press me":[null,"Presione me"],"Warning":[null,"Aviso"],"isActive":[null,""],"Language":[null,"Lenguaje"],"Edit group":[null,"Editar grupo"],"Change title for this portlet":[null,"Cambiar título para esta ficha"],"Add restriction":[null,"Agregar restricción"],"State information":[null,"Meta información"],"No users to display":[null,"No hay usuarios que mostrar"],"Error report":[null,"Informe de error"],"HOST_IS_FLAPPING":[null,"Inestable"],"Authkey for Api (optional)":[null,"Authkey para Api (opcional)"],"Add new category":[null,"Añadir nuevo usuario"],"Close":[null,"Cerrar"],"Available groups":[null,"Grupos disponibles"],"Add new user":[null,"Añadir nuevo usuario"],"Edit user":[null,"Editar usuario"],"Could not remove the last tab!":[null,"No es posible eliminar la última pestaña!"],"True":[null,"Verdadero"],"Logout":[null,"Desconectarse"],"Reload":[null,""],"Delete":[null,"Borrar usuario"],"To start with a new application profile, click the following button.":[null,"Para empezar con un nuevo perfil de aplicación, haga clic en el siguiente botón."],"description":[null,"descripción"],"(default) no option":[null,"(por defecto)"],"Clear cache":[null,"Borrar errores"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,"Por favor, verifique sus datos e intente nuevamente!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"Verificar intento actual"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"próximo chequeo"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"Error"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,"Obtener esta vista como URL"],"Access denied":[null,"Acceso denegado"],"Running":[null,""],"Do you really want to delete these users?":[null,"Realmente quiere eliminar estos usuarios?"],"Image":[null,""],"Principal":[null,"Principal"],"Selection is missing":[null,"Selección Fallida"],"Increment current notification":[null,"Incrementar notificación actual"],"Name":[null,"Nombre"],"Icinga bug report":[null,""],"elete cronk":[null,"Borrar grupos"],"Reset":[null,"Reinicializar"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,"Eliminación de una categoría"],"Password changed":[null,"Contraseña cambiada"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Crear un nuevo usuario"],"The password was successfully changed":[null,"La contraseña se ha cambiado correctamente"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"No se ha podido conectar al servidor Web!"],"The passwords don't match!":[null,"¡Las contraseñas no coinciden!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"Última verificación"],"Command sent":[null,"Comando enviado"],"Sorry":[null,"Perdon"],"Delete groups":[null,"Borrar grupos"],"Unknown":[null,"Desconocido"],"HOST_ALIAS":[null,"Alias"],"Docs":[null,"Documentos"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,"Mostrando grupos"],"Preferences for user":[null,"Preferencias del usuario"],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,"Eliminar la selección de grupos"],"Cronk deleted":[null,""],"Group inheritance":[null,"Grupo de la herencia"],"Meta":[null,""],"Forced":[null,"Forzado"],"groupname":[null,"nombre de grupo"],"Search":[null,"Buscar"],"SERVICE_NEXT_CHECK":[null,""],"log":[null,"archivo"],"Severity":[null,"Severidad"],"Create report for dev.icinga.org":[null,"Crear un informe para dev.icinga.org"],"Change language":[null,"Cambiar el idioma"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,"El servidor ha encontrado un error:<br/>"],"Click to edit user":[null,"Haga clic para editar el usuario"],"Delete user":[null,"Borrar usuario"],"Bug report":[null,"Informe de errores"],"Save changes":[null,"Guardar cambios"],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,"No se puede modificar"],"COMMENT_AUTHOR_NAME":[null,"COMENTARIO_AUTOR_NOMBRE"],"Session expired":[null,"La sesión ha expirado"],"Hide disabled ":[null,"Ocultar deshabilitado"],"No groups to display":[null,"No hay grupos que mostrar"],"HOST_LATENCY":[null,"Latencia"],"Add new group":[null,"Agregar nuevo grupo"],"Action":[null,"Opción"],"A error occured when requesting ":[null,"Se ha producido un error al solicitar "],"Auto refresh ({0} seconds)":[null,"Auto cargar ({0} segundos)"],"The following ":[null,"El siguiente"],"Grid settings":[null,"Configuración de la cuadrícula"],"Yes":[null,"Si"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Difusión"],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Reiniciar el estado de la aplicación"],"Cronks":[null,""],"No":[null,"No"],"Enter title":[null,"Introduzca el título"],"Add selected principals":[null,"Añadir a identidades seleccionadas"],"Success":[null,""],"Login error (configuration)":[null,"Error de acceso (configuración)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMENTARIO_DATO"],"Dev":[null,"Dev"],"Group name":[null,"Nombre de grupo"],"Select a principal (Press Ctrl for multiple selects)":[null,"Seleccionar principal (Pulsar Ctrl para selección múltiple)"],"Share your Cronk":[null,""],"Ressource ":[null,"Recurso"],"Authorization failed for this instance":[null,"Cambiar el título de esta pestaña"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Reinicio de App"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Preferencias de usuario"],"Surname":[null,"Apellido"],"HOST_NOTES_URL":[null,"Enlace a notas"],"Searching ...":[null,"Buscar"],"CRITICAL":[null,"CRÍTICO"],"Login error":[null,"Error de acceso"],"Modify filter":[null,"Modificar filtro"],"Status":[null,"Estado"],"Stop icinga process":[null,""],"Language changed":[null,"Cambiar idioma"],"Remove":[null,"Eliminar"],"Disabled":[null,"Deshabilitado"],"You haven't selected anything!":[null,"No ha seleccionado nada"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Haga clic aquí para ver las instrucciones"],"active":[null,"activo"],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"Editar usuario"],"Guest":[null,"Invitado"],"Host latency (min/avg/max)":[null,"Latencia del host (min/avg/max)"],"Displaying topics {0} - {1} of {2}":[null,"Mostrando temas"],"Close others":[null,"Cerrar los demás"],"HOST_MAX_CHECK_ATTEMPTS":[null,"Número máximo de intentos de verificación"],"SERVICE_LAST_CHECK":[null,""],"Save":[null,"Guardar"],"No node was removed":[null,"Ningún nodo ha sido borrado"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"sin título"],"lastname":[null,"apellido"],"This item is read only!":[null,"Este elemento es de sólo lectura!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"Tiempo de inactividad programado"],"Get this view as URL":[null,"Obtener esta vista como URL"],"New Preference":[null,"Nueva Preferencia"],"Confirm":[null,"Confirmar contraseña"],"Reload the cronk (not the content)":[null,"Recargue el cronk (no el contenido)"],"Send report to admin":[null,"Enviar informe al administrador"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Realmente quiere borrar todo?"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,"Nosotros somos Icinga"],"Unknown field type: {0}":[null,"Tipo de Archivo Desconocido : {0}"],"Meta information":[null,"Meta información"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} el comando fue enviado satisfactoriamente!"],"Link to this view":[null,"Enlace a esta vista"],"UNKNOWN":[null,"DESCONOCIDO"],"About":[null,"Acerca de"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"Última notificación"],"Abort":[null,"Abortar"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Modificar"],"HOST_LAST_NOTIFICATION":[null,"Última notificación"],"General information":[null,"Información general"],"Displaying users":[null,"Mostrando los usuarios"],"Position":[null,"Descripcion"],"Remove this preference":[null,"Eliminar esta preferencia"],"{0} ({1} items)":[null,"{0} ({1} elementos)"],"HOST_ADDRESS":[null,"Dirección IP"],"You can not delete system categories":[null,""],"username":[null,"nombre de usuario"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"Estado actual"],"HOST_PERFDATA":[null,"Datos de rendimiento"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,"Hosts"],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,"Guardar contraseña"],"Agavi setting":[null,"Configuración de la cuadrícula"],"seconds":[null,""],"Unknown id":[null,"id desconocido"],"CronkBuilder":[null,""],"Available logs":[null,"Registros disponibles"],"Link":[null,"Enlace"],"New password":[null,"Nueva contraseña"],"Settings":[null,"Configuración"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"Muestra el nombre"],"False":[null,"Falso"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"INALCANZABLE"],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,"Opción"],"Refresh":[null,"Actualizar"],"Are you sure to do this?":[null,"¿Está seguro de continuar?"]," principals?":[null,"principales?"],"Tab slider":[null,""],"Clear errors":[null,"Borrar errores"],"OK":[null,"OK"],"Services (active/passive)":[null,"Servicios (activo/pasivo)"],"Remove selected users":[null,"Eliminar la selección de usuarios"],"Type":[null,"Tipo"],"Comment bug":[null,"Error de comentario"],"HOST_CHECK_TYPE":[null,"Compruebe el tipo"],"Create a new group":[null,"Crear un nuevo grupo"],"Add":[null,"Añadir"],"PENDING":[null,"PENDIENTE"],"no principals availabe":[null,""],"Advanced":[null,"Avanzado"],"COMMENT_TIME":[null,"COMENTARIO_TIEMPO"],"Change Password":[null,"Cambiar contraseña"],"Language settings":[null,"Ajustes de idioma"],"Removing a category":[null,"Eliminación de una categoría"],"The confirmed password doesn't match":[null,"La contraseña no coincide"],"Rename":[null,"Renombrar"],"Return code out of bounds":[null,"Código de retorno fuera de los límites"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"No se pudo cargar la lista de cronk, se ha producido el siguiente error: {0} ({1})"],"SERVICE_LATENCY":[null,"Latencia"],"Error sending command":[null,"Error al enviar el comando"],"Time":[null,"Tiempo"],"Discard":[null,"Descartar"],"Are you sure to delete {0}":[null,"¿Está seguro de continuar?"],"Refresh the data in the grid":[null,"Actualizar datos en la grilla"],"Remove selected":[null,"Eliminar la selección"],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Cambiar el título de esta pestaña"],"Sorry, cronk \"%s\" not found":[null,"Lo sentimos, no se ha encontrado cronk \"%s\""],"Available users":[null,"Usuarios disponibles"],"Request failed":[null,"Petición fallida"],"Close and refresh":[null,"Auto cargar"],"Admin tasks":[null,""],"Services for ":[null,"Servicios para"],"Login failed":[null,"Acceso fallido"],"Permissions":[null,"Permisos"],"Some error: {0}":[null,""],"Modified":[null,"Modificado"],"Hosts (active/passive)":[null,"Hosts (activo/pasivo)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Preferencias"],"Item":[null,"artículo"],"Apply":[null,"Aplicar"],"Saving":[null,"Guardando"],"IN TOTAL":[null,"EN TOTAL"],"Seems like you have no logs":[null,"Parece que no tiene logs"],"HOST_ADDRESS6":[null,"Dirección IP"],"Description":[null,"Descripcion"],"DOWN":[null,"ABAJO"]}
\ No newline at end of file
+{"No topics to display":[null,"No hay temas que mostrar"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" es","X-Poedit-Language":" Spanish","Last-Translator":" Jose <boriel@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-02-18 10:17+0200","Language-Team":" none","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" icinga-web-translation 0.0"},"User name":[null,"Nombre de usuario"],"Do you really want to delete these groups?":[null,"Realmente quiere eliminar estos grupos?"],"Auto refresh":[null,"Auto cargar"],"Please provide a password for this user":[null,"Por favor,introduzca una contraseña para este usuario"],"Auth via":[null,"Autenticación por"],"email":[null,"correo electrónico"],"Critical error":[null,"Error crítico"],"Unknown error - please check your logs":[null,""],"Password":[null,"Contraseña"],"Category editor":[null,"Editor de Categorías"],"Tactical overview settings":[null,"Seccion de Ajustes Tacticos"],"HOST_LAST_HARD_STATE_CHANGE":[null,"Último cambio de estado"],"Items":[null,"artículos"],"Sorry, you could not be authenticated for icinga-web.":[null,"Lo sentimos, no ha podido ser validado para icinga-web"],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Acceso permitido. Redireccionando automáticamente, de lo contrario haga \"#~ \"click <a href=\"%s\">aquí</a>.\""],"Reset view":[null,"Reinicializar"],"Command":[null,"Comando"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Tiempo de ejecución del host (min/avg/max)"],"Created":[null,"Creado"],"Your login session has gone away, press ok to login again!":[null,"Su sesión se ha desconectado, pulse ok para acceder de nuevo!"],"WARNING":[null,"AVISO"],"Sorry, could not find a xml file for %s":[null,"Lo sentimos, no se ha encontrado un fichero xml para %s"],"of":[null,"de"],"Your default language hast changed!":[null,"Su idioma predeterminado ha cambiado!"],"User":[null,"Usuario"],"Principals":[null,"Principales"],"Filter":[null,"Filtro"],"HOST_OUTPUT":[null,"Salida"],"Don't forget to clear the agavi config cache after that.":[null,"No olvide borrar la caché de configuración de agavi después de eso."],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"No se pudo enviar el comando, por favor examine los registros!"],"Welcome":[null,"Bienvenido"],"Categories":[null,""],"This command will be send to all selected items":[null,"Este comando será enviado a todos los elementos seleccionados"],"Critical":[null,"Crítico"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,""],"no more fields":[null,"no hay mas campos"],"Groups":[null,"Grupos"],"Users":[null,"Usuarios"],"Say what?":[null,"Qué dijo?"],"Login":[null,"Acceso"],"Confirm password":[null,"Confirmar contraseña"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,"id"],"Email":[null,"Correo electrónico"],"Clear selection":[null,"Borrar selección"],"Commands":[null,"Comandos"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,"Nada seleccionado"],"HOST_EXECUTION_TIME":[null,"Tiempo de ejecución"],"add":[null,"añadir"],"is not":[null,""],"Exception thrown: %s":[null,"Ocurrió una excepción: %s"],"Your application profile has been deleted!":[null,"Su perfil de aplicación ha sido borrado!"],"Title":[null,"sin título"],"One or more fields are invalid":[null,"Uno o más campos no son válidos"],"UP":[null,"Arriba"],"Services":[null,"Servicios"],"Message":[null,"Mensaje"],"HOST_STATUS_UPDATE_TIME":[null,"Estado de tiempo de actualización"],"Press me":[null,"Presione me"],"Warning":[null,"Aviso"],"isActive":[null,""],"Language":[null,"Lenguaje"],"Edit group":[null,"Editar grupo"],"Change title for this portlet":[null,"Cambiar título para esta ficha"],"Add restriction":[null,"Agregar restricción"],"State information":[null,"Meta información"],"No users to display":[null,"No hay usuarios que mostrar"],"Error report":[null,"Informe de error"],"HOST_IS_FLAPPING":[null,"Inestable"],"Authkey for Api (optional)":[null,"Clave para Api (opcional)"],"Add new category":[null,"Añadir nueva categoría"],"Close":[null,"Cerrar"],"Available groups":[null,"Grupos disponibles"],"Add new user":[null,"Añadir nuevo usuario"],"Edit user":[null,"Editar usuario"],"Could not remove the last tab!":[null,"No es posible eliminar la última pestaña!"],"True":[null,"Verdadero"],"Logout":[null,"Desconectarse"],"Reload":[null,""],"Delete":[null,"Borrar usuario"],"To start with a new application profile, click the following button.":[null,"Para empezar con un nuevo perfil de aplicación, haga clic en el siguiente botón."],"description":[null,"descripción"],"(default) no option":[null,"(predeterminado) sin opciones"],"Clear cache":[null,"Borrar caché"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,"Por favor, verifique sus datos e intente nuevamente!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"Verificar intento actual"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"próximo chequeo"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"Error"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,"Obtener esta vista como URL"],"Access denied":[null,"Acceso denegado"],"Running":[null,""],"Do you really want to delete these users?":[null,"Realmente quiere eliminar estos usuarios?"],"Image":[null,""],"Principal":[null,"Principal"],"Selection is missing":[null,"Selección Fallida"],"Increment current notification":[null,"Incrementar notificación actual"],"Name":[null,"Nombre"],"Icinga bug report":[null,""],"elete cronk":[null,"Borrar grupos"],"Reset":[null,"Reinicializar"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,"Eliminación de una categoría"],"Password changed":[null,"Contraseña cambiada"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Crear un nuevo usuario"],"The password was successfully changed":[null,"La contraseña se ha cambiado correctamente"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"No se ha podido conectar al servidor Web!"],"The passwords don't match!":[null,"¡Las contraseñas no coinciden!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"Última verificación"],"Command sent":[null,"Comando enviado"],"Sorry":[null,"Perdon"],"Delete groups":[null,"Borrar grupos"],"Unknown":[null,"Desconocido"],"HOST_ALIAS":[null,"Alias"],"Docs":[null,"Documentos"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,"Mostrando grupos"],"Preferences for user":[null,"Preferencias del usuario"],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,"Eliminar la selección de grupos"],"Cronk deleted":[null,""],"Group inheritance":[null,"Grupo de la herencia"],"Meta":[null,""],"Forced":[null,"Forzado"],"groupname":[null,"nombre de grupo"],"Search":[null,"Buscar"],"SERVICE_NEXT_CHECK":[null,""],"log":[null,"archivo"],"Severity":[null,"Severidad"],"Create report for dev.icinga.org":[null,"Crear un informe para dev.icinga.org"],"Change language":[null,"Cambiar el idioma"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,"El servidor ha encontrado un error:<br/>"],"Click to edit user":[null,"Haga clic para editar el usuario"],"Delete user":[null,"Borrar usuario"],"Bug report":[null,"Informe de errores"],"Save changes":[null,"Guardar cambios"],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,"No se puede modificar"],"COMMENT_AUTHOR_NAME":[null,"COMENTARIO_AUTOR_NOMBRE"],"Session expired":[null,"La sesión ha expirado"],"Hide disabled ":[null,"Ocultar deshabilitado"],"No groups to display":[null,"No hay grupos que mostrar"],"HOST_LATENCY":[null,"Latencia"],"Add new group":[null,"Añadir nuevo grupo"],"Action":[null,"Opción"],"A error occured when requesting ":[null,"Se ha producido un error al hacer la petición"],"Auto refresh ({0} seconds)":[null,"Auto cargar ({0} segundos)"],"The following ":[null,"El siguiente"],"Grid settings":[null,"Configuración de la cuadrícula"],"Yes":[null,"Si"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Difusión"],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Reiniciar el estado de la aplicación"],"Cronks":[null,""],"No":[null,"No"],"Enter title":[null,"Introduzca el título"],"Add selected principals":[null,"Añadir a identidades seleccionadas"],"Success":[null,""],"Login error (configuration)":[null,"Error de acceso (configuración)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMENTARIO_DATO"],"Dev":[null,"Dev"],"Group name":[null,"Nombre de grupo"],"Select a principal (Press Ctrl for multiple selects)":[null,"Seleccionar principal (Pulsar Ctrl para selección múltiple)"],"Share your Cronk":[null,""],"Ressource ":[null,"Recurso"],"Authorization failed for this instance":[null,"La autorización para esta instancia falló"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Reinicio de App"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Preferencias de usuario"],"Surname":[null,"Apellido"],"HOST_NOTES_URL":[null,"Enlace a notas"],"Searching ...":[null,"Buscar"],"CRITICAL":[null,"CRÍTICO"],"Login error":[null,"Error de acceso"],"Modify filter":[null,"Modificar filtro"],"Status":[null,"Estado"],"Stop icinga process":[null,""],"Language changed":[null,"Cambiar idioma"],"Remove":[null,"Eliminar"],"Disabled":[null,"Deshabilitado"],"You haven't selected anything!":[null,"No ha seleccionado nada"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Haga clic aquí para ver las instrucciones"],"active":[null,"activo"],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"Editar usuario"],"Guest":[null,"Invitado"],"Host latency (min/avg/max)":[null,"Latencia del host (min/avg/max)"],"Displaying topics {0} - {1} of {2}":[null,"Mostrando temas"],"Close others":[null,"Cerrar los demás"],"HOST_MAX_CHECK_ATTEMPTS":[null,"Número máximo de intentos de verificación"],"SERVICE_LAST_CHECK":[null,""],"Save":[null,"Guardar"],"No node was removed":[null,"Ningún nodo ha sido borrado"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"sin título"],"lastname":[null,"apellido"],"This item is read only!":[null,"Este elemento es de sólo lectura!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"Tiempo de inactividad programado"],"Get this view as URL":[null,"Obtener esta vista como URL"],"New Preference":[null,"Nueva Preferencia"],"Confirm":[null,"Confirmar contraseña"],"Reload the cronk (not the content)":[null,"Recargue el cronk (no el contenido)"],"Send report to admin":[null,"Enviar informe al administrador"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Realmente quiere borrar todo?"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,"Nosotros somos Icinga"],"Unknown field type: {0}":[null,"Tipo de Archivo Desconocido : {0}"],"Meta information":[null,"Meta información"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} el comando fue enviado satisfactoriamente!"],"Link to this view":[null,"Enlace a esta vista"],"UNKNOWN":[null,"DESCONOCIDO"],"About":[null,"Acerca de"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"Última notificación"],"Abort":[null,"Abortar"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Modificar"],"HOST_LAST_NOTIFICATION":[null,"Última notificación"],"General information":[null,"Información general"],"Displaying users":[null,"Mostrando los usuarios"],"Position":[null,"Descripcion"],"Remove this preference":[null,"Eliminar esta preferencia"],"{0} ({1} items)":[null,"{0} ({1} elementos)"],"HOST_ADDRESS":[null,"Dirección IP"],"You can not delete system categories":[null,""],"username":[null,"nombre de usuario"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"Estado actual"],"HOST_PERFDATA":[null,"Datos de rendimiento"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,"Hosts"],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,"Guardar contraseña"],"Agavi setting":[null,"Configuración de la cuadrícula"],"seconds":[null,"segundos"],"Unknown id":[null,"id desconocido"],"CronkBuilder":[null,""],"Available logs":[null,"Registros disponibles"],"Link":[null,"Enlace"],"New password":[null,"Nueva contraseña"],"Settings":[null,"Configuración"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"Muestra el nombre"],"False":[null,"Falso"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,"(Re)iniciar icinga"],"HOST_LONG_OUTPUT":[null,"Salida"],"UNREACHABLE":[null,"INALCANZABLE"],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,"Opción"],"Refresh":[null,"Actualizar"],"Are you sure to do this?":[null,"¿Está seguro de continuar?"]," principals?":[null,"principales?"],"Tab slider":[null,""],"Clear errors":[null,"Borrar errores"],"OK":[null,"OK"],"Services (active/passive)":[null,"Servicios (activo/pasivo)"],"Remove selected users":[null,"Eliminar la selección de usuarios"],"Type":[null,"Tipo"],"Comment bug":[null,"Error de comentario"],"HOST_CHECK_TYPE":[null,"Compruebe el tipo"],"Create a new group":[null,"Crear un nuevo grupo"],"Add":[null,"Añadir"],"PENDING":[null,"PENDIENTE"],"no principals availabe":[null,""],"Advanced":[null,"Avanzado"],"COMMENT_TIME":[null,"COMENTARIO_TIEMPO"],"Change Password":[null,"Cambiar contraseña"],"Language settings":[null,"Ajustes de idioma"],"Removing a category":[null,"Eliminación de una categoría"],"The confirmed password doesn't match":[null,"La contraseña no coincide"],"Rename":[null,"Renombrar"],"Return code out of bounds":[null,"Código de retorno fuera de los límites"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"No se pudo cargar la lista de cronk, se ha producido el siguiente error: {0} ({1})"],"SERVICE_LATENCY":[null,"Latencia"],"Error sending command":[null,"Error al enviar el comando"],"Time":[null,"Tiempo"],"Discard":[null,"Descartar"],"Are you sure to delete {0}":[null,"¿Está seguro de continuar?"],"Refresh the data in the grid":[null,"Actualizar datos en la grilla"],"Remove selected":[null,"Eliminar la selección"],"Stopped":[null,""],"Reload cronk":[null,"Borrar grupos"],"Add new parameter to properties":[null,"Añadir nuevo parámetro a las propiedades"],"Change title for this tab":[null,"Cambiar el título de esta pestaña"],"Sorry, cronk \"%s\" not found":[null,"Lo sentimos, no se ha encontrado cronk \"%s\""],"Available users":[null,"Usuarios disponibles"],"Request failed":[null,"Petición fallida"],"Close and refresh":[null,"Auto cargar"],"Admin tasks":[null,""],"Services for ":[null,"Servicios para"],"Login failed":[null,"Acceso fallido"],"Permissions":[null,"Permisos"],"Some error: {0}":[null,""],"Modified":[null,"Modificado"],"Hosts (active/passive)":[null,"Hosts (activo/pasivo)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Preferencias"],"Item":[null,"artículo"],"Apply":[null,"Aplicar"],"Saving":[null,"Guardando"],"Expand":[null,""],"IN TOTAL":[null,"EN TOTAL"],"Seems like you have no logs":[null,"Parece que no tiene logs"],"HOST_ADDRESS6":[null,"Dirección IP"],"Description":[null,"Descripcion"],"DOWN":[null,"ABAJO"]}
\ No newline at end of file
|
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/es.mo
^
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/fi.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" fi","Last-Translator":" Mikko <mikko.jokinen@opinsys.fi>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-07-12 09:30+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Nimeä uudelleen"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,"Automaattinen päivitys"],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"Kriittinen"],"Unknown error - please check your logs":[null,""],"Password":[null,"Salasana"],"Category editor":[null,""],"Tactical overview settings":[null,"Taktisen näkymän asetukset"],"HOST_LAST_HARD_STATE_CHANGE":[null,"ISÄNNÄN_VIIMEISEN_TILAN_VAIHDOS"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Kirjauduit onnistuneesti sisään. Selaimesi pitäisi ohjautua \"#~ \"automaattisesti. Mikäli automaattinen ohjaus ei toimi paina <a href=\"%s\"#~ \"\">tästä</a>.\""],"Command":[null,"Komento"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"Luotu"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"VAROITUS"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Käyttäjä"],"Principals":[null,""],"Filter":[null,"Suodatin"],"HOST_OUTPUT":[null,"ISÄNNÄN_ULOSTULO"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Tervetuloa"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Kriittinen"],"Cronk Id":[null,""],"no more fields":[null,"ei enempää kenttiä"],"Groups":[null,""],"Users":[null,"Käyttäjä"],"Say what?":[null,""],"Login":[null,"Kirjautuminen"],"Confirm password":[null,"Varmista salasana"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"PALVELU_LISÄTIETOJEN_OSOITE"],"id":[null,""],"Email":[null,""],"Clear selection":[null,"Tyhjennä valinta"],"Commands":[null,"Komennot"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"ISÄNNÄN_SUORITUS_AIKA"],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Syötä otsikko"],"One or more fields are invalid":[null,"ei enempää kenttiä"],"UP":[null,"YLHÄÄLLÄ"],"Services":[null,"Palvelut"],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"ISÄNNÄN_TILAN_PÄIVITYS_AIKA"],"Press me":[null,""],"Warning":[null,"Varoitus"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,"Vaihda moduulin otiskko"],"Add restriction":[null,"Lisää rajoitus"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"ISÄNNÄN_TILA_VAIHTELEE"],"Authkey for Api (optional)":[null,""],"Add new category":[null,"Lisää käyttäjä"],"Close":[null,"Sulje"],"Available groups":[null,"Ryhmät"],"Add new user":[null,"Lisää käyttäjä"],"Edit user":[null,""],"Could not remove the last tab!":[null,"Viimeistä välilehteä ei voi poistaa!"],"True":[null,""],"Logout":[null,"Loki"],"Reload":[null,""],"Delete":[null,"Poista käyttäjä"],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Lisää rajoitus"],"(default) no option":[null,"(oletus) ei valintaa"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"PALVELU_TILA_VAIHTELEE"],"Please verify your input and try again!":[null,"Tarkista syötteesi ja yritä uudelleen!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"ISÄNNÄN_NYKYINEN_TARKISTUS_YRITYS"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"ISÄNNÄN_SEURAAVA_TARKISTUS"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Valinta puuttuu"],"Increment current notification":[null,"Ketjuta nykyinen ilmoitus"],"Name":[null,"Nimeä uudelleen"],"Icinga bug report":[null,""],"elete cronk":[null,"Poista ryhmät"],"Reset":[null,"Alusta ennalleen"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Salasana"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Luo käyttäjä"],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"ISÄNNÄN_VIIMEINEN_TARKISTUS"],"Command sent":[null,"Komento lähetetty"],"Sorry":[null,"Anteeksi"],"Delete groups":[null,"Poista ryhmät"],"Unknown":[null,"Tuntematon"],"HOST_ALIAS":[null,"ISÄNNÄN_VAIHTOEHTOINEN_NIMI"],"Docs":[null,"Dokumentit"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Palvelut"],"SERVICE_CURRENT_STATE":[null,"PALVELU_NYKYINEN_TILA"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Pakotettu"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"PALVELU_SEURAAVA_TARKASTUS"],"log":[null,"Loki"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"PALVELU_VIIMEISIN_TILAN_MUUTOS"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,"Muokkaa käyttäjää"],"Delete user":[null,"Poista käyttäjä"],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,"PALVELU_SUORITUS_AIKA"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"ISÄNNÄN_VIIVE"],"Add new group":[null,"Lisää ryhmä"],"Action":[null,"Vaihtoehto"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"Automaattinen päivitys"],"The following ":[null,""],"Grid settings":[null,"Asetukset"],"Yes":[null,"Kyllä"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Lähetä"],"SERVICE_STATUS_UPDATE_TIME":[null,"PALVELU_TILAN_PÄIVITYKSEN_AIKA"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Ei"],"Enter title":[null,"Syötä otsikko"],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Kehitys"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Vaihda välilehden otsikkoa"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Nimeä uudelleen"],"HOST_NOTES_URL":[null,"ISÄNNÄN_MUISTIINPANO_OSOITE"],"Searching ...":[null,""],"CRITICAL":[null,"KRIITTINEN"],"Login error":[null,"Kirjautuminen"],"Modify filter":[null,"Muokkaa suodatinta"],"Status":[null,"Tila"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Poista"],"Disabled":[null,"Hylkää"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Vieras"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Sulje muut"],"HOST_MAX_CHECK_ATTEMPTS":[null,"ISÄNNÄN_MAKSIMI_TARKASTUS_MÄÄRÄ"],"SERVICE_LAST_CHECK":[null,"PALVELU_VIIMEISIN_TARKASTUS"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"PALVELU_SUURIN_YRITYSTEN_MÄÄRÄ"],"untitled":[null,"Syötä otsikko"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"ISÄNNÄN_AIKATAULUTETUN_ALHAALLAOLOAJAN_SYVYYS"],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,"Varmista salasana"],"Reload the cronk (not the content)":[null,"Päivitä sivu(ei sisältöä)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Haluatko varmasti poistaa kaikki"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"PALVELU_ULOSTULO"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Tuntematon kentän tyyppi: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} komento lähetettiin onnistuneesti!"],"Link to this view":[null,""],"UNKNOWN":[null,"TUNTEMATON"],"About":[null,"Tietoja"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"PALVELU_VIIMEISIN_ILMOITUS"],"Abort":[null,"Keskeytä"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Muokkaa"],"HOST_LAST_NOTIFICATION":[null,"ISÄNNÄN_VIIMEISIN_ILMOITUS"],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"Kuvaus"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} esinettä)"],"HOST_ADDRESS":[null,"ISÄNNÄN_OSOITE"],"You can not delete system categories":[null,""],"username":[null,"Nimeä uudelleen"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"ISÄNNÄN_NYKYINEN_TILA"],"HOST_PERFDATA":[null,"ISÄNNÄN_KERÄTTY_DATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"PALVELU_NYKYISEN_TARKASTUKSEN_MÄÄRÄ"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"PALVELU_KERETTY_TIETO"],"SERVICE_DISPLAY_NAME":[null,"PALVELU_NÄYTETTÄVÄ_NIMI"],"Save password":[null,"Salasana"],"Agavi setting":[null,"Asetukset"],"seconds":[null,""],"Unknown id":[null,"Tuntematon"],"CronkBuilder":[null,""],"Available logs":[null,"Ryhmät"],"Link":[null,"Kirjautuminen"],"New password":[null,"Salasana"],"Settings":[null,"Asetukset"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"ISÄNNÄN_NÄYTETTÄVÄ_NIMI"],"False":[null,"Sulje"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"PALVELU_AIKATAULUTETUN_ALHAALLAOLON_SYVYYS"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"TAVOITTAMATTOMISSA"],"SERVICE_CHECK_TYPE":[null,"PALVELU_TARKASTUKSEN_TYYPPI"],"Option":[null,"Vaihtoehto"],"Refresh":[null,"Päivitä"],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Komento lähetetty"],"HOST_CHECK_TYPE":[null,"ISÄNNÄN_TARKISTUKSEN_TYYPPI"],"Create a new group":[null,"Luo ryhmä"],"Add":[null,"lisää"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,"Edistynyt"],"COMMENT_TIME":[null,""],"Change Password":[null,"Salasana"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Nimeä uudelleen"],"Return code out of bounds":[null,"Palauta koodi kielletty alue"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,"PALVELU_VIIVE"],"Error sending command":[null,"Virhe komennon lähetyksessä"],"Time":[null,""],"Discard":[null,"Hylkää"],"Are you sure to delete {0}":[null,"Haluatko varmasti poistaa kaikki"],"Refresh the data in the grid":[null,"Päivitä ruudukon tiedot"],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Vaihda välilehden otsikkoa"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,"Käyttäjät"],"Request failed":[null,""],"Close and refresh":[null,"Sulje ja päivitä"],"Admin tasks":[null,""],"Services for ":[null,"Palvelut"],"Login failed":[null,"Kirjautuminen epäonnistui"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Muokkaa"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Hyväksy"],"Saving":[null,"Varoitus"],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"ISÄNNÄN_OSOITE"],"Description":[null,"Kuvaus"],"DOWN":[null,"ALHAALLA"]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" fi","Last-Translator":" Mikko <mikko.jokinen@opinsys.fi>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-07-12 09:30+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Nimeä uudelleen"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,"Automaattinen päivitys"],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"Kriittinen"],"Unknown error - please check your logs":[null,""],"Password":[null,"Salasana"],"Category editor":[null,""],"Tactical overview settings":[null,"Taktisen näkymän asetukset"],"HOST_LAST_HARD_STATE_CHANGE":[null,"ISÄNNÄN_VIIMEISEN_TILAN_VAIHDOS"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Kirjauduit onnistuneesti sisään. Selaimesi pitäisi ohjautua \"#~ \"automaattisesti. Mikäli automaattinen ohjaus ei toimi paina <a href=\"%s\"#~ \"\">tästä</a>.\""],"Reset view":[null,"Alusta ennalleen"],"Command":[null,"Komento"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"Luotu"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"VAROITUS"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Käyttäjä"],"Principals":[null,""],"Filter":[null,"Suodatin"],"HOST_OUTPUT":[null,"ISÄNNÄN_ULOSTULO"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Tervetuloa"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Kriittinen"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"PALVELU_ULOSTULO"],"no more fields":[null,"ei enempää kenttiä"],"Groups":[null,""],"Users":[null,"Käyttäjä"],"Say what?":[null,""],"Login":[null,"Kirjautuminen"],"Confirm password":[null,"Varmista salasana"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"PALVELU_LISÄTIETOJEN_OSOITE"],"id":[null,""],"Email":[null,""],"Clear selection":[null,"Tyhjennä valinta"],"Commands":[null,"Komennot"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"ISÄNNÄN_SUORITUS_AIKA"],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Syötä otsikko"],"One or more fields are invalid":[null,"ei enempää kenttiä"],"UP":[null,"YLHÄÄLLÄ"],"Services":[null,"Palvelut"],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"ISÄNNÄN_TILAN_PÄIVITYS_AIKA"],"Press me":[null,""],"Warning":[null,"Varoitus"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,"Vaihda moduulin otiskko"],"Add restriction":[null,"Lisää rajoitus"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"ISÄNNÄN_TILA_VAIHTELEE"],"Authkey for Api (optional)":[null,""],"Add new category":[null,"Lisää käyttäjä"],"Close":[null,"Sulje"],"Available groups":[null,"Ryhmät"],"Add new user":[null,"Lisää käyttäjä"],"Edit user":[null,""],"Could not remove the last tab!":[null,"Viimeistä välilehteä ei voi poistaa!"],"True":[null,""],"Logout":[null,"Loki"],"Reload":[null,""],"Delete":[null,"Poista käyttäjä"],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Lisää rajoitus"],"(default) no option":[null,"(oletus) ei valintaa"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"PALVELU_TILA_VAIHTELEE"],"Please verify your input and try again!":[null,"Tarkista syötteesi ja yritä uudelleen!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"ISÄNNÄN_NYKYINEN_TARKISTUS_YRITYS"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"ISÄNNÄN_SEURAAVA_TARKISTUS"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Valinta puuttuu"],"Increment current notification":[null,"Ketjuta nykyinen ilmoitus"],"Name":[null,"Nimeä uudelleen"],"Icinga bug report":[null,""],"elete cronk":[null,"Poista ryhmät"],"Reset":[null,"Alusta ennalleen"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Salasana"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Luo käyttäjä"],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"ISÄNNÄN_VIIMEINEN_TARKISTUS"],"Command sent":[null,"Komento lähetetty"],"Sorry":[null,"Anteeksi"],"Delete groups":[null,"Poista ryhmät"],"Unknown":[null,"Tuntematon"],"HOST_ALIAS":[null,"ISÄNNÄN_VAIHTOEHTOINEN_NIMI"],"Docs":[null,"Dokumentit"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Palvelut"],"SERVICE_CURRENT_STATE":[null,"PALVELU_NYKYINEN_TILA"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Pakotettu"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"PALVELU_SEURAAVA_TARKASTUS"],"log":[null,"Loki"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"PALVELU_VIIMEISIN_TILAN_MUUTOS"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,"Muokkaa käyttäjää"],"Delete user":[null,"Poista käyttäjä"],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,"PALVELU_SUORITUS_AIKA"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"ISÄNNÄN_VIIVE"],"Add new group":[null,"Lisää ryhmä"],"Action":[null,"Vaihtoehto"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"Automaattinen päivitys"],"The following ":[null,""],"Grid settings":[null,"Asetukset"],"Yes":[null,"Kyllä"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Lähetä"],"SERVICE_STATUS_UPDATE_TIME":[null,"PALVELU_TILAN_PÄIVITYKSEN_AIKA"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Ei"],"Enter title":[null,"Syötä otsikko"],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Kehitys"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Vaihda välilehden otsikkoa"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Nimeä uudelleen"],"HOST_NOTES_URL":[null,"ISÄNNÄN_MUISTIINPANO_OSOITE"],"Searching ...":[null,""],"CRITICAL":[null,"KRIITTINEN"],"Login error":[null,"Kirjautuminen"],"Modify filter":[null,"Muokkaa suodatinta"],"Status":[null,"Tila"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Poista"],"Disabled":[null,"Hylkää"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Vieras"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Sulje muut"],"HOST_MAX_CHECK_ATTEMPTS":[null,"ISÄNNÄN_MAKSIMI_TARKASTUS_MÄÄRÄ"],"SERVICE_LAST_CHECK":[null,"PALVELU_VIIMEISIN_TARKASTUS"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"PALVELU_SUURIN_YRITYSTEN_MÄÄRÄ"],"untitled":[null,"Syötä otsikko"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"ISÄNNÄN_AIKATAULUTETUN_ALHAALLAOLOAJAN_SYVYYS"],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,"Varmista salasana"],"Reload the cronk (not the content)":[null,"Päivitä sivu(ei sisältöä)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Haluatko varmasti poistaa kaikki"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"PALVELU_ULOSTULO"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Tuntematon kentän tyyppi: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} komento lähetettiin onnistuneesti!"],"Link to this view":[null,""],"UNKNOWN":[null,"TUNTEMATON"],"About":[null,"Tietoja"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"PALVELU_VIIMEISIN_ILMOITUS"],"Abort":[null,"Keskeytä"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Muokkaa"],"HOST_LAST_NOTIFICATION":[null,"ISÄNNÄN_VIIMEISIN_ILMOITUS"],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"Kuvaus"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} esinettä)"],"HOST_ADDRESS":[null,"ISÄNNÄN_OSOITE"],"You can not delete system categories":[null,""],"username":[null,"Nimeä uudelleen"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"ISÄNNÄN_NYKYINEN_TILA"],"HOST_PERFDATA":[null,"ISÄNNÄN_KERÄTTY_DATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"PALVELU_NYKYISEN_TARKASTUKSEN_MÄÄRÄ"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"PALVELU_KERETTY_TIETO"],"SERVICE_DISPLAY_NAME":[null,"PALVELU_NÄYTETTÄVÄ_NIMI"],"Save password":[null,"Salasana"],"Agavi setting":[null,"Asetukset"],"seconds":[null,""],"Unknown id":[null,"Tuntematon"],"CronkBuilder":[null,""],"Available logs":[null,"Ryhmät"],"Link":[null,"Kirjautuminen"],"New password":[null,"Salasana"],"Settings":[null,"Asetukset"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"ISÄNNÄN_NÄYTETTÄVÄ_NIMI"],"False":[null,"Sulje"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"PALVELU_AIKATAULUTETUN_ALHAALLAOLON_SYVYYS"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"ISÄNNÄN_ULOSTULO"],"UNREACHABLE":[null,"TAVOITTAMATTOMISSA"],"SERVICE_CHECK_TYPE":[null,"PALVELU_TARKASTUKSEN_TYYPPI"],"Option":[null,"Vaihtoehto"],"Refresh":[null,"Päivitä"],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Komento lähetetty"],"HOST_CHECK_TYPE":[null,"ISÄNNÄN_TARKISTUKSEN_TYYPPI"],"Create a new group":[null,"Luo ryhmä"],"Add":[null,"lisää"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,"Edistynyt"],"COMMENT_TIME":[null,""],"Change Password":[null,"Salasana"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Nimeä uudelleen"],"Return code out of bounds":[null,"Palauta koodi kielletty alue"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,"PALVELU_VIIVE"],"Error sending command":[null,"Virhe komennon lähetyksessä"],"Time":[null,""],"Discard":[null,"Hylkää"],"Are you sure to delete {0}":[null,"Haluatko varmasti poistaa kaikki"],"Refresh the data in the grid":[null,"Päivitä ruudukon tiedot"],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,"Poista ryhmät"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Vaihda välilehden otsikkoa"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,"Käyttäjät"],"Request failed":[null,""],"Close and refresh":[null,"Sulje ja päivitä"],"Admin tasks":[null,""],"Services for ":[null,"Palvelut"],"Login failed":[null,"Kirjautuminen epäonnistui"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Muokkaa"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Hyväksy"],"Saving":[null,"Varoitus"],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"ISÄNNÄN_OSOITE"],"Description":[null,"Kuvaus"],"DOWN":[null,"ALHAALLA"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/he.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-05-03 10:16+0200","Language":" he","Last-Translator":" netanel <Netanelshine@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-08-20 20:55+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"שם משתמש"],"Do you really want to delete these groups?":[null,"האם אתה בטוח שברצונך למחוק קבוצות אלו?"],"Auto refresh":[null,"עדכון אוטומטי"],"Please provide a password for this user":[null,"יש לספק סיסמה עבור משתמש זה"],"Auth via":[null,"הזדהה דרך"],"email":[null,"דוא\"ל"],"Critical error":[null,"קריטי"],"Unknown error - please check your logs":[null,""],"Password":[null,"סיסמא"],"Category editor":[null,""],"Tactical overview settings":[null,"הגדרות מצב תצוגה כולל"],"HOST_LAST_HARD_STATE_CHANGE":[null,"שינוי_מצב_נוקשה_אחרון_לשרת"],"Items":[null,"פריטים"],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"התחברת בהצלחה. אתה אמור להיות מועבר מיד. אם לא <a href=\"%s\"> לחץ כאן על \"#~ \"מנת לשנות את המיקום בצורה ידנית</a>.\""],"Command":[null,"פקודה"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"נוצר"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"אזהרה"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,"של"],"Your default language hast changed!":[null,"שפת ברירת המחדל שלך שונתה!"],"User":[null,"משתמש"],"Principals":[null,"מנהלים"],"Filter":[null,"מסנן "],"HOST_OUTPUT":[null,"פלט_שרת"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"ברוך הבא"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"קריטי"],"Cronk Id":[null,""],"no more fields":[null,"אין שדות נוספים"],"Groups":[null,"קבוצות"],"Users":[null,"משתמשים"],"Say what?":[null,"אמור מה?"],"Login":[null,"התחברות"],"Confirm password":[null,"אשר סיסמה"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"קישור_הסבר_לשרות"],"id":[null,"id"],"Email":[null,"דוא\"ל"],"Clear selection":[null,"ניקוי בחירה"],"Commands":[null,"פקודות"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,"דבר לא נבחר"],"HOST_EXECUTION_TIME":[null,"זמן_אצווה_לשרת"],"is not":[null,""],"Exception thrown: %s":[null,"חריגה נזרקה: %s"],"Your application profile has been deleted!":[null,""],"Title":[null,"הכנס כותרת"],"One or more fields are invalid":[null,"שדה אחד או יותר שגויים"],"UP":[null,"למעלה"],"Services":[null,"שרותים עבור"],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"זמן_עדכון_מצב_שרת"],"Press me":[null,"לחץ עליי"],"Warning":[null,"אזהרה"],"isActive":[null,"פעיל"],"Language":[null,"שפה"],"Edit group":[null,"ערוך קבוצה"],"Change title for this portlet":[null,"שנה כותרת עבור פורטלט זה"],"Add restriction":[null,"הוסף הגבלה "],"State information":[null,"מידע META"],"No users to display":[null,"אין משתמשים להצגה"],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"שרת_מתעתא"],"Authkey for Api (optional)":[null,"מפתח זיהוי עבור API (אופציונלי)"],"Add new category":[null,"הוסף משתמש חדש"],"Close":[null,"סגור"],"Available groups":[null,"קבוצות זמינות"],"Add new user":[null,"הוסף משתמש חדש"],"Edit user":[null,"ערוך משתמש"],"Could not remove the last tab!":[null,"לא מסוגל להסיר את המתאר האחרון!"],"True":[null,""],"Logout":[null,"התנתק"],"Reload":[null,""],"Delete":[null,"מחק משתמש"],"To start with a new application profile, click the following button.":[null,""],"description":[null,"תיאור"],"(default) no option":[null,"(ברירת מחדל) - אין אפשרות "],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"יסינגה"],"SERVICE_IS_FLAPPING":[null,"שרות_מתעתה"],"Please verify your input and try again!":[null,"נא לוודא את הקלט שהוזן ונסה שנית! "],"HOST_CURRENT_CHECK_ATTEMPT":[null,"מספר_נוכחי_בדיקת_שרת"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"בדיקת_הבאה_לשרת"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"שגיאה"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,"קבל הצגה זו ככתובת"],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,"האם אתה בטוח שברצונך למחוק משתמשים אלו?"],"Image":[null,""],"Principal":[null,"מנהל"],"Selection is missing":[null,"בחירה חסרה"],"Increment current notification":[null,"תוספת הודעה נוכחית"],"Name":[null,"שם"],"Icinga bug report":[null,""],"elete cronk":[null,"מחק קבוצות"],"Reset":[null,"אתחל"],"firstname":[null,"שםפרטי"],"Save Cronk":[null,""],"New category":[null,"הסרת קטגוריה"],"Password changed":[null,"סיסמה שונתה"],"Icinga status":[null,"יסינגה"],"Create a new user":[null,"צור משתמש חדש"],"The password was successfully changed":[null,"הסיסמה שונתה בהצלחה"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"Only close":[null,"רק סגירה"],"The passwords don't match!":[null,"הסיסמאות לא תואמות!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"בדיקת_שרת_אחרונה"],"Command sent":[null,"פקודה נשלחה"],"Sorry":[null,"סליחה"],"Delete groups":[null,"מחק קבוצות"],"Unknown":[null,"לא ידוע"],"HOST_ALIAS":[null,"כינוי_שרת"],"Docs":[null,"מסמכים"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,"הצג קבוצות"],"Preferences for user":[null,"הגדרות() עבור משתמש"],"SERVICE_CURRENT_STATE":[null,"מצב_שרות_עדכני"],"Remove selected groups":[null,"הסר קבוצות נבחרות"],"Cronk deleted":[null,""],"Group inheritance":[null,"ירושת קבוצה"],"Meta":[null,""],"Forced":[null,"כפייה"],"groupname":[null,"שםקבוצה"],"Search":[null,"חפש"],"SERVICE_NEXT_CHECK":[null,"בדיקת_שרות_הבאה"],"log":[null,"תיעוד"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,"שנה שפה"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"זמן_שיוני_מצב_נוקשה_לשרות"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,"בחר משתמש לעריכה"],"Delete user":[null,"מחק משתמש"],"Bug report":[null,""],"Save changes":[null,"שמור שינויים"],"SERVICE_EXECUTION_TIME":[null,"זמן_הרצת_שרות"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,"הסתרה בוטלה"],"No groups to display":[null,"אין קבוצות להצגה"],"HOST_LATENCY":[null,"חביון_מארח"],"Add new group":[null,"הוסף קבוצה חדשה"],"Action":[null,"אפשרות"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"עדכון אוטומטי"],"The following ":[null,""],"Grid settings":[null,"רשת הגדרות"],"Yes":[null,"כן"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"שדר"],"SERVICE_STATUS_UPDATE_TIME":[null,"זמן_עדכון_מצב_שרות"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"לא"],"Enter title":[null,"הכנס כותרת"],"Add selected principals":[null,"הוסף מנהלים מסומנים"],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"פיתוח"],"Group name":[null,"שם קבוצה"],"Select a principal (Press Ctrl for multiple selects)":[null,"בחר מנהל (לחץ Ctrl עבור בחירה מרובה)"],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"שנה כותרת עבור מתאר זה"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"הגדרות משתמש"],"Surname":[null,"שם משפחה"],"HOST_NOTES_URL":[null,"מארח_הודעות_כתובת"],"Searching ...":[null,"חפש"],"CRITICAL":[null,"קריטי"],"Login error":[null,""],"Modify filter":[null,"מסנן שינוים"],"Status":[null,"מצב"],"Stop icinga process":[null,""],"Language changed":[null,"שפה שונתה"],"Remove":[null,"הסר"],"Disabled":[null,"בטל"],"You haven't selected anything!":[null,"לא בחרת דבר"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,"פעיל"],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"ערוך משתמש"],"Guest":[null,"אורח"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"סגור אחרים"],"HOST_MAX_CHECK_ATTEMPTS":[null,"מספר_בדיקות_מירבי_לשרת"],"SERVICE_LAST_CHECK":[null,"בדיקת_שרות_אחרונה"],"Save":[null,"שמור"],"No node was removed":[null,"אף צומת לא הוסרה"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"מספר_בדיקות_מירבי_לשרות"],"untitled":[null,"הכנס כותרת"],"lastname":[null,"שםמשפחה"],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"עומק_זמן_השבתה_לשרת"],"Get this view as URL":[null,"קבל הצגה זו ככתובת"],"New Preference":[null,"הגדרות חדשות"],"Confirm":[null,"אשר סיסמה"],"Reload the cronk (not the content)":[null,"טען מחדש את cronk (לא את התוכן)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"האם אתה בטוח שברצונך למחוק הכל?"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"פלט_השרות"],"We're Icinga":[null,"יסינגה"],"Unknown field type: {0}":[null,"סוג שדא לא ידוע :{0}"],"Meta information":[null,"מידע META"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} פקודה נשלחה בהצלחה!"],"Link to this view":[null,"קיצור לתצוגה זו"],"UNKNOWN":[null,"לא ידוע"],"About":[null,"אודות"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"הודעה_אחרונה_לשרות"],"Abort":[null,"בטל "],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"שנה"],"HOST_LAST_NOTIFICATION":[null,"הודאת_שרת_אחרונה"],"General information":[null,"מידע כללי"],"Displaying users":[null,"הצג משתמשים"],"Position":[null,"תיאור"],"Remove this preference":[null,"הסר הגדרות אלו"],"{0} ({1} items)":[null,"{0} ({1} פריטים)"],"HOST_ADDRESS":[null,"כתובת_שרת"],"You can not delete system categories":[null,""],"username":[null,"שם משתמש"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"מצב_שרת_עכשיוי"],"HOST_PERFDATA":[null,"מידע_נוסף_לשרת"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"מספר_בדיקת_שרות_נוכחי"],"To be on the verge to logout ...":[null,"יש להיות על הגבול על מנת להתנתק ..."],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"פלט_נוסף_לשרות"],"SERVICE_DISPLAY_NAME":[null,"שם_תצוגת_שרות"],"Save password":[null,"שמור סיסמה"],"Agavi setting":[null,"רשת הגדרות"],"seconds":[null,""],"Unknown id":[null,"id לא ידוע"],"CronkBuilder":[null,""],"Available logs":[null,"קבוצות זמינות"],"Link":[null,"קיצור"],"New password":[null,"סיסמה"],"Settings":[null,"הגדרות"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"שם_תצוגת_שרת"],"False":[null,"סגור"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"עומק_זמן_חוסר_פעילות_מתוכננת_לשרות"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"לא זמין"],"SERVICE_CHECK_TYPE":[null,"סוג_בדיקת_שרות"],"Option":[null,"אפשרות"],"Refresh":[null,"הצג מחדש"],"Are you sure to do this?":[null,"האם אתה בטוח בפעולה זו?"]," principals?":[null,"מנהלים?"],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"אוקי"],"Services (active/passive)":[null,""],"Remove selected users":[null,"הסר משתמשים נבחרים"],"Type":[null,"סוג"],"Comment bug":[null,"פקודה נשלחה"],"HOST_CHECK_TYPE":[null,"סוג_בדיקת_שרת"],"Create a new group":[null,"צור קבוצה חדשה"],"Add":[null,"הוסף"],"PENDING":[null,""],"no principals availabe":[null,"אין מנהלים זמינים"],"Advanced":[null,"מתקדם"],"COMMENT_TIME":[null,""],"Change Password":[null,"סיסמה"],"Language settings":[null,"הגדרות שפה"],"Removing a category":[null,"הסרת קטגוריה"],"The confirmed password doesn't match":[null,"הסיסמה שהוכנסה לא תואמת"],"Rename":[null,"שנה שם"],"Return code out of bounds":[null,"החזר מקור מחוץ לטווח"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"לא ניתן לטעון את ה-cronk הנבחר, השגיאה הבאה התרחשה: {0} ({1})"],"SERVICE_LATENCY":[null,"חביון_שרות"],"Error sending command":[null,"שגיאה בשליחת פקודה"],"Time":[null,""],"Discard":[null,"השלך "],"Are you sure to delete {0}":[null,"האם אתה בטוח בפעולה זו?"],"Refresh the data in the grid":[null,"חדש את המידע במתאר"],"Remove selected":[null,"הסר בחירות"],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"שנה כותרת עבור מתאר זה"],"Sorry, cronk \"%s\" not found":[null,"מצטער, cronk \"%s\" לא נמצא"],"Available users":[null,"משתמשים זמינים"],"Request failed":[null,""],"Close and refresh":[null,"סגור וטען מחדש"],"Admin tasks":[null,""],"Services for ":[null,"שרותים עבור"],"Login failed":[null,"התחברות נכשלה"],"Permissions":[null,"הרשאות"],"Some error: {0}":[null,""],"Modified":[null,"שנה"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"הגדרות"],"Item":[null,"פריט"],"Apply":[null,"אישור"],"Saving":[null,"שמירה"],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"כתובת_שרת"],"Description":[null,"תיאור"],"DOWN":[null,"למטה"]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-05-03 10:16+0200","Language":" he","Last-Translator":" netanel <Netanelshine@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-08-20 20:55+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"שם משתמש"],"Do you really want to delete these groups?":[null,"האם אתה בטוח שברצונך למחוק קבוצות אלו?"],"Auto refresh":[null,"עדכון אוטומטי"],"Please provide a password for this user":[null,"יש לספק סיסמה עבור משתמש זה"],"Auth via":[null,"הזדהה דרך"],"email":[null,"דוא\"ל"],"Critical error":[null,"קריטי"],"Unknown error - please check your logs":[null,""],"Password":[null,"סיסמא"],"Category editor":[null,""],"Tactical overview settings":[null,"הגדרות מצב תצוגה כולל"],"HOST_LAST_HARD_STATE_CHANGE":[null,"שינוי_מצב_נוקשה_אחרון_לשרת"],"Items":[null,"פריטים"],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"התחברת בהצלחה. אתה אמור להיות מועבר מיד. אם לא <a href=\"%s\"> לחץ כאן על \"#~ \"מנת לשנות את המיקום בצורה ידנית</a>.\""],"Reset view":[null,"אתחל"],"Command":[null,"פקודה"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"נוצר"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"אזהרה"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,"של"],"Your default language hast changed!":[null,"שפת ברירת המחדל שלך שונתה!"],"User":[null,"משתמש"],"Principals":[null,"מנהלים"],"Filter":[null,"מסנן "],"HOST_OUTPUT":[null,"פלט_שרת"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"ברוך הבא"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"קריטי"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"פלט_השרות"],"no more fields":[null,"אין שדות נוספים"],"Groups":[null,"קבוצות"],"Users":[null,"משתמשים"],"Say what?":[null,"אמור מה?"],"Login":[null,"התחברות"],"Confirm password":[null,"אשר סיסמה"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"קישור_הסבר_לשרות"],"id":[null,"id"],"Email":[null,"דוא\"ל"],"Clear selection":[null,"ניקוי בחירה"],"Commands":[null,"פקודות"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,"דבר לא נבחר"],"HOST_EXECUTION_TIME":[null,"זמן_אצווה_לשרת"],"is not":[null,""],"Exception thrown: %s":[null,"חריגה נזרקה: %s"],"Your application profile has been deleted!":[null,""],"Title":[null,"הכנס כותרת"],"One or more fields are invalid":[null,"שדה אחד או יותר שגויים"],"UP":[null,"למעלה"],"Services":[null,"שרותים עבור"],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"זמן_עדכון_מצב_שרת"],"Press me":[null,"לחץ עליי"],"Warning":[null,"אזהרה"],"isActive":[null,"פעיל"],"Language":[null,"שפה"],"Edit group":[null,"ערוך קבוצה"],"Change title for this portlet":[null,"שנה כותרת עבור פורטלט זה"],"Add restriction":[null,"הוסף הגבלה "],"State information":[null,"מידע META"],"No users to display":[null,"אין משתמשים להצגה"],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"שרת_מתעתא"],"Authkey for Api (optional)":[null,"מפתח זיהוי עבור API (אופציונלי)"],"Add new category":[null,"הוסף משתמש חדש"],"Close":[null,"סגור"],"Available groups":[null,"קבוצות זמינות"],"Add new user":[null,"הוסף משתמש חדש"],"Edit user":[null,"ערוך משתמש"],"Could not remove the last tab!":[null,"לא מסוגל להסיר את המתאר האחרון!"],"True":[null,""],"Logout":[null,"התנתק"],"Reload":[null,""],"Delete":[null,"מחק משתמש"],"To start with a new application profile, click the following button.":[null,""],"description":[null,"תיאור"],"(default) no option":[null,"(ברירת מחדל) - אין אפשרות "],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"יסינגה"],"SERVICE_IS_FLAPPING":[null,"שרות_מתעתה"],"Please verify your input and try again!":[null,"נא לוודא את הקלט שהוזן ונסה שנית! "],"HOST_CURRENT_CHECK_ATTEMPT":[null,"מספר_נוכחי_בדיקת_שרת"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"בדיקת_הבאה_לשרת"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"שגיאה"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,"קבל הצגה זו ככתובת"],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,"האם אתה בטוח שברצונך למחוק משתמשים אלו?"],"Image":[null,""],"Principal":[null,"מנהל"],"Selection is missing":[null,"בחירה חסרה"],"Increment current notification":[null,"תוספת הודעה נוכחית"],"Name":[null,"שם"],"Icinga bug report":[null,""],"elete cronk":[null,"מחק קבוצות"],"Reset":[null,"אתחל"],"firstname":[null,"שםפרטי"],"Save Cronk":[null,""],"New category":[null,"הסרת קטגוריה"],"Password changed":[null,"סיסמה שונתה"],"Icinga status":[null,"יסינגה"],"Create a new user":[null,"צור משתמש חדש"],"The password was successfully changed":[null,"הסיסמה שונתה בהצלחה"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"Only close":[null,"רק סגירה"],"The passwords don't match!":[null,"הסיסמאות לא תואמות!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"בדיקת_שרת_אחרונה"],"Command sent":[null,"פקודה נשלחה"],"Sorry":[null,"סליחה"],"Delete groups":[null,"מחק קבוצות"],"Unknown":[null,"לא ידוע"],"HOST_ALIAS":[null,"כינוי_שרת"],"Docs":[null,"מסמכים"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,"הצג קבוצות"],"Preferences for user":[null,"הגדרות() עבור משתמש"],"SERVICE_CURRENT_STATE":[null,"מצב_שרות_עדכני"],"Remove selected groups":[null,"הסר קבוצות נבחרות"],"Cronk deleted":[null,""],"Group inheritance":[null,"ירושת קבוצה"],"Meta":[null,""],"Forced":[null,"כפייה"],"groupname":[null,"שםקבוצה"],"Search":[null,"חפש"],"SERVICE_NEXT_CHECK":[null,"בדיקת_שרות_הבאה"],"log":[null,"תיעוד"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,"שנה שפה"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"זמן_שיוני_מצב_נוקשה_לשרות"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,"בחר משתמש לעריכה"],"Delete user":[null,"מחק משתמש"],"Bug report":[null,""],"Save changes":[null,"שמור שינויים"],"SERVICE_EXECUTION_TIME":[null,"זמן_הרצת_שרות"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,"הסתרה בוטלה"],"No groups to display":[null,"אין קבוצות להצגה"],"HOST_LATENCY":[null,"חביון_מארח"],"Add new group":[null,"הוסף קבוצה חדשה"],"Action":[null,"אפשרות"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"עדכון אוטומטי"],"The following ":[null,""],"Grid settings":[null,"רשת הגדרות"],"Yes":[null,"כן"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"שדר"],"SERVICE_STATUS_UPDATE_TIME":[null,"זמן_עדכון_מצב_שרות"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"לא"],"Enter title":[null,"הכנס כותרת"],"Add selected principals":[null,"הוסף מנהלים מסומנים"],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"פיתוח"],"Group name":[null,"שם קבוצה"],"Select a principal (Press Ctrl for multiple selects)":[null,"בחר מנהל (לחץ Ctrl עבור בחירה מרובה)"],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"שנה כותרת עבור מתאר זה"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"הגדרות משתמש"],"Surname":[null,"שם משפחה"],"HOST_NOTES_URL":[null,"מארח_הודעות_כתובת"],"Searching ...":[null,"חפש"],"CRITICAL":[null,"קריטי"],"Login error":[null,""],"Modify filter":[null,"מסנן שינוים"],"Status":[null,"מצב"],"Stop icinga process":[null,""],"Language changed":[null,"שפה שונתה"],"Remove":[null,"הסר"],"Disabled":[null,"בטל"],"You haven't selected anything!":[null,"לא בחרת דבר"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,"פעיל"],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"ערוך משתמש"],"Guest":[null,"אורח"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"סגור אחרים"],"HOST_MAX_CHECK_ATTEMPTS":[null,"מספר_בדיקות_מירבי_לשרת"],"SERVICE_LAST_CHECK":[null,"בדיקת_שרות_אחרונה"],"Save":[null,"שמור"],"No node was removed":[null,"אף צומת לא הוסרה"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"מספר_בדיקות_מירבי_לשרות"],"untitled":[null,"הכנס כותרת"],"lastname":[null,"שםמשפחה"],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"עומק_זמן_השבתה_לשרת"],"Get this view as URL":[null,"קבל הצגה זו ככתובת"],"New Preference":[null,"הגדרות חדשות"],"Confirm":[null,"אשר סיסמה"],"Reload the cronk (not the content)":[null,"טען מחדש את cronk (לא את התוכן)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"האם אתה בטוח שברצונך למחוק הכל?"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"פלט_השרות"],"We're Icinga":[null,"יסינגה"],"Unknown field type: {0}":[null,"סוג שדא לא ידוע :{0}"],"Meta information":[null,"מידע META"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} פקודה נשלחה בהצלחה!"],"Link to this view":[null,"קיצור לתצוגה זו"],"UNKNOWN":[null,"לא ידוע"],"About":[null,"אודות"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"הודעה_אחרונה_לשרות"],"Abort":[null,"בטל "],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"שנה"],"HOST_LAST_NOTIFICATION":[null,"הודאת_שרת_אחרונה"],"General information":[null,"מידע כללי"],"Displaying users":[null,"הצג משתמשים"],"Position":[null,"תיאור"],"Remove this preference":[null,"הסר הגדרות אלו"],"{0} ({1} items)":[null,"{0} ({1} פריטים)"],"HOST_ADDRESS":[null,"כתובת_שרת"],"You can not delete system categories":[null,""],"username":[null,"שם משתמש"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"מצב_שרת_עכשיוי"],"HOST_PERFDATA":[null,"מידע_נוסף_לשרת"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"מספר_בדיקת_שרות_נוכחי"],"To be on the verge to logout ...":[null,"יש להיות על הגבול על מנת להתנתק ..."],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"פלט_נוסף_לשרות"],"SERVICE_DISPLAY_NAME":[null,"שם_תצוגת_שרות"],"Save password":[null,"שמור סיסמה"],"Agavi setting":[null,"רשת הגדרות"],"seconds":[null,""],"Unknown id":[null,"id לא ידוע"],"CronkBuilder":[null,""],"Available logs":[null,"קבוצות זמינות"],"Link":[null,"קיצור"],"New password":[null,"סיסמה"],"Settings":[null,"הגדרות"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"שם_תצוגת_שרת"],"False":[null,"סגור"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"עומק_זמן_חוסר_פעילות_מתוכננת_לשרות"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"פלט_שרת"],"UNREACHABLE":[null,"לא זמין"],"SERVICE_CHECK_TYPE":[null,"סוג_בדיקת_שרות"],"Option":[null,"אפשרות"],"Refresh":[null,"הצג מחדש"],"Are you sure to do this?":[null,"האם אתה בטוח בפעולה זו?"]," principals?":[null,"מנהלים?"],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"אוקי"],"Services (active/passive)":[null,""],"Remove selected users":[null,"הסר משתמשים נבחרים"],"Type":[null,"סוג"],"Comment bug":[null,"פקודה נשלחה"],"HOST_CHECK_TYPE":[null,"סוג_בדיקת_שרת"],"Create a new group":[null,"צור קבוצה חדשה"],"Add":[null,"הוסף"],"PENDING":[null,""],"no principals availabe":[null,"אין מנהלים זמינים"],"Advanced":[null,"מתקדם"],"COMMENT_TIME":[null,""],"Change Password":[null,"סיסמה"],"Language settings":[null,"הגדרות שפה"],"Removing a category":[null,"הסרת קטגוריה"],"The confirmed password doesn't match":[null,"הסיסמה שהוכנסה לא תואמת"],"Rename":[null,"שנה שם"],"Return code out of bounds":[null,"החזר מקור מחוץ לטווח"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"לא ניתן לטעון את ה-cronk הנבחר, השגיאה הבאה התרחשה: {0} ({1})"],"SERVICE_LATENCY":[null,"חביון_שרות"],"Error sending command":[null,"שגיאה בשליחת פקודה"],"Time":[null,""],"Discard":[null,"השלך "],"Are you sure to delete {0}":[null,"האם אתה בטוח בפעולה זו?"],"Refresh the data in the grid":[null,"חדש את המידע במתאר"],"Remove selected":[null,"הסר בחירות"],"Stopped":[null,""],"Reload cronk":[null,"מחק קבוצות"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"שנה כותרת עבור מתאר זה"],"Sorry, cronk \"%s\" not found":[null,"מצטער, cronk \"%s\" לא נמצא"],"Available users":[null,"משתמשים זמינים"],"Request failed":[null,""],"Close and refresh":[null,"סגור וטען מחדש"],"Admin tasks":[null,""],"Services for ":[null,"שרותים עבור"],"Login failed":[null,"התחברות נכשלה"],"Permissions":[null,"הרשאות"],"Some error: {0}":[null,""],"Modified":[null,"שנה"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"הגדרות"],"Item":[null,"פריט"],"Apply":[null,"אישור"],"Saving":[null,"שמירה"],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"כתובת_שרת"],"Description":[null,"תיאור"],"DOWN":[null,"למטה"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/hr.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" hr","Last-Translator":" Dubravko <dpenezic@srce.hr>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-05-05 13:11+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Promjeni ime/naziv"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,""],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"Kritično"],"Unknown error - please check your logs":[null,""],"Password":[null,"Lozinka"],"Category editor":[null,""],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Uspješna autentikacija. Automatska trenutna redirekcija u tijeku. Za \"#~ \"ručni pristup stranicama odaberite <a href=\"%s\">ovdje</a>.\""],"Command":[null,"Naredba"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Korisnik"],"Principals":[null,""],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Dobro došli"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Kritično"],"Cronk Id":[null,""],"no more fields":[null,"nema više polja"],"Groups":[null,""],"Users":[null,"Korisnik"],"Say what?":[null,""],"Login":[null,""],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,"Naredbe"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"add":[null,"dodaj"],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Unesi naziv"],"One or more fields are invalid":[null,"nema više polja"],"UP":[null,""],"Services":[null,"Servis za "],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,"Upozorenje"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,""],"Add restriction":[null,""],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,""],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,"Nemogućnost brisanja posljednje kartice!"],"True":[null,""],"Logout":[null,""],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,""],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,"Molim provjerite vaš unos i pokušajte ponovno!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Nedostaje odabrano"],"Increment current notification":[null,""],"Name":[null,"Promjeni ime/naziv"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,"Poništi"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Lozinka"],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,"Naredba poslana"],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,"Nepoznato"],"HOST_ALIAS":[null,""],"Docs":[null,"Dokumentacija"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Servis za "],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Prisilan"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,""],"Action":[null,"Mogućnosti"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,""],"The following ":[null,""],"Grid settings":[null,"Postavke"],"Yes":[null,"Da"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Odašiljanje"],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Ne"],"Enter title":[null,"Unesi naziv"],"Add selected principals":[null,""],"Success":[null,""],"Try":[null,"Pokušaj"],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Razvoj"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Promjeni naziv ove kartice"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Promjeni ime/naziv"],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,""],"Login error":[null,"Neuspješna autentikacija"],"Modify filter":[null,"Promjeni filter"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Makni"],"Disabled":[null,"Odbaci"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Gost"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Zatvori ostale"],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"Unesi naziv"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,""],"Unknown field type: {0}":[null,"Nepoznati tip polja: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null," poslano {0} uspiješnih naredbi !"],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,"O"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,"Prekini"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Promjeni"],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,""],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} dijelova)"],"HOST_ADDRESS":[null,""],"You can not delete system categories":[null,""],"username":[null,"Promjeni ime/naziv"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,"Lozinka"],"Agavi setting":[null,"Postavke"],"seconds":[null,""],"Unknown id":[null,"Nepoznato"],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,""],"New password":[null,"Lozinka"],"Settings":[null,"Postavke"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,""],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,"Mogućnosti"],"Refresh":[null,"Osvježi"],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Naredba poslana"],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,"dodaj"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,"Lozinka"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Promjeni ime/naziv"],"Return code out of bounds":[null,"Dobiveni rezultat izvan granica"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,"Naredba za slanje pogreške"],"Time":[null,""],"Discard":[null,"Odbaci"],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,"Osvježi podatke u mreži"],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Promjeni naziv ove kartice"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"Zatvori ostale"],"Admin tasks":[null,""],"Services for ":[null,"Servis za "],"Login failed":[null,"Neuspješna autentikacija"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Promjeni"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Primjeni"],"Saving":[null,"Upozorenje"],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,""],"Description":[null,""],"DOWN":[null,"Dolje"]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" hr","Last-Translator":" Dubravko <dpenezic@srce.hr>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-05-05 13:11+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Promjeni ime/naziv"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,""],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"Kritično"],"Unknown error - please check your logs":[null,""],"Password":[null,"Lozinka"],"Category editor":[null,""],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Uspješna autentikacija. Automatska trenutna redirekcija u tijeku. Za \"#~ \"ručni pristup stranicama odaberite <a href=\"%s\">ovdje</a>.\""],"Reset view":[null,"Poništi"],"Command":[null,"Naredba"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Korisnik"],"Principals":[null,""],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Dobro došli"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Kritično"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,""],"no more fields":[null,"nema više polja"],"Groups":[null,""],"Users":[null,"Korisnik"],"Say what?":[null,""],"Login":[null,""],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,"Naredbe"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"add":[null,"dodaj"],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Unesi naziv"],"One or more fields are invalid":[null,"nema više polja"],"UP":[null,""],"Services":[null,"Servis za "],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,"Upozorenje"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,""],"Add restriction":[null,""],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,""],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,"Nemogućnost brisanja posljednje kartice!"],"True":[null,""],"Logout":[null,""],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,""],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,"Molim provjerite vaš unos i pokušajte ponovno!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Nedostaje odabrano"],"Increment current notification":[null,""],"Name":[null,"Promjeni ime/naziv"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,"Poništi"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Lozinka"],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,"Naredba poslana"],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,"Nepoznato"],"HOST_ALIAS":[null,""],"Docs":[null,"Dokumentacija"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Servis za "],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Prisilan"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,""],"Action":[null,"Mogućnosti"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,""],"The following ":[null,""],"Grid settings":[null,"Postavke"],"Yes":[null,"Da"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Odašiljanje"],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Ne"],"Enter title":[null,"Unesi naziv"],"Add selected principals":[null,""],"Success":[null,""],"Try":[null,"Pokušaj"],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Razvoj"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Promjeni naziv ove kartice"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Promjeni ime/naziv"],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,""],"Login error":[null,"Neuspješna autentikacija"],"Modify filter":[null,"Promjeni filter"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Makni"],"Disabled":[null,"Odbaci"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Gost"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Zatvori ostale"],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"Unesi naziv"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,""],"Unknown field type: {0}":[null,"Nepoznati tip polja: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null," poslano {0} uspiješnih naredbi !"],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,"O"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,"Prekini"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Promjeni"],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,""],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} dijelova)"],"HOST_ADDRESS":[null,""],"You can not delete system categories":[null,""],"username":[null,"Promjeni ime/naziv"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,"Lozinka"],"Agavi setting":[null,"Postavke"],"seconds":[null,""],"Unknown id":[null,"Nepoznato"],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,""],"New password":[null,"Lozinka"],"Settings":[null,"Postavke"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,""],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,"Mogućnosti"],"Refresh":[null,"Osvježi"],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Naredba poslana"],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,"dodaj"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,"Lozinka"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Promjeni ime/naziv"],"Return code out of bounds":[null,"Dobiveni rezultat izvan granica"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,"Naredba za slanje pogreške"],"Time":[null,""],"Discard":[null,"Odbaci"],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,"Osvježi podatke u mreži"],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Promjeni naziv ove kartice"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"Zatvori ostale"],"Admin tasks":[null,""],"Services for ":[null,"Servis za "],"Login failed":[null,"Neuspješna autentikacija"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Promjeni"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Primjeni"],"Saving":[null,"Upozorenje"],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,""],"Description":[null,""],"DOWN":[null,"Dolje"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/hu.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,"Nincs megjeleníthető témakör"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-29 00:11+0200","Language":" hu","Last-Translator":" Viktor <woodspeed@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-10-31 20:55+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Felhasználói név"],"Do you really want to delete these groups?":[null,"Biztosan törlöd ezeket a csoportokat?"],"Auto refresh":[null,"Automatikus frissítés"],"Please provide a password for this user":[null,"Kérlek adj meg egy jelszót a felhasználóhoz"],"Auth via":[null,"Hitelesítés ezen keresztül"],"email":[null,"email"],"Critical error":[null,"Kritikus hiba"],"Unknown error - please check your logs":[null,""],"Password":[null,"Jelszó"],"Category editor":[null,""],"Tactical overview settings":[null,"Taktikai áttekintés beállítása"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,"Elemek"],"Sorry, you could not be authenticated for icinga-web.":[null,"Sajnálom, nem azonosítható az icinga-webhez."],"Command":[null,"Parancs"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Hoszt végrehajtási idők (min/átlag/max)"],"Created":[null,"Létrehozva"],"Your login session has gone away, press ok to login again!":[null,"Bejelentkezési munkameneted lejárt, kattints az ok gombra az újbóli bejelentkezéshez!"],"WARNING":[null,"FIGYELMEZTETÉS"],"Sorry, could not find a xml file for %s":[null,"Sajnálom, nem találtam a %s-hez xml fájlt."],"of":[null,"of"],"Your default language hast changed!":[null,"Alapértelmezett nyelvi beállításod megváltozott!"],"User":[null,"Felhasználó"],"Principals":[null,"Résztvevők"],"Filter":[null,"Szűrő"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,"Ne felejtsd el törölni az agavi config cache-t azután."],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"A parancsot nem tudtam elküldeni, kérlek vizsgáld meg a naplófájlokat!"],"Welcome":[null,"Üdvözzöllek"],"Categories":[null,""],"This command will be send to all selected items":[null,"Ez a parancs az összes kiválasztott elemnek el lesz küldve"],"Critical":[null,"Kritikus"],"Cronk Id":[null,""],"Groups":[null,"Csoportok"],"Users":[null,"Felhasználók"],"Say what?":[null,"Micsoda?"],"Login":[null,"Bejelentkezés"],"Confirm password":[null,"Jelszó megerősítése"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,"id"],"Email":[null,"E-mail"],"Clear selection":[null,"Kijelölés törlése"],"Commands":[null,"Parancsok"],"Service execution (min/avg/max)":[null,"Szolgáltatás végrehajtása (min/átlagos/max)"],"Nothing selected":[null,"Nincs kijelölve semmi"],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,"Kivétel keletkezett: %s"],"Your application profile has been deleted!":[null,"Alkalmazás profilod törölve lett!"],"Title":[null,"névtelen"],"One or more fields are invalid":[null,"Egy vagy több mező érvénytelen"],"UP":[null,"ÉL"],"Services":[null,"Szolgáltatások"],"Message":[null,"Üzenet"],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,"Nyomj meg"],"Warning":[null,"Figyelmeztetés"],"isActive":[null,"isActive"],"Language":[null,"Nyelv"],"Edit group":[null,"Csoport szerkesztése"],"Change title for this portlet":[null,"Portlet címének megváltoztatása"],"Add restriction":[null,"Korlátozás hozzáadása"],"State information":[null,"Meta adatok"],"No users to display":[null,"Nincsenek megjeleníthető felhasználók"],"Error report":[null,"Hibajelentés"],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,"Hitelesítési kulcs Api részére (választható)"],"Add new category":[null,"Új felhasználó hozzáadása"],"Close":[null,"Bezár"],"Available groups":[null,"Elérhető csoportok"],"Add new user":[null,"Új felhasználó hozzáadása"],"Edit user":[null,"Felhasználó szerkesztése"],"Could not remove the last tab!":[null,"Nem lehet eltávolítani az utolsó fület!"],"True":[null,"Igaz"],"Logout":[null,"Kijelentkezés"],"Reload":[null,""],"Delete":[null,"Felhasználó törlése"],"To start with a new application profile, click the following button.":[null,"Új alkalmazás profil elindításához kattints a következő gombra."],"description":[null,"leírás"],"(default) no option":[null,"(alapértelmezett) nincs lehetőség"],"Clear cache":[null,"Hibák törlése"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Kérlek ellenőrizd a beírt adatokat és próbáld újra!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,"Kérlek változtasd meg a konfigurációs fájlodat és állíts be egyet 'true'-nak (%s)."],"Error":[null,"Hiba"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"Az auth.behaviour nem megfelelően lett beállítva. A következők attribútumok közül legalább egyet engedélyezned kell:"],"Save this view as new cronk":[null,"Ennek a nézetnek URL-ként való megkapása"],"Access denied":[null,"Hozzáférés megtagadva"],"Running":[null,""],"Do you really want to delete these users?":[null,"Biztosan törlöd ezeket a felhasználókat?"],"Image":[null,""],"Principal":[null,"Résztvevő"],"Selection is missing":[null,"Hiányzik a kiválasztás"],"Increment current notification":[null,"Jelenlegi értesítés növelése"],"Name":[null,"Név"],"Icinga bug report":[null,"Icinga hibajelentés"],"elete cronk":[null,"Csoportok törlése"],"Reset":[null,"Alapállapot"],"firstname":[null,"keresztnév"],"Save Cronk":[null,""],"New category":[null,"Kategória eltávolítása"],"Password changed":[null,"A jelszó megváltozott"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Új felhasználó létrehozása"],"The password was successfully changed":[null,"A jelszó sikeresen megváltozott"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Nem tudok csatlakozni a webszerverhez!"],"The passwords don't match!":[null,"A megadott jelszavak nem egyeznek!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Parancs elküldve"],"Sorry":[null,"Elnézést"],"Delete groups":[null,"Csoportok törlése"],"Unknown":[null,"Ismeretlen"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Dokumentációk"],"Service latency (min/avg/max)":[null,"Szolgáltatás késleltetése (min/átlagos/max)"],"Displaying groups":[null,"Csoportok megjelenítése"],"Preferences for user":[null,"Felhasználói beállítások"],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,"Kijelölt csoportok eltávolítása"],"Cronk deleted":[null,""],"Group inheritance":[null,"Csoport öröklődés"],"Meta":[null,""],"Forced":[null,"Kényszerített"],"groupname":[null,"csoport név"],"Search":[null,"Keresés"],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"napló"],"Severity":[null,"Fontosság"],"Create report for dev.icinga.org":[null,"Jelentés készítése a köv. címre: dev.icinga.org"],"Change language":[null,"Nyelv megadása"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,"A szerver hibát észlelt: <br/>"],"Click to edit user":[null,"Felhasználó szerkesztése"],"Delete user":[null,"Felhasználó törlése"],"Bug report":[null,"Hiba jelentése"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"Nem módosítható"],"COMMENT_AUTHOR_NAME":[null,"COMMENT_AUTHOR_NAME"],"Session expired":[null,"A munkamenet lejárt"],"Hide disabled ":[null,"Rejtsd el a letiltott "],"No groups to display":[null,"Nincsenek megjeleníthető csoportok"],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Új csoport hozzáadása"],"Action":[null,"Beállítás"],"A error occured when requesting ":[null,"Hiba történt a kérés során "],"Auto refresh ({0} seconds)":[null,"Automatikus frissítés minden ({0} másodpercben"],"The following ":[null,"A következő "],"Grid settings":[null,"Grid beállítások"],"Yes":[null,"Igen"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Broadcast"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Alkalmazás állapotának alapállapotba hozása"],"Cronks":[null,""],"No":[null,"Nem"],"Enter title":[null,"Cím megadása"],"Add selected principals":[null,"Kiválasztott résztvevők hozzáadása"],"Success":[null,""],"Login error (configuration)":[null,"Bejelentkezési hiba (konfiguráció)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMMENT_DATA"],"Dev":[null,"Fejlesztés"],"Group name":[null,"Csoport neve"],"Select a principal (Press Ctrl for multiple selects)":[null,"Válaszd ki a résztvevőket (több kijelöléséhez használd a ctrl gombot)"],"Share your Cronk":[null,""],"Ressource ":[null,"Erőforrás "],"Authorization failed for this instance":[null,"Fül címének megváltoztatása"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Alkalmazás alaphelyzetbe állítása"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Felhasználói beállítások"],"Surname":[null,"Vezetéknév"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,"Keresés"],"CRITICAL":[null,"KRITIKUS"],"Login error":[null,"Bejelentkezési hiba"],"Modify filter":[null,"Szűrő módosítása"],"Status":[null,"Állapot"],"Stop icinga process":[null,""],"Language changed":[null,"A nyelv megváltozott"],"Remove":[null,"Eltávolítás"],"Disabled":[null,"Letiltva"],"You haven't selected anything!":[null,"Nem választottál ki semmit!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Az instrukciók megtekintéséhez kattints ide"],"active":[null,"aktív"],"Please enter a comment for this bug. This could be":[null,"Kérlek írj egy hozzászólást a hibához. Ez lehet"],"contain":[null,""],"Edit":[null,"Felhasználó szerkesztése"],"Guest":[null,"Vendég"],"Host latency (min/avg/max)":[null,"Hoszt késleltetés (min/átlag/max)"],"Displaying topics {0} - {1} of {2}":[null,"Témakörök megjelenítése {0} - {1} of {2}"],"Close others":[null,"Többi bezárása"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,"Ment"],"No node was removed":[null,"Csomópont nem lett eltávolítva"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"névtelen"],"lastname":[null,"vezetéknév"],"This item is read only!":[null,"Ez az elem csak olvasható!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,"Ennek a nézetnek URL-ként való megkapása"],"New Preference":[null,"Új preferencia"],"Confirm":[null,"Jelszó megerősítése"],"Reload the cronk (not the content)":[null,"A cronk újratöltése (nem a tartalomé)"],"Send report to admin":[null,"Jelentés küldése az adminisztrátornak"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Biztosan törlöd az összeset "],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Mi vagyunk az Icinga"],"Unknown field type: {0}":[null,"Ismeretlen mező típus: {0}"],"Meta information":[null,"Meta adatok"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} parancsot sikeresen elküldtem!"],"Link to this view":[null,"Link ehhez a nézethez"],"UNKNOWN":[null,"ISMERETLEN"],"About":[null,"Névjegy"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Kérlek lépj kapcsolatba a rendszergazdával, ha úgy gondolod ez nem megszokott."],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Megszakít"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Módosítva"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,"Általános információ"],"Displaying users":[null,"Felhasználók megjelenítése"],"Position":[null,"Leírás"],"Remove this preference":[null,"Beállítása eltávolítása"],"{0} ({1} items)":[null,"{0} ({1} elemek)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"felhasználói név"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,"A kijelentkezés útján ..."],"Hosts":[null,"Hosztok"],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Jelszó mentése"],"Agavi setting":[null,"Grid beállítások"],"seconds":[null,""],"Unknown id":[null,"Ismeretlen id"],"CronkBuilder":[null,""],"Available logs":[null,"Elérhető naplók"],"Link":[null,"Link"],"New password":[null,"Új jelszó"],"Settings":[null,"Beállítások"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Hamis"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"ELÉRHETETLEN"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Beállítás"],"Refresh":[null,"Frissítés"],"Are you sure to do this?":[null,"Biztosan ezt csinálod?"]," principals?":[null,"résztvevők?"],"Tab slider":[null,""],"Clear errors":[null,"Hibák törlése"],"OK":[null,"OK"],"Services (active/passive)":[null,"Szolgáltatások (aktív/passzív)"],"Remove selected users":[null,"Kijelölt felhasználók eltávolítása"],"Type":[null,"Típus"],"Comment bug":[null,"Komment hiba"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Új csoport létrehozása"],"Add":[null,"Hozzáadás"],"PENDING":[null,"FÜGGŐ"],"no principals availabe":[null,"nincsenek elérhető résztvevők"],"Advanced":[null,"Haladó"],"COMMENT_TIME":[null,"COMMENT_TIME"],"Change Password":[null,"Jelszó megváltoztatása"],"Language settings":[null,"Nyelvi beállítások"],"Removing a category":[null,"Kategória eltávolítása"],"The confirmed password doesn't match":[null,"A megerősített jelszó nem egyezik"],"Rename":[null,"Átnevez"],"Return code out of bounds":[null,"A visszatért érték a határokon kívülre esik"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Nem tölthető be a cronk listázás, a következő hiba történt: {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Hiba történt parancs küldésekor"],"Time":[null,"Idő"],"Discard":[null,"Elvet"],"Are you sure to delete {0}":[null,"Biztosan ezt csinálod?"],"Refresh the data in the grid":[null,"Gridben lévő adatok frissítése"],"Remove selected":[null,"Kijelöltek eltávolítása"],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Fül címének megváltoztatása"],"Sorry, cronk \"%s\" not found":[null,"Sajnálom, nem találtam a \"%s\" cronk-ot"],"Available users":[null,"Elérhető felhasználók"],"Request failed":[null,"Sikertelen kérelem."],"Admin tasks":[null,""],"Services for ":[null,"Szolgáltatásokhoz "],"Login failed":[null,"A bejelentkezés sikertelen"],"Permissions":[null,"Engedélyek"],"Some error: {0}":[null,""],"Modified":[null,"Módosított"],"Hosts (active/passive)":[null,"Hosztok (aktív/passzív)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Beállítások"],"Item":[null,"Elem"],"Apply":[null,"Alkalmaz"],"Saving":[null,"Mentés"],"IN TOTAL":[null,"Összesen"],"Seems like you have no logs":[null,"Úgy tűnik nincsenek naplók"],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Leírás"],"DOWN":[null,"LEÁLLT"]}
\ No newline at end of file
+{"No topics to display":[null,"Nincs megjeleníthető témakör"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-29 00:11+0200","Language":" hu","Last-Translator":" Viktor <woodspeed@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-10-31 20:55+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Felhasználói név"],"Do you really want to delete these groups?":[null,"Biztosan törlöd ezeket a csoportokat?"],"Auto refresh":[null,"Automatikus frissítés"],"Please provide a password for this user":[null,"Kérlek adj meg egy jelszót a felhasználóhoz"],"Auth via":[null,"Hitelesítés ezen keresztül"],"email":[null,"email"],"Critical error":[null,"Kritikus hiba"],"Unknown error - please check your logs":[null,""],"Password":[null,"Jelszó"],"Category editor":[null,""],"Tactical overview settings":[null,"Taktikai áttekintés beállítása"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,"Elemek"],"Sorry, you could not be authenticated for icinga-web.":[null,"Sajnálom, nem azonosítható az icinga-webhez."],"Reset view":[null,"Alapállapot"],"Command":[null,"Parancs"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Hoszt végrehajtási idők (min/átlag/max)"],"Created":[null,"Létrehozva"],"Your login session has gone away, press ok to login again!":[null,"Bejelentkezési munkameneted lejárt, kattints az ok gombra az újbóli bejelentkezéshez!"],"WARNING":[null,"FIGYELMEZTETÉS"],"Sorry, could not find a xml file for %s":[null,"Sajnálom, nem találtam a %s-hez xml fájlt."],"of":[null,"of"],"Your default language hast changed!":[null,"Alapértelmezett nyelvi beállításod megváltozott!"],"User":[null,"Felhasználó"],"Principals":[null,"Résztvevők"],"Filter":[null,"Szűrő"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,"Ne felejtsd el törölni az agavi config cache-t azután."],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"A parancsot nem tudtam elküldeni, kérlek vizsgáld meg a naplófájlokat!"],"Welcome":[null,"Üdvözzöllek"],"Categories":[null,""],"This command will be send to all selected items":[null,"Ez a parancs az összes kiválasztott elemnek el lesz küldve"],"Critical":[null,"Kritikus"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"SERVICE_OUTPUT"],"Groups":[null,"Csoportok"],"Users":[null,"Felhasználók"],"Say what?":[null,"Micsoda?"],"Login":[null,"Bejelentkezés"],"Confirm password":[null,"Jelszó megerősítése"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,"id"],"Email":[null,"E-mail"],"Clear selection":[null,"Kijelölés törlése"],"Commands":[null,"Parancsok"],"Service execution (min/avg/max)":[null,"Szolgáltatás végrehajtása (min/átlagos/max)"],"Nothing selected":[null,"Nincs kijelölve semmi"],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,"Kivétel keletkezett: %s"],"Your application profile has been deleted!":[null,"Alkalmazás profilod törölve lett!"],"Title":[null,"névtelen"],"One or more fields are invalid":[null,"Egy vagy több mező érvénytelen"],"UP":[null,"ÉL"],"Services":[null,"Szolgáltatások"],"Message":[null,"Üzenet"],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,"Nyomj meg"],"Warning":[null,"Figyelmeztetés"],"isActive":[null,"isActive"],"Language":[null,"Nyelv"],"Edit group":[null,"Csoport szerkesztése"],"Change title for this portlet":[null,"Portlet címének megváltoztatása"],"Add restriction":[null,"Korlátozás hozzáadása"],"State information":[null,"Meta adatok"],"No users to display":[null,"Nincsenek megjeleníthető felhasználók"],"Error report":[null,"Hibajelentés"],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,"Hitelesítési kulcs Api részére (választható)"],"Add new category":[null,"Új felhasználó hozzáadása"],"Close":[null,"Bezár"],"Available groups":[null,"Elérhető csoportok"],"Add new user":[null,"Új felhasználó hozzáadása"],"Edit user":[null,"Felhasználó szerkesztése"],"Could not remove the last tab!":[null,"Nem lehet eltávolítani az utolsó fület!"],"True":[null,"Igaz"],"Logout":[null,"Kijelentkezés"],"Reload":[null,""],"Delete":[null,"Felhasználó törlése"],"To start with a new application profile, click the following button.":[null,"Új alkalmazás profil elindításához kattints a következő gombra."],"description":[null,"leírás"],"(default) no option":[null,"(alapértelmezett) nincs lehetőség"],"Clear cache":[null,"Hibák törlése"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Kérlek ellenőrizd a beírt adatokat és próbáld újra!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,"Kérlek változtasd meg a konfigurációs fájlodat és állíts be egyet 'true'-nak (%s)."],"Error":[null,"Hiba"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"Az auth.behaviour nem megfelelően lett beállítva. A következők attribútumok közül legalább egyet engedélyezned kell:"],"Save this view as new cronk":[null,"Ennek a nézetnek URL-ként való megkapása"],"Access denied":[null,"Hozzáférés megtagadva"],"Running":[null,""],"Do you really want to delete these users?":[null,"Biztosan törlöd ezeket a felhasználókat?"],"Image":[null,""],"Principal":[null,"Résztvevő"],"Selection is missing":[null,"Hiányzik a kiválasztás"],"Increment current notification":[null,"Jelenlegi értesítés növelése"],"Name":[null,"Név"],"Icinga bug report":[null,"Icinga hibajelentés"],"elete cronk":[null,"Csoportok törlése"],"Reset":[null,"Alapállapot"],"firstname":[null,"keresztnév"],"Save Cronk":[null,""],"New category":[null,"Kategória eltávolítása"],"Password changed":[null,"A jelszó megváltozott"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Új felhasználó létrehozása"],"The password was successfully changed":[null,"A jelszó sikeresen megváltozott"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Nem tudok csatlakozni a webszerverhez!"],"The passwords don't match!":[null,"A megadott jelszavak nem egyeznek!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Parancs elküldve"],"Sorry":[null,"Elnézést"],"Delete groups":[null,"Csoportok törlése"],"Unknown":[null,"Ismeretlen"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Dokumentációk"],"Service latency (min/avg/max)":[null,"Szolgáltatás késleltetése (min/átlagos/max)"],"Displaying groups":[null,"Csoportok megjelenítése"],"Preferences for user":[null,"Felhasználói beállítások"],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,"Kijelölt csoportok eltávolítása"],"Cronk deleted":[null,""],"Group inheritance":[null,"Csoport öröklődés"],"Meta":[null,""],"Forced":[null,"Kényszerített"],"groupname":[null,"csoport név"],"Search":[null,"Keresés"],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"napló"],"Severity":[null,"Fontosság"],"Create report for dev.icinga.org":[null,"Jelentés készítése a köv. címre: dev.icinga.org"],"Change language":[null,"Nyelv megadása"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,"A szerver hibát észlelt: <br/>"],"Click to edit user":[null,"Felhasználó szerkesztése"],"Delete user":[null,"Felhasználó törlése"],"Bug report":[null,"Hiba jelentése"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"Nem módosítható"],"COMMENT_AUTHOR_NAME":[null,"COMMENT_AUTHOR_NAME"],"Session expired":[null,"A munkamenet lejárt"],"Hide disabled ":[null,"Rejtsd el a letiltott "],"No groups to display":[null,"Nincsenek megjeleníthető csoportok"],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Új csoport hozzáadása"],"Action":[null,"Beállítás"],"A error occured when requesting ":[null,"Hiba történt a kérés során "],"Auto refresh ({0} seconds)":[null,"Automatikus frissítés minden ({0} másodpercben"],"The following ":[null,"A következő "],"Grid settings":[null,"Grid beállítások"],"Yes":[null,"Igen"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Broadcast"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Alkalmazás állapotának alapállapotba hozása"],"Cronks":[null,""],"No":[null,"Nem"],"Enter title":[null,"Cím megadása"],"Add selected principals":[null,"Kiválasztott résztvevők hozzáadása"],"Success":[null,""],"Login error (configuration)":[null,"Bejelentkezési hiba (konfiguráció)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMMENT_DATA"],"Dev":[null,"Fejlesztés"],"Group name":[null,"Csoport neve"],"Select a principal (Press Ctrl for multiple selects)":[null,"Válaszd ki a résztvevőket (több kijelöléséhez használd a ctrl gombot)"],"Share your Cronk":[null,""],"Ressource ":[null,"Erőforrás "],"Authorization failed for this instance":[null,"Fül címének megváltoztatása"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Alkalmazás alaphelyzetbe állítása"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Felhasználói beállítások"],"Surname":[null,"Vezetéknév"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,"Keresés"],"CRITICAL":[null,"KRITIKUS"],"Login error":[null,"Bejelentkezési hiba"],"Modify filter":[null,"Szűrő módosítása"],"Status":[null,"Állapot"],"Stop icinga process":[null,""],"Language changed":[null,"A nyelv megváltozott"],"Remove":[null,"Eltávolítás"],"Disabled":[null,"Letiltva"],"You haven't selected anything!":[null,"Nem választottál ki semmit!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Az instrukciók megtekintéséhez kattints ide"],"active":[null,"aktív"],"Please enter a comment for this bug. This could be":[null,"Kérlek írj egy hozzászólást a hibához. Ez lehet"],"contain":[null,""],"Edit":[null,"Felhasználó szerkesztése"],"Guest":[null,"Vendég"],"Host latency (min/avg/max)":[null,"Hoszt késleltetés (min/átlag/max)"],"Displaying topics {0} - {1} of {2}":[null,"Témakörök megjelenítése {0} - {1} of {2}"],"Close others":[null,"Többi bezárása"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,"Ment"],"No node was removed":[null,"Csomópont nem lett eltávolítva"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"névtelen"],"lastname":[null,"vezetéknév"],"This item is read only!":[null,"Ez az elem csak olvasható!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,"Ennek a nézetnek URL-ként való megkapása"],"New Preference":[null,"Új preferencia"],"Confirm":[null,"Jelszó megerősítése"],"Reload the cronk (not the content)":[null,"A cronk újratöltése (nem a tartalomé)"],"Send report to admin":[null,"Jelentés küldése az adminisztrátornak"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Biztosan törlöd az összeset "],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Mi vagyunk az Icinga"],"Unknown field type: {0}":[null,"Ismeretlen mező típus: {0}"],"Meta information":[null,"Meta adatok"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} parancsot sikeresen elküldtem!"],"Link to this view":[null,"Link ehhez a nézethez"],"UNKNOWN":[null,"ISMERETLEN"],"About":[null,"Névjegy"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Kérlek lépj kapcsolatba a rendszergazdával, ha úgy gondolod ez nem megszokott."],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Megszakít"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Módosítva"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,"Általános információ"],"Displaying users":[null,"Felhasználók megjelenítése"],"Position":[null,"Leírás"],"Remove this preference":[null,"Beállítása eltávolítása"],"{0} ({1} items)":[null,"{0} ({1} elemek)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"felhasználói név"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,"A kijelentkezés útján ..."],"Hosts":[null,"Hosztok"],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Jelszó mentése"],"Agavi setting":[null,"Grid beállítások"],"seconds":[null,""],"Unknown id":[null,"Ismeretlen id"],"CronkBuilder":[null,""],"Available logs":[null,"Elérhető naplók"],"Link":[null,"Link"],"New password":[null,"Új jelszó"],"Settings":[null,"Beállítások"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Hamis"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"HOST_OUTPUT"],"UNREACHABLE":[null,"ELÉRHETETLEN"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Beállítás"],"Refresh":[null,"Frissítés"],"Are you sure to do this?":[null,"Biztosan ezt csinálod?"]," principals?":[null,"résztvevők?"],"Tab slider":[null,""],"Clear errors":[null,"Hibák törlése"],"OK":[null,"OK"],"Services (active/passive)":[null,"Szolgáltatások (aktív/passzív)"],"Remove selected users":[null,"Kijelölt felhasználók eltávolítása"],"Type":[null,"Típus"],"Comment bug":[null,"Komment hiba"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Új csoport létrehozása"],"Add":[null,"Hozzáadás"],"PENDING":[null,"FÜGGŐ"],"no principals availabe":[null,"nincsenek elérhető résztvevők"],"Advanced":[null,"Haladó"],"COMMENT_TIME":[null,"COMMENT_TIME"],"Change Password":[null,"Jelszó megváltoztatása"],"Language settings":[null,"Nyelvi beállítások"],"Removing a category":[null,"Kategória eltávolítása"],"The confirmed password doesn't match":[null,"A megerősített jelszó nem egyezik"],"Rename":[null,"Átnevez"],"Return code out of bounds":[null,"A visszatért érték a határokon kívülre esik"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Nem tölthető be a cronk listázás, a következő hiba történt: {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Hiba történt parancs küldésekor"],"Time":[null,"Idő"],"Discard":[null,"Elvet"],"Are you sure to delete {0}":[null,"Biztosan ezt csinálod?"],"Refresh the data in the grid":[null,"Gridben lévő adatok frissítése"],"Remove selected":[null,"Kijelöltek eltávolítása"],"Stopped":[null,""],"Reload cronk":[null,"Csoportok törlése"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Fül címének megváltoztatása"],"Sorry, cronk \"%s\" not found":[null,"Sajnálom, nem találtam a \"%s\" cronk-ot"],"Available users":[null,"Elérhető felhasználók"],"Request failed":[null,"Sikertelen kérelem."],"Admin tasks":[null,""],"Services for ":[null,"Szolgáltatásokhoz "],"Login failed":[null,"A bejelentkezés sikertelen"],"Permissions":[null,"Engedélyek"],"Some error: {0}":[null,""],"Modified":[null,"Módosított"],"Hosts (active/passive)":[null,"Hosztok (aktív/passzív)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Beállítások"],"Item":[null,"Elem"],"Apply":[null,"Alkalmaz"],"Saving":[null,"Mentés"],"Expand":[null,""],"IN TOTAL":[null,"Összesen"],"Seems like you have no logs":[null,"Úgy tűnik nincsenek naplók"],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Leírás"],"DOWN":[null,"LEÁLLT"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/it.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" it","Last-Translator":" Massimo <forni.massimo@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-10-07 10:10+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Rinomina"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,"Aggiornamento automatico"],"Please provide a password for this user":[null,""],"Auth via":[null,"Authentificazione via"],"email":[null,""],"Critical error":[null,"Critico"],"Unknown error - please check your logs":[null,""],"Password":[null,"Password"],"Category editor":[null,""],"Tactical overview settings":[null,"Preferenze della visione tattica"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Accesso effettuato con successo. Ora dovresti essere rediretto \"#~ \"automaticamente. In caso contrario <a href=\"%s\">clicca quì</a>.\""],"Command":[null,"Comando"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"WARNING"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Utente"],"Principals":[null,""],"Filter":[null,"Filtro"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Benvenuto"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Critico"],"Cronk Id":[null,""],"no more fields":[null,"nessun ulteriore campo"],"Groups":[null,""],"Users":[null,"Utente"],"Say what?":[null,""],"Login":[null,"Accesso"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,""],"Email":[null,""],"Clear selection":[null,"Cancella la selezione"],"Commands":[null,"Comandi"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Inserire il titolo"],"One or more fields are invalid":[null,"nessun ulteriore campo"],"UP":[null,"UP"],"Services":[null,"Servizi per"],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,""],"Warning":[null,"Attenzione"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,"Cambia il titolo di questo portlet"],"Add restriction":[null,"Aggiungi restrizione"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,"chiave di autorizzazione per l'API (opzionale)"],"Add new category":[null,"Aggiungi nuovo utente"],"Close":[null,"Chiudi"],"Available groups":[null,"Gruppi disponibili"],"Add new user":[null,"Aggiungi nuovo utente"],"Edit user":[null,""],"Could not remove the last tab!":[null,"Impossibile rimuovere l'ultimo tab!"],"True":[null,""],"Logout":[null,"Log"],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Aggiungi restrizione"],"(default) no option":[null,"(default) nessuna opzione"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Controlla quello che hai inserito e riprova!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,"Accesso negato"],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Selezione mancante"],"Increment current notification":[null,"Aumenta la notifica corrente"],"Name":[null,"Rinomina"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,"Reset"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Password"],"Icinga status":[null,"Icinga"],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Comando eseguito"],"Sorry":[null,"Mi dispiace"],"Delete groups":[null,""],"Unknown":[null,"Sconosciuto"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Documentazione"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Servizi per"],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Forzato"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"Log"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,"Cambia la lingua"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Aggiungi nuovo gruppo"],"Action":[null,"Opzione"],"A error occured when requesting ":[null,"Errore durante la richiesta"],"Auto refresh ({0} seconds)":[null,"Aggiornamento automatico"],"The following ":[null,""],"Grid settings":[null,"Preferenze"],"Yes":[null,"Si"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Broadcast"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"No"],"Enter title":[null,"Inserire il titolo"],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Dispositivo"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Cambia il titolo di questo tab"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Rinomina"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,""],"CRITICAL":[null,"CRITICO"],"Login error":[null,"Accesso"],"Modify filter":[null,"Modifica filtro"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Rimuovi"],"Disabled":[null,"Elimina"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Ospite"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Chiudi gli altri"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"Inserire il titolo"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,"Ricarica il cronk (non il contenuto)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Campo tipo sconosciuto: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} comando eseguito correttamente!"],"Link to this view":[null,""],"UNKNOWN":[null,"UNKNOWN"],"About":[null,"Informazioni"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Annulla"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Modifica"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"Aggiungi restrizione"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} oggetti)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"Rinomina"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Password"],"Agavi setting":[null,"Preferenze"],"seconds":[null,""],"Unknown id":[null,"Sconosciuto"],"CronkBuilder":[null,""],"Available logs":[null,"Gruppi disponibili"],"Link":[null,"Accesso"],"New password":[null,"Password"],"Settings":[null,"Preferenze"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Chiudi"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"UNREACHABLE"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Opzione"],"Refresh":[null,"Aggiorna"],"Are you sure to do this?":[null,"Sei sicuro?"]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"Ok"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Comando eseguito"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,""],"Add":[null,"Aggiungi"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,"Avanzato"],"COMMENT_TIME":[null,""],"Change Password":[null,"Cambia la Password"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Rinomina"],"Return code out of bounds":[null,"Codice di ritorno fuori dai limiti"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Errore nell'esecuzione del comando"],"Time":[null,""],"Discard":[null,"Elimina"],"Are you sure to delete {0}":[null,"Sei sicuro?"],"Refresh the data in the grid":[null,"Aggiorna i dati nella griglia"],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Cambia il titolo di questo tab"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,"Utenti disponibili"],"Request failed":[null,""],"Close and refresh":[null,"Aggiornamento automatico"],"Admin tasks":[null,""],"Services for ":[null,"Servizi per"],"Login failed":[null,"Accesso fallito"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Modifica"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Applica"],"Saving":[null,"Attenzione"],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Aggiungi restrizione"],"DOWN":[null,"DOWN"]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" it","Last-Translator":" Massimo <forni.massimo@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-10-07 10:10+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Rinomina"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,"Aggiornamento automatico"],"Please provide a password for this user":[null,""],"Auth via":[null,"Authentificazione via"],"email":[null,""],"Critical error":[null,"Critico"],"Unknown error - please check your logs":[null,""],"Password":[null,"Password"],"Category editor":[null,""],"Tactical overview settings":[null,"Preferenze della visione tattica"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Accesso effettuato con successo. Ora dovresti essere rediretto \"#~ \"automaticamente. In caso contrario <a href=\"%s\">clicca quì</a>.\""],"Reset view":[null,"Reset"],"Command":[null,"Comando"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"WARNING"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Utente"],"Principals":[null,""],"Filter":[null,"Filtro"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Benvenuto"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Critico"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"SERVICE_OUTPUT"],"no more fields":[null,"nessun ulteriore campo"],"Groups":[null,""],"Users":[null,"Utente"],"Say what?":[null,""],"Login":[null,"Accesso"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,""],"Email":[null,""],"Clear selection":[null,"Cancella la selezione"],"Commands":[null,"Comandi"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Inserire il titolo"],"One or more fields are invalid":[null,"nessun ulteriore campo"],"UP":[null,"UP"],"Services":[null,"Servizi per"],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,""],"Warning":[null,"Attenzione"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,"Cambia il titolo di questo portlet"],"Add restriction":[null,"Aggiungi restrizione"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,"chiave di autorizzazione per l'API (opzionale)"],"Add new category":[null,"Aggiungi nuovo utente"],"Close":[null,"Chiudi"],"Available groups":[null,"Gruppi disponibili"],"Add new user":[null,"Aggiungi nuovo utente"],"Edit user":[null,""],"Could not remove the last tab!":[null,"Impossibile rimuovere l'ultimo tab!"],"True":[null,""],"Logout":[null,"Log"],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Aggiungi restrizione"],"(default) no option":[null,"(default) nessuna opzione"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Controlla quello che hai inserito e riprova!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,"Accesso negato"],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Selezione mancante"],"Increment current notification":[null,"Aumenta la notifica corrente"],"Name":[null,"Rinomina"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,"Reset"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Password"],"Icinga status":[null,"Icinga"],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Comando eseguito"],"Sorry":[null,"Mi dispiace"],"Delete groups":[null,""],"Unknown":[null,"Sconosciuto"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Documentazione"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Servizi per"],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Forzato"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"Log"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,"Cambia la lingua"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Aggiungi nuovo gruppo"],"Action":[null,"Opzione"],"A error occured when requesting ":[null,"Errore durante la richiesta"],"Auto refresh ({0} seconds)":[null,"Aggiornamento automatico"],"The following ":[null,""],"Grid settings":[null,"Preferenze"],"Yes":[null,"Si"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Broadcast"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"No"],"Enter title":[null,"Inserire il titolo"],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Dispositivo"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Cambia il titolo di questo tab"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Rinomina"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,""],"CRITICAL":[null,"CRITICO"],"Login error":[null,"Accesso"],"Modify filter":[null,"Modifica filtro"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Rimuovi"],"Disabled":[null,"Elimina"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Ospite"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Chiudi gli altri"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"Inserire il titolo"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,"Ricarica il cronk (non il contenuto)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Campo tipo sconosciuto: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} comando eseguito correttamente!"],"Link to this view":[null,""],"UNKNOWN":[null,"UNKNOWN"],"About":[null,"Informazioni"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Annulla"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Modifica"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"Aggiungi restrizione"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} oggetti)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"Rinomina"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Password"],"Agavi setting":[null,"Preferenze"],"seconds":[null,""],"Unknown id":[null,"Sconosciuto"],"CronkBuilder":[null,""],"Available logs":[null,"Gruppi disponibili"],"Link":[null,"Accesso"],"New password":[null,"Password"],"Settings":[null,"Preferenze"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Chiudi"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"HOST_OUTPUT"],"UNREACHABLE":[null,"UNREACHABLE"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Opzione"],"Refresh":[null,"Aggiorna"],"Are you sure to do this?":[null,"Sei sicuro?"]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"Ok"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Comando eseguito"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,""],"Add":[null,"Aggiungi"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,"Avanzato"],"COMMENT_TIME":[null,""],"Change Password":[null,"Cambia la Password"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Rinomina"],"Return code out of bounds":[null,"Codice di ritorno fuori dai limiti"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Errore nell'esecuzione del comando"],"Time":[null,""],"Discard":[null,"Elimina"],"Are you sure to delete {0}":[null,"Sei sicuro?"],"Refresh the data in the grid":[null,"Aggiorna i dati nella griglia"],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Cambia il titolo di questo tab"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,"Utenti disponibili"],"Request failed":[null,""],"Close and refresh":[null,"Aggiornamento automatico"],"Admin tasks":[null,""],"Services for ":[null,"Servizi per"],"Login failed":[null,"Accesso fallito"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Modifica"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Applica"],"Saving":[null,"Attenzione"],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Aggiungi restrizione"],"DOWN":[null,"DOWN"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/ja.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=1; plural=0;","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-29 00:00+0200","Language":" ja","Last-Translator":" Nathalie <midna-chan@arcor.de>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-04-30 15:56+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"名前を変更しなさい"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,""],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,""],"Unknown error - please check your logs":[null,""],"Password":[null,"パスワード"],"Category editor":[null,""],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"Command":[null,""],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"警告"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"ユーザー"],"Principals":[null,""],"Filter":[null,"フィルター"],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"こんにちは"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,""],"Cronk Id":[null,""],"Groups":[null,""],"Users":[null,"ユーザー"],"Say what?":[null,""],"Login":[null,"ログイン"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,""],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"タイトルを入れなさい"],"One or more fields are invalid":[null,""],"UP":[null,""],"Services":[null,""],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,"警告"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,""],"Add restriction":[null,""],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,""],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,""],"True":[null,""],"Logout":[null,"ログ"],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,""],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,""],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,""],"Name":[null,"名前を変更しなさい"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,""],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"パスワード"],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,""],"Sorry":[null,"ごめんなさい"],"Delete groups":[null,""],"Unknown":[null,""],"HOST_ALIAS":[null,""],"Docs":[null,""],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"強制"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,"ログ"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,""],"Action":[null,"選択"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,""],"The following ":[null,""],"Grid settings":[null,"設定"],"Yes":[null,"はい"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,""],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"いいえ"],"Enter title":[null,"タイトルを入れなさい"],"Add selected principals":[null,""],"Success":[null,""],"Try":[null,"試み"],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,""],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,""],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"名前を変更しなさい"],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,""],"Login error":[null,"ログイン"],"Modify filter":[null,"フィルターを変更しなさい"],"Status":[null,"状態"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,""],"Disabled":[null,""],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"ゲスト"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,""],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"タイトルを入れなさい"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,""],"Unknown field type: {0}":[null,""],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,""],"Link to this view":[null,""],"UNKNOWN":[null,"未知"],"About":[null,""],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,""],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"変更しなさい"],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,""],"Remove this preference":[null,""],"{0} ({1} items)":[null,""],"HOST_ADDRESS":[null,""],"You can not delete system categories":[null,""],"username":[null,"名前を変更しなさい"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,"パスワード"],"Agavi setting":[null,"設定"],"seconds":[null,""],"Unknown id":[null,""],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,"ログイン"],"New password":[null,"パスワード"],"Settings":[null,"設定"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,""],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,"選択"],"Refresh":[null,""],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"オ-け"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,""],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,""],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,"パスワード"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"名前を変更しなさい"],"Return code out of bounds":[null,""],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,""],"Time":[null,""],"Discard":[null,""],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,""],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,""],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,"ログインは失敗した"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"変更しなさい"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,""],"Saving":[null,"警告"],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,""],"Description":[null,""],"DOWN":[null,""]}
\ No newline at end of file
+{"No topics to display":[null,"表示するトピックスがありません"],"":{"Plural-Forms":" nplurals=1; plural=0;","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-29 00:00+0200","Language":" ja","Last-Translator":" Koichi <mugeso@mugeso.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-02-22 05:17+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"ユーザー名"],"Do you really want to delete these groups?":[null,"本当にこれらのグループを削除しますか?"],"Auto refresh":[null,"自動リフレッシュ"],"Please provide a password for this user":[null,"このユーザーのパスワードを入力してください"],"Auth via":[null,"認証方法"],"email":[null,"メールアドレス"],"Critical error":[null,"重大なエラー"],"Unknown error - please check your logs":[null,"不明なエラー - ログを確認してください"],"Password":[null,"パスワード"],"Category editor":[null,"カテゴリエディタ"],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,"アイテム"],"Sorry, you could not be authenticated for icinga-web.":[null,""],"Reset view":[null,"リセット"],"Command":[null,"コマンド"],"We have deleted your cronk \"{0}\"":[null,"あなたの\"{0}\"クロンクを削除しました"],"Host execution time (min/avg/max)":[null,"ホスト実行時間 (最小/平均/最大)"],"Created":[null,"作成しました"],"Your login session has gone away, press ok to login again!":[null,"ログインセッションが破棄されました。OKを押して再ログインしてください。"],"WARNING":[null,"警告"],"Sorry, could not find a xml file for %s":[null,"%s のxmlファイルが見つかりませんでした"],"of":[null,""],"Your default language hast changed!":[null,"デフォルトの言語を変更しました!"],"User":[null,"ユーザー"],"Principals":[null,""],"Filter":[null,"フィルター"],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,"後でagaviの設定キャッシュをクリアーすることを忘れないでください。"],"Couldn't submit check command - check your access.xml":[null,"チェックコマンドを送信できません - access.xml を確認してください"],"Could not send the command, please examine the logs!":[null,"コマンドを送信できませんでした。ログを確かめてください!"],"Welcome":[null,"こんにちは"],"Categories":[null,"カテゴリー"],"This command will be send to all selected items":[null,"このコマンドは選択されたすべての項目に送信されます"],"Critical":[null,""],"Cronk Id":[null,"クロンク Id"],"SERVICE_LONG_OUTPUT":[null,""],"Groups":[null,"グループ"],"Users":[null,"ユーザー"],"Say what?":[null,"何ですって?"],"Login":[null,"ログイン"],"Confirm password":[null,"パスワードの確認"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,"id"],"Email":[null,"メールアドレス"],"Clear selection":[null,"選択を取り消す"],"Commands":[null,"コマンド"],"Service execution (min/avg/max)":[null,"サービス 実行 (最小/平均/最大)"],"Nothing selected":[null,"何も選択されていません"],"HOST_EXECUTION_TIME":[null,""],"is not":[null,"が次とは異なる"],"Exception thrown: %s":[null,"例外が投げられました: %s"],"Your application profile has been deleted!":[null,"アプリケーションプロファイルが削除されました!"],"Title":[null,"タイトル"],"One or more fields are invalid":[null,"不正なフィールドがあります"],"UP":[null,"稼働"],"Services":[null,"サービス"],"Message":[null,"メッセージ"],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,"押して下さい"],"Warning":[null,"警告"],"isActive":[null,"有効"],"Language":[null,"言語"],"Edit group":[null,"グループを編集"],"Change title for this portlet":[null,"このポートレットのタイトルを変更"],"Add restriction":[null,"条件の追加"],"State information":[null,""],"No users to display":[null,"表示するユーザがいません"],"Error report":[null,"エラーレポート"],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,"Api認証キー(オプション)"],"Add new category":[null,"新しいカテゴリの追加"],"Close":[null,"閉じる"],"Available groups":[null,"有効なグループ"],"Add new user":[null,"新しいユーザの追加"],"Edit user":[null,"ユーザを編集"],"Could not remove the last tab!":[null,"最後のタブは削除できません!"],"True":[null,""],"Logout":[null,"ログアウト"],"Reload":[null,"再読み込み"],"Delete":[null,"削除"],"To start with a new application profile, click the following button.":[null,"新しいアプリケーションプロファイルを開始するために、下記のボタンをクリックしてください。"],"description":[null,"概要"],"(default) no option":[null,""],"Clear cache":[null,"キャッシュを破棄"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,"入力を確認して下さい!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,"可視"],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"エラー"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"auth.behaviourが正しく設定されていません。次の属性のうち少なくとも一つを設定してください。"],"Save this view as new cronk":[null,"このビューを新しいクロンクとして保存"],"Access denied":[null,"アクセスできません"],"Running":[null,""],"Do you really want to delete these users?":[null,"本当にこれらのユーザを削除しますか?"],"Image":[null,"画像"],"Principal":[null,""],"Selection is missing":[null,"選択されていません"],"Increment current notification":[null,""],"Name":[null,"名前"],"Icinga bug report":[null,"Icinga バグレポート"],"elete cronk":[null,"クロンクを削除"],"Reset":[null,"リセット"],"firstname":[null,"名"],"Save Cronk":[null,"クロンクを保存"],"New category":[null,"新しいカテゴリ"],"Password changed":[null,"パスワードを変更しました"],"Icinga status":[null,""],"Create a new user":[null,"新しいユーザを作成"],"The password was successfully changed":[null,"正常にパスワードを変更しました"],"Invalid authorization type defined in access.xml":[null,"access.xmlで不正な認証タイプが定義されています"],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,"完了するためにインターフェイスを再読み込みする必要があります。よろしいですか?"],"does not contain":[null,"が次を含まない"],"Couldn't connect to web-server.":[null,"ウェブサーバに接続できません。"],"The passwords don't match!":[null,"パスワードが一致しません"],"less than":[null,"が次未満"],"HOST_LAST_CHECK":[null,""],"Command sent":[null,"コマンド送信"],"Sorry":[null,"ごめんなさい"],"Delete groups":[null,"グループを削除"],"Unknown":[null,"不明"],"HOST_ALIAS":[null,""],"Docs":[null,"資料"],"Service latency (min/avg/max)":[null,"サービスのレイテンシー (最小/平均/最大)"],"Displaying groups":[null,"グループの表示"],"Preferences for user":[null,"ユーザー設定"],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,"選択したグループを削除"],"Cronk deleted":[null,"クロンクを削除しました"],"Group inheritance":[null,"グループの継承関係"],"Meta":[null,""],"Forced":[null,"強制"],"groupname":[null,"グループ名"],"Search":[null,"検索"],"SERVICE_NEXT_CHECK":[null,""],"log":[null,"ログ"],"Severity":[null,""],"Create report for dev.icinga.org":[null,"dev.icinga.orgへレポートを作成"],"Change language":[null,"言語の変更"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,"サーバーでエラーが発生しました:<br/>"],"Click to edit user":[null,"クリックしてユーザーを編集"],"Delete user":[null,"ユーザーを削除"],"Bug report":[null,"バグレポート"],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,"変更できません"],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,"セッションが期限切れになりました"],"Hide disabled ":[null,"無効な項目を隠す"],"No groups to display":[null,"表示するグループがありません"],"HOST_LATENCY":[null,""],"Add new group":[null,"新しいグループの追加"],"Action":[null,"アクション"],"A error occured when requesting ":[null,"リクエスト中にエラーが発生しました"],"Auto refresh ({0} seconds)":[null,"自動リフレッシュ({0}秒)"],"The following ":[null,""],"Grid settings":[null,"設定"],"Yes":[null,"はい"],"Loading TO \"{0}\" ...":[null,"\"{0}\"に読み込み中 ..."],"Loading Cronks ...":[null,"クロンクを読み込み中 ..."],"Please wait...":[null,"お待ちください ..."],"Broadcast":[null,"ブロードキャスト"],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,"が"],"Clear":[null,"クリア"],"Reset application state":[null,"アプリケーションの状態をリセット"],"Cronks":[null,"クロンク"],"No":[null,"いいえ"],"Enter title":[null,"タイトルを入力してください"],"Add selected principals":[null,"選択された主体を追加"],"Success":[null,"成功しました"],"Try":[null,"試み"],"Login error (configuration)":[null,"ログインエラー (設定)"],"(hh:ii)":[null,"(hh:ii)"],"COMMENT_DATA":[null,""],"Dev":[null,"開発"],"Group name":[null,"グループ名"],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,"クロンクを共有"],"Ressource ":[null,"リソース"],"Authorization failed for this instance":[null,""],"Cronk \"{0}\" successfully written to database!":[null,"\"{0}\"クロンクをデータベースに書き込みました!"],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,"icinga-webサーバーのssh2が有効になっていません。結果を確認できません。"],"User preferences":[null,"ユーザー設定"],"Surname":[null,"ニックネーム"],"HOST_NOTES_URL":[null,""],"Searching ...":[null,"検索中 ..."],"CRITICAL":[null,"異常"],"Login error":[null,"ログインエラー"],"Modify filter":[null,"フィルターを変更"],"Status":[null,"状態"],"Stop icinga process":[null,"icingaのプロセスを停止"],"Language changed":[null,"言語が変更されました"],"Remove":[null,"削除"],"Disabled":[null,""],"You haven't selected anything!":[null,"何も選択されていません!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,"新しいxml設定を有効にするためagaviの設定キャッシュをクリアします。"],"greater than":[null,"が次以上"],"Click here to view instructions":[null,"クリックすると使用説明を見れます"],"active":[null,"アクティブ"],"Please enter a comment for this bug. This could be":[null,"このバグに対するコメントを入力してください。This could be"],"contain":[null,"が次を含む"],"Edit":[null,"編集"],"Guest":[null,"ゲスト"],"Host latency (min/avg/max)":[null,"ホストレイテンシー(最小/平均/最大)"],"Displaying topics {0} - {1} of {2}":[null,"{2}件中 {0} - {1} のトピックを表示"],"Close others":[null,"他を閉じる"],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,"保存"],"No node was removed":[null,"削除するノードがありませんでした"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"無題"],"lastname":[null,"姓"],"This item is read only!":[null,"このアイテムは変更できません"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,"このビューをURLとして取得"],"New Preference":[null,"新しい設定"],"Confirm":[null,"確認"],"Reload the cronk (not the content)":[null,"クロンクを再読み込み(内容ではない)"],"Send report to admin":[null,"管理者へレポートを送信"],"Not allowed":[null,"許されていません"],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"本当に全てを削除しますか"],"Expert mode":[null,"エキスパートモード"],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,"私たちはIcingaです"],"Unknown field type: {0}":[null,""],"Meta information":[null,""],"Parameters":[null,"パラメーター"],"{0} command was sent successfully!":[null,"{0}件のコマンド送信に成功しました!"],"Link to this view":[null,""],"UNKNOWN":[null,"不明"],"About":[null,"Icingaについて"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,"中止"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,"必須項目を入力してください (\"!\"マークがついています)"],"Modify":[null,"変更"],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,"一般情報"],"Displaying users":[null,""],"Position":[null,"位置"],"Remove this preference":[null,"この設定を削除"],"{0} ({1} items)":[null,"{0} ({1} 件)"],"HOST_ADDRESS":[null,""],"You can not delete system categories":[null,"システムカテゴリーは削除できません"],"username":[null,"ユーザー名"],"System categories are not editable!":[null,"システムカテゴリーは編集できません!"],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,"ホスト"],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,"パスワードを保存"],"Agavi setting":[null,"Agaviの設定"],"seconds":[null,"秒"],"Unknown id":[null,""],"CronkBuilder":[null,"クロンクビルダー"],"Available logs":[null,"利用可能なログ"],"Link":[null,"ログイン"],"New password":[null,"新しいパスワード"],"Settings":[null,"設定"],"Module":[null,"モジュール"],"HOST_DISPLAY_NAME":[null,""],"False":[null,""],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,"icingaプロセスを(再)起動する"],"HOST_LONG_OUTPUT":[null,""],"UNREACHABLE":[null,"到達不可能"],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,"選択"],"Refresh":[null,"リフレッシュ"],"Are you sure to do this?":[null,"本当に実行してよろしいですか?"]," principals?":[null,""],"Tab slider":[null,"タブスライダー"],"Clear errors":[null,"エラーをクリア"],"OK":[null,"OK"],"Services (active/passive)":[null,"サービス (アクティブ/パッシブ)"],"Remove selected users":[null,"選択したユーザーを削除"],"Type":[null,""],"Comment bug":[null,"バグにコメントする"],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,"新しいグループを作成"],"Add":[null,"追加"],"PENDING":[null,"保留"],"no principals availabe":[null,""],"Advanced":[null,"詳細"],"COMMENT_TIME":[null,""],"Change Password":[null,"パスワード変更"],"Language settings":[null,"言語設定"],"Removing a category":[null,"カテゴリーを削除中"],"The confirmed password doesn't match":[null,"確認用パスワードが一致していません"],"Rename":[null,"名前を変更"],"Return code out of bounds":[null,"範囲外の返り値です"],"CatId":[null,"カテゴリーID"],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"クロンクリストを読み込めません。次のエラーが発生しました: {0} ({1})"],"SERVICE_LATENCY":[null,""],"Error sending command":[null,""],"Time":[null,"日時"],"Discard":[null,"破棄"],"Are you sure to delete {0}":[null,"本当に{0}を削除しますか"],"Refresh the data in the grid":[null,"グリッド内のデータをリフレッシュ"],"Remove selected":[null,"選択したものを削除"],"Stopped":[null,"停止しました"],"Reload cronk":[null,"クロンクを削除"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"このタブのタイトルを変更"],"Sorry, cronk \"%s\" not found":[null,"\"%s\"クロンクは見つかりませんでした"],"Available users":[null,"有効なユーザー"],"Request failed":[null,"リクエストが失敗しました"],"Admin tasks":[null,"管理タスク"],"Services for ":[null,""],"Login failed":[null,"ログインに失敗しました"],"Permissions":[null,"許可"],"Some error: {0}":[null,"何らかのエラー: {0}"],"Modified":[null,"変更されました"],"Hosts (active/passive)":[null,"ホスト (アクティブ/パッシブ)"],"Save custom Cronk":[null,"カスタムクロンクを保存"],"No selection was made!":[null,""],"Preferences":[null,"設定"],"Item":[null,"アイテム"],"Apply":[null,"適用"],"Saving":[null,"保存中"],"Expand":[null,""],"IN TOTAL":[null,"を管理"],"Seems like you have no logs":[null,"ログが無いようです"],"HOST_ADDRESS6":[null,""],"Description":[null,"概要"],"DOWN":[null,"停止"]}
\ No newline at end of file
|
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/ja.mo
^
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/nb.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-05-05 16:20+0200","Language":" nb","Last-Translator":" Philip <philip@webcode.no>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-01-11 00:58+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Bruker navn"],"Do you really want to delete these groups?":[null,"Vil du virkelig slette disse gruppene?"],"Auto refresh":[null,"Auto-oppdater"],"Please provide a password for this user":[null,"Vennligst oppgi et passord for denne brukeren"],"Auth via":[null,"Autentiser via"],"email":[null,"epost"],"Critical error":[null,"Kritisk feil"],"Unknown error - please check your logs":[null,""],"Password":[null,"Passord"],"Category editor":[null,""],"Tactical overview settings":[null,"Innstillinger for taktisk oversikt"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,"Elementer"],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Logget inn. Du blir videresendt umiddelbart. Hvis ikke kan du <a href=\"%s\"#~ \"\">klikke her for å gå videre </ a>.\""],"Command":[null,"Kommando"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"Opprettet"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"ADVARSEL"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,"av"],"Your default language hast changed!":[null,"Ditt standard språk er endret!"],"User":[null,"Bruker"],"Principals":[null,"Prinsipper"],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Kunne ikke sende kommandoen, sjekk logger!"],"Welcome":[null,"Velkommen"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Kritisk"],"Cronk Id":[null,""],"no more fields":[null,"ingen flere felt"],"Groups":[null,"Grupper"],"Users":[null,"Brukere"],"Say what?":[null,"Si hva?"],"Login":[null,"Logg inn"],"Confirm password":[null,"Bekreft passord"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,"id"],"Email":[null,"Epost"],"Clear selection":[null,"Tøm utvalg"],"Commands":[null,"Kommandoer"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,"Ingenting er valgt"],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,"Unntak: %s"],"Your application profile has been deleted!":[null,""],"Title":[null,""],"One or more fields are invalid":[null,"Ett eller flere felter er feil"],"UP":[null,"OPPE"],"Services":[null,"Tjenester for "],"Message":[null,"Melding"],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,"Trykk på meg"],"Warning":[null,"Advarsel"],"isActive":[null,"erAktiv"],"Language":[null,"Språk"],"Edit group":[null,"Endre gruppe"],"Change title for this portlet":[null,"Endre tittel for denne portletten"],"Add restriction":[null,"Legg til begrensning"],"State information":[null,"Meta informasjon"],"No users to display":[null,"Ingen brukere å vise"],"Error report":[null,"Feilrapportering"],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,"Autentiseringsnøkkel for Api (valgfri)"],"Add new category":[null,"Legg til ny bruker"],"Close":[null,"Lukk"],"Available groups":[null,"Tilgjengelige grupper"],"Add new user":[null,"Legg til ny bruker"],"Edit user":[null,"Endre bruker"],"Could not remove the last tab!":[null,"Kunne ikke fjerne den siste fanen!"],"True":[null,""],"Logout":[null,"Logg ut"],"Reload":[null,""],"Delete":[null,"Slett bruker"],"To start with a new application profile, click the following button.":[null,""],"description":[null,"beskrivelse"],"(default) no option":[null,"(standard) ingen alternativ"],"Clear cache":[null,"Fjern feil"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Vennligst verifiser det du skrev inn og forsøk igjen!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"Feil"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,"Få denne visningen som URL"],"Access denied":[null,"Ingen tilgang"],"Running":[null,""],"Do you really want to delete these users?":[null,"Vil du virkelig slette disse brukerene?"],"Image":[null,""],"Principal":[null,"Prinsipp"],"Selection is missing":[null,"Utvalget mangler"],"Increment current notification":[null,"Øk gjeldende varsling"],"Name":[null,"Navn"],"Icinga bug report":[null,"Icinga feilrapportering"],"elete cronk":[null,"Slett grupper"],"Reset":[null,"Tilbakestill"],"firstname":[null,"fornavn"],"Save Cronk":[null,""],"New category":[null,"Fjerner en kategori"],"Password changed":[null,"Passord endret"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Opprett ny bruker"],"The password was successfully changed":[null,"Passordet er endret"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Kunne ikke koble til vevtjener!"],"Only close":[null,"Bare lukke"],"The passwords don't match!":[null,"Passordene ligner ikke"],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Kommando sendt"],"Sorry":[null,"Beklager"],"Delete groups":[null,"Slett grupper"],"Unknown":[null,"Ukjent"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Dokumenter"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,"Viser grupper"],"Preferences for user":[null,"Preferanser for bruker"],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,"Fjern valgte grupper"],"Cronk deleted":[null,""],"Group inheritance":[null,"Gruppe arv"],"Meta":[null,""],"Forced":[null,"Tvunget"],"groupname":[null,"gruppenavn"],"Search":[null,"Søk"],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"logg"],"Severity":[null,""],"Create report for dev.icinga.org":[null,"Opprett rapport til dev.icinga.org"],"Change language":[null,"Bytt språk"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,"Klikk for å endre bruker"],"Delete user":[null,"Slett bruker"],"Bug report":[null,""],"Save changes":[null,"Lagre endringene"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,"Skjul deaktivert "],"No groups to display":[null,"Ingen grupper å vise"],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Legg til ny gruppe"],"Action":[null,"Alternativ"],"A error occured when requesting ":[null,"En feil oppsto under forespørselen"],"Auto refresh ({0} seconds)":[null,"Auto-oppdater"],"The following ":[null,""],"Grid settings":[null,"Innstillinger for rutenett"],"Yes":[null,"Ja"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Kringkaste"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Nei"],"Enter title":[null,"Velg tittel"],"Add selected principals":[null,"Legg til valgte prinsipper"],"Success":[null,""],"Login error (configuration)":[null,"Innloggingsfeil (konfigurasjon)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Utvikling"],"Group name":[null,"Gruppenavn"],"Select a principal (Press Ctrl for multiple selects)":[null,"Velg et prinsipp (Trykk Ctrl for flere valg)"],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Endre tittel for denne fanen"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Bruker preferanser"],"Surname":[null,"Etternavn"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,"Søk"],"CRITICAL":[null,"KRITISK"],"Login error":[null,"Innloggingsfeil"],"Modify filter":[null,"Endre filter"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,"Språk endret"],"Remove":[null,"Fjern"],"Disabled":[null,"Deaktivert"],"You haven't selected anything!":[null,"Du har ikke valgt noe!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Klikk her for innstruksjoner"],"active":[null,"aktiv"],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"Endre bruker"],"Guest":[null,"Gjest"],"Host latency (min/avg/max)":[null,"Tjenerlatens (min/gje/maks)"],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Lukk andre"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,"Lagre"],"No node was removed":[null,"Ingen node ble fjernet"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,""],"lastname":[null,"etternavn"],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,"Få denne visningen som URL"],"New Preference":[null,"Ny innstilling"],"Confirm":[null,"Bekreft passord"],"Reload the cronk (not the content)":[null,"Oppdater cronk (ikke innholdet)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Vil du virkelig slette alle "],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Ukjent felt type: {0}"],"Meta information":[null,"Meta informasjon"],"Parameters":[null,""],"{0} command was sent successfully!":[null,""],"Link to this view":[null,"Lenke til dette visningen"],"UNKNOWN":[null,"UKJENT"],"About":[null,"Om"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Avbryt"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Endre"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,"Generell informasjon"],"Displaying users":[null,"Viser brukere"],"Position":[null,"Beskrivelse"],"Remove this preference":[null,"Fjern denne prefereransen"],"{0} ({1} items)":[null,"{0} ({1} elementer)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"brukernavn"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,"Å være på kanten av å logge ut..."],"Hosts":[null,"Tjenere"],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Lagre passord"],"Agavi setting":[null,"Innstillinger for rutenett"],"seconds":[null,""],"Unknown id":[null,"Ukjent id"],"CronkBuilder":[null,""],"Available logs":[null,"Tilgjengelige grupper"],"Link":[null,"Lenke"],"New password":[null,"Nytt passord"],"Settings":[null,"Innstillinger"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Usann"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"UTILGJENGELIG"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Alternativ"],"Refresh":[null,"Oppdater"],"Are you sure to do this?":[null,"Bruk"]," principals?":[null," prinsipper?"],"Tab slider":[null,""],"Clear errors":[null,"Fjern feil"],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,"Fjern valgte brukere"],"Type":[null,"Type"],"Comment bug":[null,"Kommenter feil"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Opprett ny gruppe"],"Add":[null,"Legg til"],"PENDING":[null,""],"no principals availabe":[null,"ingen prinsipper tilgjengelig"],"Advanced":[null,"Avansert"],"COMMENT_TIME":[null,""],"Change Password":[null,"Bytt passord"],"Language settings":[null,"Språk innstillinger"],"Removing a category":[null,"Fjerner en kategori"],"The confirmed password doesn't match":[null,"Det bekreftede passordet stemmerikke"],"Rename":[null,"Gi nytt navn"],"Return code out of bounds":[null,"Returkoden utenfor grensene"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Kunne ikke hente cronk listen, følgende feil oppstod {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Feil ved sending av kommando"],"Time":[null,""],"Discard":[null,"Forkast"],"Are you sure to delete {0}":[null,"Bruk"],"Refresh the data in the grid":[null,"Oppdater innholdet i rutenettet"],"Remove selected":[null,"Fjern valgte"],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Endre tittel for denne fanen"],"Sorry, cronk \"%s\" not found":[null,"Sorry, cronk \"%s\" ikke funnet"],"Available users":[null,"Tilgjengelige brukere"],"Request failed":[null,""],"Close and refresh":[null,"Steng og oppdater"],"Admin tasks":[null,""],"Services for ":[null,"Tjenester for "],"Login failed":[null,"Innlogging feilet"],"Permissions":[null,"Rettigheter"],"Some error: {0}":[null,""],"Modified":[null,"Endret"],"Hosts (active/passive)":[null,"Tjenere (aktive/passive)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Preferanser"],"Item":[null,"Element"],"Apply":[null,"Bruk"],"Saving":[null,"Lagrer"],"IN TOTAL":[null,"TOTALT"],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Beskrivelse"],"DOWN":[null,"NEDE"]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-05-05 16:20+0200","Language":" nb","Last-Translator":" Philip <philip@webcode.no>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-01-11 00:58+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Bruker navn"],"Do you really want to delete these groups?":[null,"Vil du virkelig slette disse gruppene?"],"Auto refresh":[null,"Auto-oppdater"],"Please provide a password for this user":[null,"Vennligst oppgi et passord for denne brukeren"],"Auth via":[null,"Autentiser via"],"email":[null,"epost"],"Critical error":[null,"Kritisk feil"],"Unknown error - please check your logs":[null,""],"Password":[null,"Passord"],"Category editor":[null,""],"Tactical overview settings":[null,"Innstillinger for taktisk oversikt"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,"Elementer"],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Logget inn. Du blir videresendt umiddelbart. Hvis ikke kan du <a href=\"%s\"#~ \"\">klikke her for å gå videre </ a>.\""],"Reset view":[null,"Tilbakestill"],"Command":[null,"Kommando"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"Opprettet"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"ADVARSEL"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,"av"],"Your default language hast changed!":[null,"Ditt standard språk er endret!"],"User":[null,"Bruker"],"Principals":[null,"Prinsipper"],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Kunne ikke sende kommandoen, sjekk logger!"],"Welcome":[null,"Velkommen"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Kritisk"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"SERVICE_OUTPUT"],"no more fields":[null,"ingen flere felt"],"Groups":[null,"Grupper"],"Users":[null,"Brukere"],"Say what?":[null,"Si hva?"],"Login":[null,"Logg inn"],"Confirm password":[null,"Bekreft passord"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,"id"],"Email":[null,"Epost"],"Clear selection":[null,"Tøm utvalg"],"Commands":[null,"Kommandoer"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,"Ingenting er valgt"],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,"Unntak: %s"],"Your application profile has been deleted!":[null,""],"Title":[null,""],"One or more fields are invalid":[null,"Ett eller flere felter er feil"],"UP":[null,"OPPE"],"Services":[null,"Tjenester for "],"Message":[null,"Melding"],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,"Trykk på meg"],"Warning":[null,"Advarsel"],"isActive":[null,"erAktiv"],"Language":[null,"Språk"],"Edit group":[null,"Endre gruppe"],"Change title for this portlet":[null,"Endre tittel for denne portletten"],"Add restriction":[null,"Legg til begrensning"],"State information":[null,"Meta informasjon"],"No users to display":[null,"Ingen brukere å vise"],"Error report":[null,"Feilrapportering"],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,"Autentiseringsnøkkel for Api (valgfri)"],"Add new category":[null,"Legg til ny bruker"],"Close":[null,"Lukk"],"Available groups":[null,"Tilgjengelige grupper"],"Add new user":[null,"Legg til ny bruker"],"Edit user":[null,"Endre bruker"],"Could not remove the last tab!":[null,"Kunne ikke fjerne den siste fanen!"],"True":[null,""],"Logout":[null,"Logg ut"],"Reload":[null,""],"Delete":[null,"Slett bruker"],"To start with a new application profile, click the following button.":[null,""],"description":[null,"beskrivelse"],"(default) no option":[null,"(standard) ingen alternativ"],"Clear cache":[null,"Fjern feil"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Vennligst verifiser det du skrev inn og forsøk igjen!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"Feil"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,"Få denne visningen som URL"],"Access denied":[null,"Ingen tilgang"],"Running":[null,""],"Do you really want to delete these users?":[null,"Vil du virkelig slette disse brukerene?"],"Image":[null,""],"Principal":[null,"Prinsipp"],"Selection is missing":[null,"Utvalget mangler"],"Increment current notification":[null,"Øk gjeldende varsling"],"Name":[null,"Navn"],"Icinga bug report":[null,"Icinga feilrapportering"],"elete cronk":[null,"Slett grupper"],"Reset":[null,"Tilbakestill"],"firstname":[null,"fornavn"],"Save Cronk":[null,""],"New category":[null,"Fjerner en kategori"],"Password changed":[null,"Passord endret"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Opprett ny bruker"],"The password was successfully changed":[null,"Passordet er endret"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Kunne ikke koble til vevtjener!"],"Only close":[null,"Bare lukke"],"The passwords don't match!":[null,"Passordene ligner ikke"],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Kommando sendt"],"Sorry":[null,"Beklager"],"Delete groups":[null,"Slett grupper"],"Unknown":[null,"Ukjent"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Dokumenter"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,"Viser grupper"],"Preferences for user":[null,"Preferanser for bruker"],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,"Fjern valgte grupper"],"Cronk deleted":[null,""],"Group inheritance":[null,"Gruppe arv"],"Meta":[null,""],"Forced":[null,"Tvunget"],"groupname":[null,"gruppenavn"],"Search":[null,"Søk"],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"logg"],"Severity":[null,""],"Create report for dev.icinga.org":[null,"Opprett rapport til dev.icinga.org"],"Change language":[null,"Bytt språk"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,"Klikk for å endre bruker"],"Delete user":[null,"Slett bruker"],"Bug report":[null,""],"Save changes":[null,"Lagre endringene"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,"Skjul deaktivert "],"No groups to display":[null,"Ingen grupper å vise"],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Legg til ny gruppe"],"Action":[null,"Alternativ"],"A error occured when requesting ":[null,"En feil oppsto under forespørselen"],"Auto refresh ({0} seconds)":[null,"Auto-oppdater"],"The following ":[null,""],"Grid settings":[null,"Innstillinger for rutenett"],"Yes":[null,"Ja"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Kringkaste"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Nei"],"Enter title":[null,"Velg tittel"],"Add selected principals":[null,"Legg til valgte prinsipper"],"Success":[null,""],"Login error (configuration)":[null,"Innloggingsfeil (konfigurasjon)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Utvikling"],"Group name":[null,"Gruppenavn"],"Select a principal (Press Ctrl for multiple selects)":[null,"Velg et prinsipp (Trykk Ctrl for flere valg)"],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Endre tittel for denne fanen"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Bruker preferanser"],"Surname":[null,"Etternavn"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,"Søk"],"CRITICAL":[null,"KRITISK"],"Login error":[null,"Innloggingsfeil"],"Modify filter":[null,"Endre filter"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,"Språk endret"],"Remove":[null,"Fjern"],"Disabled":[null,"Deaktivert"],"You haven't selected anything!":[null,"Du har ikke valgt noe!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Klikk her for innstruksjoner"],"active":[null,"aktiv"],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"Endre bruker"],"Guest":[null,"Gjest"],"Host latency (min/avg/max)":[null,"Tjenerlatens (min/gje/maks)"],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Lukk andre"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,"Lagre"],"No node was removed":[null,"Ingen node ble fjernet"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,""],"lastname":[null,"etternavn"],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,"Få denne visningen som URL"],"New Preference":[null,"Ny innstilling"],"Confirm":[null,"Bekreft passord"],"Reload the cronk (not the content)":[null,"Oppdater cronk (ikke innholdet)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Vil du virkelig slette alle "],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Ukjent felt type: {0}"],"Meta information":[null,"Meta informasjon"],"Parameters":[null,""],"{0} command was sent successfully!":[null,""],"Link to this view":[null,"Lenke til dette visningen"],"UNKNOWN":[null,"UKJENT"],"About":[null,"Om"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Avbryt"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Endre"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,"Generell informasjon"],"Displaying users":[null,"Viser brukere"],"Position":[null,"Beskrivelse"],"Remove this preference":[null,"Fjern denne prefereransen"],"{0} ({1} items)":[null,"{0} ({1} elementer)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"brukernavn"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,"Å være på kanten av å logge ut..."],"Hosts":[null,"Tjenere"],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Lagre passord"],"Agavi setting":[null,"Innstillinger for rutenett"],"seconds":[null,""],"Unknown id":[null,"Ukjent id"],"CronkBuilder":[null,""],"Available logs":[null,"Tilgjengelige grupper"],"Link":[null,"Lenke"],"New password":[null,"Nytt passord"],"Settings":[null,"Innstillinger"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Usann"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"HOST_OUTPUT"],"UNREACHABLE":[null,"UTILGJENGELIG"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Alternativ"],"Refresh":[null,"Oppdater"],"Are you sure to do this?":[null,"Bruk"]," principals?":[null," prinsipper?"],"Tab slider":[null,""],"Clear errors":[null,"Fjern feil"],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,"Fjern valgte brukere"],"Type":[null,"Type"],"Comment bug":[null,"Kommenter feil"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Opprett ny gruppe"],"Add":[null,"Legg til"],"PENDING":[null,""],"no principals availabe":[null,"ingen prinsipper tilgjengelig"],"Advanced":[null,"Avansert"],"COMMENT_TIME":[null,""],"Change Password":[null,"Bytt passord"],"Language settings":[null,"Språk innstillinger"],"Removing a category":[null,"Fjerner en kategori"],"The confirmed password doesn't match":[null,"Det bekreftede passordet stemmerikke"],"Rename":[null,"Gi nytt navn"],"Return code out of bounds":[null,"Returkoden utenfor grensene"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Kunne ikke hente cronk listen, følgende feil oppstod {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Feil ved sending av kommando"],"Time":[null,""],"Discard":[null,"Forkast"],"Are you sure to delete {0}":[null,"Bruk"],"Refresh the data in the grid":[null,"Oppdater innholdet i rutenettet"],"Remove selected":[null,"Fjern valgte"],"Stopped":[null,""],"Reload cronk":[null,"Slett grupper"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Endre tittel for denne fanen"],"Sorry, cronk \"%s\" not found":[null,"Sorry, cronk \"%s\" ikke funnet"],"Available users":[null,"Tilgjengelige brukere"],"Request failed":[null,""],"Close and refresh":[null,"Steng og oppdater"],"Admin tasks":[null,""],"Services for ":[null,"Tjenester for "],"Login failed":[null,"Innlogging feilet"],"Permissions":[null,"Rettigheter"],"Some error: {0}":[null,""],"Modified":[null,"Endret"],"Hosts (active/passive)":[null,"Tjenere (aktive/passive)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Preferanser"],"Item":[null,"Element"],"Apply":[null,"Bruk"],"Saving":[null,"Lagrer"],"Expand":[null,""],"IN TOTAL":[null,"TOTALT"],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Beskrivelse"],"DOWN":[null,"NEDE"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/nl.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" nl","Last-Translator":" Tom <tom.decooman@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-05-04 09:25+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Hernoemen"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,"Auto refresh"],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"Critical"],"Unknown error - please check your logs":[null,""],"Password":[null,"Paswoord"],"Category editor":[null,""],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"Command":[null,"Command"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,""],"Principals":[null,""],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,""],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Critical"],"Cronk Id":[null,""],"Groups":[null,""],"Users":[null,""],"Say what?":[null,""],"Login":[null,"Inloggen"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,"Commands"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Voer titel in"],"One or more fields are invalid":[null,""],"UP":[null,""],"Services":[null,""],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,""],"Warning":[null,""],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,"Wijzig titel"],"Add restriction":[null,"Restrictie toevoegen"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,"Sluiten"],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,"Kan laatste tab niet verwijderen!"],"True":[null,""],"Logout":[null,"Log"],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Restrictie toevoegen"],"(default) no option":[null,""],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Controleer en probeer opnieuw"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Selectie ontbreekt"],"Increment current notification":[null,"Huidige notificatie verhogen"],"Name":[null,"Hernoemen"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,"Reset"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Paswoord"],"Icinga status":[null,"Icinga"],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Command verstuurd"],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,"Unknown"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Docs"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,""],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"Log"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,""],"Action":[null,"Optie"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"Auto refresh"],"The following ":[null,""],"Grid settings":[null,""],"Yes":[null,""],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Broadcast"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Nee"],"Enter title":[null,"Voer titel in"],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,""],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Wijzig titel voor deze tab"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Hernoemen"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,""],"CRITICAL":[null,"CRITICAL"],"Login error":[null,"Inloggen"],"Modify filter":[null,"Wijzig filter"],"Status":[null,""],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Verwijderen"],"Disabled":[null,""],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Gast"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Sluit andere"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"Voer titel in"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,"Reload the cronk (not the content)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,""],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,""],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,""],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Afbreken"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Wijzigen"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"Restrictie toevoegen"],"Remove this preference":[null,""],"{0} ({1} items)":[null,""],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"Hernoemen"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Paswoord"],"Agavi setting":[null,""],"seconds":[null,""],"Unknown id":[null,"Unknown"],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,"Inloggen"],"New password":[null,"Paswoord"],"Settings":[null,""],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Sluiten"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Optie"],"Refresh":[null,"Refresh"],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Command verstuurd"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,""],"Add":[null,""],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,"Paswoord"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Hernoemen"],"Return code out of bounds":[null,"Return code out of bounds"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Fout sturen commando"],"Time":[null,""],"Discard":[null,""],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,"Refresh data in grid"],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Wijzig titel voor deze tab"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"Auto refresh"],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,"Inloggen mislukt"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Wijzigen"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Toepassen"],"Saving":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Restrictie toevoegen"],"DOWN":[null,"DOWN"]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" nl","Last-Translator":" Gerrit <gerrit.balk@blg.de>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-04-06 08:24+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"gebruikersnaam"],"Do you really want to delete these groups?":[null,"Wil je deze groepen verwijderen"],"Auto refresh":[null,"Auto refresh"],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"kritieke fout"],"Unknown error - please check your logs":[null,"Onbekende error - controleer de logs"],"Password":[null,"Paswoord"],"Category editor":[null,"Categorie editor"],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,"Items"],"Sorry, you could not be authenticated for icinga-web.":[null,"Sorry, geen authenticatie mogelijk op icinga-web"],"Reset view":[null,"Reset"],"Command":[null,"Command"],"We have deleted your cronk \"{0}\"":[null,"Uw cronk werd verwijderd \"{0}"],"Host execution time (min/avg/max)":[null,""],"Created":[null,"Aangemaakt"],"Your login session has gone away, press ok to login again!":[null,"uw login sessie is niet meer geldig, druk op ok om opnieuw aan te melden"],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,"Sorry, kan xml bestand niet vinden voor %s"],"of":[null,"of"],"Your default language hast changed!":[null,""],"User":[null,"gebruiker"],"Principals":[null,"Opdrachtgevers"],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,"Vergeet niet de avagi configuratie cache te verwijderen"],"Couldn't submit check command - check your access.xml":[null,"Niet mogelijk om commando uit te voeren - controleer de access.xml"],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,""],"Categories":[null,"Categorieën "],"This command will be send to all selected items":[null,""],"Critical":[null,"Critical"],"Cronk Id":[null,"Cronk id"],"SERVICE_LONG_OUTPUT":[null,"SERVICE_OUTPUT"],"Groups":[null,""],"Users":[null,""],"Say what?":[null,""],"Login":[null,"Inloggen"],"Confirm password":[null,""],"Instance":[null,"Instantie"],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,"id"],"Email":[null,"Email"],"Clear selection":[null,"Selectie wissen"],"Commands":[null,"Commands"],"Service execution (min/avg/max)":[null,"Uitvoeren service (min/avg/mx)"],"Nothing selected":[null,"Er is geen selectie"],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,"is niet"],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,"Uw applicatie profiel is verwijderd"],"Title":[null,"Titel"],"One or more fields are invalid":[null,""],"UP":[null,"Actief"],"Services":[null,"Services"],"Message":[null,"Bericht"],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,"Druk hier"],"Warning":[null,""],"isActive":[null,""],"Language":[null,"Taal"],"Edit group":[null,"Groep bewerken"],"Change title for this portlet":[null,"Wijzig titel van deze portlet"],"Add restriction":[null,"Restrictie toevoegen"],"State information":[null,""],"No users to display":[null,"Geen gebruikers weer te geven"],"Error report":[null,"Probleem rapport"],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,""],"Add new category":[null,"Toevoegen categorie"],"Close":[null,"Sluiten"],"Available groups":[null,"Beschikbare groepen"],"Add new user":[null,"Nieuwe gebruiker toevoegen"],"Edit user":[null,""],"Could not remove the last tab!":[null,"Kan laatste tab niet verwijderen!"],"True":[null,"Waar"],"Logout":[null,"Afmelden"],"Reload":[null,"herladen"],"Delete":[null,"Verwijder"],"To start with a new application profile, click the following button.":[null,"Om een op te starten met een nieuwe applicatie profiel, klik op de volgende knop."],"description":[null,"Restrictie toevoegen"],"(default) no option":[null,""],"Clear cache":[null,"Cache wissen"],"Hidden":[null,"verborgen"],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Controleer en probeer opnieuw"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,"Zichtbaar"],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"auth.behaviour is niet juist geconfigureerd. Je moet minstens één van de volgende attributen ingeschakeld hebben:"],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,"Actief"],"Do you really want to delete these users?":[null,""],"Image":[null,"Afbeelding"],"Principal":[null,""],"Selection is missing":[null,"Selectie ontbreekt"],"Increment current notification":[null,"Huidige notificatie verhogen"],"Name":[null,"Hernoemen"],"Icinga bug report":[null,"icinga bug rapport"],"elete cronk":[null,""],"Reset":[null,"Reset"],"firstname":[null,""],"Save Cronk":[null,"Cronk opslaan"],"New category":[null,"Nieuwe categorie"],"Password changed":[null,"Wachtwoord aangepast"],"Icinga status":[null,"Icinga status"],"Create a new user":[null,"Aanmaken nieuwe gebruiker"],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,"Ongeldig authenticatie type in access.xml"],"Please confirm restarting icinga":[null,"Bevestig herstart icinga"],"In order to complete you have to reload the interface. Are you sure?":[null,"Voer deze uitvoering is een herstart nodig van de interface. ben je zeker?"],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,"minder dan"],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Commando verstuurd"],"Sorry":[null,"Sorry"],"Delete groups":[null,"groepen verwijderen"],"Unknown":[null,"ONBEKEND"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Docs"],"Service latency (min/avg/max)":[null,"Service latency (min/avg/max)"],"Displaying groups":[null,"Groepen weergeven"],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,""],"Cronk deleted":[null,"Cronk verwijderd"],"Group inheritance":[null,""],"Meta":[null,"Meta"],"Forced":[null,""],"groupname":[null,"groepsnaam"],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"Log"],"Severity":[null,"Severiteit"],"Create report for dev.icinga.org":[null,"Aanmaken rapport voor dev.icinga.org"],"Change language":[null,"Wijzig taal"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,"Klik om gebruiker te wijzigen"],"Delete user":[null,"verwijder gebruiker"],"Bug report":[null,"Bug rapport"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"wijziging niet mogelijk"],"COMMENT_AUTHOR_NAME":[null,"COMMENT_AUTHOR_NAME"],"Session expired":[null,"Sessie niet meer geldig"],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Nieuwe groep toevoegen"],"Action":[null,"Actie"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"Automatisch vernieuwen ({0} seconden)"],"The following ":[null,"het volgende"],"Grid settings":[null,""],"Yes":[null,"Ja"],"Loading TO \"{0}\" ...":[null,"laden TO \"{0}\" ..."],"Loading Cronks ...":[null,"Laden Cronks ..."],"Please wait...":[null,"Even wachten ..."],"Broadcast":[null,"Broadcast"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,"is"],"Clear":[null,"Clear"],"Reset application state":[null,""],"Cronks":[null,"Cronks"],"No":[null,"Nee"],"Enter title":[null,"Voer titel in"],"Add selected principals":[null,""],"Success":[null,"Gelukt"],"Login error (configuration)":[null,"Aanmeldingsfout (configuratie)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMMENT_DATA"],"Dev":[null,"Dev"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,"Opslaan Cronk"],"Ressource ":[null,"Resource"],"Authorization failed for this instance":[null,"Authenticatie mislukt voor deze instantie"],"Cronk \"{0}\" successfully written to database!":[null,"Cronk \"{0}\" naar databank geschreven."],"App reset":[null,"app reset"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,"Er is geen SSH2 ingeschakeld op de icinga-web server, geen controle resultaten kunnen verwerken"],"User preferences":[null,""],"Surname":[null,"Voornaam"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,"Aan het zoeken ..."],"CRITICAL":[null,"Kritiek"],"Login error":[null,"Aanmeldingsfout"],"Modify filter":[null,"Wijzig filter"],"Status":[null,""],"Stop icinga process":[null,"Icinga proces stopppen"],"Language changed":[null,""],"Remove":[null,"Verwijderen"],"Disabled":[null,"Uitgeschakeld"],"You haven't selected anything!":[null,"Je heb geen selectie gemaakt!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,"Verwijder avagi configuratie cache om de nieuwe xml configuratie toe te passen."],"greater than":[null,"groter dan"],"Click here to view instructions":[null,"Klik hier voor instructies"],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,"Bevatten"],"Edit":[null,"Bewerken"],"Guest":[null,"Gast"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Sluit andere"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,"Opslaan"],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"geen titel"],"lastname":[null,"Naam"],"This item is read only!":[null,"Dit item is alleen lezen"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,"Weergeven url"],"New Preference":[null,"Nieuwe voorkeur"],"Confirm":[null,""],"Reload the cronk (not the content)":[null,"Reload the cronk (not the content)"],"Send report to admin":[null,"Zend rapport naar admin"],"Not allowed":[null,"Niet toegestaan"],"Please confirm shutting down icinga":[null,"bevestig uitschakeling Icinga"],"Do you really want to delete all ":[null,"Wil je alles verwijderen?"],"Expert mode":[null,"Expert mode"],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Onbekend veld type: {0}"],"Meta information":[null,"Meta informatie"],"Parameters":[null,"Parameters"],"{0} command was sent successfully!":[null,""],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,""],"Show status of accessible icinga instances":[null,"Weergeven status van toegankelijke icinga instanties"],"All categories available":[null,"Alle beschikbare categorieën"],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Afbreken"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,"Vul verplichte velden in (gemarkeerd met een uitroepteken)"],"Modify":[null,"Wijzigen"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,""],"Displaying users":[null,"Gebruikers weergeven"],"Position":[null,"Restrictie toevoegen"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} items)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,"je kan geen systeem categorïen verwijderen"],"username":[null,"Gebruikersnaam"],"System categories are not editable!":[null,"Aanpassen van systeem categorïen niet mogelijk!"],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,""],"Hosts":[null,"Hosts"],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Opslaan wachtwoord"],"Agavi setting":[null,"Agavi instelling"],"seconds":[null,""],"Unknown id":[null,"Onbekend id"],"CronkBuilder":[null,""],"Available logs":[null,"Beschikbare logs"],"Link":[null,"link"],"New password":[null,"Nieuwe wachtwoord"],"Settings":[null,""],"Module":[null,"Module"],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Vals"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,"Herstarten icinga proces"],"HOST_LONG_OUTPUT":[null,"HOST_OUTPUT"],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Optie"],"Refresh":[null,"Refresh"],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,"Tab slider"],"Clear errors":[null,"verwijderen fouten"],"OK":[null,"OK"],"Services (active/passive)":[null,"Services (active/passive)"],"Remove selected users":[null,""],"Type":[null,"Type"],"Comment bug":[null,"bug commentaar"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Maak een nieuwe groep"],"Add":[null,""],"PENDING":[null,"PENDING"],"no principals availabe":[null,""],"Advanced":[null,"Geavanceerd"],"COMMENT_TIME":[null,"COMMENT_TIME"],"Change Password":[null," Wachtwoord wijzigen"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Hernoemen"],"Return code out of bounds":[null,"Return code out of bounds"],"CatId":[null,"CatId"],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Onmogelijk om cronk lijst te laden, volgende fout is opgetreden: {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Fout sturen commando"],"Time":[null,"Tijd"],"Discard":[null,"verwerpen"],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,"Refresh data in grid"],"Remove selected":[null,""],"Stopped":[null,"Gestopt"],"Reload cronk":[null,"herladen"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Wijzig titel van deze tab"],"Sorry, cronk \"%s\" not found":[null,"Sorry, cronk \"%s\" niet gevonden"],"Available users":[null,"Beschikbare gebruikers"],"Request failed":[null,"Aanvraag niet gelukt"],"Close and refresh":[null,"Auto refresh"],"Admin tasks":[null,"Beheerderstaken"],"Services for ":[null,"Services voor"],"Login failed":[null,"Inloggen mislukt"],"Permissions":[null,""],"Some error: {0}":[null,"Dezelfde fout: {0}"],"Modified":[null,"Gewijzigd"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,"Opslaan custom cronk"],"No selection was made!":[null,"Er is geen selectie"],"Preferences":[null,"Voorkeuren"],"Item":[null,""],"Apply":[null,"Toepassen"],"Saving":[null,""],"Expand":[null,""],"IN TOTAL":[null,"IN Totaal"],"Seems like you have no logs":[null,"Blijkbaar heb je geen logs"],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Restrictie toevoegen"],"DOWN":[null,"DOWN"]}
\ No newline at end of file
|
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/nl.mo
^
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/nn.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"MIME-Version":" 1.0","X-Generator":" Translate Toolkit 1.5.2","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" ","Last-Translator":" FULL NAME <EMAIL@ADDRESS>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" YEAR-MO-DA HO:MI+ZONE","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,""],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,""],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,""],"Unknown error - please check your logs":[null,""],"Password":[null,""],"Category editor":[null,""],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"Command":[null,""],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,""],"Principals":[null,""],"Filter":[null,""],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,""],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,""],"Cronk Id":[null,""],"Groups":[null,""],"Users":[null,""],"Say what?":[null,""],"Login":[null,""],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,""],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,""],"One or more fields are invalid":[null,""],"UP":[null,""],"Services":[null,""],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,""],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,""],"Add restriction":[null,""],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,""],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,""],"True":[null,""],"Logout":[null,""],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,""],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,""],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,""],"Name":[null,""],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,""],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,""],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,""],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,""],"HOST_ALIAS":[null,""],"Docs":[null,""],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,""],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,""],"Action":[null,""],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,""],"The following ":[null,""],"Grid settings":[null,""],"Yes":[null,""],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,""],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,""],"Enter title":[null,""],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,""],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,""],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,""],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,""],"Login error":[null,""],"Modify filter":[null,""],"Status":[null,""],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,""],"Disabled":[null,""],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,""],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,""],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,""],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,""],"Unknown field type: {0}":[null,""],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,""],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,""],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,""],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,""],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,""],"Remove this preference":[null,""],"{0} ({1} items)":[null,""],"HOST_ADDRESS":[null,""],"You can not delete system categories":[null,""],"username":[null,""],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,""],"Agavi setting":[null,""],"seconds":[null,""],"Unknown id":[null,""],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,""],"New password":[null,""],"Settings":[null,""],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,""],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,""],"Refresh":[null,""],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,""],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,""],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,""],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,""],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,""],"Return code out of bounds":[null,""],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,""],"Time":[null,""],"Discard":[null,""],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,""],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,""],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,""],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,""],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,""],"Saving":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,""],"Description":[null,""],"DOWN":[null,""]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"MIME-Version":" 1.0","X-Generator":" Translate Toolkit 1.5.2","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" ","Last-Translator":" FULL NAME <EMAIL@ADDRESS>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" YEAR-MO-DA HO:MI+ZONE","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,""],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,""],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,""],"Unknown error - please check your logs":[null,""],"Password":[null,""],"Category editor":[null,""],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"Reset view":[null,""],"Command":[null,""],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,""],"Principals":[null,""],"Filter":[null,""],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,""],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,""],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,""],"Groups":[null,""],"Users":[null,""],"Say what?":[null,""],"Login":[null,""],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,""],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,""],"One or more fields are invalid":[null,""],"UP":[null,""],"Services":[null,""],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,""],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,""],"Add restriction":[null,""],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,""],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,""],"True":[null,""],"Logout":[null,""],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,""],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,""],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,""],"Name":[null,""],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,""],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,""],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,""],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,""],"HOST_ALIAS":[null,""],"Docs":[null,""],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,""],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,""],"Action":[null,""],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,""],"The following ":[null,""],"Grid settings":[null,""],"Yes":[null,""],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,""],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,""],"Enter title":[null,""],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,""],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,""],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,""],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,""],"Login error":[null,""],"Modify filter":[null,""],"Status":[null,""],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,""],"Disabled":[null,""],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,""],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,""],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,""],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,""],"Unknown field type: {0}":[null,""],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,""],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,""],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,""],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,""],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,""],"Remove this preference":[null,""],"{0} ({1} items)":[null,""],"HOST_ADDRESS":[null,""],"You can not delete system categories":[null,""],"username":[null,""],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,""],"Agavi setting":[null,""],"seconds":[null,""],"Unknown id":[null,""],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,""],"New password":[null,""],"Settings":[null,""],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,""],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,""],"Refresh":[null,""],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,""],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,""],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,""],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,""],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,""],"Return code out of bounds":[null,""],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,""],"Time":[null,""],"Discard":[null,""],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,""],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,""],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,""],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,""],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,""],"Saving":[null,""],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,""],"Description":[null,""],"DOWN":[null,""]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/pl.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" ","Language":" pl","X-Poedit-Language":" Polish","Last-Translator":" Tomasz <tomaszsulik@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-11-08 17:09+0200","Language-Team":" none","Content-Transfer-Encoding":" 8bit","Project-Id-Version":" icinga-web-translation 0.0"},"User name":[null,""],"Do you really want to delete these groups?":[null,"czy na prawdę chcesz usunąć te grupy?"],"Auto refresh":[null,"Auto odświeżanie"],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"Błąd krytyczny"],"Unknown error - please check your logs":[null,""],"Password":[null,"Hasło"],"Category editor":[null,""],"Tactical overview settings":[null,"Ustawienia przeglądu taktycznego"],"HOST_LAST_HARD_STATE_CHANGE":[null,"OSTATNIA_TWARDA_ZMIANA_STATUSU_HOSTA"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Poprawnie zalogowano. Powinieneś zostać automatycznie przekierowany. \"#~ \"Jeśli nie, <a href=%s>kliknij tutaj</a>\""],"Command":[null,"Polecenie"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"Utworzony"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"OSTRZEŻENIE"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Użytkownik"],"Principals":[null,""],"Filter":[null,"Filtr"],"HOST_OUTPUT":[null,"RESULTAT_HOSTA"],"Don't forget to clear the agavi config cache after that.":[null,"Nie zapomnij po tym, wyczyścić pamięci podręcznej dla agavi."],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Witamy"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Krytyczny"],"Cronk Id":[null,""],"no more fields":[null,"brak więcej pól"],"Groups":[null,"Grupy"],"Users":[null,""],"Say what?":[null,""],"Login":[null,"Nazwa użytkownika"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"URL notatki"],"id":[null,""],"Email":[null,"Email"],"Clear selection":[null,""],"Commands":[null,"Polecenia"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"CZAS_WYKONYWANIA_HOSTA"],"add":[null,"dodaj"],"is not":[null,""],"Exception thrown: %s":[null,"Wystąpił wyjątek: %s"],"Your application profile has been deleted!":[null,""],"Title":[null,"Wprowadź tytuł"],"One or more fields are invalid":[null,""],"UP":[null,"DZIAŁA"],"Services":[null,"Serwisy dla "],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"czas aktualizacji stanu"],"Press me":[null,""],"Warning":[null,"Ostrzeżenie"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,"Edytuj grupę"],"Change title for this portlet":[null,"Zmień tytuł tego portletu"],"Add restriction":[null,"Dodaj ograniczenie"],"State information":[null,"Informacje ogólne"],"No users to display":[null,""],"Error report":[null,"Raport błędów"],"HOST_IS_FLAPPING":[null,"ZMIANY_DLA_HOSTA"],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,"Zamknij"],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,"Edytuj użytkownika"],"Could not remove the last tab!":[null,"Nie można usunąć ostatniej zakładki!"],"True":[null,""],"Logout":[null,""],"Reload":[null,""],"Delete":[null,"Usuń użytkownika"],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,"(domyślne) brak opcji"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"serwis zmienia się"],"Please verify your input and try again!":[null,"Sprawdź wprowadzone dane i spróbuj ponownie"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"AKTUALNA_PROBA_CHECKU_HOSTA"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"NASTEPNY_CHECK_HOSTA"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"Błąd"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,"Pobierz ten widok jako URL"],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,"Czy na prawdę chcesz usunąć tych użytkowników?"],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Brak zaznaczenia"],"Increment current notification":[null,"Zwiększ aktualne powiadomienie"],"Name":[null,""],"Icinga bug report":[null,""],"elete cronk":[null,"Usuń grupy"],"Reset":[null,"Resetuj"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Hasło zostało zmienione"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Utwórz nowego użytkownika"],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"OSTATNI_CHECK_HOSTA"],"Command sent":[null,"Polecenie wysłane"],"Sorry":[null,"Przepraszamy"],"Delete groups":[null,"Usuń grupy"],"Unknown":[null,"Nieznany"],"HOST_ALIAS":[null,"ALIAS_HOSTA"],"Docs":[null,"Dokumenty"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,"Wyświetlanie grup"],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,"Aktualny status"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,"Grupa dziedziczenia"],"Meta":[null,""],"Forced":[null,"Wymuszony"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"Następny czek"],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,"Utwórz raport dla dev.inciga.org"],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"przeszła wymuszona zmiana stanu"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,"Usuń użytkownika"],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,"Czas wykonania"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"OPOZNIENIE_HOSTA"],"Add new group":[null,""],"Action":[null,"Opcja"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"Auto odświeżanie"],"The following ":[null,""],"Grid settings":[null,"Ustawienia macierzy"],"Yes":[null,"Tak"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Rozgłoś"],"SERVICE_STATUS_UPDATE_TIME":[null,"czas aktualizacji stanu"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Nie"],"Enter title":[null,"Wprowadź tytuł"],"Add selected principals":[null,""],"Success":[null,""],"Try":[null,"Spróbuj"],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Dewelopment"],"Group name":[null,"Nazwa grupy"],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Zmień tytuł tej zakładki"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,""],"HOST_NOTES_URL":[null,"URL_NOTATKI_HOSTA"],"Searching ...":[null,""],"CRITICAL":[null,"KRYTYCZNY"],"Login error":[null,"Nazwa użytkownika"],"Modify filter":[null,"Zmień filtr"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Usuń"],"Disabled":[null,"Wyłączony"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"Edytuj użytkownika"],"Guest":[null,"Gość"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,"Wyświetlanie tematów {0} - {1} of {2}"],"Close others":[null,"Zamknij inne"],"HOST_MAX_CHECK_ATTEMPTS":[null,"MAKSYMALNA_ILOSC_PROB_HOSTA"],"SERVICE_LAST_CHECK":[null,"przeszły czek"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"Maksymalne próbowanie czeka"],"untitled":[null,"Wprowadź tytuł"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"Zaplanowany time-out (detal)"],"Get this view as URL":[null,"Pobierz ten widok jako URL"],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,"Aktualizacja cronka (nie treść)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Czy na prawdę chcesz usunąć wszystko?"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"Rezultat"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Nieznany typ pliku: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"Polecenie {0} zostało wysłane pomyślnie!"],"Link to this view":[null,""],"UNKNOWN":[null,"NIEZNANY"],"About":[null,"O Icinga Web"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"przeszła notyfikacja"],"Abort":[null,"Przerwij"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Zmień"],"HOST_LAST_NOTIFICATION":[null,"OSTATNIA_NOTYFIKACJA_HOSTA"],"General information":[null,"Informacje ogólne"],"Displaying users":[null,"Wyświetlanie użytkowników"],"Position":[null,"Opis"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} elementów)"],"HOST_ADDRESS":[null,"ADRES_HOSTA"],"You can not delete system categories":[null,""],"username":[null,""],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"AKTUALNY_STATUS_HOSTA"],"HOST_PERFDATA":[null,"WYDAJNOSC_HOSTA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"Aktualne próbowanie czeka"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"Perfdata"],"SERVICE_DISPLAY_NAME":[null,"Pokaz nazwy"],"Save password":[null,""],"Agavi setting":[null,"Ustawienia macierzy"],"seconds":[null,""],"Unknown id":[null,""],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,"Nazwa użytkownika"],"New password":[null,""],"Settings":[null,"Ustawienia"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"POKAZ_NAZWE_HOSTA"],"False":[null,"Błąd"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"Zaplanowany time-out (detal)"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"NIEDOSTĘPNY"],"SERVICE_CHECK_TYPE":[null,"Typ czeka"],"Option":[null,"Opcja"],"Refresh":[null,"Odśwież"],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Polecenie wysłane"],"HOST_CHECK_TYPE":[null,"TYP_CHECKA_HOSTA"],"Create a new group":[null,""],"Add":[null,""],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,""],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Zmień nazwę"],"Return code out of bounds":[null,"Kod wyjścia poza granicami"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,"Opóźnienia"],"Error sending command":[null,"Błąd wysyłania polecenia"],"Time":[null,""],"Discard":[null,"Odrzuć"],"Are you sure to delete {0}":[null,"Czy na prawdę chcesz usunąć wszystko?"],"Refresh the data in the grid":[null,"Odśwież dane w siatce"],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Zmień tytuł tej zakładki"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"Auto odświeżanie"],"Admin tasks":[null,""],"Services for ":[null,"Serwisy dla "],"Login failed":[null,"Zalogowanie nie powiodło się"],"Permissions":[null,"Uprawnienia"],"Some error: {0}":[null,""],"Modified":[null,""],"Log":[null,"Dziennik"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Zatwierdź"],"Saving":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"ADRES_HOSTA"],"Description":[null,"Opis"],"DOWN":[null,"NIE ODPOWIADA"]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" ","Language":" pl","X-Poedit-Language":" Polish","Last-Translator":" Tomasz <tomaszsulik@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-11-08 17:09+0200","Language-Team":" none","Content-Transfer-Encoding":" 8bit","Project-Id-Version":" icinga-web-translation 0.0"},"User name":[null,""],"Do you really want to delete these groups?":[null,"czy na prawdę chcesz usunąć te grupy?"],"Auto refresh":[null,"Auto odświeżanie"],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"Błąd krytyczny"],"Unknown error - please check your logs":[null,""],"Password":[null,"Hasło"],"Category editor":[null,""],"Tactical overview settings":[null,"Ustawienia przeglądu taktycznego"],"HOST_LAST_HARD_STATE_CHANGE":[null,"OSTATNIA_TWARDA_ZMIANA_STATUSU_HOSTA"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Poprawnie zalogowano. Powinieneś zostać automatycznie przekierowany. \"#~ \"Jeśli nie, <a href=%s>kliknij tutaj</a>\""],"Reset view":[null,"Resetuj"],"Command":[null,"Polecenie"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"Utworzony"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"OSTRZEŻENIE"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Użytkownik"],"Principals":[null,""],"Filter":[null,"Filtr"],"HOST_OUTPUT":[null,"RESULTAT_HOSTA"],"Don't forget to clear the agavi config cache after that.":[null,"Nie zapomnij po tym, wyczyścić pamięci podręcznej dla agavi."],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Witamy"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Krytyczny"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"Rezultat"],"no more fields":[null,"brak więcej pól"],"Groups":[null,"Grupy"],"Users":[null,""],"Say what?":[null,""],"Login":[null,"Nazwa użytkownika"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"URL notatki"],"id":[null,""],"Email":[null,"Email"],"Clear selection":[null,""],"Commands":[null,"Polecenia"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"CZAS_WYKONYWANIA_HOSTA"],"add":[null,"dodaj"],"is not":[null,""],"Exception thrown: %s":[null,"Wystąpił wyjątek: %s"],"Your application profile has been deleted!":[null,""],"Title":[null,"Wprowadź tytuł"],"One or more fields are invalid":[null,""],"UP":[null,"DZIAŁA"],"Services":[null,"Serwisy dla "],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"czas aktualizacji stanu"],"Press me":[null,""],"Warning":[null,"Ostrzeżenie"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,"Edytuj grupę"],"Change title for this portlet":[null,"Zmień tytuł tego portletu"],"Add restriction":[null,"Dodaj ograniczenie"],"State information":[null,"Informacje ogólne"],"No users to display":[null,""],"Error report":[null,"Raport błędów"],"HOST_IS_FLAPPING":[null,"ZMIANY_DLA_HOSTA"],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,"Zamknij"],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,"Edytuj użytkownika"],"Could not remove the last tab!":[null,"Nie można usunąć ostatniej zakładki!"],"True":[null,""],"Logout":[null,""],"Reload":[null,""],"Delete":[null,"Usuń użytkownika"],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,"(domyślne) brak opcji"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"serwis zmienia się"],"Please verify your input and try again!":[null,"Sprawdź wprowadzone dane i spróbuj ponownie"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"AKTUALNA_PROBA_CHECKU_HOSTA"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"NASTEPNY_CHECK_HOSTA"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"Błąd"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,"Pobierz ten widok jako URL"],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,"Czy na prawdę chcesz usunąć tych użytkowników?"],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Brak zaznaczenia"],"Increment current notification":[null,"Zwiększ aktualne powiadomienie"],"Name":[null,""],"Icinga bug report":[null,""],"elete cronk":[null,"Usuń grupy"],"Reset":[null,"Resetuj"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Hasło zostało zmienione"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Utwórz nowego użytkownika"],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"OSTATNI_CHECK_HOSTA"],"Command sent":[null,"Polecenie wysłane"],"Sorry":[null,"Przepraszamy"],"Delete groups":[null,"Usuń grupy"],"Unknown":[null,"Nieznany"],"HOST_ALIAS":[null,"ALIAS_HOSTA"],"Docs":[null,"Dokumenty"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,"Wyświetlanie grup"],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,"Aktualny status"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,"Grupa dziedziczenia"],"Meta":[null,""],"Forced":[null,"Wymuszony"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"Następny czek"],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,"Utwórz raport dla dev.inciga.org"],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"przeszła wymuszona zmiana stanu"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,"Usuń użytkownika"],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,"Czas wykonania"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"OPOZNIENIE_HOSTA"],"Add new group":[null,""],"Action":[null,"Opcja"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"Auto odświeżanie"],"The following ":[null,""],"Grid settings":[null,"Ustawienia macierzy"],"Yes":[null,"Tak"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Rozgłoś"],"SERVICE_STATUS_UPDATE_TIME":[null,"czas aktualizacji stanu"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Nie"],"Enter title":[null,"Wprowadź tytuł"],"Add selected principals":[null,""],"Success":[null,""],"Try":[null,"Spróbuj"],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Dewelopment"],"Group name":[null,"Nazwa grupy"],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Zmień tytuł tej zakładki"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,""],"HOST_NOTES_URL":[null,"URL_NOTATKI_HOSTA"],"Searching ...":[null,""],"CRITICAL":[null,"KRYTYCZNY"],"Login error":[null,"Nazwa użytkownika"],"Modify filter":[null,"Zmień filtr"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Usuń"],"Disabled":[null,"Wyłączony"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"Edytuj użytkownika"],"Guest":[null,"Gość"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,"Wyświetlanie tematów {0} - {1} of {2}"],"Close others":[null,"Zamknij inne"],"HOST_MAX_CHECK_ATTEMPTS":[null,"MAKSYMALNA_ILOSC_PROB_HOSTA"],"SERVICE_LAST_CHECK":[null,"przeszły czek"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"Maksymalne próbowanie czeka"],"untitled":[null,"Wprowadź tytuł"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"Zaplanowany time-out (detal)"],"Get this view as URL":[null,"Pobierz ten widok jako URL"],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,"Aktualizacja cronka (nie treść)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Czy na prawdę chcesz usunąć wszystko?"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"Rezultat"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Nieznany typ pliku: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"Polecenie {0} zostało wysłane pomyślnie!"],"Link to this view":[null,""],"UNKNOWN":[null,"NIEZNANY"],"About":[null,"O Icinga Web"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"przeszła notyfikacja"],"Abort":[null,"Przerwij"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Zmień"],"HOST_LAST_NOTIFICATION":[null,"OSTATNIA_NOTYFIKACJA_HOSTA"],"General information":[null,"Informacje ogólne"],"Displaying users":[null,"Wyświetlanie użytkowników"],"Position":[null,"Opis"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} elementów)"],"HOST_ADDRESS":[null,"ADRES_HOSTA"],"You can not delete system categories":[null,""],"username":[null,""],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"AKTUALNY_STATUS_HOSTA"],"HOST_PERFDATA":[null,"WYDAJNOSC_HOSTA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"Aktualne próbowanie czeka"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"Perfdata"],"SERVICE_DISPLAY_NAME":[null,"Pokaz nazwy"],"Save password":[null,""],"Agavi setting":[null,"Ustawienia macierzy"],"seconds":[null,""],"Unknown id":[null,""],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,"Nazwa użytkownika"],"New password":[null,""],"Settings":[null,"Ustawienia"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"POKAZ_NAZWE_HOSTA"],"False":[null,"Błąd"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"Zaplanowany time-out (detal)"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"RESULTAT_HOSTA"],"UNREACHABLE":[null,"NIEDOSTĘPNY"],"SERVICE_CHECK_TYPE":[null,"Typ czeka"],"Option":[null,"Opcja"],"Refresh":[null,"Odśwież"],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Polecenie wysłane"],"HOST_CHECK_TYPE":[null,"TYP_CHECKA_HOSTA"],"Create a new group":[null,""],"Add":[null,""],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,""],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Zmień nazwę"],"Return code out of bounds":[null,"Kod wyjścia poza granicami"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,"Opóźnienia"],"Error sending command":[null,"Błąd wysyłania polecenia"],"Time":[null,""],"Discard":[null,"Odrzuć"],"Are you sure to delete {0}":[null,"Czy na prawdę chcesz usunąć wszystko?"],"Refresh the data in the grid":[null,"Odśwież dane w siatce"],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,"Usuń grupy"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Zmień tytuł tej zakładki"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"Auto odświeżanie"],"Admin tasks":[null,""],"Services for ":[null,"Serwisy dla "],"Login failed":[null,"Zalogowanie nie powiodło się"],"Permissions":[null,"Uprawnienia"],"Some error: {0}":[null,""],"Modified":[null,""],"Log":[null,"Dziennik"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Zatwierdź"],"Saving":[null,""],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"ADRES_HOSTA"],"Description":[null,"Opis"],"DOWN":[null,"NIE ODPOWIADA"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/pt.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,"Nenhum tópico para mostrar"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" ","Language":" pt","X-Poedit-Language":" Portuguese","Last-Translator":" Teotonio <teotonio.ricardo@webtuga.pt>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-01-22 20:28+0200","Language-Team":" none","Content-Transfer-Encoding":" 8bit","Project-Id-Version":" icinga-web-translation 0.0"},"User name":[null,"Nome do usuário"],"Do you really want to delete these groups?":[null,"Você tem certeza de que quer apagar todos esses grupos?"],"Auto refresh":[null,"Atualização automática"],"Please provide a password for this user":[null,"Por favor providencie uma senha para esse usuário"],"Auth via":[null,"Autenticar usando"],"email":[null,"e-mail"],"Critical error":[null,"Erro crítico"],"Unknown error - please check your logs":[null,""],"Password":[null,"Senha"],"Category editor":[null,""],"Tactical overview settings":[null,"Configurações da visão geral tática"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,"Itens"],"Sorry, you could not be authenticated for icinga-web.":[null,"Sinto muito, você não pôde ser autenticado para a icinga-web"],"Command":[null,"Comando"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Tempo de execução do Host (mín/méd/max)"],"Created":[null,"Criado"],"Your login session has gone away, press ok to login again!":[null,"Sua sessão foi expirada, pressione OK para entrar novamente!"],"WARNING":[null,"WARNING"],"Sorry, could not find a xml file for %s":[null,"Sinto muito, Não pude encontrar um arquivo XML para %s"],"of":[null,"de"],"Your default language hast changed!":[null,"Seu idioma padrão foi alterado!"],"User":[null,"Usuário"],"Principals":[null,"Permissões"],"Filter":[null,"Filtro"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,"Não se esqueça de limpar a configiração agavi depois disso."],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Não foi possível enviar o comando, por favor, examine os logs!"],"Welcome":[null,"Bem Vindo"],"Categories":[null,""],"This command will be send to all selected items":[null,"Este comando será enviado para todos os itens selecionados"],"Critical":[null,"Crítico"],"Cronk Id":[null,""],"Groups":[null,"Grupos"],"Users":[null,"Usuários"],"Say what?":[null,"Dizer o quê?"],"Login":[null,"Login"],"Confirm password":[null,"Confirmar a senha"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,"identidade"],"Email":[null,"E-Mail"],"Clear selection":[null,"Limpar seleção"],"Commands":[null,"Comandos"],"Service execution (min/avg/max)":[null,"Execução do serviço (mín/méd/máx)"],"Nothing selected":[null,"Nada selecionado"],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,"Exceção lançada: %s"],"Your application profile has been deleted!":[null,"Seu perfil foi removido!"],"Title":[null,"sem título"],"One or more fields are invalid":[null,"Um ou mais campos estão inválidos"],"UP":[null,"UP"],"Services":[null,"Serviços"],"Message":[null,"Mensagem"],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,"Pressione-me"],"Warning":[null,"Atenção"],"isActive":[null,"isActive"],"Language":[null,"Idioma"],"Edit group":[null,"Editar grupo"],"Change title for this portlet":[null,"Alterar título deste portlet"],"Add restriction":[null,"Adicionar restrição"],"State information":[null,"Meta Informações"],"No users to display":[null,"Nenhum usuário para se visualizar"],"Error report":[null,"Reportar erro"],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,"Chave de autenticação para a API ( opcional )"],"Add new category":[null,"Adicionar novo utilizador"],"Close":[null,"Fechar"],"Available groups":[null,"Grupos disponíveis"],"Add new user":[null,"Adicionar novo utilizador"],"Edit user":[null,"Editar usuário"],"Could not remove the last tab!":[null,"Não foi possível remover a última aba!"],"True":[null,"Verdadeiro"],"Logout":[null,"Sair"],"Reload":[null,""],"Delete":[null,"Remover usuário"],"To start with a new application profile, click the following button.":[null,"Para iniciar um novo perfil de aplicação, clique no seguinte botão."],"description":[null,"descrição"],"(default) no option":[null,"(padrão) sem opções"],"Clear cache":[null,"Limpar os Erros"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Por favor, verifique seus dados e tente novamente!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,"Favor altere seu arquivo de configuração e configure para 'verdadeiro' (%s)"],"Error":[null,"Erro"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"auth.behaviour não está configurado corretamente. Você precisa de pelo menos um dos seguintes atributos habilitados:"],"Save this view as new cronk":[null,"Obter essa visão pela URL"],"Access denied":[null,"Acesso negado"],"Running":[null,""],"Do you really want to delete these users?":[null,"Você tem certeza de que quer apagar todos esses usuários?"],"Image":[null,""],"Principal":[null,"Principal"],"Selection is missing":[null,"Faltando uma seleção"],"Increment current notification":[null,"Incrementar a notificação atual"],"Name":[null,"Nome"],"Icinga bug report":[null,"Reportar o erro para Icinga"],"elete cronk":[null,"Excluir grupos"],"Reset":[null,"Reiniciar"],"firstname":[null,"primeiro nome"],"Save Cronk":[null,""],"New category":[null,"Remover uma categoria"],"Password changed":[null,"Senha modificada"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Criar novo usuário"],"The password was successfully changed":[null,"A senha foi alterada com sucesso"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Não foi possível conectar-se ao servidor WEB!"],"The passwords don't match!":[null,"As senhas não são iguais!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Comando enviado"],"Sorry":[null,"Sinto muito"],"Delete groups":[null,"Excluir grupos"],"Unknown":[null,"Desconhecido"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Documentos"],"Service latency (min/avg/max)":[null,"Latência do serviço (mín/méd/máx)"],"Displaying groups":[null,"Mostrando grupos"],"Preferences for user":[null,"Preferências para o usuário"],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,"Remover os grupos selecionados"],"Cronk deleted":[null,""],"Group inheritance":[null,"Grupo de herança"],"Meta":[null,""],"Forced":[null,"Forçado"],"groupname":[null,"nome do grupo"],"Search":[null,"Pesquisar"],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"log"],"Severity":[null,"Severidade"],"Create report for dev.icinga.org":[null,"Criar ocorrência para dev.icinga.org"],"Change language":[null,"Alterar Idioma"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,"O servidor encontrou um erro:<br/>"],"Click to edit user":[null,"Clique aqui para editar o usuário"],"Delete user":[null,"Remover usuário"],"Bug report":[null,"Reportar problema"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"Impossível modificar"],"COMMENT_AUTHOR_NAME":[null,"COMMENT_AUTHOR_NAME"],"Session expired":[null,"Sessão expirada"],"Hide disabled ":[null,"Ocultar os desativados"],"No groups to display":[null,"Não há grupos para visualizar"],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Adicionar novo grupo"],"Action":[null,"Opção"],"A error occured when requesting ":[null,"Ocorreu um erro durante a solicitação"],"Auto refresh ({0} seconds)":[null,"Atualização automática ({0} segundos)"],"The following ":[null,"Os seguintes"],"Grid settings":[null,"Configurações de grade"],"Yes":[null,"Sim"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Difusão"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Redefinir o estado do aplicativo"],"Cronks":[null,""],"No":[null,"Não"],"Enter title":[null,"Digite o título"],"Add selected principals":[null,"Adicionar o diretórios selecionados"],"Success":[null,""],"Login error (configuration)":[null,"Erro de login (configurações)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMMENT_DATA"],"Dev":[null,"Dev"],"Group name":[null,"Nome do grupo"],"Select a principal (Press Ctrl for multiple selects)":[null,"Selecione uma permissão (Pressione Ctrl para selecionar várias)"],"Share your Cronk":[null,""],"Ressource ":[null,"Recurso"],"Authorization failed for this instance":[null,"Mudar o título desta aba"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Reiniciar Aplicação"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Preferências de Usuário"],"Surname":[null,"Sobrenome"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,"Pesquisar"],"CRITICAL":[null,"CRITICAL"],"Login error":[null,"Erro de Login"],"Modify filter":[null,"Modificar Filtro"],"Status":[null,"Estado"],"Stop icinga process":[null,""],"Language changed":[null,"Idioma alterado"],"Remove":[null,"Remover"],"Disabled":[null,"Desativado"],"You haven't selected anything!":[null,"Você não selecionou nada!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Clique aqui para ver as instruções"],"active":[null,"ativo"],"Please enter a comment for this bug. This could be":[null,"Por favor adicione um comentário para esse erro. Isso poderia ser"],"contain":[null,""],"Edit":[null,"Editar usuário"],"Guest":[null,"Convidado"],"Host latency (min/avg/max)":[null,"Latência do Host (mín/méd/max)"],"Displaying topics {0} - {1} of {2}":[null,"Mostrando tópicos {0} - {1} de {2}"],"Close others":[null,"Fechar os outros"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,"Gravar"],"No node was removed":[null,"Nenhum nódulo foi removido"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"sem título"],"lastname":[null,"último nome"],"This item is read only!":[null,"Este item é somente de leitura!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,"Obter essa visão pela URL"],"New Preference":[null,"Nova preferência"],"Confirm":[null,"Confirmar a senha"],"Reload the cronk (not the content)":[null,"Atualizar o cronk (não o conteúdo)"],"Send report to admin":[null,"Enviar ocorrência para o administrador"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Você tem certeza de que quer apagar tudo?"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Nós somos Icinga"],"Unknown field type: {0}":[null,"Tipo de campo desconhecido: {0}"],"Meta information":[null,"Meta Informações"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"Comando {0} foi enviado com sucesso!"],"Link to this view":[null,"Ligar para essa visão"],"UNKNOWN":[null,"UNKNOWN"],"About":[null,"Sobre"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Por favor contate nosso administrador de sistema se você acha que essa ação é incomum."],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Abortar"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Modificar"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,"Informações gerais"],"Displaying users":[null,"Mostrando usuários"],"Position":[null,"Descrição"],"Remove this preference":[null,"Remover esta preferência"],"{0} ({1} items)":[null,"{0} ({1} itens)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"nome de usuário"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,"Está prestes a sair ..."],"Hosts":[null,"Hosts"],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Gravar a senha"],"Agavi setting":[null,"Configurações de grade"],"seconds":[null,""],"Unknown id":[null,"Identidade desconhecida"],"CronkBuilder":[null,""],"Available logs":[null,"Logs disponíveis"],"Link":[null,"Ligação"],"New password":[null,"Nova senha"],"Settings":[null,"Configurações"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Falso"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"UNREACHABLE"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Opção"],"Refresh":[null,"Atualizar"],"Are you sure to do this?":[null,"Você tem certeza que quer fazer isso?"]," principals?":[null,"Directorio"],"Tab slider":[null,""],"Clear errors":[null,"Limpar os Erros"],"OK":[null,"OK"],"Services (active/passive)":[null,"Serviços (ativo/passivo)"],"Remove selected users":[null,"Remover os usuários selecionados"],"Type":[null,"Digite"],"Comment bug":[null,"Comentar problema"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Criar novo grupo"],"Add":[null,"Adicionar"],"PENDING":[null,"PENDING"],"no principals availabe":[null,"sem permissões disponíveis"],"Advanced":[null,"Avançado"],"COMMENT_TIME":[null,"COMMENT_TIME"],"Change Password":[null,"Alterar senha"],"Language settings":[null,"Configurações de idioma"],"Removing a category":[null,"Remover uma categoria"],"The confirmed password doesn't match":[null,"A confirmação de senha não está correta"],"Rename":[null,"Renomear"],"Return code out of bounds":[null,"Código de retorno fora dos limites"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Não foi possível baixar a lista cronk, ocorreram os seguintes erros: {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Erro ao enviar o comando"],"Time":[null,"Hora"],"Discard":[null,"Descartar"],"Are you sure to delete {0}":[null,"Você tem certeza que quer fazer isso?"],"Refresh the data in the grid":[null,"Atualizar os dados na grade"],"Remove selected":[null,"Remover o selecionado"],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Mudar o título desta aba"],"Sorry, cronk \"%s\" not found":[null,"Sinto muito , cronk ''%s'' não foi encontrado"],"Available users":[null,"Usuários Disponíveis"],"Request failed":[null,"Falha na solicitação"],"Admin tasks":[null,""],"Services for ":[null,"Serviços para"],"Login failed":[null,"Falha no login"],"Permissions":[null,"Permissões"],"Some error: {0}":[null,""],"Modified":[null,"Modificado"],"Hosts (active/passive)":[null,"Hosts (ativo/passivo)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Preferências"],"Item":[null,"Item"],"Apply":[null,"Aplicar"],"Saving":[null,"Gravando"],"IN TOTAL":[null,"NO TOTAL"],"Seems like you have no logs":[null,"Parece que você não tem logs"],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Descrição"],"DOWN":[null,"DOWN"]}
\ No newline at end of file
+{"No topics to display":[null,"Nenhum tópico para mostrar"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" ","Language":" pt","X-Poedit-Language":" Portuguese","Last-Translator":" Teotonio <teotonio.ricardo@webtuga.pt>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-01-22 20:28+0200","Language-Team":" none","Content-Transfer-Encoding":" 8bit","Project-Id-Version":" icinga-web-translation 0.0"},"User name":[null,"Nome do usuário"],"Do you really want to delete these groups?":[null,"Você tem certeza de que quer apagar todos esses grupos?"],"Auto refresh":[null,"Atualização automática"],"Please provide a password for this user":[null,"Por favor providencie uma senha para esse usuário"],"Auth via":[null,"Autenticar usando"],"email":[null,"e-mail"],"Critical error":[null,"Erro crítico"],"Unknown error - please check your logs":[null,""],"Password":[null,"Senha"],"Category editor":[null,""],"Tactical overview settings":[null,"Configurações da visão geral tática"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,"Itens"],"Sorry, you could not be authenticated for icinga-web.":[null,"Sinto muito, você não pôde ser autenticado para a icinga-web"],"Reset view":[null,"Reiniciar"],"Command":[null,"Comando"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Tempo de execução do Host (mín/méd/max)"],"Created":[null,"Criado"],"Your login session has gone away, press ok to login again!":[null,"Sua sessão foi expirada, pressione OK para entrar novamente!"],"WARNING":[null,"WARNING"],"Sorry, could not find a xml file for %s":[null,"Sinto muito, Não pude encontrar um arquivo XML para %s"],"of":[null,"de"],"Your default language hast changed!":[null,"Seu idioma padrão foi alterado!"],"User":[null,"Usuário"],"Principals":[null,"Permissões"],"Filter":[null,"Filtro"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,"Não se esqueça de limpar a configiração agavi depois disso."],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Não foi possível enviar o comando, por favor, examine os logs!"],"Welcome":[null,"Bem Vindo"],"Categories":[null,""],"This command will be send to all selected items":[null,"Este comando será enviado para todos os itens selecionados"],"Critical":[null,"Crítico"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"SERVICE_OUTPUT"],"Groups":[null,"Grupos"],"Users":[null,"Usuários"],"Say what?":[null,"Dizer o quê?"],"Login":[null,"Login"],"Confirm password":[null,"Confirmar a senha"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,"identidade"],"Email":[null,"E-Mail"],"Clear selection":[null,"Limpar seleção"],"Commands":[null,"Comandos"],"Service execution (min/avg/max)":[null,"Execução do serviço (mín/méd/máx)"],"Nothing selected":[null,"Nada selecionado"],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,"Exceção lançada: %s"],"Your application profile has been deleted!":[null,"Seu perfil foi removido!"],"Title":[null,"sem título"],"One or more fields are invalid":[null,"Um ou mais campos estão inválidos"],"UP":[null,"UP"],"Services":[null,"Serviços"],"Message":[null,"Mensagem"],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,"Pressione-me"],"Warning":[null,"Atenção"],"isActive":[null,"isActive"],"Language":[null,"Idioma"],"Edit group":[null,"Editar grupo"],"Change title for this portlet":[null,"Alterar título deste portlet"],"Add restriction":[null,"Adicionar restrição"],"State information":[null,"Meta Informações"],"No users to display":[null,"Nenhum usuário para se visualizar"],"Error report":[null,"Reportar erro"],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,"Chave de autenticação para a API ( opcional )"],"Add new category":[null,"Adicionar novo utilizador"],"Close":[null,"Fechar"],"Available groups":[null,"Grupos disponíveis"],"Add new user":[null,"Adicionar novo utilizador"],"Edit user":[null,"Editar usuário"],"Could not remove the last tab!":[null,"Não foi possível remover a última aba!"],"True":[null,"Verdadeiro"],"Logout":[null,"Sair"],"Reload":[null,""],"Delete":[null,"Remover usuário"],"To start with a new application profile, click the following button.":[null,"Para iniciar um novo perfil de aplicação, clique no seguinte botão."],"description":[null,"descrição"],"(default) no option":[null,"(padrão) sem opções"],"Clear cache":[null,"Limpar os Erros"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Por favor, verifique seus dados e tente novamente!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,"Favor altere seu arquivo de configuração e configure para 'verdadeiro' (%s)"],"Error":[null,"Erro"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"auth.behaviour não está configurado corretamente. Você precisa de pelo menos um dos seguintes atributos habilitados:"],"Save this view as new cronk":[null,"Obter essa visão pela URL"],"Access denied":[null,"Acesso negado"],"Running":[null,""],"Do you really want to delete these users?":[null,"Você tem certeza de que quer apagar todos esses usuários?"],"Image":[null,""],"Principal":[null,"Principal"],"Selection is missing":[null,"Faltando uma seleção"],"Increment current notification":[null,"Incrementar a notificação atual"],"Name":[null,"Nome"],"Icinga bug report":[null,"Reportar o erro para Icinga"],"elete cronk":[null,"Excluir grupos"],"Reset":[null,"Reiniciar"],"firstname":[null,"primeiro nome"],"Save Cronk":[null,""],"New category":[null,"Remover uma categoria"],"Password changed":[null,"Senha modificada"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Criar novo usuário"],"The password was successfully changed":[null,"A senha foi alterada com sucesso"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Não foi possível conectar-se ao servidor WEB!"],"The passwords don't match!":[null,"As senhas não são iguais!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Comando enviado"],"Sorry":[null,"Sinto muito"],"Delete groups":[null,"Excluir grupos"],"Unknown":[null,"Desconhecido"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Documentos"],"Service latency (min/avg/max)":[null,"Latência do serviço (mín/méd/máx)"],"Displaying groups":[null,"Mostrando grupos"],"Preferences for user":[null,"Preferências para o usuário"],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,"Remover os grupos selecionados"],"Cronk deleted":[null,""],"Group inheritance":[null,"Grupo de herança"],"Meta":[null,""],"Forced":[null,"Forçado"],"groupname":[null,"nome do grupo"],"Search":[null,"Pesquisar"],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"log"],"Severity":[null,"Severidade"],"Create report for dev.icinga.org":[null,"Criar ocorrência para dev.icinga.org"],"Change language":[null,"Alterar Idioma"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,"O servidor encontrou um erro:<br/>"],"Click to edit user":[null,"Clique aqui para editar o usuário"],"Delete user":[null,"Remover usuário"],"Bug report":[null,"Reportar problema"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"Impossível modificar"],"COMMENT_AUTHOR_NAME":[null,"COMMENT_AUTHOR_NAME"],"Session expired":[null,"Sessão expirada"],"Hide disabled ":[null,"Ocultar os desativados"],"No groups to display":[null,"Não há grupos para visualizar"],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Adicionar novo grupo"],"Action":[null,"Opção"],"A error occured when requesting ":[null,"Ocorreu um erro durante a solicitação"],"Auto refresh ({0} seconds)":[null,"Atualização automática ({0} segundos)"],"The following ":[null,"Os seguintes"],"Grid settings":[null,"Configurações de grade"],"Yes":[null,"Sim"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Difusão"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Redefinir o estado do aplicativo"],"Cronks":[null,""],"No":[null,"Não"],"Enter title":[null,"Digite o título"],"Add selected principals":[null,"Adicionar o diretórios selecionados"],"Success":[null,""],"Login error (configuration)":[null,"Erro de login (configurações)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMMENT_DATA"],"Dev":[null,"Dev"],"Group name":[null,"Nome do grupo"],"Select a principal (Press Ctrl for multiple selects)":[null,"Selecione uma permissão (Pressione Ctrl para selecionar várias)"],"Share your Cronk":[null,""],"Ressource ":[null,"Recurso"],"Authorization failed for this instance":[null,"Mudar o título desta aba"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Reiniciar Aplicação"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Preferências de Usuário"],"Surname":[null,"Sobrenome"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,"Pesquisar"],"CRITICAL":[null,"CRITICAL"],"Login error":[null,"Erro de Login"],"Modify filter":[null,"Modificar Filtro"],"Status":[null,"Estado"],"Stop icinga process":[null,""],"Language changed":[null,"Idioma alterado"],"Remove":[null,"Remover"],"Disabled":[null,"Desativado"],"You haven't selected anything!":[null,"Você não selecionou nada!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Clique aqui para ver as instruções"],"active":[null,"ativo"],"Please enter a comment for this bug. This could be":[null,"Por favor adicione um comentário para esse erro. Isso poderia ser"],"contain":[null,""],"Edit":[null,"Editar usuário"],"Guest":[null,"Convidado"],"Host latency (min/avg/max)":[null,"Latência do Host (mín/méd/max)"],"Displaying topics {0} - {1} of {2}":[null,"Mostrando tópicos {0} - {1} de {2}"],"Close others":[null,"Fechar os outros"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,"Gravar"],"No node was removed":[null,"Nenhum nódulo foi removido"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"sem título"],"lastname":[null,"último nome"],"This item is read only!":[null,"Este item é somente de leitura!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,"Obter essa visão pela URL"],"New Preference":[null,"Nova preferência"],"Confirm":[null,"Confirmar a senha"],"Reload the cronk (not the content)":[null,"Atualizar o cronk (não o conteúdo)"],"Send report to admin":[null,"Enviar ocorrência para o administrador"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Você tem certeza de que quer apagar tudo?"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Nós somos Icinga"],"Unknown field type: {0}":[null,"Tipo de campo desconhecido: {0}"],"Meta information":[null,"Meta Informações"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"Comando {0} foi enviado com sucesso!"],"Link to this view":[null,"Ligar para essa visão"],"UNKNOWN":[null,"UNKNOWN"],"About":[null,"Sobre"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Por favor contate nosso administrador de sistema se você acha que essa ação é incomum."],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Abortar"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Modificar"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,"Informações gerais"],"Displaying users":[null,"Mostrando usuários"],"Position":[null,"Descrição"],"Remove this preference":[null,"Remover esta preferência"],"{0} ({1} items)":[null,"{0} ({1} itens)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"nome de usuário"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,"Está prestes a sair ..."],"Hosts":[null,"Hosts"],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Gravar a senha"],"Agavi setting":[null,"Configurações de grade"],"seconds":[null,""],"Unknown id":[null,"Identidade desconhecida"],"CronkBuilder":[null,""],"Available logs":[null,"Logs disponíveis"],"Link":[null,"Ligação"],"New password":[null,"Nova senha"],"Settings":[null,"Configurações"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Falso"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"HOST_OUTPUT"],"UNREACHABLE":[null,"UNREACHABLE"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Opção"],"Refresh":[null,"Atualizar"],"Are you sure to do this?":[null,"Você tem certeza que quer fazer isso?"]," principals?":[null,"Directorio"],"Tab slider":[null,""],"Clear errors":[null,"Limpar os Erros"],"OK":[null,"OK"],"Services (active/passive)":[null,"Serviços (ativo/passivo)"],"Remove selected users":[null,"Remover os usuários selecionados"],"Type":[null,"Digite"],"Comment bug":[null,"Comentar problema"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Criar novo grupo"],"Add":[null,"Adicionar"],"PENDING":[null,"PENDING"],"no principals availabe":[null,"sem permissões disponíveis"],"Advanced":[null,"Avançado"],"COMMENT_TIME":[null,"COMMENT_TIME"],"Change Password":[null,"Alterar senha"],"Language settings":[null,"Configurações de idioma"],"Removing a category":[null,"Remover uma categoria"],"The confirmed password doesn't match":[null,"A confirmação de senha não está correta"],"Rename":[null,"Renomear"],"Return code out of bounds":[null,"Código de retorno fora dos limites"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Não foi possível baixar a lista cronk, ocorreram os seguintes erros: {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Erro ao enviar o comando"],"Time":[null,"Hora"],"Discard":[null,"Descartar"],"Are you sure to delete {0}":[null,"Você tem certeza que quer fazer isso?"],"Refresh the data in the grid":[null,"Atualizar os dados na grade"],"Remove selected":[null,"Remover o selecionado"],"Stopped":[null,""],"Reload cronk":[null,"Excluir grupos"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Mudar o título desta aba"],"Sorry, cronk \"%s\" not found":[null,"Sinto muito , cronk ''%s'' não foi encontrado"],"Available users":[null,"Usuários Disponíveis"],"Request failed":[null,"Falha na solicitação"],"Admin tasks":[null,""],"Services for ":[null,"Serviços para"],"Login failed":[null,"Falha no login"],"Permissions":[null,"Permissões"],"Some error: {0}":[null,""],"Modified":[null,"Modificado"],"Hosts (active/passive)":[null,"Hosts (ativo/passivo)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Preferências"],"Item":[null,"Item"],"Apply":[null,"Aplicar"],"Saving":[null,"Gravando"],"Expand":[null,""],"IN TOTAL":[null,"NO TOTAL"],"Seems like you have no logs":[null,"Parece que você não tem logs"],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Descrição"],"DOWN":[null,"DOWN"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/pt_BR.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,"Nenhum tópico para mostrar"],"":{"Plural-Forms":" nplurals=2; plural=(n > 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-11-30 12:22+0200","Language":" pt_BR","Last-Translator":" Alex <alexcarlosantao@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-11-30 18:21+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Nome do usuário"],"Do you really want to delete these groups?":[null,"Você tem certeza de que quer apagar todos esses grupos?"],"Auto refresh":[null,"Atualização automática"],"Please provide a password for this user":[null,"Por favor providencie uma senha para esse usuário"],"Auth via":[null,"Autenticar usando"],"email":[null,"e-mail"],"Critical error":[null,"Erro crítico"],"Unknown error - please check your logs":[null,""],"Password":[null,"Senha"],"Category editor":[null,""],"Tactical overview settings":[null,"Configurações da visão geral tática"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,"Itens"],"Sorry, you could not be authenticated for icinga-web.":[null,"Sinto muito, você não pôde ser autenticado para a icinga-web"],"Command":[null,"Comando"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Tempo de execução do servidor (mín/méd/máx)"],"Created":[null,"Criado"],"Your login session has gone away, press ok to login again!":[null,"Sua sessão foi expirada, pressione ok para entrar novamente!"],"WARNING":[null,"AVISO"],"Sorry, could not find a xml file for %s":[null,"Sinto muito, não pude encontrar um arquivo xml para %s"],"of":[null,"de"],"Your default language hast changed!":[null,"Seu idioma padrão foi alterado!"],"User":[null,"Usuário"],"Principals":[null,"Permissões"],"Filter":[null,"Filtro"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,"Não se esqueça de limpar a configiração agavi depois disso."],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Não foi possível enviar o comando, por favor, examine os logs!"],"Welcome":[null,"Bem Vindo"],"Categories":[null,""],"This command will be send to all selected items":[null,"Este comando será enviado para todos os itens selecionados"],"Critical":[null,"Crítico"],"Cronk Id":[null,""],"Groups":[null,"Grupos"],"Users":[null,"Usuários"],"Say what?":[null,"Dizer o quê?"],"Login":[null,"Entrar"],"Confirm password":[null,"Confirmar a senha"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,"identidade"],"Email":[null,"E-Mail"],"Clear selection":[null,"Limpar seleção"],"Commands":[null,"Comandos"],"Service execution (min/avg/max)":[null,"Execução do serviço (mín/méd/máx)"],"Nothing selected":[null,"Nada selecionado"],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,"Exceção lançada: %s"],"Your application profile has been deleted!":[null,"Seu perfil foi removido!"],"Title":[null,"sem título"],"One or more fields are invalid":[null,"Um ou mais campos estão inválidos"],"UP":[null,"ATIVO"],"Services":[null,"Serviços"],"Message":[null,"Mensagem"],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,"Pressione-me"],"Warning":[null,"Atenção"],"isActive":[null,"isActive"],"Language":[null,"Idioma"],"Edit group":[null,"Editar grupo"],"Change title for this portlet":[null,"Alterar título deste portlet"],"Add restriction":[null,"Adicionar restrição"],"State information":[null,"Meta informações"],"No users to display":[null,"Nenhum usuário para se visualizar"],"Error report":[null,"Reportar erro"],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,"Chave de autenticação para a API ( opcional )"],"Add new category":[null,"Adicionar novo usuário"],"Close":[null,"Fechar"],"Available groups":[null,"Grupos disponíveis"],"Add new user":[null,"Adicionar novo usuário"],"Edit user":[null,"Editar usuário"],"Could not remove the last tab!":[null,"Não foi possível remover a última aba!"],"True":[null,"Verdadeiro"],"Logout":[null,"Sair"],"Reload":[null,""],"Delete":[null,"Remover usuário"],"To start with a new application profile, click the following button.":[null,"Para iniciar um novo perfil de aplicação, clique no seguinte botão."],"description":[null,"descrição"],"(default) no option":[null,"(padrão) sem opções"],"Clear cache":[null,"Limpar os erros"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Por favor, verifique seus dados e tente novamente!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,"Favor altere seu arquivo de configuração e configure para 'verdadeiro' (%s)."],"Error":[null,"Erro"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"auth.behaviour não está configurado corretamente. Você precisa de pelo menos um dos seguintes atributos habilitados:"],"Save this view as new cronk":[null,"Obter essa visão pela URL"],"Access denied":[null,"Acesso negado"],"Running":[null,""],"Do you really want to delete these users?":[null,"Você tem certeza de que quer apagar todos esses usuários?"],"Image":[null,""],"Principal":[null,"Principal"],"Selection is missing":[null,"Faltando uma seleção"],"Increment current notification":[null,"Incrementar a notificação atual"],"Name":[null,"Nome"],"Icinga bug report":[null,"Reportar o erro para icinga"],"elete cronk":[null,"Excluir grupos"],"Reset":[null,"Reiniciar"],"firstname":[null,"primeiro nome"],"Save Cronk":[null,""],"New category":[null,"Remover uma categoria"],"Password changed":[null,"Senha modificada"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Criar novo usuário"],"The password was successfully changed":[null,"A senha foi alterada com sucesso"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Não foi possível conectar-se ao servidor web!"],"The passwords don't match!":[null,"As senhas não são iguais!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Comando enviado"],"Sorry":[null,"Sinto muito"],"Delete groups":[null,"Excluir grupos"],"Unknown":[null,"Desconhecido"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Documentos"],"Service latency (min/avg/max)":[null,"Latência do serviço (mín/méd/máx)"],"Displaying groups":[null,"Mostrando grupos"],"Preferences for user":[null,"Preferências para o usuário"],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,"Remover os grupos selecionados"],"Cronk deleted":[null,""],"Group inheritance":[null,"Grupo de herança"],"Meta":[null,""],"Forced":[null,"Forçado"],"groupname":[null,"nome do grupo"],"Search":[null,"Pesquisar"],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"registro"],"Severity":[null,"Severidade"],"Create report for dev.icinga.org":[null,"Criar ocorrência para dev.icinga.org"],"Change language":[null,"Alterar idioma"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,"O servidor encontrou um erro:<br/>"],"Click to edit user":[null,"Clique aqui para editar o usuário"],"Delete user":[null,"Remover usuário"],"Bug report":[null,"Reportar problema"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"Impossível modificar"],"COMMENT_AUTHOR_NAME":[null,"COMMENT_AUTHOR_NAME"],"Session expired":[null,"Sessão expirada"],"Hide disabled ":[null,"Ocultar os desativados"],"No groups to display":[null,"Não há grupos para visualizar"],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Adicionar novo grupo"],"Action":[null,"Opção"],"A error occured when requesting ":[null,"Ocorreu um erro durante a solicitação"],"Auto refresh ({0} seconds)":[null,"Atualização automática ({0} segundos)"],"The following ":[null,"Os seguintes"],"Grid settings":[null,"Configurações de grade"],"Yes":[null,"Sim"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Difusão"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Redefinir o estado do aplicativo"],"Cronks":[null,""],"No":[null,"Não"],"Enter title":[null,"Digite o título"],"Add selected principals":[null,"Adicionar o diretórios selecionados"],"Success":[null,""],"Login error (configuration)":[null,"Erro para entrar (configurações)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMMENT_DATA"],"Dev":[null,"Desenv"],"Group name":[null,"Nome do grupo"],"Select a principal (Press Ctrl for multiple selects)":[null,"Selecione uma permissão (Pressione Ctrl para selecionar várias)"],"Share your Cronk":[null,""],"Ressource ":[null,"Recurso"],"Authorization failed for this instance":[null,"Mudar o título desta aba"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Reiniciar aplicação"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Preferências de usuário"],"Surname":[null,"Sobrenome"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,"Pesquisar"],"CRITICAL":[null,"CRÍTICO"],"Login error":[null,"Erro de entrada"],"Modify filter":[null,"Modificar filtro"],"Status":[null,"Estado"],"Stop icinga process":[null,""],"Language changed":[null,"Idioma alterado"],"Remove":[null,"Remover"],"Disabled":[null,"Desativado"],"You haven't selected anything!":[null,"Você não selecionou nada!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Clique aqui para ver as instruções"],"active":[null,"ativo"],"Please enter a comment for this bug. This could be":[null,"Por favor adicione um comentário para esse erro. Isso poderia ser"],"contain":[null,""],"Edit":[null,"Editar usuário"],"Guest":[null,"Convidado"],"Host latency (min/avg/max)":[null,"Latência do servidor (mín/méd/máx)"],"Displaying topics {0} - {1} of {2}":[null,"Mostrando tópicos {0} - {1} de {2}"],"Close others":[null,"Fechar os outros"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,"Gravar"],"No node was removed":[null,"Nenhum nódulo foi removido"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"sem título"],"lastname":[null,"último nome"],"This item is read only!":[null,"Este item é somente de leitura!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,"Obter essa visão pela URL"],"New Preference":[null,"Nova preferência"],"Confirm":[null,"Confirmar a senha"],"Reload the cronk (not the content)":[null,"Atualizar o cronk (não o conteúdo)"],"Send report to admin":[null,"Enviar ocorrência para o administrador"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Você tem certeza de que quer apagar tudo?"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Nós somos Icinga"],"Unknown field type: {0}":[null,"Tipo de campo desconhecido: {0}"],"Meta information":[null,"Meta informações"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"Comando {0} foi enviado com sucesso!"],"Link to this view":[null,"Ligar para essa visão"],"UNKNOWN":[null,"DESCONHECIDO"],"About":[null,"Sobre"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Por favor contate nosso administrador de sistema se você acha que essa ação é incomum."],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Abortar"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Modificar"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,"Informações gerais"],"Displaying users":[null,"Mostrando usuários"],"Position":[null,"Descrição"],"Remove this preference":[null,"Remover esta preferência"],"{0} ({1} items)":[null,"{0} ({1} itens)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"nome de usuário"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,"Está prestes a sair ..."],"Hosts":[null,"Servidores"],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Gravar a senha"],"Agavi setting":[null,"Configurações de grade"],"seconds":[null,""],"Unknown id":[null,"Identidade desconhecida"],"CronkBuilder":[null,""],"Available logs":[null,"Logs disponíveis"],"Link":[null,"Ligação"],"New password":[null,"Nova senha"],"Settings":[null,"Configurações"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Falso"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"INACESSÍVEL"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Opção"],"Refresh":[null,"Atualizar"],"Are you sure to do this?":[null,"Você tem certeza que quer fazer isso?"]," principals?":[null,"permissões?"],"Tab slider":[null,""],"Clear errors":[null,"Limpar os erros"],"OK":[null,"OK"],"Services (active/passive)":[null,"Serviços (ativo/passivo)"],"Remove selected users":[null,"Remover os usuários selecionados"],"Type":[null,"Digite"],"Comment bug":[null,"Comentar problema"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Criar novo grupo"],"Add":[null,"Adicionar"],"PENDING":[null,"PENDING"],"no principals availabe":[null,"sem permissões disponíveis"],"Advanced":[null,"Avançado"],"COMMENT_TIME":[null,"COMMENT_TIME"],"Change Password":[null,"Alterar senha"],"Language settings":[null,"Configurações de idioma"],"Removing a category":[null,"Remover uma categoria"],"The confirmed password doesn't match":[null,"A confirmação de senha não está correta"],"Rename":[null,"Renomear"],"Return code out of bounds":[null,"Código de retorno fora dos limites"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Não foi possível baixar a lista cronk, ocorreram os seguintes erros: {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Erro ao enviar o comando"],"Time":[null,"Hora"],"Discard":[null,"Descartar"],"Are you sure to delete {0}":[null,"Você tem certeza que quer fazer isso?"],"Refresh the data in the grid":[null,"Atualizar os dados na grade"],"Remove selected":[null,"Remover o selecionado"],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Mudar o título desta aba"],"Sorry, cronk \"%s\" not found":[null,"Sinto muito, cronk ''%s'' não foi encontrado"],"Available users":[null,"Usuários disponíveis"],"Request failed":[null,"Falha na solicitação"],"Admin tasks":[null,""],"Services for ":[null,"Serviços para"],"Login failed":[null,"Falha para entrar"],"Permissions":[null,"Permissões"],"Some error: {0}":[null,""],"Modified":[null,"Modificado"],"Hosts (active/passive)":[null,"Servidores (ativo/passivo)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Preferências"],"Item":[null,"Item"],"Apply":[null,"Aplicar"],"Saving":[null,"Gravando"],"IN TOTAL":[null,"NO TOTAL"],"Seems like you have no logs":[null,"Parece que você não tem logs"],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Descrição"],"DOWN":[null,"INATIVO"]}
\ No newline at end of file
+{"No topics to display":[null,"Nenhum tópico para mostrar"],"":{"Plural-Forms":" nplurals=2; plural=(n > 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-11-30 12:22+0200","Language":" pt_BR","Last-Translator":" Alex <alexcarlosantao@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-11-30 18:21+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Nome do usuário"],"Do you really want to delete these groups?":[null,"Você tem certeza de que quer apagar todos esses grupos?"],"Auto refresh":[null,"Atualização automática"],"Please provide a password for this user":[null,"Por favor providencie uma senha para esse usuário"],"Auth via":[null,"Autenticar usando"],"email":[null,"e-mail"],"Critical error":[null,"Erro crítico"],"Unknown error - please check your logs":[null,""],"Password":[null,"Senha"],"Category editor":[null,""],"Tactical overview settings":[null,"Configurações da visão geral tática"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,"Itens"],"Sorry, you could not be authenticated for icinga-web.":[null,"Sinto muito, você não pôde ser autenticado para a icinga-web"],"Reset view":[null,"Reiniciar"],"Command":[null,"Comando"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Tempo de execução do servidor (mín/méd/máx)"],"Created":[null,"Criado"],"Your login session has gone away, press ok to login again!":[null,"Sua sessão foi expirada, pressione ok para entrar novamente!"],"WARNING":[null,"AVISO"],"Sorry, could not find a xml file for %s":[null,"Sinto muito, não pude encontrar um arquivo xml para %s"],"of":[null,"de"],"Your default language hast changed!":[null,"Seu idioma padrão foi alterado!"],"User":[null,"Usuário"],"Principals":[null,"Permissões"],"Filter":[null,"Filtro"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,"Não se esqueça de limpar a configiração agavi depois disso."],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Não foi possível enviar o comando, por favor, examine os logs!"],"Welcome":[null,"Bem Vindo"],"Categories":[null,""],"This command will be send to all selected items":[null,"Este comando será enviado para todos os itens selecionados"],"Critical":[null,"Crítico"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"SERVICE_OUTPUT"],"Groups":[null,"Grupos"],"Users":[null,"Usuários"],"Say what?":[null,"Dizer o quê?"],"Login":[null,"Entrar"],"Confirm password":[null,"Confirmar a senha"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,"identidade"],"Email":[null,"E-Mail"],"Clear selection":[null,"Limpar seleção"],"Commands":[null,"Comandos"],"Service execution (min/avg/max)":[null,"Execução do serviço (mín/méd/máx)"],"Nothing selected":[null,"Nada selecionado"],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"is not":[null,""],"Exception thrown: %s":[null,"Exceção lançada: %s"],"Your application profile has been deleted!":[null,"Seu perfil foi removido!"],"Title":[null,"sem título"],"One or more fields are invalid":[null,"Um ou mais campos estão inválidos"],"UP":[null,"ATIVO"],"Services":[null,"Serviços"],"Message":[null,"Mensagem"],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,"Pressione-me"],"Warning":[null,"Atenção"],"isActive":[null,"isActive"],"Language":[null,"Idioma"],"Edit group":[null,"Editar grupo"],"Change title for this portlet":[null,"Alterar título deste portlet"],"Add restriction":[null,"Adicionar restrição"],"State information":[null,"Meta informações"],"No users to display":[null,"Nenhum usuário para se visualizar"],"Error report":[null,"Reportar erro"],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,"Chave de autenticação para a API ( opcional )"],"Add new category":[null,"Adicionar novo usuário"],"Close":[null,"Fechar"],"Available groups":[null,"Grupos disponíveis"],"Add new user":[null,"Adicionar novo usuário"],"Edit user":[null,"Editar usuário"],"Could not remove the last tab!":[null,"Não foi possível remover a última aba!"],"True":[null,"Verdadeiro"],"Logout":[null,"Sair"],"Reload":[null,""],"Delete":[null,"Remover usuário"],"To start with a new application profile, click the following button.":[null,"Para iniciar um novo perfil de aplicação, clique no seguinte botão."],"description":[null,"descrição"],"(default) no option":[null,"(padrão) sem opções"],"Clear cache":[null,"Limpar os erros"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Por favor, verifique seus dados e tente novamente!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,"Favor altere seu arquivo de configuração e configure para 'verdadeiro' (%s)."],"Error":[null,"Erro"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"auth.behaviour não está configurado corretamente. Você precisa de pelo menos um dos seguintes atributos habilitados:"],"Save this view as new cronk":[null,"Obter essa visão pela URL"],"Access denied":[null,"Acesso negado"],"Running":[null,""],"Do you really want to delete these users?":[null,"Você tem certeza de que quer apagar todos esses usuários?"],"Image":[null,""],"Principal":[null,"Principal"],"Selection is missing":[null,"Faltando uma seleção"],"Increment current notification":[null,"Incrementar a notificação atual"],"Name":[null,"Nome"],"Icinga bug report":[null,"Reportar o erro para icinga"],"elete cronk":[null,"Excluir grupos"],"Reset":[null,"Reiniciar"],"firstname":[null,"primeiro nome"],"Save Cronk":[null,""],"New category":[null,"Remover uma categoria"],"Password changed":[null,"Senha modificada"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Criar novo usuário"],"The password was successfully changed":[null,"A senha foi alterada com sucesso"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Não foi possível conectar-se ao servidor web!"],"The passwords don't match!":[null,"As senhas não são iguais!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Comando enviado"],"Sorry":[null,"Sinto muito"],"Delete groups":[null,"Excluir grupos"],"Unknown":[null,"Desconhecido"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Documentos"],"Service latency (min/avg/max)":[null,"Latência do serviço (mín/méd/máx)"],"Displaying groups":[null,"Mostrando grupos"],"Preferences for user":[null,"Preferências para o usuário"],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,"Remover os grupos selecionados"],"Cronk deleted":[null,""],"Group inheritance":[null,"Grupo de herança"],"Meta":[null,""],"Forced":[null,"Forçado"],"groupname":[null,"nome do grupo"],"Search":[null,"Pesquisar"],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"registro"],"Severity":[null,"Severidade"],"Create report for dev.icinga.org":[null,"Criar ocorrência para dev.icinga.org"],"Change language":[null,"Alterar idioma"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,"O servidor encontrou um erro:<br/>"],"Click to edit user":[null,"Clique aqui para editar o usuário"],"Delete user":[null,"Remover usuário"],"Bug report":[null,"Reportar problema"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"Impossível modificar"],"COMMENT_AUTHOR_NAME":[null,"COMMENT_AUTHOR_NAME"],"Session expired":[null,"Sessão expirada"],"Hide disabled ":[null,"Ocultar os desativados"],"No groups to display":[null,"Não há grupos para visualizar"],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Adicionar novo grupo"],"Action":[null,"Opção"],"A error occured when requesting ":[null,"Ocorreu um erro durante a solicitação"],"Auto refresh ({0} seconds)":[null,"Atualização automática ({0} segundos)"],"The following ":[null,"Os seguintes"],"Grid settings":[null,"Configurações de grade"],"Yes":[null,"Sim"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Difusão"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Redefinir o estado do aplicativo"],"Cronks":[null,""],"No":[null,"Não"],"Enter title":[null,"Digite o título"],"Add selected principals":[null,"Adicionar o diretórios selecionados"],"Success":[null,""],"Login error (configuration)":[null,"Erro para entrar (configurações)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMMENT_DATA"],"Dev":[null,"Desenv"],"Group name":[null,"Nome do grupo"],"Select a principal (Press Ctrl for multiple selects)":[null,"Selecione uma permissão (Pressione Ctrl para selecionar várias)"],"Share your Cronk":[null,""],"Ressource ":[null,"Recurso"],"Authorization failed for this instance":[null,"Mudar o título desta aba"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Reiniciar aplicação"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Preferências de usuário"],"Surname":[null,"Sobrenome"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,"Pesquisar"],"CRITICAL":[null,"CRÍTICO"],"Login error":[null,"Erro de entrada"],"Modify filter":[null,"Modificar filtro"],"Status":[null,"Estado"],"Stop icinga process":[null,""],"Language changed":[null,"Idioma alterado"],"Remove":[null,"Remover"],"Disabled":[null,"Desativado"],"You haven't selected anything!":[null,"Você não selecionou nada!"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Clique aqui para ver as instruções"],"active":[null,"ativo"],"Please enter a comment for this bug. This could be":[null,"Por favor adicione um comentário para esse erro. Isso poderia ser"],"contain":[null,""],"Edit":[null,"Editar usuário"],"Guest":[null,"Convidado"],"Host latency (min/avg/max)":[null,"Latência do servidor (mín/méd/máx)"],"Displaying topics {0} - {1} of {2}":[null,"Mostrando tópicos {0} - {1} de {2}"],"Close others":[null,"Fechar os outros"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,"Gravar"],"No node was removed":[null,"Nenhum nódulo foi removido"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"sem título"],"lastname":[null,"último nome"],"This item is read only!":[null,"Este item é somente de leitura!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,"Obter essa visão pela URL"],"New Preference":[null,"Nova preferência"],"Confirm":[null,"Confirmar a senha"],"Reload the cronk (not the content)":[null,"Atualizar o cronk (não o conteúdo)"],"Send report to admin":[null,"Enviar ocorrência para o administrador"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Você tem certeza de que quer apagar tudo?"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Nós somos Icinga"],"Unknown field type: {0}":[null,"Tipo de campo desconhecido: {0}"],"Meta information":[null,"Meta informações"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"Comando {0} foi enviado com sucesso!"],"Link to this view":[null,"Ligar para essa visão"],"UNKNOWN":[null,"DESCONHECIDO"],"About":[null,"Sobre"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Por favor contate nosso administrador de sistema se você acha que essa ação é incomum."],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Abortar"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Modificar"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,"Informações gerais"],"Displaying users":[null,"Mostrando usuários"],"Position":[null,"Descrição"],"Remove this preference":[null,"Remover esta preferência"],"{0} ({1} items)":[null,"{0} ({1} itens)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"nome de usuário"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,"Está prestes a sair ..."],"Hosts":[null,"Servidores"],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Gravar a senha"],"Agavi setting":[null,"Configurações de grade"],"seconds":[null,""],"Unknown id":[null,"Identidade desconhecida"],"CronkBuilder":[null,""],"Available logs":[null,"Logs disponíveis"],"Link":[null,"Ligação"],"New password":[null,"Nova senha"],"Settings":[null,"Configurações"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Falso"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"HOST_OUTPUT"],"UNREACHABLE":[null,"INACESSÍVEL"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Opção"],"Refresh":[null,"Atualizar"],"Are you sure to do this?":[null,"Você tem certeza que quer fazer isso?"]," principals?":[null,"permissões?"],"Tab slider":[null,""],"Clear errors":[null,"Limpar os erros"],"OK":[null,"OK"],"Services (active/passive)":[null,"Serviços (ativo/passivo)"],"Remove selected users":[null,"Remover os usuários selecionados"],"Type":[null,"Digite"],"Comment bug":[null,"Comentar problema"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Criar novo grupo"],"Add":[null,"Adicionar"],"PENDING":[null,"PENDING"],"no principals availabe":[null,"sem permissões disponíveis"],"Advanced":[null,"Avançado"],"COMMENT_TIME":[null,"COMMENT_TIME"],"Change Password":[null,"Alterar senha"],"Language settings":[null,"Configurações de idioma"],"Removing a category":[null,"Remover uma categoria"],"The confirmed password doesn't match":[null,"A confirmação de senha não está correta"],"Rename":[null,"Renomear"],"Return code out of bounds":[null,"Código de retorno fora dos limites"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Não foi possível baixar a lista cronk, ocorreram os seguintes erros: {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Erro ao enviar o comando"],"Time":[null,"Hora"],"Discard":[null,"Descartar"],"Are you sure to delete {0}":[null,"Você tem certeza que quer fazer isso?"],"Refresh the data in the grid":[null,"Atualizar os dados na grade"],"Remove selected":[null,"Remover o selecionado"],"Stopped":[null,""],"Reload cronk":[null,"Excluir grupos"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Mudar o título desta aba"],"Sorry, cronk \"%s\" not found":[null,"Sinto muito, cronk ''%s'' não foi encontrado"],"Available users":[null,"Usuários disponíveis"],"Request failed":[null,"Falha na solicitação"],"Admin tasks":[null,""],"Services for ":[null,"Serviços para"],"Login failed":[null,"Falha para entrar"],"Permissions":[null,"Permissões"],"Some error: {0}":[null,""],"Modified":[null,"Modificado"],"Hosts (active/passive)":[null,"Servidores (ativo/passivo)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Preferências"],"Item":[null,"Item"],"Apply":[null,"Aplicar"],"Saving":[null,"Gravando"],"Expand":[null,""],"IN TOTAL":[null,"NO TOTAL"],"Seems like you have no logs":[null,"Parece que você não tem logs"],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Descrição"],"DOWN":[null,"INATIVO"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/ro.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100 > 0 && n%100 < 20)) ? 1 : 2);;","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-29 00:12+0200","Language":" ro","Last-Translator":" Mike <mihai@radoveanu.ro>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-05-27 22:06+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Redenumeste"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,""],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"Critic"],"Unknown error - please check your logs":[null,""],"Password":[null,"Parolă"],"Category editor":[null,""],"Tactical overview settings":[null,"Privire de ansamblu a setarilor."],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Ati fost logat cu succes. Veti fi redirectat imediat, iar daca \"#~ \"redirectarea nu merge va rog sa urmati <a href=\"%s\">acest link</a> in \"#~ \"mod manual.\""],"Command":[null,"Comanda"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Utilizator"],"Principals":[null,""],"Filter":[null,"Filtru"],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,""],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Critic"],"Cronk Id":[null,""],"no more fields":[null,"nu mai sunt campuri"],"Groups":[null,""],"Users":[null,"Utilizator"],"Say what?":[null,""],"Login":[null,"Logare"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"URL notițe"],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,"Comenzi"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"Timp de execuție"],"add":[null,"Adauga"],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Introdu titlu"],"One or more fields are invalid":[null,"nu mai sunt campuri"],"UP":[null,""],"Services":[null,"Servicii pentru"],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"Timp reîmprospătare status"],"Press me":[null,""],"Warning":[null,""],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,""],"Add restriction":[null,"Adauga restrictie"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"Hostul flapează"],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,"Inchide"],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,"Nu am putut sterge ultimul tab"],"True":[null,""],"Logout":[null,"Log"],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Adauga restrictie"],"(default) no option":[null,"(standard) nici o opțiune"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"Flapează"],"Please verify your input and try again!":[null,"Va rugăm să verificați inputul și să încercați din nou"],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"Următoarea verificare"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Lipsește selecția"],"Increment current notification":[null,"Incrementeaza notificarea curenta"],"Name":[null,"Redenumeste"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,"Reseteaza"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Parolă"],"Icinga status":[null,"Icinga"],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"Ultima verificare"],"Command sent":[null,"Comanda trimisa"],"Sorry":[null,"Ne pare rău"],"Delete groups":[null,""],"Unknown":[null,""],"HOST_ALIAS":[null,"Alias"],"Docs":[null,"Documente"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Servicii pentru"],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Forțat"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"Următoarea verificare"],"log":[null,"Log"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,"Timp de executie"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"Latență"],"Add new group":[null,""],"Action":[null,"Opțiune"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,""],"The following ":[null,""],"Grid settings":[null,"Setări"],"Yes":[null,"Da"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,""],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Nu"],"Enter title":[null,"Introdu titlu"],"Add selected principals":[null,""],"Success":[null,""],"Try":[null,"Încearcă"],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Dev"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,""],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Redenumeste"],"HOST_NOTES_URL":[null,"URL notițe"],"Searching ...":[null,""],"CRITICAL":[null,""],"Login error":[null,"Logare"],"Modify filter":[null,"Modifică filtru"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Sterge"],"Disabled":[null,"Renunta"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Oaspete"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Închide altele"],"HOST_MAX_CHECK_ATTEMPTS":[null,"Număr maxim incercări"],"SERVICE_LAST_CHECK":[null,"Ultima verificare"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"Introdu titlu"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,"Reincarca cronk-ul (nu cel curent)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Tipul campului este necunoscut: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"Comanda {0} a fost trimisa cu succes!"],"Link to this view":[null,""],"UNKNOWN":[null,"NECUNOSCUT"],"About":[null,"Despre"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,"Anuleaza"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Modifică"],"HOST_LAST_NOTIFICATION":[null,"Ultima notificare"],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"Adauga restrictie"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} item-uri)"],"HOST_ADDRESS":[null,"Adresă"],"You can not delete system categories":[null,""],"username":[null,"Redenumeste"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"Starea curentă"],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,"Nume afișat"],"Save password":[null,"Parolă"],"Agavi setting":[null,"Setări"],"seconds":[null,""],"Unknown id":[null,"Tipul campului este necunoscut: {0}"],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,"Logare"],"New password":[null,"Parolă"],"Settings":[null,"Setări"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,"Inchide"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,"Opțiune"],"Refresh":[null,"Reimprospateaza"],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Comanda trimisa"],"HOST_CHECK_TYPE":[null,"Verifică tip"],"Create a new group":[null,""],"Add":[null,"Adauga"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,"Parolă"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Redenumeste"],"Return code out of bounds":[null,"Codul returnat a iesit din limite"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,"Latență"],"Error sending command":[null,"Eroare în trimiterea comenzii"],"Time":[null,""],"Discard":[null,"Renunta"],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,"Reîmprospateaza datele din grila"],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,""],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"Închide altele"],"Admin tasks":[null,""],"Services for ":[null,"Servicii pentru"],"Login failed":[null,"Logare eșuată"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Modifică"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Aplica"],"Saving":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"Adresă"],"Description":[null,"Adauga restrictie"],"DOWN":[null,"CAZUT"]}
\ No newline at end of file
+{"No topics to display":[null,"Nici un topic de afisat"],"":{"Plural-Forms":" nplurals=3; plural=(n==1 ? 0 : (n==0 || (n%100 > 0 && n%100 < 20)) ? 1 : 2);;","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-29 00:12+0200","Language":" ro","Last-Translator":" Marius <mboeru@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-03-26 21:12+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Redenumeste"],"Do you really want to delete these groups?":[null,"Chiar vreti sa stergeti acest grupuri?"],"Auto refresh":[null,"Reimprosparare automata"],"Please provide a password for this user":[null,""],"Auth via":[null,"Auth prin"],"email":[null,""],"Critical error":[null,"Eroare Critica"],"Unknown error - please check your logs":[null,""],"Password":[null,"Parolă"],"Category editor":[null,"Editor de categorii"],"Tactical overview settings":[null,"Privire de ansamblu a setarilor."],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,"Items"],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Ati fost logat cu succes. Veti fi redirectat imediat, iar daca \"#~ \"redirectarea nu merge va rog sa urmati <a href=\"%s\">acest link</a> in \"#~ \"mod manual.\""],"Reset view":[null,"Reseteaza"],"Command":[null,"Comanda"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Timp de executie Host (min/med/max)"],"Created":[null,"Creat"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Utilizator"],"Principals":[null,""],"Filter":[null,"Filtreaza"],"HOST_OUTPUT":[null,"Output"],"Don't forget to clear the agavi config cache after that.":[null,"Nu uita sa golesti cacheul agavi config dupa asta."],"Couldn't submit check command - check your access.xml":[null,"Nu s-a putut trimite comanda de verificare - verificati access.xml"],"Could not send the command, please examine the logs!":[null,"Nu s-a putut trimite comanda, verificati logurile!"],"Welcome":[null,""],"Categories":[null,"Categorii"],"This command will be send to all selected items":[null,""],"Critical":[null,"Critic"],"Cronk Id":[null,"Id Cronk"],"SERVICE_LONG_OUTPUT":[null,"URL notițe"],"no more fields":[null,"nu mai sunt campuri"],"Groups":[null,"Grupuri"],"Users":[null,"Utilizator"],"Say what?":[null,""],"Login":[null,"Logare"],"Confirm password":[null,"Confirma Parola"],"Instance":[null,"Instanţă"],"SERVICE_NOTES_URL":[null,"URL notițe"],"id":[null,""],"Email":[null,"Email"],"Clear selection":[null,"Curătă selectia"],"Commands":[null,"Comenzi"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,"Nimic selectat"],"HOST_EXECUTION_TIME":[null,"Timp de execuție"],"add":[null,"Adauga"],"is not":[null,""],"Exception thrown: %s":[null,"S-a primit exceptie: %s"],"Your application profile has been deleted!":[null,""],"Title":[null,"Introdu titlu"],"One or more fields are invalid":[null,"Unul sau mai multe campuri sunt invalide"],"UP":[null,""],"Services":[null,"Servicii pentru"],"Message":[null,"Mesaj"],"HOST_STATUS_UPDATE_TIME":[null,"Timp reîmprospătare status"],"Press me":[null,""],"Warning":[null,""],"isActive":[null,""],"Language":[null,"Limbă"],"Edit group":[null,"Modifica grup"],"Change title for this portlet":[null,"Schimbă titlu pentru acest portlet"],"Add restriction":[null,"Adauga restrictie"],"State information":[null,""],"No users to display":[null,"Nici un utilizator de afisat"],"Error report":[null,"Raport Erori"],"HOST_IS_FLAPPING":[null,"Hostul flapează"],"Authkey for Api (optional)":[null,"Authkey pentru Api (optional)"],"Add new category":[null,"Adauga o categorie noua"],"Close":[null,"Inchide"],"Available groups":[null,"Grupuri disponibile"],"Add new user":[null,"Adauga un nou utilizator"],"Edit user":[null,"Modifica utilizator"],"Could not remove the last tab!":[null,"Nu am putut sterge ultimul tab!"],"True":[null,""],"Logout":[null,"Logout"],"Reload":[null,""],"Delete":[null,"Sterge"],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Adauga restrictie"],"(default) no option":[null,"(standard) nici o opțiune"],"Clear cache":[null,"Curătă cacheul"],"Hidden":[null,"Ascuns"],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"Flapează"],"Please verify your input and try again!":[null,"Va rugăm să verificați inputul și să încercați din nou"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"Incercarea de verificare"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"Următoarea verificare"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"Eroare"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,"Accesul Interzis"],"Running":[null,""],"Do you really want to delete these users?":[null,"Chiar vreti sa stergeti acesti utilizatori?"],"Image":[null,"Imagine"],"Principal":[null,""],"Selection is missing":[null,"Lipsește selecția"],"Increment current notification":[null,"Incrementeaza notificarea curenta"],"Name":[null,"Nume"],"Icinga bug report":[null,"Icinga bug report"],"elete cronk":[null,""],"Reset":[null,"Reseteaza"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,"Categorie Nouă"],"Password changed":[null,"Parolă"],"Icinga status":[null,"Status Icinga"],"Create a new user":[null,"Creaza un nou utilizator"],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,"Pentru a termina trebuie sa reincarcati interfata. Sunteti siguri?"],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Nu s-a putut conecta la serverul web"],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"Ultima verificare"],"Command sent":[null,"Comanda trimisa"],"Sorry":[null,"Ne pare rău"],"Delete groups":[null,"Sterge grupuri"],"Unknown":[null,""],"HOST_ALIAS":[null,"Alias"],"Docs":[null,"Docs"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,"Afisam grupurile"],"Preferences for user":[null,"Servicii pentru"],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,"Cronk Sters"],"Group inheritance":[null,"Mostenire grupuri"],"Meta":[null,"Meta"],"Forced":[null,"Forțat"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"Următoarea verificare"],"log":[null,"Log"],"Severity":[null,""],"Create report for dev.icinga.org":[null,"Creaza un raport pentru dev.icinga.org"],"Change language":[null,"Schimbă limba"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,"Apasati aici pentru a modifica utilizatorul"],"Delete user":[null,"Sterge utilizator"],"Bug report":[null,"Raporteaza bug"],"SERVICE_EXECUTION_TIME":[null,"Timp de executie"],"Can't modify":[null,"Nu se poate modifica"],"COMMENT_AUTHOR_NAME":[null,"Autor"],"Session expired":[null,""],"Hide disabled ":[null,"Ascuns dezactivat"],"No groups to display":[null,"Nici un grup de arătat"],"HOST_LATENCY":[null,"Latență"],"Add new group":[null,"Adauga un grup nou"],"Action":[null,"Acțiune"],"A error occured when requesting ":[null,"A avut loc o eroare la cerere"],"Auto refresh ({0} seconds)":[null,"Reimprosparare automata ({0} secunde)"],"The following ":[null,""],"Grid settings":[null,"Setări grilă"],"Yes":[null,"Da"],"Loading TO \"{0}\" ...":[null,"Incarca LA \"{0}\" ..."],"Loading Cronks ...":[null,"Se incarcă Cronks ..."],"Please wait...":[null,""],"Broadcast":[null,"Transmite"],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,"Curătă"],"Reset application state":[null,""],"Cronks":[null,"Cronkuri"],"No":[null,"Nu"],"Enter title":[null,"Introdu titlu"],"Add selected principals":[null,"Adauga princilalele selectate"],"Success":[null,""],"Try":[null,"Încearcă"],"Login error (configuration)":[null,"Eroare la Logare (configurare)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"Comentariu"],"Dev":[null,"Dev"],"Group name":[null,"Nume grup"],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Autorizarea a esuat pentru aceasta instanta"],"Cronk \"{0}\" successfully written to database!":[null,"Cronk \"{0}\" scris cu succes in baza de date!"],"App reset":[null,"resetare app"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Redenumeste"],"HOST_NOTES_URL":[null,"URL notițe"],"Searching ...":[null,""],"CRITICAL":[null,"CRITIC"],"Login error":[null,"Eroare la Logare"],"Modify filter":[null,"Modifică filtru"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,"Limbă schimbată"],"Remove":[null,"Sterge"],"Disabled":[null,"Dezactivat"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Apasati aici pentru a vedea instructiunile"],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"Modifica"],"Guest":[null,"Oaspete"],"Host latency (min/avg/max)":[null,"Latenţă Host (min/med/max)"],"Displaying topics {0} - {1} of {2}":[null,"Afisam topicurile {0} - {1} din {2}"],"Close others":[null,"Închide altele"],"HOST_MAX_CHECK_ATTEMPTS":[null,"Număr maxim incercări"],"SERVICE_LAST_CHECK":[null,"Ultima verificare"],"Save":[null,""],"No node was removed":[null,"Nici un nod nu a fost sters"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"Introdu titlu"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"Adâncimea perioadei programate"],"Get this view as URL":[null,"Obtine acet view ca URL"],"New Preference":[null,"Preferintă Nouă"],"Confirm":[null,"Confirma"],"Reload the cronk (not the content)":[null,"Reincarca cronk-ul (nu cel curent)"],"Send report to admin":[null,""],"Not allowed":[null,"Nu este permis"],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Chiar vreti sa stergeti tot"],"Expert mode":[null,"Mod Expert"],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Tipul campului este necunoscut: {0}"],"Meta information":[null,"Informatii Meta"],"Parameters":[null,"Parametrii"],"{0} command was sent successfully!":[null,"Comanda {0} a fost trimisa cu succes!"],"Link to this view":[null,"Link către acest view"],"UNKNOWN":[null,"NECUNOSCUT"],"About":[null,"Despre"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,"Toate categoriile disponibile"],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,"Anuleaza"],"CronkBuilder has gone away!":[null,"CronkBuilder a disparut!"],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Modifică"],"HOST_LAST_NOTIFICATION":[null,"Ultima notificare"],"General information":[null,"Informatii Generale"],"Displaying users":[null,"Afisam utilizatorii"],"Position":[null,"Adauga restrictie"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} item-uri)"],"HOST_ADDRESS":[null,"Adresă"],"You can not delete system categories":[null,""],"username":[null,"Redenumeste"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"Starea curentă"],"HOST_PERFDATA":[null,"Perfdata"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,"Hosturi"],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,"Nume afișat"],"Save password":[null,"Parolă"],"Agavi setting":[null,"Setări"],"seconds":[null,""],"Unknown id":[null,"Tipul campului este necunoscut: {0}"],"CronkBuilder":[null,"CronkBuilder"],"Available logs":[null,"Loguri disponibile"],"Link":[null,"Link"],"New password":[null,"Parolă Nouă"],"Settings":[null,"Setări"],"Module":[null,"Modul"],"HOST_DISPLAY_NAME":[null,"Nume Afişat"],"False":[null,"Fals"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,"(Re-)Porneste procesul icinga"],"HOST_LONG_OUTPUT":[null,"Output"],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,"Opțiune"],"Refresh":[null,"Reimprospateaza"],"Are you sure to do this?":[null,"Esti sigur ca vrei sa faci asta?"]," principals?":[null,"principale?"],"Tab slider":[null,""],"Clear errors":[null,"Curătă erorile"],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Comanda trimisa"],"HOST_CHECK_TYPE":[null,"Verifică tip"],"Create a new group":[null,"Creaza un nou grup"],"Add":[null,"Adauga"],"PENDING":[null,"ÎN AŞTEPTARE"],"no principals availabe":[null,""],"Advanced":[null,"Avansat"],"COMMENT_TIME":[null,"Timp"],"Change Password":[null,"Schimbă Parola"],"Language settings":[null,"Setări Limbă"],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Redenumeste"],"Return code out of bounds":[null,"Codul returnat a iesit din limite"],"CatId":[null,"CatId"],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Nu s-a putut incarca listarea cronk, a aparut urmatoarea eroare: {0} ({1})"],"SERVICE_LATENCY":[null,"Latență"],"Error sending command":[null,"Eroare în trimiterea comenzii"],"Time":[null,""],"Discard":[null,"Renunta"],"Are you sure to delete {0}":[null,"Sigur doriti sa stergeti {0}"],"Refresh the data in the grid":[null,"Reîmprospateaza datele din grila"],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,""],"Add new parameter to properties":[null,"Adauga parametru nou la proprietati"],"Change title for this tab":[null,"Schimbă titlu pentru acest tab"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,"Utilizatori disponibili"],"Request failed":[null,""],"Close and refresh":[null,"Închide altele"],"Admin tasks":[null,"Taskuri Administrative"],"Services for ":[null,"Servicii pentru"],"Login failed":[null,"Logare eșuată"],"Permissions":[null,"Permisiuni"],"Some error: {0}":[null,""],"Modified":[null,"Modificat"],"Hosts (active/passive)":[null,"Hosturi (active/pasive)"],"Save custom Cronk":[null,""],"No selection was made!":[null,"Nu s-a facut nici o selectie!"],"Preferences":[null,""],"Item":[null,"Item"],"Apply":[null,"Aplica"],"Saving":[null,""],"Expand":[null,""],"IN TOTAL":[null,"IN TOTAL"],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"Adresă6"],"Description":[null,"Descriere"],"DOWN":[null,"PICAT"]}
\ No newline at end of file
|
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/ro.mo
^
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/ru.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" ru","Last-Translator":" Karolina <kkalisz@netways.de>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-05-06 12:03+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Переименовать"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,"Автообновление"],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"Критическое"],"Unknown error - please check your logs":[null,""],"Password":[null,"Пароль"],"Category editor":[null,""],"Tactical overview settings":[null,"Настройки тактического обзора"],"HOST_LAST_HARD_STATE_CHANGE":[null,"ПОСЛЕДНЕЕ_ЖЕСТКОЕ_ИЗМЕНЕНИЕ_СОСТОЯНИЯ_УЗЛА"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Успешный вход в систему. Сейчас вы будете переведены на соответствующую \"#~ \"страницу. Если этого не произошло, <a href=\"%s\">щёлкните здесь для \"#~ \"перехода вручную</a>.\""],"Command":[null,"Команда"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"ВНИМАНИЕ"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Пользователь"],"Principals":[null,""],"Filter":[null,"Фильтр"],"HOST_OUTPUT":[null,"ВЫВОД_УЗЛА"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Добро пожаловать"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Критическое"],"Cronk Id":[null,""],"no more fields":[null,"полей больше нет"],"Groups":[null,""],"Users":[null,"Пользователь"],"Say what?":[null,""],"Login":[null,"Вход в систему"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"CСЫЛКА_ПРИМЕЧАНИЙ_СЛУЖБЫ"],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,"Команды"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"ВРЕМЯ_ИСПОЛНЕНИЯ_УЗЛА"],"add":[null,"добавить"],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Введите заголовок"],"One or more fields are invalid":[null,"полей больше нет"],"UP":[null,"РАБОТАЕТ"],"Services":[null,"Службы для "],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"ВРЕМЯ_ОБНОВЛЕНИЯ_СОСТОЯНИЯ_УЗЛА"],"Press me":[null,""],"Warning":[null,"ВНИМАНИЕ"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,"Изменить заголовок этого портлета"],"Add restriction":[null,"Добавить ограничение"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"УЗЕЛ_КОЛЕБЛЕТСЯ"],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,"Закрыть"],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,"Нельзя закрыть последнюю вкладку!"],"True":[null,""],"Logout":[null,"Журнал"],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Добавить ограничение"],"(default) no option":[null,"(default) no option"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"СЛУЖБА_КОЛЕБЛЕТСЯ"],"Please verify your input and try again!":[null,"Пожалуйста, проверьте правильность данных и попробуйте ещё раз."],"HOST_CURRENT_CHECK_ATTEMPT":[null,"ТЕКУЩАЯ_ПОПЫТКА_ПРОВЕРКИ_УЗЛА"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"СЛЕДУЮЩАЯ_ПРОВЕРКА_УЗЛА"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Выделение отсутствует"],"Increment current notification":[null,"Увеличить счётчик уведомлений"],"Name":[null,"Переименовать"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,"Сбросить"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Пароль"],"Icinga status":[null,"Icinga"],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"ПОСЛЕДНЯЯ_ПРОВЕРКА_УЗЛА"],"Command sent":[null,"Команда отправлена"],"Sorry":[null,"Извините"],"Delete groups":[null,""],"Unknown":[null,"Неизвестно"],"HOST_ALIAS":[null,"ПСЕВДОНИМ_УЗЛА"],"Docs":[null,"Документы"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Службы для "],"SERVICE_CURRENT_STATE":[null,"ТЕКУЩЕЕ_СОСТОЯНИЕ_СЛУЖБЫ"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Принудительно"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"СЛЕДУЮЩАЯ_ПРОВЕРКА_СЛУЖБЫ"],"log":[null,"Журнал"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"ПОСЛЕДНЕЕ_ЖЕСТКОЕ_ИЗМЕНЕНИЕ_СОСТОЯНИЯ_СЛУЖБЫ"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,"ВРЕМЯ_ВЫПОЛНЕНИЯ_СЛУЖБЫ"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"ЛАТЕНТНОСТЬ_УЗЛА"],"Add new group":[null,""],"Action":[null,"Опция"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"Автообновление"],"The following ":[null,""],"Grid settings":[null,"Настройки"],"Yes":[null,"Да"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Широковещание"],"SERVICE_STATUS_UPDATE_TIME":[null,"ВРЕМЯ_ОБНОВЛЕНИЯ_СОСТОЯНИЯ_СЛУЖБЫ"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Нет"],"Enter title":[null,"Введите заголовок"],"Add selected principals":[null,""],"Success":[null,""],"Try":[null,"Попытка"],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Оборудование"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Изменить заголовок для этой вкладки"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Переименовать"],"HOST_NOTES_URL":[null,"ССЫЛКА_ПРИМЕЧАНИЙ_УЗЛА"],"Searching ...":[null,""],"CRITICAL":[null,"КРИТИЧЕСКОЕ"],"Login error":[null,"Вход в систему"],"Modify filter":[null,"Изменить фильтр"],"Status":[null,"Состояние"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Удалить"],"Disabled":[null,"Отменить"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Гость"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Закрыть остальные"],"HOST_MAX_CHECK_ATTEMPTS":[null,"МАКС_ПОПЫТОК_ПРОВЕРКИ_УЗЛА"],"SERVICE_LAST_CHECK":[null,"ПОСЛЕДНЯЯ_ПРОВЕРКА_СЛУЖБЫ"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"МАКС_ЧИСЛО_ПРОВЕРОК_СЛУЖБЫ"],"untitled":[null,"Введите заголовок"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"ПРОДОЛЖИТЕЛЬНОСТЬ_ЗАПЛАНИРОВАННОГО_ПРОСТОЯ_УЗЛА"],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,"Перезапустить \"кричалку\" (не содержимое)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"ВЫВОД_СЛУЖБЫ"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Неизвестный тип поля: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"Команда {0} была отправлена успешно!"],"Link to this view":[null,""],"UNKNOWN":[null,"НЕИЗВЕСТНО"],"About":[null,"О программе"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"ПОСЛЕДНЕЕ_УВЕДОМЛЕНИЕ_СЛУЖБЫ"],"Abort":[null,"Прервать"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Изменить"],"HOST_LAST_NOTIFICATION":[null,"ПОСЛЕДНЕЕ_УВЕДОМЛЕНИЕ_УЗЛА"],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"Добавить ограничение"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} элементов)"],"HOST_ADDRESS":[null,"АДРЕС_УЗЛА"],"You can not delete system categories":[null,""],"username":[null,"Переименовать"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"ТЕКУЩЕЕ_СОСТОЯНИЕ_УЗЛА"],"HOST_PERFDATA":[null,"ДОП_ИНФОРМАЦИЯ_УЗЛА"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"ТЕКУЩАЯ_ПОПЫТКА_ПРОВЕРКИ_СЛУЖБЫ"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"ДОП_ИНФОРМАЦИЯ_СЛУЖБЫ"],"SERVICE_DISPLAY_NAME":[null,"ОТОБРАЖАЕМОЕ_ИМЯ_СЛУЖБЫ"],"Save password":[null,"Пароль"],"Agavi setting":[null,"Настройки"],"seconds":[null,""],"Unknown id":[null,"Неизвестно"],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,"Вход в систему"],"New password":[null,"Пароль"],"Settings":[null,"Настройки"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"ОТОБРАЖАЕМОЕ_ИМЯ_УЗЛА"],"False":[null,"Закрыть"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"НЕДОСТУПНО"],"SERVICE_CHECK_TYPE":[null,"ТИП_ПРОВЕРКИ_СЛУЖБЫ"],"Option":[null,"Опция"],"Refresh":[null,"Обновить"],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Команда отправлена"],"HOST_CHECK_TYPE":[null,"ТИП_ПРОВЕРКИ_УЗЛА"],"Create a new group":[null,""],"Add":[null,"добавить"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,"Пароль"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Переименовать"],"Return code out of bounds":[null,"Код возврата выходит за пределы ожидаемого"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,"ЛАТЕНТНОСТЬ_СЛУЖБЫ"],"Error sending command":[null,"Ошибка при отправке команды"],"Time":[null,""],"Discard":[null,"Отменить"],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,"Обновить данные в сетке"],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Изменить заголовок для этой вкладки"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"Автообновление"],"Admin tasks":[null,""],"Services for ":[null,"Службы для "],"Login failed":[null,"Неудачный вход в систему"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Изменить"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Применить"],"Saving":[null,"ВНИМАНИЕ"],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"АДРЕС_УЗЛА"],"Description":[null,"Добавить ограничение"],"DOWN":[null,"НЕ ДОСТУПЕН"]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" ru","Last-Translator":" Yuriy <anissimovyuriy@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-03-30 10:36+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Имя пользователя"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,"Автообновление"],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,"Критическое"],"Unknown error - please check your logs":[null,""],"Password":[null,"Пароль"],"Category editor":[null,"Редактор категорий"],"Tactical overview settings":[null,"Настройки тактического обзора"],"HOST_LAST_HARD_STATE_CHANGE":[null,"ПОСЛЕДНЕЕ_ЖЕСТКОЕ_ИЗМЕНЕНИЕ_СОСТОЯНИЯ_УЗЛА"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Успешный вход в систему. Сейчас вы будете переведены на соответствующую \"#~ \"страницу. Если этого не произошло, <a href=\"%s\">щёлкните здесь для \"#~ \"перехода вручную</a>.\""],"Reset view":[null,"Сбросить"],"Command":[null,"Команда"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"ВНИМАНИЕ"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Пользователь"],"Principals":[null,""],"Filter":[null,"Фильтр"],"HOST_OUTPUT":[null,"ВЫВОД_УЗЛА"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"Добро пожаловать"],"Categories":[null,"Категории"],"This command will be send to all selected items":[null,""],"Critical":[null,"Критическое"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"ВЫВОД_СЛУЖБЫ"],"no more fields":[null,"полей больше нет"],"Groups":[null,""],"Users":[null,"Пользователь"],"Say what?":[null,""],"Login":[null,"Вход в систему"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"CСЫЛКА_ПРИМЕЧАНИЙ_СЛУЖБЫ"],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,"Команды"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"ВРЕМЯ_ИСПОЛНЕНИЯ_УЗЛА"],"add":[null,"добавить"],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Введите заголовок"],"One or more fields are invalid":[null,"полей больше нет"],"UP":[null,"РАБОТАЕТ"],"Services":[null,"Службы для "],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"ВРЕМЯ_ОБНОВЛЕНИЯ_СОСТОЯНИЯ_УЗЛА"],"Press me":[null,""],"Warning":[null,"ВНИМАНИЕ"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,"Изменить заголовок этого портлета"],"Add restriction":[null,"Добавить ограничение"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"УЗЕЛ_КОЛЕБЛЕТСЯ"],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,"Закрыть"],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,"Нельзя закрыть последнюю вкладку!"],"True":[null,""],"Logout":[null,"Журнал"],"Reload":[null,"Перезагрузить"],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Добавить ограничение"],"(default) no option":[null,"(default) no option"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"СЛУЖБА_КОЛЕБЛЕТСЯ"],"Please verify your input and try again!":[null,"Пожалуйста, проверьте правильность данных и попробуйте ещё раз."],"HOST_CURRENT_CHECK_ATTEMPT":[null,"ТЕКУЩАЯ_ПОПЫТКА_ПРОВЕРКИ_УЗЛА"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"СЛЕДУЮЩАЯ_ПРОВЕРКА_УЗЛА"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,"Доступ запрещен"],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Выделение отсутствует"],"Increment current notification":[null,"Увеличить счётчик уведомлений"],"Name":[null,"Переименовать"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,"Сбросить"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Пароль"],"Icinga status":[null,"Icinga"],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"ПОСЛЕДНЯЯ_ПРОВЕРКА_УЗЛА"],"Command sent":[null,"Команда отправлена"],"Sorry":[null,"Извините"],"Delete groups":[null,""],"Unknown":[null,"Неизвестно"],"HOST_ALIAS":[null,"ПСЕВДОНИМ_УЗЛА"],"Docs":[null,"Документы"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Службы для "],"SERVICE_CURRENT_STATE":[null,"ТЕКУЩЕЕ_СОСТОЯНИЕ_СЛУЖБЫ"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Принудительно"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"СЛЕДУЮЩАЯ_ПРОВЕРКА_СЛУЖБЫ"],"log":[null,"Журнал"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"ПОСЛЕДНЕЕ_ЖЕСТКОЕ_ИЗМЕНЕНИЕ_СОСТОЯНИЯ_СЛУЖБЫ"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,"Отчет об ошибках"],"SERVICE_EXECUTION_TIME":[null,"ВРЕМЯ_ВЫПОЛНЕНИЯ_СЛУЖБЫ"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"ЛАТЕНТНОСТЬ_УЗЛА"],"Add new group":[null,""],"Action":[null,"Действие"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"Автообновление"],"The following ":[null,""],"Grid settings":[null,"Настройки"],"Yes":[null,"Да"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Широковещание"],"SERVICE_STATUS_UPDATE_TIME":[null,"ВРЕМЯ_ОБНОВЛЕНИЯ_СОСТОЯНИЯ_СЛУЖБЫ"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Нет"],"Enter title":[null,"Введите заголовок"],"Add selected principals":[null,""],"Success":[null,""],"Try":[null,"Попытка"],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Оборудование"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Изменить заголовок для этой вкладки"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Переименовать"],"HOST_NOTES_URL":[null,"ССЫЛКА_ПРИМЕЧАНИЙ_УЗЛА"],"Searching ...":[null,""],"CRITICAL":[null,"КРИТИЧЕСКОЕ"],"Login error":[null,"Вход в систему"],"Modify filter":[null,"Изменить фильтр"],"Status":[null,"Состояние"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Удалить"],"Disabled":[null,"Отменить"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Гость"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Закрыть остальные"],"HOST_MAX_CHECK_ATTEMPTS":[null,"МАКС_ПОПЫТОК_ПРОВЕРКИ_УЗЛА"],"SERVICE_LAST_CHECK":[null,"ПОСЛЕДНЯЯ_ПРОВЕРКА_СЛУЖБЫ"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"МАКС_ЧИСЛО_ПРОВЕРОК_СЛУЖБЫ"],"untitled":[null,"Введите заголовок"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"ПРОДОЛЖИТЕЛЬНОСТЬ_ЗАПЛАНИРОВАННОГО_ПРОСТОЯ_УЗЛА"],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,"Перезапустить \"кричалку\" (не содержимое)"],"Send report to admin":[null,""],"Not allowed":[null,"Не допускается"],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"ВЫВОД_СЛУЖБЫ"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Неизвестный тип поля: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"Команда {0} была отправлена успешно!"],"Link to this view":[null,""],"UNKNOWN":[null,"НЕИЗВЕСТНО"],"About":[null,"О программе"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"ПОСЛЕДНЕЕ_УВЕДОМЛЕНИЕ_СЛУЖБЫ"],"Abort":[null,"Прервать"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Изменить"],"HOST_LAST_NOTIFICATION":[null,"ПОСЛЕДНЕЕ_УВЕДОМЛЕНИЕ_УЗЛА"],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"Добавить ограничение"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} элементов)"],"HOST_ADDRESS":[null,"АДРЕС_УЗЛА"],"You can not delete system categories":[null,""],"username":[null,"Переименовать"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"ТЕКУЩЕЕ_СОСТОЯНИЕ_УЗЛА"],"HOST_PERFDATA":[null,"ДОП_ИНФОРМАЦИЯ_УЗЛА"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"ТЕКУЩАЯ_ПОПЫТКА_ПРОВЕРКИ_СЛУЖБЫ"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"ДОП_ИНФОРМАЦИЯ_СЛУЖБЫ"],"SERVICE_DISPLAY_NAME":[null,"ОТОБРАЖАЕМОЕ_ИМЯ_СЛУЖБЫ"],"Save password":[null,"Пароль"],"Agavi setting":[null,"Настройки"],"seconds":[null,""],"Unknown id":[null,"Неизвестно"],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,"Вход в систему"],"New password":[null,"Пароль"],"Settings":[null,"Настройки"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"ОТОБРАЖАЕМОЕ_ИМЯ_УЗЛА"],"False":[null,"Закрыть"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"ВЫВОД_УЗЛА"],"UNREACHABLE":[null,"НЕДОСТУПНО"],"SERVICE_CHECK_TYPE":[null,"ТИП_ПРОВЕРКИ_СЛУЖБЫ"],"Option":[null,"Опция"],"Refresh":[null,"Обновить"],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Комментарий к ошибке"],"HOST_CHECK_TYPE":[null,"ТИП_ПРОВЕРКИ_УЗЛА"],"Create a new group":[null,""],"Add":[null,"добавить"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,"Пароль"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Переименовать"],"Return code out of bounds":[null,"Код возврата выходит за пределы ожидаемого"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,"ЛАТЕНТНОСТЬ_СЛУЖБЫ"],"Error sending command":[null,"Ошибка при отправке команды"],"Time":[null,""],"Discard":[null,"Отменить"],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,"Обновить данные в сетке"],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,"Перезагрузить"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Изменить заголовок для этой вкладки"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"Автообновление"],"Admin tasks":[null,""],"Services for ":[null,"Службы для "],"Login failed":[null,"Неудачный вход в систему"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Изменить"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Применить"],"Saving":[null,"ВНИМАНИЕ"],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"АДРЕС_УЗЛА"],"Description":[null,"Добавить ограничение"],"DOWN":[null,"НЕ ДОСТУПЕН"]}
\ No newline at end of file
|
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/ru.mo
^
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/sk.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" sk","Last-Translator":" Marcel <maco@blava.net>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-09-16 11:18+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Premenovať"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,"Automaticky obnovovať"],"Please provide a password for this user":[null,""],"Auth via":[null,"Overiť pomocou"],"email":[null,""],"Critical error":[null,"Kritický"],"Unknown error - please check your logs":[null,""],"Password":[null,"Heslo"],"Category editor":[null,""],"Tactical overview settings":[null,"Nastavenia taktického prehľadu"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Prihlásenie prebehlo úspešne. Okamžite by ste mali byť presmerovaný, ak \"#~ \"sa tak nestane, <a href=\"%s\"> kliknite sem </a>.\""],"Command":[null,"Príkaz"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"Vytvorené"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"WARNING"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Uživateľ"],"Principals":[null,""],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Nebolo možné odoslať príkaz, konzultujte prosím log záznamy!"],"Welcome":[null,"Vitajte"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Kritický"],"Cronk Id":[null,""],"no more fields":[null,"žiadna daľšia položka"],"Groups":[null,""],"Users":[null,"Uživateľ"],"Say what?":[null,""],"Login":[null,"Prihlásenie"],"Confirm password":[null,"Potvrďte heslo"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,""],"Email":[null,""],"Clear selection":[null,"Zrušiť výber"],"Commands":[null,"Príkazy"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"add":[null,"pridať"],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Vlož nadpis"],"One or more fields are invalid":[null,"žiadna daľšia položka"],"UP":[null,"UP"],"Services":[null,"Služby pre "],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,""],"Warning":[null,"Upozornenie"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,"Zmeň názov tohoto portlet-u"],"Add restriction":[null,"Pridať obmedzenie"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,""],"Add new category":[null,"Pridať užíveľa"],"Close":[null,"Zavrieť"],"Available groups":[null,"Dostupné skupiny"],"Add new user":[null,"Pridať užíveľa"],"Edit user":[null,""],"Could not remove the last tab!":[null,"Nebolo možné odstrániť poslednú záložku!"],"True":[null,""],"Logout":[null,"Záznam"],"Reload":[null,""],"Delete":[null,"Zmazať skupiny"],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Pridať obmedzenie"],"(default) no option":[null,"(default) bez nastavenia"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Prosím skontrolujte vstupné údaje a skúste znova!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,"Prístup zamietnutý"],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Sekcia chýba"],"Increment current notification":[null,"Zvýš terajšiu notifikáciu"],"Name":[null,"Premenovať"],"Icinga bug report":[null,""],"elete cronk":[null,"Zmazať skupiny"],"Reset":[null,"Resetovať"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Heslo"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Vytvoriť nového užívateľa"],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Príkaz odoslaný"],"Sorry":[null,"Prepáčte"],"Delete groups":[null,"Zmazať skupiny"],"Unknown":[null,"Neznáme"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Dokumenty"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Služby pre "],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Nasilu"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"Záznam"],"Severity":[null,""],"Create report for dev.icinga.org":[null,"Vytvoriť report pre dev.icinga.org"],"Change language":[null,"Zmeniť jazyk"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,"Nahlásiť chybu"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"Nie je možné zmeniť"],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Pridať novú skupinu"],"Action":[null,"Moznosť"],"Cancel":[null,"Zrušiť"],"A error occured when requesting ":[null,"Nastala chyba vo vybavovaní žiadosti"],"Auto refresh ({0} seconds)":[null,"Automaticky obnovovať"],"The following ":[null,""],"Grid settings":[null,"Nastavenia"],"Yes":[null,"Áno"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Rozposlať"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Nie"],"Enter title":[null,"Vlož nadpis"],"Add selected principals":[null,""],"Success":[null,""],"Try":[null,"Skús"],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Development"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Zmeiť meno tejto záložky"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Premenovať"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,""],"CRITICAL":[null,"CRITICAL"],"Login error":[null,"Prihlásenie"],"Modify filter":[null,"Zmeniť filter"],"Status":[null,"Stav"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Odstrániť"],"Disabled":[null,"Odmietnuť"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Kliknite sem pre inštrukcie"],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Hosť"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Zavrieť ostatné"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"Vlož nadpis"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,"Potvrďte heslo"],"Reload the cronk (not the content)":[null,"Obnovi \"cronk\" (nie osah)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Neznámy typ poľa: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"Príkaz {0} bol úspešne odoslaný!"],"Link to this view":[null,""],"UNKNOWN":[null,"UNKNOWN"],"About":[null,"O programe"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Zrušiť"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Zmeniť"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"Pridať obmedzenie"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} položiek)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"Premenovať"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Heslo"],"Agavi setting":[null,"Nastavenia"],"seconds":[null,""],"Unknown id":[null,"Neznáme"],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,"Prihlásenie"],"New password":[null,"Heslo"],"Settings":[null,"Nastavenia"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Zavrieť"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"UNREACHABLE"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Moznosť"],"Refresh":[null,"Obnoviť"],"Are you sure to do this?":[null,"Naozaj to chcete vykonať?"]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Popíšte chybu"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Vytvoriť novú skupinu"],"Add":[null,"pridať"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,"Rozšírené"],"COMMENT_TIME":[null,""],"Change Password":[null,"Zmeniť heslo"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Premenovať"],"Return code out of bounds":[null,"Vrátený údaj nespadá do povolených"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Chyba pri odosielaní príkazu"],"Time":[null,""],"Discard":[null,"Odmietnuť"],"Are you sure to delete {0}":[null,"Naozaj to chcete vykonať?"],"Refresh the data in the grid":[null,"Obnoviť údaje v tabulke"],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Zmeiť meno tejto záložky"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,"Dostupní užívatelia"],"Request failed":[null,""],"Close and refresh":[null,"Automaticky obnovovať"],"Admin tasks":[null,""],"Services for ":[null,"Služby pre "],"Login failed":[null,"Prihlasovanie zlyhalo"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Zmeniť"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Použiť"],"Saving":[null,"Upozornenie"],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Pridať obmedzenie"],"DOWN":[null,"DOWN"]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" sk","Last-Translator":" Marcel <maco@blava.net>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-09-16 11:18+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Premenovať"],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,"Automaticky obnovovať"],"Please provide a password for this user":[null,""],"Auth via":[null,"Overiť pomocou"],"email":[null,""],"Critical error":[null,"Kritický"],"Unknown error - please check your logs":[null,""],"Password":[null,"Heslo"],"Category editor":[null,""],"Tactical overview settings":[null,"Nastavenia taktického prehľadu"],"HOST_LAST_HARD_STATE_CHANGE":[null,"HOST_LAST_HARD_STATE_CHANGE"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"#~ \"Successfully logged in. You should be redirected immediately. If not \"#~ \"please <a href=\"%s\">click here to change location by hand</a>.\"":[null,"#~ \"Prihlásenie prebehlo úspešne. Okamžite by ste mali byť presmerovaný, ak \"#~ \"sa tak nestane, <a href=\"%s\"> kliknite sem </a>.\""],"Reset view":[null,"Resetovať"],"Command":[null,"Príkaz"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,"Vytvorené"],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,"WARNING"],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,"Uživateľ"],"Principals":[null,""],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,"HOST_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Nebolo možné odoslať príkaz, konzultujte prosím log záznamy!"],"Welcome":[null,"Vitajte"],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,"Kritický"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"SERVICE_OUTPUT"],"no more fields":[null,"žiadna daľšia položka"],"Groups":[null,""],"Users":[null,"Uživateľ"],"Say what?":[null,""],"Login":[null,"Prihlásenie"],"Confirm password":[null,"Potvrďte heslo"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,""],"Email":[null,""],"Clear selection":[null,"Zrušiť výber"],"Commands":[null,"Príkazy"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"HOST_EXECUTION_TIME"],"add":[null,"pridať"],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,"Vlož nadpis"],"One or more fields are invalid":[null,"žiadna daľšia položka"],"UP":[null,"UP"],"Services":[null,"Služby pre "],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"HOST_STATUS_UPDATE_TIME"],"Press me":[null,""],"Warning":[null,"Upozornenie"],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,"Zmeň názov tohoto portlet-u"],"Add restriction":[null,"Pridať obmedzenie"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,"HOST_IS_FLAPPING"],"Authkey for Api (optional)":[null,""],"Add new category":[null,"Pridať užíveľa"],"Close":[null,"Zavrieť"],"Available groups":[null,"Dostupné skupiny"],"Add new user":[null,"Pridať užíveľa"],"Edit user":[null,""],"Could not remove the last tab!":[null,"Nebolo možné odstrániť poslednú záložku!"],"True":[null,""],"Logout":[null,"Záznam"],"Reload":[null,""],"Delete":[null,"Zmazať skupiny"],"To start with a new application profile, click the following button.":[null,""],"description":[null,"Pridať obmedzenie"],"(default) no option":[null,"(default) bez nastavenia"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Prosím skontrolujte vstupné údaje a skúste znova!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"HOST_CURRENT_CHECK_ATTEMPT"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"HOST_NEXT_CHECK"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,"Prístup zamietnutý"],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,"Sekcia chýba"],"Increment current notification":[null,"Zvýš terajšiu notifikáciu"],"Name":[null,"Premenovať"],"Icinga bug report":[null,""],"elete cronk":[null,"Zmazať skupiny"],"Reset":[null,"Resetovať"],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"Heslo"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Vytvoriť nového užívateľa"],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,"HOST_LAST_CHECK"],"Command sent":[null,"Príkaz odoslaný"],"Sorry":[null,"Prepáčte"],"Delete groups":[null,"Zmazať skupiny"],"Unknown":[null,"Neznáme"],"HOST_ALIAS":[null,"HOST_ALIAS"],"Docs":[null,"Dokumenty"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,"Služby pre "],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"Nasilu"],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"Záznam"],"Severity":[null,""],"Create report for dev.icinga.org":[null,"Vytvoriť report pre dev.icinga.org"],"Change language":[null,"Zmeniť jazyk"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,"Nahlásiť chybu"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"Nie je možné zmeniť"],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"HOST_LATENCY"],"Add new group":[null,"Pridať novú skupinu"],"Action":[null,"Moznosť"],"Cancel":[null,"Zrušiť"],"A error occured when requesting ":[null,"Nastala chyba vo vybavovaní žiadosti"],"Auto refresh ({0} seconds)":[null,"Automaticky obnovovať"],"The following ":[null,""],"Grid settings":[null,"Nastavenia"],"Yes":[null,"Áno"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Rozposlať"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"Nie"],"Enter title":[null,"Vlož nadpis"],"Add selected principals":[null,""],"Success":[null,""],"Try":[null,"Skús"],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,"Development"],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"Zmeiť meno tejto záložky"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,"Premenovať"],"HOST_NOTES_URL":[null,"HOST_NOTES_URL"],"Searching ...":[null,""],"CRITICAL":[null,"CRITICAL"],"Login error":[null,"Prihlásenie"],"Modify filter":[null,"Zmeniť filter"],"Status":[null,"Stav"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"Odstrániť"],"Disabled":[null,"Odmietnuť"],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Kliknite sem pre inštrukcie"],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,"Hosť"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"Zavrieť ostatné"],"HOST_MAX_CHECK_ATTEMPTS":[null,"HOST_MAX_CHECK_ATTEMPTS"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"Vlož nadpis"],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"HOST_SCHEDULED_DOWNTIME_DEPTH"],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,"Potvrďte heslo"],"Reload the cronk (not the content)":[null,"Obnovi \"cronk\" (nie osah)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Icinga"],"Unknown field type: {0}":[null,"Neznámy typ poľa: {0}"],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"Príkaz {0} bol úspešne odoslaný!"],"Link to this view":[null,""],"UNKNOWN":[null,"UNKNOWN"],"About":[null,"O programe"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Zrušiť"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Zmeniť"],"HOST_LAST_NOTIFICATION":[null,"HOST_LAST_NOTIFICATION"],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"Pridať obmedzenie"],"Remove this preference":[null,""],"{0} ({1} items)":[null,"{0} ({1} položiek)"],"HOST_ADDRESS":[null,"HOST_ADDRESS"],"You can not delete system categories":[null,""],"username":[null,"Premenovať"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"HOST_CURRENT_STATE"],"HOST_PERFDATA":[null,"HOST_PERFDATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Heslo"],"Agavi setting":[null,"Nastavenia"],"seconds":[null,""],"Unknown id":[null,"Neznáme"],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,"Prihlásenie"],"New password":[null,"Heslo"],"Settings":[null,"Nastavenia"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"HOST_DISPLAY_NAME"],"False":[null,"Zavrieť"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"HOST_OUTPUT"],"UNREACHABLE":[null,"UNREACHABLE"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Moznosť"],"Refresh":[null,"Obnoviť"],"Are you sure to do this?":[null,"Naozaj to chcete vykonať?"]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,"Popíšte chybu"],"HOST_CHECK_TYPE":[null,"HOST_CHECK_TYPE"],"Create a new group":[null,"Vytvoriť novú skupinu"],"Add":[null,"pridať"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,"Rozšírené"],"COMMENT_TIME":[null,""],"Change Password":[null,"Zmeniť heslo"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,"Premenovať"],"Return code out of bounds":[null,"Vrátený údaj nespadá do povolených"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Chyba pri odosielaní príkazu"],"Time":[null,""],"Discard":[null,"Odmietnuť"],"Are you sure to delete {0}":[null,"Naozaj to chcete vykonať?"],"Refresh the data in the grid":[null,"Obnoviť údaje v tabulke"],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,"Zmazať skupiny"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Zmeiť meno tejto záložky"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,"Dostupní užívatelia"],"Request failed":[null,""],"Close and refresh":[null,"Automaticky obnovovať"],"Admin tasks":[null,""],"Services for ":[null,"Služby pre "],"Login failed":[null,"Prihlasovanie zlyhalo"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"Zmeniť"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"Použiť"],"Saving":[null,"Upozornenie"],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"HOST_ADDRESS"],"Description":[null,"Pridať obmedzenie"],"DOWN":[null,"DOWN"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/sv.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,"Inga ämnen att visa"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" sv","Last-Translator":" Andreas <andreas@abergman.se>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-10-20 21:40+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Användarnamn"],"Do you really want to delete these groups?":[null,"Vill du verkligen ta bort dessa grupper?"],"Auto refresh":[null,"Automatisk uppdatering"],"Please provide a password for this user":[null,"Vänligen ange ett lösenord för användaren"],"Auth via":[null,"Authensiera via"],"email":[null,"e-post"],"Critical error":[null,"Kritiskt fel"],"Unknown error - please check your logs":[null,""],"Password":[null,"Lösenord"],"Category editor":[null,""],"Tactical overview settings":[null,"Inställninar för taktiskavyn"],"HOST_LAST_HARD_STATE_CHANGE":[null,"VÄRD_SENASTE_HÅRDA_LÄGE_FÖRÄNDRING"],"Items":[null,"Objekt"],"Sorry, you could not be authenticated for icinga-web.":[null,"Du kunde tyvärr inte authensieras för icinga-web"],"Command":[null,"Kommando"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Värd kör tid (min/avg/max)"],"Created":[null,"Skapad"],"Your login session has gone away, press ok to login again!":[null,"Din inloggningssession har gått ut, tryck på ok för att logga in igen!"],"WARNING":[null,"VARNING"],"Sorry, could not find a xml file for %s":[null,"Kan tyvärr inte hitta en XML-fil för %s"],"of":[null,"av"],"Your default language hast changed!":[null,"Ditt standardspråk har ändrats"],"User":[null,"Användare"],"Principals":[null,"Principer"],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,"VÄRD_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,"Glöm inte att rensa cachen för agavi-konfigurationen efter det"],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Kunde inte skicka kommandot, kontrollera loggarna!"],"Welcome":[null,"Välkommen"],"Categories":[null,""],"This command will be send to all selected items":[null,"Kommandot kommer att skickas till alla markerade objekt"],"Critical":[null,"Kritisk"],"Cronk Id":[null,""],"Groups":[null,"Grupper"],"Users":[null,"Användare"],"Say what?":[null,"Vad sa du?"],"Login":[null,"Inloggning"],"Confirm password":[null,"Bekräfta lösenord"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,"id"],"Email":[null,"E-post"],"Clear selection":[null,"Rensa valda"],"Commands":[null,"Kommandon"],"Service execution (min/avg/max)":[null,"Tjänstekörning (min/avg/max)"],"Nothing selected":[null,"Ingenting valt"],"HOST_EXECUTION_TIME":[null,"VÄRD_VERKSTÄLLANDE_TID"],"is not":[null,""],"Exception thrown: %s":[null,"Undantag: %s"],"Your application profile has been deleted!":[null,"Din applikationsprofil har raderats"],"Title":[null,"utan titel"],"One or more fields are invalid":[null,"Ett eller flera fält är felaktiga"],"UP":[null,"UPPE"],"Services":[null,"Tjänster"],"Message":[null,"Meddelande"],"HOST_STATUS_UPDATE_TIME":[null,"VÄRD_STATUS_UPPDATERA_TID"],"Press me":[null,"Tryck här"],"Warning":[null,"Varning"],"isActive":[null,"ärAktiv"],"Language":[null,"Språk"],"Edit group":[null,"Ändra grupp"],"Change title for this portlet":[null,"Ändra titeln för den här portaldelen"],"Add restriction":[null,"Skapa restriktion"],"State information":[null,"Metainformation"],"No users to display":[null,"Inga användare att visa"],"Error report":[null,"Felrapport"],"HOST_IS_FLAPPING":[null,"VÄRD_FLAPPAR"],"Authkey for Api (optional)":[null,"Autentiseringsnyckel för API (valfri)"],"Add new category":[null,"Lägg till ny användare"],"Close":[null,"Stäng"],"Available groups":[null,"Tillgängliga grupper"],"Add new user":[null,"Lägg till ny användare"],"Edit user":[null,"Ändra användare"],"Could not remove the last tab!":[null,"Kunde inte ta bort den sista fliken!"],"True":[null,"Sant"],"Logout":[null,"Logga ut"],"Reload":[null,""],"Delete":[null,"Radera användare"],"To start with a new application profile, click the following button.":[null,"För att starta med en ny applikationsprofil, klicka på knappen."],"description":[null,"beskrivning"],"(default) no option":[null,"(standard) inget valt"],"Clear cache":[null,"Rensa felmeddelanden"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Var vänlig och kontrollera det du skrev och försök igen!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"VÄRD_AKTUELLT_KONTROLL_FÖRSÖK"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"VÄRD_NÄSTA_KONTROLL"],"Please alter your config file and set one to 'true' (%s).":[null,"Vänligen ändra din konfigurationsfil och ändra 1 till 'true' (%s)."],"Error":[null,"Fel"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"authensieringen är inte ordentligt konfigurerad, minst ett av följande attribur måste aktiveras:"],"Save this view as new cronk":[null,"Hämta URL för denna vy"],"Access denied":[null,"Åtkomst nekad"],"Running":[null,""],"Do you really want to delete these users?":[null,"Vill du verkligen ta bort de här användarna?"],"Image":[null,""],"Principal":[null,"Princip"],"Selection is missing":[null,"Urval saknas"],"Increment current notification":[null,"Öka nuvarande notifiering"],"Name":[null,"Namn"],"Icinga bug report":[null,"Icinga felrapport"],"elete cronk":[null,"Radera grupper"],"Reset":[null,"Återställ"],"firstname":[null,"Förnamn"],"Save Cronk":[null,""],"New category":[null,"Raderar en kategori"],"Password changed":[null,"Lösenordet ändrat"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Skapa ny användare"],"The password was successfully changed":[null,"Lösenordet ändrades"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Kan inte ansluta till webbservern!"],"The passwords don't match!":[null,"Lösenordet matchar inte"],"less than":[null,""],"HOST_LAST_CHECK":[null,"VÄRD_SENASTE_KONTROLL"],"Command sent":[null,"Kommandot skickat"],"Sorry":[null,"Tyvärr"],"Delete groups":[null,"Radera grupper"],"Unknown":[null,"Okänd"],"HOST_ALIAS":[null,"VÄRD_ALIAS"],"Docs":[null,"Dokument"],"Service latency (min/avg/max)":[null,"Tjänstefördröjning (min/avg/max)"],"Displaying groups":[null,"Visar grupper"],"Preferences for user":[null,"Användarinställningar"],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,"Radera markerade grupper"],"Cronk deleted":[null,""],"Group inheritance":[null,"Grupparv"],"Meta":[null,""],"Forced":[null,"Tvingad"],"groupname":[null,"gruppnamn"],"Search":[null,"Sök"],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"Logg"],"Severity":[null,"Allvarlighetsgrad"],"Create report for dev.icinga.org":[null,"Skapa rapport för dev.icinga.org"],"Change language":[null,"Ändra språk"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,"Servern stötte på ett fel:<br/>"],"Click to edit user":[null,"Klicka för att ändra användare"],"Delete user":[null,"Radera användare"],"Bug report":[null,"Buggrapport"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"Kan inte modifiera"],"COMMENT_AUTHOR_NAME":[null,"COMMENT_AUTHOR_NAME"],"Session expired":[null,"Sessionen har gått ut"],"Hide disabled ":[null,"Dölj inaktiverade"],"No groups to display":[null,"Inga grupper att visa"],"HOST_LATENCY":[null,"VÄRD_FÖRDRÖJNING"],"Add new group":[null,"Lägg till i grupp"],"Action":[null,"Alternativ"],"A error occured when requesting ":[null,"Ett fel uppstod vid förfrågan"],"Auto refresh ({0} seconds)":[null,"Automatisk uppdatering ({0} sekunder)"],"The following ":[null,"Följande"],"Grid settings":[null,"Inställning för rutsystem"],"Yes":[null,"Ja"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Sändning"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Återställ applikaitons tillstånd"],"Cronks":[null,""],"No":[null,"Nej"],"Enter title":[null,"Ange titel"],"Add selected principals":[null,"Lägg till valda principer"],"Success":[null,""],"Login error (configuration)":[null,"Inloggningsfel (konfiguration)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMMENT_DATA"],"Dev":[null,"Utv"],"Group name":[null,"Gruppnamn"],"Select a principal (Press Ctrl for multiple selects)":[null,"Välj en princip (Håll ned Ctrl för flera val)"],"Share your Cronk":[null,""],"Ressource ":[null,"Resurs"],"Authorization failed for this instance":[null,"Ändra titel på fliken"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Starta om applikation"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Användarinställningar"],"Surname":[null,"Efternamn"],"HOST_NOTES_URL":[null,"VÄRD_ANTECKNINGAR_URL"],"Searching ...":[null,"Sök"],"CRITICAL":[null,"KRITISK"],"Login error":[null,"Inloggningsfel"],"Modify filter":[null,"Ändra filter"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,"Språk ändrat"],"Remove":[null,"Radera"],"Disabled":[null,"Inaktiverad"],"You haven't selected anything!":[null,"Du har inte valt något"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Klicka här för att visa instruktioner"],"active":[null,"aktiv"],"Please enter a comment for this bug. This could be":[null,"Vänligen kommentera den här buggen. Det kan vara"],"contain":[null,""],"Edit":[null,"Ändra användare"],"Guest":[null,"Gäst"],"Host latency (min/avg/max)":[null,"Värd fördröjning (min/avg/max)"],"Displaying topics {0} - {1} of {2}":[null,"Visar ämnen {0} - {1} av {2}"],"Close others":[null,"Stäng övriga"],"HOST_MAX_CHECK_ATTEMPTS":[null,"VÄRD_MAX_KONTROLL_FÖRSÖK"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,"Spara"],"No node was removed":[null,"Ingen nod blev borttagen"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"utan titel"],"lastname":[null,"efternamn"],"This item is read only!":[null,"Objektet är skrivskyddat"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"VÄRD_SCHEMALAGD_NERTID_DJUP"],"Get this view as URL":[null,"Hämta URL för denna vy"],"New Preference":[null,"Ny inställning"],"Confirm":[null,"Bekräfta lösenord"],"Reload the cronk (not the content)":[null,"Ladda om cronk (inte innehållet)"],"Send report to admin":[null,"Skicka rapport till administratören"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Vill du verkligen radera alla"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Vi är icinga"],"Unknown field type: {0}":[null,"Okänd fält typ: {0}"],"Meta information":[null,"Metainformation"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} skickades korrekt!"],"Link to this view":[null,"Länk till vy"],"UNKNOWN":[null,"OKÄND"],"About":[null,"Om"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Vänligen kontakta din systemadministratör om du tror att det här är ovanligt."],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Avbryt"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Ändra"],"HOST_LAST_NOTIFICATION":[null,"VÄRD_SENASTE_UNDERRÄTTELSE"],"General information":[null,"Allmän information"],"Displaying users":[null,"Visar användare"],"Position":[null,"Beskrivning"],"Remove this preference":[null,"Radera inställning"],"{0} ({1} items)":[null,"{0} ({1} objekt)"],"HOST_ADDRESS":[null,"VÄRD_ADRESS"],"You can not delete system categories":[null,""],"username":[null,"användarnamn"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"VÄRD_AKTUELLT_TILLSTÅND"],"HOST_PERFDATA":[null,"VÄRD_PRESTANDADATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,"Att vara på gränsen för utloggning..."],"Hosts":[null,"Värdar"],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Spara lösenord"],"Agavi setting":[null,"Inställning för rutsystem"],"seconds":[null,""],"Unknown id":[null,"Okänt id"],"CronkBuilder":[null,""],"Available logs":[null,"Tillgängliga loggar"],"Link":[null,"Länk"],"New password":[null,"Nytt lösenord"],"Settings":[null,"Inställningar"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"VÄRD_VISNINGSNAMN"],"False":[null,"Falskt"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"OTILLGÄNGLIG"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Alternativ"],"Refresh":[null,"Uppdatera"],"Are you sure to do this?":[null,"Är du säker på att du vill utföra detta?"]," principals?":[null,"principer"],"Tab slider":[null,""],"Clear errors":[null,"Rensa felmeddelanden"],"OK":[null,"OK"],"Services (active/passive)":[null,"Tjänster (aktiva/passiva)"],"Remove selected users":[null,"Radera markerade användare"],"Type":[null,"Typ"],"Comment bug":[null,"Kommentera bugg"],"HOST_CHECK_TYPE":[null,"VÄRD_KONTROLL_TYP"],"Create a new group":[null,"Skapa ny grupp"],"Add":[null,"Lägg till"],"PENDING":[null,"VÄNTANDE"],"no principals availabe":[null,"inga principer tillgängliga"],"Advanced":[null,"Avancerat"],"COMMENT_TIME":[null,"COMMENT_TIME"],"Change Password":[null,"Byt lösenord"],"Language settings":[null,"Språkinställningar"],"Removing a category":[null,"Raderar en kategori"],"The confirmed password doesn't match":[null,"The bekräftade lösenordet matchar inte"],"Rename":[null,"Byt namn"],"Return code out of bounds":[null,"Returkoden är utanför gränserna"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Kan inte ladda Cronklistan, följande fel uppstod: {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Fel vid sändning av kommando"],"Time":[null,"Tid"],"Discard":[null,"Bortse"],"Are you sure to delete {0}":[null,"Är du säker på att du vill utföra detta?"],"Refresh the data in the grid":[null,"Uppdatera datat i rutnätet"],"Remove selected":[null,"Radera markerade"],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Ändra titel på fliken"],"Sorry, cronk \"%s\" not found":[null,"Tyvärr, cronk \"%s\" hittades inte"],"Available users":[null,"Tillgängliga användare"],"Request failed":[null,"Förfrågan misslyckades"],"Close and refresh":[null,"Stäng övriga"],"Admin tasks":[null,""],"Services for ":[null,"Tjänster för"],"Login failed":[null,"Inloggningen misslyckades"],"Permissions":[null,"Behörigheter"],"Some error: {0}":[null,""],"Modified":[null,"Ändrad"],"Hosts (active/passive)":[null,"Värdar (aktiva/passiva)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Inställningar"],"Item":[null,"Objekt"],"Apply":[null,"Verkställ"],"Saving":[null,"Sparar"],"IN TOTAL":[null,"TOTAL"],"Seems like you have no logs":[null,"Det verkar som att du inte har några loggar"],"HOST_ADDRESS6":[null,"VÄRD_ADRESS"],"Description":[null,"Beskrivning"],"DOWN":[null,"NERE"]}
\ No newline at end of file
+{"No topics to display":[null,"Inga ämnen att visa"],"":{"Plural-Forms":" nplurals=2; plural=(n != 1);","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" sv","Last-Translator":" Andreas <andreas@abergman.se>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2010-10-20 21:40+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"Användarnamn"],"Do you really want to delete these groups?":[null,"Vill du verkligen ta bort dessa grupper?"],"Auto refresh":[null,"Automatisk uppdatering"],"Please provide a password for this user":[null,"Vänligen ange ett lösenord för användaren"],"Auth via":[null,"Authensiera via"],"email":[null,"e-post"],"Critical error":[null,"Kritiskt fel"],"Unknown error - please check your logs":[null,""],"Password":[null,"Lösenord"],"Category editor":[null,""],"Tactical overview settings":[null,"Inställninar för taktiskavyn"],"HOST_LAST_HARD_STATE_CHANGE":[null,"VÄRD_SENASTE_HÅRDA_LÄGE_FÖRÄNDRING"],"Items":[null,"Objekt"],"Sorry, you could not be authenticated for icinga-web.":[null,"Du kunde tyvärr inte authensieras för icinga-web"],"Reset view":[null,"Återställ"],"Command":[null,"Kommando"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,"Värd kör tid (min/avg/max)"],"Created":[null,"Skapad"],"Your login session has gone away, press ok to login again!":[null,"Din inloggningssession har gått ut, tryck på ok för att logga in igen!"],"WARNING":[null,"VARNING"],"Sorry, could not find a xml file for %s":[null,"Kan tyvärr inte hitta en XML-fil för %s"],"of":[null,"av"],"Your default language hast changed!":[null,"Ditt standardspråk har ändrats"],"User":[null,"Användare"],"Principals":[null,"Principer"],"Filter":[null,"Filter"],"HOST_OUTPUT":[null,"VÄRD_OUTPUT"],"Don't forget to clear the agavi config cache after that.":[null,"Glöm inte att rensa cachen för agavi-konfigurationen efter det"],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,"Kunde inte skicka kommandot, kontrollera loggarna!"],"Welcome":[null,"Välkommen"],"Categories":[null,""],"This command will be send to all selected items":[null,"Kommandot kommer att skickas till alla markerade objekt"],"Critical":[null,"Kritisk"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"SERVICE_OUTPUT"],"Groups":[null,"Grupper"],"Users":[null,"Användare"],"Say what?":[null,"Vad sa du?"],"Login":[null,"Inloggning"],"Confirm password":[null,"Bekräfta lösenord"],"Instance":[null,""],"SERVICE_NOTES_URL":[null,"SERVICE_NOTES_URL"],"id":[null,"id"],"Email":[null,"E-post"],"Clear selection":[null,"Rensa valda"],"Commands":[null,"Kommandon"],"Service execution (min/avg/max)":[null,"Tjänstekörning (min/avg/max)"],"Nothing selected":[null,"Ingenting valt"],"HOST_EXECUTION_TIME":[null,"VÄRD_VERKSTÄLLANDE_TID"],"is not":[null,""],"Exception thrown: %s":[null,"Undantag: %s"],"Your application profile has been deleted!":[null,"Din applikationsprofil har raderats"],"Title":[null,"utan titel"],"One or more fields are invalid":[null,"Ett eller flera fält är felaktiga"],"UP":[null,"UPPE"],"Services":[null,"Tjänster"],"Message":[null,"Meddelande"],"HOST_STATUS_UPDATE_TIME":[null,"VÄRD_STATUS_UPPDATERA_TID"],"Press me":[null,"Tryck här"],"Warning":[null,"Varning"],"isActive":[null,"ärAktiv"],"Language":[null,"Språk"],"Edit group":[null,"Ändra grupp"],"Change title for this portlet":[null,"Ändra titeln för den här portaldelen"],"Add restriction":[null,"Skapa restriktion"],"State information":[null,"Metainformation"],"No users to display":[null,"Inga användare att visa"],"Error report":[null,"Felrapport"],"HOST_IS_FLAPPING":[null,"VÄRD_FLAPPAR"],"Authkey for Api (optional)":[null,"Autentiseringsnyckel för API (valfri)"],"Add new category":[null,"Lägg till ny användare"],"Close":[null,"Stäng"],"Available groups":[null,"Tillgängliga grupper"],"Add new user":[null,"Lägg till ny användare"],"Edit user":[null,"Ändra användare"],"Could not remove the last tab!":[null,"Kunde inte ta bort den sista fliken!"],"True":[null,"Sant"],"Logout":[null,"Logga ut"],"Reload":[null,""],"Delete":[null,"Radera användare"],"To start with a new application profile, click the following button.":[null,"För att starta med en ny applikationsprofil, klicka på knappen."],"description":[null,"beskrivning"],"(default) no option":[null,"(standard) inget valt"],"Clear cache":[null,"Rensa felmeddelanden"],"Hidden":[null,""],"Icinga":[null,"Icinga"],"SERVICE_IS_FLAPPING":[null,"SERVICE_IS_FLAPPING"],"Please verify your input and try again!":[null,"Var vänlig och kontrollera det du skrev och försök igen!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"VÄRD_AKTUELLT_KONTROLL_FÖRSÖK"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"VÄRD_NÄSTA_KONTROLL"],"Please alter your config file and set one to 'true' (%s).":[null,"Vänligen ändra din konfigurationsfil och ändra 1 till 'true' (%s)."],"Error":[null,"Fel"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,"authensieringen är inte ordentligt konfigurerad, minst ett av följande attribur måste aktiveras:"],"Save this view as new cronk":[null,"Hämta URL för denna vy"],"Access denied":[null,"Åtkomst nekad"],"Running":[null,""],"Do you really want to delete these users?":[null,"Vill du verkligen ta bort de här användarna?"],"Image":[null,""],"Principal":[null,"Princip"],"Selection is missing":[null,"Urval saknas"],"Increment current notification":[null,"Öka nuvarande notifiering"],"Name":[null,"Namn"],"Icinga bug report":[null,"Icinga felrapport"],"elete cronk":[null,"Radera grupper"],"Reset":[null,"Återställ"],"firstname":[null,"Förnamn"],"Save Cronk":[null,""],"New category":[null,"Raderar en kategori"],"Password changed":[null,"Lösenordet ändrat"],"Icinga status":[null,"Icinga"],"Create a new user":[null,"Skapa ny användare"],"The password was successfully changed":[null,"Lösenordet ändrades"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,"Kan inte ansluta till webbservern!"],"The passwords don't match!":[null,"Lösenordet matchar inte"],"less than":[null,""],"HOST_LAST_CHECK":[null,"VÄRD_SENASTE_KONTROLL"],"Command sent":[null,"Kommandot skickat"],"Sorry":[null,"Tyvärr"],"Delete groups":[null,"Radera grupper"],"Unknown":[null,"Okänd"],"HOST_ALIAS":[null,"VÄRD_ALIAS"],"Docs":[null,"Dokument"],"Service latency (min/avg/max)":[null,"Tjänstefördröjning (min/avg/max)"],"Displaying groups":[null,"Visar grupper"],"Preferences for user":[null,"Användarinställningar"],"SERVICE_CURRENT_STATE":[null,"SERVICE_CURRENT_STATE"],"Remove selected groups":[null,"Radera markerade grupper"],"Cronk deleted":[null,""],"Group inheritance":[null,"Grupparv"],"Meta":[null,""],"Forced":[null,"Tvingad"],"groupname":[null,"gruppnamn"],"Search":[null,"Sök"],"SERVICE_NEXT_CHECK":[null,"SERVICE_NEXT_CHECK"],"log":[null,"Logg"],"Severity":[null,"Allvarlighetsgrad"],"Create report for dev.icinga.org":[null,"Skapa rapport för dev.icinga.org"],"Change language":[null,"Ändra språk"],"SERVICE_LAST_HARD_STATE_CHANGE":[null,"SERVICE_LAST_HARD_STATE_CHANGE"],"The server encountered an error:<br/>":[null,"Servern stötte på ett fel:<br/>"],"Click to edit user":[null,"Klicka för att ändra användare"],"Delete user":[null,"Radera användare"],"Bug report":[null,"Buggrapport"],"SERVICE_EXECUTION_TIME":[null,"SERVICE_EXECUTION_TIME"],"Can't modify":[null,"Kan inte modifiera"],"COMMENT_AUTHOR_NAME":[null,"COMMENT_AUTHOR_NAME"],"Session expired":[null,"Sessionen har gått ut"],"Hide disabled ":[null,"Dölj inaktiverade"],"No groups to display":[null,"Inga grupper att visa"],"HOST_LATENCY":[null,"VÄRD_FÖRDRÖJNING"],"Add new group":[null,"Lägg till i grupp"],"Action":[null,"Alternativ"],"A error occured when requesting ":[null,"Ett fel uppstod vid förfrågan"],"Auto refresh ({0} seconds)":[null,"Automatisk uppdatering ({0} sekunder)"],"The following ":[null,"Följande"],"Grid settings":[null,"Inställning för rutsystem"],"Yes":[null,"Ja"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"Sändning"],"SERVICE_STATUS_UPDATE_TIME":[null,"SERVICE_STATUS_UPDATE_TIME"],"is":[null,""],"Clear":[null,""],"Reset application state":[null,"Återställ applikaitons tillstånd"],"Cronks":[null,""],"No":[null,"Nej"],"Enter title":[null,"Ange titel"],"Add selected principals":[null,"Lägg till valda principer"],"Success":[null,""],"Login error (configuration)":[null,"Inloggningsfel (konfiguration)"],"(hh:ii)":[null,""],"COMMENT_DATA":[null,"COMMENT_DATA"],"Dev":[null,"Utv"],"Group name":[null,"Gruppnamn"],"Select a principal (Press Ctrl for multiple selects)":[null,"Välj en princip (Håll ned Ctrl för flera val)"],"Share your Cronk":[null,""],"Ressource ":[null,"Resurs"],"Authorization failed for this instance":[null,"Ändra titel på fliken"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,"Starta om applikation"],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"Användarinställningar"],"Surname":[null,"Efternamn"],"HOST_NOTES_URL":[null,"VÄRD_ANTECKNINGAR_URL"],"Searching ...":[null,"Sök"],"CRITICAL":[null,"KRITISK"],"Login error":[null,"Inloggningsfel"],"Modify filter":[null,"Ändra filter"],"Status":[null,"Status"],"Stop icinga process":[null,""],"Language changed":[null,"Språk ändrat"],"Remove":[null,"Radera"],"Disabled":[null,"Inaktiverad"],"You haven't selected anything!":[null,"Du har inte valt något"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,"Klicka här för att visa instruktioner"],"active":[null,"aktiv"],"Please enter a comment for this bug. This could be":[null,"Vänligen kommentera den här buggen. Det kan vara"],"contain":[null,""],"Edit":[null,"Ändra användare"],"Guest":[null,"Gäst"],"Host latency (min/avg/max)":[null,"Värd fördröjning (min/avg/max)"],"Displaying topics {0} - {1} of {2}":[null,"Visar ämnen {0} - {1} av {2}"],"Close others":[null,"Stäng övriga"],"HOST_MAX_CHECK_ATTEMPTS":[null,"VÄRD_MAX_KONTROLL_FÖRSÖK"],"SERVICE_LAST_CHECK":[null,"SERVICE_LAST_CHECK"],"Save":[null,"Spara"],"No node was removed":[null,"Ingen nod blev borttagen"],"SERVICE_MAX_CHECK_ATTEMPTS":[null,"SERVICE_MAX_CHECK_ATTEMPTS"],"untitled":[null,"utan titel"],"lastname":[null,"efternamn"],"This item is read only!":[null,"Objektet är skrivskyddat"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"VÄRD_SCHEMALAGD_NERTID_DJUP"],"Get this view as URL":[null,"Hämta URL för denna vy"],"New Preference":[null,"Ny inställning"],"Confirm":[null,"Bekräfta lösenord"],"Reload the cronk (not the content)":[null,"Ladda om cronk (inte innehållet)"],"Send report to admin":[null,"Skicka rapport till administratören"],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,"Vill du verkligen radera alla"],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,"SERVICE_OUTPUT"],"We're Icinga":[null,"Vi är icinga"],"Unknown field type: {0}":[null,"Okänd fält typ: {0}"],"Meta information":[null,"Metainformation"],"Parameters":[null,""],"{0} command was sent successfully!":[null,"{0} skickades korrekt!"],"Link to this view":[null,"Länk till vy"],"UNKNOWN":[null,"OKÄND"],"About":[null,"Om"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,"Vänligen kontakta din systemadministratör om du tror att det här är ovanligt."],"SERVICE_LAST_NOTIFICATION":[null,"SERVICE_LAST_NOTIFICATION"],"Abort":[null,"Avbryt"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"Ändra"],"HOST_LAST_NOTIFICATION":[null,"VÄRD_SENASTE_UNDERRÄTTELSE"],"General information":[null,"Allmän information"],"Displaying users":[null,"Visar användare"],"Position":[null,"Beskrivning"],"Remove this preference":[null,"Radera inställning"],"{0} ({1} items)":[null,"{0} ({1} objekt)"],"HOST_ADDRESS":[null,"VÄRD_ADRESS"],"You can not delete system categories":[null,""],"username":[null,"användarnamn"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"VÄRD_AKTUELLT_TILLSTÅND"],"HOST_PERFDATA":[null,"VÄRD_PRESTANDADATA"],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"SERVICE_CURRENT_CHECK_ATTEMPT"],"To be on the verge to logout ...":[null,"Att vara på gränsen för utloggning..."],"Hosts":[null,"Värdar"],"SERVICE_PERFDATA":[null,"SERVICE_PERFDATA"],"SERVICE_DISPLAY_NAME":[null,"SERVICE_DISPLAY_NAME"],"Save password":[null,"Spara lösenord"],"Agavi setting":[null,"Inställning för rutsystem"],"seconds":[null,""],"Unknown id":[null,"Okänt id"],"CronkBuilder":[null,""],"Available logs":[null,"Tillgängliga loggar"],"Link":[null,"Länk"],"New password":[null,"Nytt lösenord"],"Settings":[null,"Inställningar"],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"VÄRD_VISNINGSNAMN"],"False":[null,"Falskt"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,"SERVICE_SCHEDULED_DOWNTIME_DEPTH"],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"VÄRD_OUTPUT"],"UNREACHABLE":[null,"OTILLGÄNGLIG"],"SERVICE_CHECK_TYPE":[null,"SERVICE_CHECK_TYPE"],"Option":[null,"Alternativ"],"Refresh":[null,"Uppdatera"],"Are you sure to do this?":[null,"Är du säker på att du vill utföra detta?"]," principals?":[null,"principer"],"Tab slider":[null,""],"Clear errors":[null,"Rensa felmeddelanden"],"OK":[null,"OK"],"Services (active/passive)":[null,"Tjänster (aktiva/passiva)"],"Remove selected users":[null,"Radera markerade användare"],"Type":[null,"Typ"],"Comment bug":[null,"Kommentera bugg"],"HOST_CHECK_TYPE":[null,"VÄRD_KONTROLL_TYP"],"Create a new group":[null,"Skapa ny grupp"],"Add":[null,"Lägg till"],"PENDING":[null,"VÄNTANDE"],"no principals availabe":[null,"inga principer tillgängliga"],"Advanced":[null,"Avancerat"],"COMMENT_TIME":[null,"COMMENT_TIME"],"Change Password":[null,"Byt lösenord"],"Language settings":[null,"Språkinställningar"],"Removing a category":[null,"Raderar en kategori"],"The confirmed password doesn't match":[null,"The bekräftade lösenordet matchar inte"],"Rename":[null,"Byt namn"],"Return code out of bounds":[null,"Returkoden är utanför gränserna"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,"Kan inte ladda Cronklistan, följande fel uppstod: {0} ({1})"],"SERVICE_LATENCY":[null,"SERVICE_LATENCY"],"Error sending command":[null,"Fel vid sändning av kommando"],"Time":[null,"Tid"],"Discard":[null,"Bortse"],"Are you sure to delete {0}":[null,"Är du säker på att du vill utföra detta?"],"Refresh the data in the grid":[null,"Uppdatera datat i rutnätet"],"Remove selected":[null,"Radera markerade"],"Stopped":[null,""],"Reload cronk":[null,"Radera grupper"],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"Ändra titel på fliken"],"Sorry, cronk \"%s\" not found":[null,"Tyvärr, cronk \"%s\" hittades inte"],"Available users":[null,"Tillgängliga användare"],"Request failed":[null,"Förfrågan misslyckades"],"Close and refresh":[null,"Stäng övriga"],"Admin tasks":[null,""],"Services for ":[null,"Tjänster för"],"Login failed":[null,"Inloggningen misslyckades"],"Permissions":[null,"Behörigheter"],"Some error: {0}":[null,""],"Modified":[null,"Ändrad"],"Hosts (active/passive)":[null,"Värdar (aktiva/passiva)"],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,"Inställningar"],"Item":[null,"Objekt"],"Apply":[null,"Verkställ"],"Saving":[null,"Sparar"],"Expand":[null,""],"IN TOTAL":[null,"TOTAL"],"Seems like you have no logs":[null,"Det verkar som att du inte har några loggar"],"HOST_ADDRESS6":[null,"VÄRD_ADRESS"],"Description":[null,"Beskrivning"],"DOWN":[null,"NERE"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/tr.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"MIME-Version":" 1.0","X-Generator":" Translate Toolkit 1.5.2","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" ","Last-Translator":" FULL NAME <EMAIL@ADDRESS>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" YEAR-MO-DA HO:MI+ZONE","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,""],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,""],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,""],"Unknown error - please check your logs":[null,""],"Password":[null,""],"Category editor":[null,""],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"Command":[null,""],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,""],"Principals":[null,""],"Filter":[null,""],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,""],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,""],"Cronk Id":[null,""],"Groups":[null,""],"Users":[null,""],"Say what?":[null,""],"Login":[null,""],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,""],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,""],"One or more fields are invalid":[null,""],"UP":[null,""],"Services":[null,""],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,""],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,""],"Add restriction":[null,""],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,""],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,""],"True":[null,""],"Logout":[null,""],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,""],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,""],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,""],"Name":[null,""],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,""],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,""],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,""],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,""],"HOST_ALIAS":[null,""],"Docs":[null,""],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,""],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,""],"Action":[null,""],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,""],"The following ":[null,""],"Grid settings":[null,""],"Yes":[null,""],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,""],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,""],"Enter title":[null,""],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,""],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,""],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,""],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,""],"Login error":[null,""],"Modify filter":[null,""],"Status":[null,""],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,""],"Disabled":[null,""],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,""],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,""],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,""],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,""],"Unknown field type: {0}":[null,""],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,""],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,""],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,""],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,""],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,""],"Remove this preference":[null,""],"{0} ({1} items)":[null,""],"HOST_ADDRESS":[null,""],"You can not delete system categories":[null,""],"username":[null,""],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,""],"Agavi setting":[null,""],"seconds":[null,""],"Unknown id":[null,""],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,""],"New password":[null,""],"Settings":[null,""],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,""],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,""],"Refresh":[null,""],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,""],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,""],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,""],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,""],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,""],"Return code out of bounds":[null,""],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,""],"Time":[null,""],"Discard":[null,""],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,""],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,""],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,""],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,""],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,""],"Saving":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,""],"Description":[null,""],"DOWN":[null,""]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"MIME-Version":" 1.0","X-Generator":" Translate Toolkit 1.5.2","POT-Creation-Date":" 2010-04-28 13:11+0200","Language":" ","Last-Translator":" FULL NAME <EMAIL@ADDRESS>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" YEAR-MO-DA HO:MI+ZONE","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,""],"Do you really want to delete these groups?":[null,""],"Auto refresh":[null,""],"Please provide a password for this user":[null,""],"Auth via":[null,""],"email":[null,""],"Critical error":[null,""],"Unknown error - please check your logs":[null,""],"Password":[null,""],"Category editor":[null,""],"Tactical overview settings":[null,""],"HOST_LAST_HARD_STATE_CHANGE":[null,""],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,""],"Reset view":[null,""],"Command":[null,""],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,""],"WARNING":[null,""],"Sorry, could not find a xml file for %s":[null,""],"of":[null,""],"Your default language hast changed!":[null,""],"User":[null,""],"Principals":[null,""],"Filter":[null,""],"HOST_OUTPUT":[null,""],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,""],"Categories":[null,""],"This command will be send to all selected items":[null,""],"Critical":[null,""],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,""],"Groups":[null,""],"Users":[null,""],"Say what?":[null,""],"Login":[null,""],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,""],"Clear selection":[null,""],"Commands":[null,""],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,""],"is not":[null,""],"Exception thrown: %s":[null,""],"Your application profile has been deleted!":[null,""],"Title":[null,""],"One or more fields are invalid":[null,""],"UP":[null,""],"Services":[null,""],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,""],"Press me":[null,""],"Warning":[null,""],"isActive":[null,""],"Language":[null,""],"Edit group":[null,""],"Change title for this portlet":[null,""],"Add restriction":[null,""],"State information":[null,""],"No users to display":[null,""],"Error report":[null,""],"HOST_IS_FLAPPING":[null,""],"Authkey for Api (optional)":[null,""],"Add new category":[null,""],"Close":[null,""],"Available groups":[null,""],"Add new user":[null,""],"Edit user":[null,""],"Could not remove the last tab!":[null,""],"True":[null,""],"Logout":[null,""],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,""],"description":[null,""],"(default) no option":[null,""],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,""],"Please verify your input and try again!":[null,""],"HOST_CURRENT_CHECK_ATTEMPT":[null,""],"Visible":[null,""],"HOST_NEXT_CHECK":[null,""],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,""],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,""],"Running":[null,""],"Do you really want to delete these users?":[null,""],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,""],"Name":[null,""],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,""],"firstname":[null,""],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,""],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,""],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,""],"less than":[null,""],"HOST_LAST_CHECK":[null,""],"Command sent":[null,""],"Sorry":[null,""],"Delete groups":[null,""],"Unknown":[null,""],"HOST_ALIAS":[null,""],"Docs":[null,""],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,""],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,""],"groupname":[null,""],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,""],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,""],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,""],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,""],"Add new group":[null,""],"Action":[null,""],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,""],"The following ":[null,""],"Grid settings":[null,""],"Yes":[null,""],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,""],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,""],"Enter title":[null,""],"Add selected principals":[null,""],"Success":[null,""],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,""],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,""],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,""],"Surname":[null,""],"HOST_NOTES_URL":[null,""],"Searching ...":[null,""],"CRITICAL":[null,""],"Login error":[null,""],"Modify filter":[null,""],"Status":[null,""],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,""],"Disabled":[null,""],"You haven't selected anything!":[null,""],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,""],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,""],"Guest":[null,""],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,""],"HOST_MAX_CHECK_ATTEMPTS":[null,""],"SERVICE_LAST_CHECK":[null,""],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,""],"lastname":[null,""],"This item is read only!":[null,""],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,""],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,""],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,""],"Unknown field type: {0}":[null,""],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,""],"Link to this view":[null,""],"UNKNOWN":[null,""],"About":[null,""],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,""],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,""],"HOST_LAST_NOTIFICATION":[null,""],"General information":[null,""],"Displaying users":[null,""],"Position":[null,""],"Remove this preference":[null,""],"{0} ({1} items)":[null,""],"HOST_ADDRESS":[null,""],"You can not delete system categories":[null,""],"username":[null,""],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,""],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,""],"To be on the verge to logout ...":[null,""],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,""],"Save password":[null,""],"Agavi setting":[null,""],"seconds":[null,""],"Unknown id":[null,""],"CronkBuilder":[null,""],"Available logs":[null,""],"Link":[null,""],"New password":[null,""],"Settings":[null,""],"Module":[null,""],"HOST_DISPLAY_NAME":[null,""],"False":[null,""],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,""],"UNREACHABLE":[null,""],"SERVICE_CHECK_TYPE":[null,""],"Option":[null,""],"Refresh":[null,""],"Are you sure to do this?":[null,""]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,""],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,""],"Comment bug":[null,""],"HOST_CHECK_TYPE":[null,""],"Create a new group":[null,""],"Add":[null,""],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,""],"COMMENT_TIME":[null,""],"Change Password":[null,""],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,""],"Rename":[null,""],"Return code out of bounds":[null,""],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,""],"Time":[null,""],"Discard":[null,""],"Are you sure to delete {0}":[null,""],"Refresh the data in the grid":[null,""],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,""],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,""],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,""],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,""],"Saving":[null,""],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,""],"Description":[null,""],"DOWN":[null,""]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/mo/zh_CN.json
^
|
@@ -1 +1 @@
-{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=1; plural=0;","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-29 00:06+0200","Language":" zh_CN","Last-Translator":" sonny <sonnyyuirm@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-01-31 00:44+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"重新命名"],"Do you really want to delete these groups?":[null,"你真的要删除这些组?"],"Auto refresh":[null,"自動更新"],"Please provide a password for this user":[null,""],"Auth via":[null,"通过权威"],"email":[null,"电子邮件"],"Critical error":[null,"關鍵"],"Unknown error - please check your logs":[null,""],"Password":[null,"密碼"],"Category editor":[null,""],"Tactical overview settings":[null,"战术设置概述"],"HOST_LAST_HARD_STATE_CHANGE":[null,"用戶狀態最後變更"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,"对不起,您无法验证的icinga- web的。"],"Command":[null,"指令"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,"您的登录会话已经消失,按确定登录了!"],"WARNING":[null,"警告"],"Sorry, could not find a xml file for %s":[null,"对不起,找不到一个XML文件"],"of":[null,""],"Your default language hast changed!":[null,"您的默认语言变了!"],"User":[null,"使用者"],"Principals":[null,""],"Filter":[null,"檢查確認"],"HOST_OUTPUT":[null,"用戶作品"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"歡迎"],"Categories":[null,""],"This command will be send to all selected items":[null,"该命令将被发送到所有选定的项目"],"Critical":[null,"關鍵"],"Cronk Id":[null,""],"Groups":[null,""],"Users":[null,"使用者"],"Say what?":[null,""],"Login":[null,"登入"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,"电邮"],"Clear selection":[null,""],"Commands":[null,"…等指令"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"用戶執行時間"],"add":[null,"增加"],"is not":[null,""],"Exception thrown: %s":[null,"抛出异常:"],"Your application profile has been deleted!":[null,"您的应用程序配置文件已被删除!"],"Title":[null,"輸入標題"],"One or more fields are invalid":[null,""],"UP":[null,"向上"],"Services":[null,""],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"用戶狀態更新時間"],"Press me":[null,""],"Warning":[null,"警示"],"isActive":[null,"活动状态"],"Language":[null,""],"Edit group":[null,"编辑组"],"Change title for this portlet":[null,"更改portlet標題"],"Add restriction":[null,"增加合約"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,"错误报告"],"HOST_IS_FLAPPING":[null,"用戶線上"],"Authkey for Api (optional)":[null,""],"Add new category":[null,"增加群組"],"Close":[null,"關閉"],"Available groups":[null,"可用组"],"Add new user":[null,""],"Edit user":[null,"编辑用户"],"Could not remove the last tab!":[null,"無法移除最後標籤"],"True":[null,"真"],"Logout":[null,"記錄"],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,"要开始一个新的应用程序配置文件,单击下面的按钮。"],"description":[null,"增加合約"],"(default) no option":[null,"無選項"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,"伺服器線上"],"Please verify your input and try again!":[null,"請您確認您的輸入並在試一次!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"用戶當前確認意圖"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"用戶下一確認"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"错误"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,"访问被拒绝"],"Running":[null,""],"Do you really want to delete these users?":[null,"你真的要删除这些用户?"],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,"增加現行公告"],"Name":[null,"重新命名"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,"重新啟動"],"firstname":[null,"名"],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"密碼"],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,"已成功更改密码"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,"密码不匹配!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"用戶最後確認"],"Command sent":[null,"指令已寄出"],"Sorry":[null,"抱歉"],"Delete groups":[null,""],"Unknown":[null,"未知"],"HOST_ALIAS":[null,"用戶化名"],"Docs":[null,"說明"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,"伺服器確認現行狀態"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"被迫"],"groupname":[null,"组名"],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,"記錄"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,"服务器遇到了一个错误:<br/>"],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,"伺服器執行時間"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"用戶考量"],"Add new group":[null,"增加群組"],"Action":[null,"選擇"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"自動更新"],"The following ":[null,"以下"],"Grid settings":[null,""],"Yes":[null,"是"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"播放"],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"否"],"Enter title":[null,"輸入標題"],"Add selected principals":[null,""],"Success":[null,""],"Try":[null,"嘗試"],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,""],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"更改標籤主題"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"用户喜好"],"Surname":[null,"重新命名"],"HOST_NOTES_URL":[null,"用戶備忘址"],"Searching ...":[null,""],"CRITICAL":[null,"意見"],"Login error":[null,"登入"],"Modify filter":[null,"更改確認"],"Status":[null,"状态"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"移除"],"Disabled":[null,"放棄"],"You haven't selected anything!":[null,"你没有选择任何东西"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,"活动状态"],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"编辑用户"],"Guest":[null,"訪客"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"關閉其他"],"HOST_MAX_CHECK_ATTEMPTS":[null,"用戶確認MAX意圖"],"SERVICE_LAST_CHECK":[null,"伺服器最後確認"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"輸入標題"],"lastname":[null,"姓"],"This item is read only!":[null,"此项目为只读!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"用戶下載進度表"],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,"重填cronk(不是內容)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,"我们是Icinga"],"Unknown field type: {0}":[null,"未知的字段类型: {0} "],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"指令完成!"],"Link to this view":[null,""],"UNKNOWN":[null,"未知"],"About":[null,"相關"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,"失敗"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"更改"],"HOST_LAST_NOTIFICATION":[null,"用戶最後公告"],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"增加合約"],"Remove this preference":[null,""],"{0} ({1} items)":[null,""],"HOST_ADDRESS":[null,"用戶信箱"],"You can not delete system categories":[null,""],"username":[null,"重新命名"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"用戶當前狀態"],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"伺服器確認現行意圖"],"To be on the verge to logout ...":[null,"要在登出的边缘..."],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,"伺服器顯示名稱"],"Save password":[null,"密碼"],"Agavi setting":[null,""],"seconds":[null,""],"Unknown id":[null,"未知"],"CronkBuilder":[null,""],"Available logs":[null,"可用的日志"],"Link":[null,"登入"],"New password":[null,"密碼"],"Settings":[null,""],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"用戶顯示名稱"],"False":[null,"關閉"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"UNREACHABLE":[null,"执行不到"],"SERVICE_CHECK_TYPE":[null,"伺服器種類確認"],"Option":[null,"選擇"],"Refresh":[null,"更新"],"Are you sure to do this?":[null,"你确定要这么做吗?"]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,"类型"],"Comment bug":[null,"指令已寄出"],"HOST_CHECK_TYPE":[null,"用戶種類確認"],"Create a new group":[null,""],"Add":[null,"增加"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,"高级的"],"COMMENT_TIME":[null,""],"Change Password":[null,"密碼"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,"经确认密码不匹配"],"Rename":[null,"重新命名"],"Return code out of bounds":[null,"返回登出面"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,"錯誤指令"],"Time":[null,"时间"],"Discard":[null,"放棄"],"Are you sure to delete {0}":[null,"你确定要这么做吗?"],"Refresh the data in the grid":[null,"更新空格內的日期"],"Remove selected":[null,""],"Stopped":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"更改標籤主題"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"自動更新"],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,"登入失敗"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"更改"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"執行"],"Saving":[null,"警示"],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"用戶信箱"],"Description":[null,"增加合約"],"DOWN":[null,"下載"]}
\ No newline at end of file
+{"No topics to display":[null,""],"":{"Plural-Forms":" nplurals=1; plural=0;","MIME-Version":" 1.0","X-Generator":" Pootle 2.0.3","POT-Creation-Date":" 2010-04-29 00:06+0200","Language":" zh_CN","Last-Translator":" sonny <sonnyyuirm@gmail.com>","Content-Type":" text/plain; charset=UTF-8","PO-Revision-Date":" 2011-01-31 00:44+0200","Language-Team":" LANGUAGE <LL@li.org>","Content-Transfer-Encoding":" 8bit","Report-Msgid-Bugs-To":" ","Project-Id-Version":" PACKAGE VERSION"},"User name":[null,"重新命名"],"Do you really want to delete these groups?":[null,"你真的要删除这些组?"],"Auto refresh":[null,"自動更新"],"Please provide a password for this user":[null,""],"Auth via":[null,"通过权威"],"email":[null,"电子邮件"],"Critical error":[null,"關鍵"],"Unknown error - please check your logs":[null,""],"Password":[null,"密碼"],"Category editor":[null,""],"Tactical overview settings":[null,"战术设置概述"],"HOST_LAST_HARD_STATE_CHANGE":[null,"用戶狀態最後變更"],"Items":[null,""],"Sorry, you could not be authenticated for icinga-web.":[null,"对不起,您无法验证的icinga- web的。"],"Reset view":[null,"重新啟動"],"Command":[null,"指令"],"We have deleted your cronk \"{0}\"":[null,""],"Host execution time (min/avg/max)":[null,""],"Created":[null,""],"Your login session has gone away, press ok to login again!":[null,"您的登录会话已经消失,按确定登录了!"],"WARNING":[null,"警告"],"Sorry, could not find a xml file for %s":[null,"对不起,找不到一个XML文件"],"of":[null,""],"Your default language hast changed!":[null,"您的默认语言变了!"],"User":[null,"使用者"],"Principals":[null,""],"Filter":[null,"檢查確認"],"HOST_OUTPUT":[null,"用戶作品"],"Don't forget to clear the agavi config cache after that.":[null,""],"Couldn't submit check command - check your access.xml":[null,""],"Could not send the command, please examine the logs!":[null,""],"Welcome":[null,"歡迎"],"Categories":[null,""],"This command will be send to all selected items":[null,"该命令将被发送到所有选定的项目"],"Critical":[null,"關鍵"],"Cronk Id":[null,""],"SERVICE_LONG_OUTPUT":[null,"伺服器確認現行狀態"],"Groups":[null,""],"Users":[null,"使用者"],"Say what?":[null,""],"Login":[null,"登入"],"Confirm password":[null,""],"Instance":[null,""],"SERVICE_NOTES_URL":[null,""],"id":[null,""],"Email":[null,"电邮"],"Clear selection":[null,""],"Commands":[null,"…等指令"],"Service execution (min/avg/max)":[null,""],"Nothing selected":[null,""],"HOST_EXECUTION_TIME":[null,"用戶執行時間"],"add":[null,"增加"],"is not":[null,""],"Exception thrown: %s":[null,"抛出异常:"],"Your application profile has been deleted!":[null,"您的应用程序配置文件已被删除!"],"Title":[null,"輸入標題"],"One or more fields are invalid":[null,""],"UP":[null,"向上"],"Services":[null,""],"Message":[null,""],"HOST_STATUS_UPDATE_TIME":[null,"用戶狀態更新時間"],"Press me":[null,""],"Warning":[null,"警示"],"isActive":[null,"活动状态"],"Language":[null,""],"Edit group":[null,"编辑组"],"Change title for this portlet":[null,"更改portlet標題"],"Add restriction":[null,"增加合約"],"State information":[null,""],"No users to display":[null,""],"Error report":[null,"错误报告"],"HOST_IS_FLAPPING":[null,"用戶線上"],"Authkey for Api (optional)":[null,""],"Add new category":[null,"增加群組"],"Close":[null,"關閉"],"Available groups":[null,"可用组"],"Add new user":[null,""],"Edit user":[null,"编辑用户"],"Could not remove the last tab!":[null,"無法移除最後標籤"],"True":[null,"真"],"Logout":[null,"記錄"],"Reload":[null,""],"Delete":[null,""],"To start with a new application profile, click the following button.":[null,"要开始一个新的应用程序配置文件,单击下面的按钮。"],"description":[null,"增加合約"],"(default) no option":[null,"無選項"],"Clear cache":[null,""],"Hidden":[null,""],"Icinga":[null,""],"SERVICE_IS_FLAPPING":[null,"伺服器線上"],"Please verify your input and try again!":[null,"請您確認您的輸入並在試一次!"],"HOST_CURRENT_CHECK_ATTEMPT":[null,"用戶當前確認意圖"],"Visible":[null,""],"HOST_NEXT_CHECK":[null,"用戶下一確認"],"Please alter your config file and set one to 'true' (%s).":[null,""],"Error":[null,"错误"],"auth.behaviour is not properly configured. You need at least one of the following attributes enabled:":[null,""],"Save this view as new cronk":[null,""],"Access denied":[null,"访问被拒绝"],"Running":[null,""],"Do you really want to delete these users?":[null,"你真的要删除这些用户?"],"Image":[null,""],"Principal":[null,""],"Selection is missing":[null,""],"Increment current notification":[null,"增加現行公告"],"Name":[null,"重新命名"],"Icinga bug report":[null,""],"elete cronk":[null,""],"Reset":[null,"重新啟動"],"firstname":[null,"名"],"Save Cronk":[null,""],"New category":[null,""],"Password changed":[null,"密碼"],"Icinga status":[null,""],"Create a new user":[null,""],"The password was successfully changed":[null,"已成功更改密码"],"Invalid authorization type defined in access.xml":[null,""],"Please confirm restarting icinga":[null,""],"In order to complete you have to reload the interface. Are you sure?":[null,""],"does not contain":[null,""],"Couldn't connect to web-server.":[null,""],"The passwords don't match!":[null,"密码不匹配!"],"less than":[null,""],"HOST_LAST_CHECK":[null,"用戶最後確認"],"Command sent":[null,"指令已寄出"],"Sorry":[null,"抱歉"],"Delete groups":[null,""],"Unknown":[null,"未知"],"HOST_ALIAS":[null,"用戶化名"],"Docs":[null,"說明"],"Service latency (min/avg/max)":[null,""],"Displaying groups":[null,""],"Preferences for user":[null,""],"SERVICE_CURRENT_STATE":[null,"伺服器確認現行狀態"],"Remove selected groups":[null,""],"Cronk deleted":[null,""],"Group inheritance":[null,""],"Meta":[null,""],"Forced":[null,"被迫"],"groupname":[null,"组名"],"Search":[null,""],"SERVICE_NEXT_CHECK":[null,""],"log":[null,"記錄"],"Severity":[null,""],"Create report for dev.icinga.org":[null,""],"Change language":[null,""],"SERVICE_LAST_HARD_STATE_CHANGE":[null,""],"The server encountered an error:<br/>":[null,"服务器遇到了一个错误:<br/>"],"Click to edit user":[null,""],"Delete user":[null,""],"Bug report":[null,""],"SERVICE_EXECUTION_TIME":[null,"伺服器執行時間"],"Can't modify":[null,""],"COMMENT_AUTHOR_NAME":[null,""],"Session expired":[null,""],"Hide disabled ":[null,""],"No groups to display":[null,""],"HOST_LATENCY":[null,"用戶考量"],"Add new group":[null,"增加群組"],"Action":[null,"選擇"],"A error occured when requesting ":[null,""],"Auto refresh ({0} seconds)":[null,"自動更新"],"The following ":[null,"以下"],"Grid settings":[null,""],"Yes":[null,"是"],"Loading TO \"{0}\" ...":[null,""],"Loading Cronks ...":[null,""],"Please wait...":[null,""],"Broadcast":[null,"播放"],"SERVICE_STATUS_UPDATE_TIME":[null,""],"is":[null,""],"Clear":[null,""],"Reset application state":[null,""],"Cronks":[null,""],"No":[null,"否"],"Enter title":[null,"輸入標題"],"Add selected principals":[null,""],"Success":[null,""],"Try":[null,"嘗試"],"Login error (configuration)":[null,""],"(hh:ii)":[null,""],"COMMENT_DATA":[null,""],"Dev":[null,""],"Group name":[null,""],"Select a principal (Press Ctrl for multiple selects)":[null,""],"Share your Cronk":[null,""],"Ressource ":[null,""],"Authorization failed for this instance":[null,"更改標籤主題"],"Cronk \"{0}\" successfully written to database!":[null,""],"App reset":[null,""],"You're icinga-web server doesn't have ssh2 enabled, couldn't check results":[null,""],"User preferences":[null,"用户喜好"],"Surname":[null,"重新命名"],"HOST_NOTES_URL":[null,"用戶備忘址"],"Searching ...":[null,""],"CRITICAL":[null,"意見"],"Login error":[null,"登入"],"Modify filter":[null,"更改確認"],"Status":[null,"状态"],"Stop icinga process":[null,""],"Language changed":[null,""],"Remove":[null,"移除"],"Disabled":[null,"放棄"],"You haven't selected anything!":[null,"你没有选择任何东西"],"Clear the agavi configuration cache to apply new xml configuration.":[null,""],"greater than":[null,""],"Click here to view instructions":[null,""],"active":[null,"活动状态"],"Please enter a comment for this bug. This could be":[null,""],"contain":[null,""],"Edit":[null,"编辑用户"],"Guest":[null,"訪客"],"Host latency (min/avg/max)":[null,""],"Displaying topics {0} - {1} of {2}":[null,""],"Close others":[null,"關閉其他"],"HOST_MAX_CHECK_ATTEMPTS":[null,"用戶確認MAX意圖"],"SERVICE_LAST_CHECK":[null,"伺服器最後確認"],"Save":[null,""],"No node was removed":[null,""],"SERVICE_MAX_CHECK_ATTEMPTS":[null,""],"untitled":[null,"輸入標題"],"lastname":[null,"姓"],"This item is read only!":[null,"此项目为只读!"],"HOST_SCHEDULED_DOWNTIME_DEPTH":[null,"用戶下載進度表"],"Get this view as URL":[null,""],"New Preference":[null,""],"Confirm":[null,""],"Reload the cronk (not the content)":[null,"重填cronk(不是內容)"],"Send report to admin":[null,""],"Not allowed":[null,""],"Please confirm shutting down icinga":[null,""],"Do you really want to delete all ":[null,""],"Expert mode":[null,""],"SERVICE_OUTPUT":[null,""],"We're Icinga":[null,"我们是Icinga"],"Unknown field type: {0}":[null,"未知的字段类型: {0} "],"Meta information":[null,""],"Parameters":[null,""],"{0} command was sent successfully!":[null,"指令完成!"],"Link to this view":[null,""],"UNKNOWN":[null,"未知"],"About":[null,"相關"],"Show status of accessible icinga instances":[null,""],"All categories available":[null,""],"Please contact your system admin if you think this is not common.":[null,""],"SERVICE_LAST_NOTIFICATION":[null,""],"Abort":[null,"失敗"],"CronkBuilder has gone away!":[null,""],"Please fill out required fields (marked with an exclamation mark)":[null,""],"Modify":[null,"更改"],"HOST_LAST_NOTIFICATION":[null,"用戶最後公告"],"General information":[null,""],"Displaying users":[null,""],"Position":[null,"增加合約"],"Remove this preference":[null,""],"{0} ({1} items)":[null,""],"HOST_ADDRESS":[null,"用戶信箱"],"You can not delete system categories":[null,""],"username":[null,"重新命名"],"System categories are not editable!":[null,""],"HOST_CURRENT_STATE":[null,"用戶當前狀態"],"HOST_PERFDATA":[null,""],"SERVICE_CURRENT_CHECK_ATTEMPT":[null,"伺服器確認現行意圖"],"To be on the verge to logout ...":[null,"要在登出的边缘..."],"Hosts":[null,""],"SERVICE_PERFDATA":[null,""],"SERVICE_DISPLAY_NAME":[null,"伺服器顯示名稱"],"Save password":[null,"密碼"],"Agavi setting":[null,""],"seconds":[null,""],"Unknown id":[null,"未知"],"CronkBuilder":[null,""],"Available logs":[null,"可用的日志"],"Link":[null,"登入"],"New password":[null,"密碼"],"Settings":[null,""],"Module":[null,""],"HOST_DISPLAY_NAME":[null,"用戶顯示名稱"],"False":[null,"關閉"],"SERVICE_SCHEDULED_DOWNTIME_DEPTH":[null,""],"(Re-)Start icinga process":[null,""],"HOST_LONG_OUTPUT":[null,"用戶作品"],"UNREACHABLE":[null,"执行不到"],"SERVICE_CHECK_TYPE":[null,"伺服器種類確認"],"Option":[null,"選擇"],"Refresh":[null,"更新"],"Are you sure to do this?":[null,"你确定要这么做吗?"]," principals?":[null,""],"Tab slider":[null,""],"Clear errors":[null,""],"OK":[null,"OK"],"Services (active/passive)":[null,""],"Remove selected users":[null,""],"Type":[null,"类型"],"Comment bug":[null,"指令已寄出"],"HOST_CHECK_TYPE":[null,"用戶種類確認"],"Create a new group":[null,""],"Add":[null,"增加"],"PENDING":[null,""],"no principals availabe":[null,""],"Advanced":[null,"高级的"],"COMMENT_TIME":[null,""],"Change Password":[null,"密碼"],"Language settings":[null,""],"Removing a category":[null,""],"The confirmed password doesn't match":[null,"经确认密码不匹配"],"Rename":[null,"重新命名"],"Return code out of bounds":[null,"返回登出面"],"CatId":[null,""],"Could not load the cronk listing, following error occured: {0} ({1})":[null,""],"SERVICE_LATENCY":[null,""],"Error sending command":[null,"錯誤指令"],"Time":[null,"时间"],"Discard":[null,"放棄"],"Are you sure to delete {0}":[null,"你确定要这么做吗?"],"Refresh the data in the grid":[null,"更新空格內的日期"],"Remove selected":[null,""],"Stopped":[null,""],"Reload cronk":[null,""],"Add new parameter to properties":[null,""],"Change title for this tab":[null,"更改標籤主題"],"Sorry, cronk \"%s\" not found":[null,""],"Available users":[null,""],"Request failed":[null,""],"Close and refresh":[null,"自動更新"],"Admin tasks":[null,""],"Services for ":[null,""],"Login failed":[null,"登入失敗"],"Permissions":[null,""],"Some error: {0}":[null,""],"Modified":[null,"更改"],"Hosts (active/passive)":[null,""],"Save custom Cronk":[null,""],"No selection was made!":[null,""],"Preferences":[null,""],"Item":[null,""],"Apply":[null,"執行"],"Saving":[null,"警示"],"Expand":[null,""],"IN TOTAL":[null,""],"Seems like you have no logs":[null,""],"HOST_ADDRESS6":[null,"用戶信箱"],"Description":[null,"增加合約"],"DOWN":[null,"下載"]}
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/bg/default.po
^
|
@@ -443,6 +443,10 @@
msgid "Exception thrown: %s"
msgstr "Грешка: %s"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -542,6 +546,11 @@
msgid "HOST_LATENCY"
msgstr "HOST_LATENCY"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "HOST_OUTPUT"
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "HOST_MAX_CHECK_ATTEMPTS"
@@ -875,6 +884,11 @@
msgid "Reload"
msgstr ""
+# IndexSuccess.php, line 166 (36)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Изтриване на групи"
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr ""
@@ -919,6 +933,10 @@
msgid "Reset application state"
msgstr ""
+# Tabhelper.js, line 194 (25)
+msgid "Reset view"
+msgstr ""
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -971,6 +989,11 @@
msgid "SERVICE_LATENCY"
msgstr "SERVICE_LATENCY"
+# simple_data_provider.xml, line 96 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "SERVICE_OUTPUT"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "SERVICE_MAX_CHECK_ATTEMPTS"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/ca/default.po
^
|
@@ -437,6 +437,10 @@
msgid "Exception thrown: %s"
msgstr ""
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -536,6 +540,10 @@
msgid "HOST_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 73 (25)
+msgid "HOST_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr ""
@@ -864,6 +872,10 @@
msgid "Reload"
msgstr ""
+# Tabhelper.js, line 210 (27)
+msgid "Reload cronk"
+msgstr ""
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr ""
@@ -908,6 +920,10 @@
msgid "Reset application state"
msgstr ""
+# Tabhelper.js, line 194 (25)
+msgid "Reset view"
+msgstr ""
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -960,6 +976,10 @@
msgid "SERVICE_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 199 (28)
+msgid "SERVICE_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr ""
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/cs/default.po
^
|
@@ -443,6 +443,10 @@
msgid "Exception thrown: %s"
msgstr ""
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -542,6 +546,10 @@
msgid "HOST_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 73 (25)
+msgid "HOST_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr ""
@@ -878,6 +886,10 @@
msgid "Reload"
msgstr ""
+# Tabhelper.js, line 210 (27)
+msgid "Reload cronk"
+msgstr ""
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr ""
@@ -922,6 +934,11 @@
msgid "Reset application state"
msgstr ""
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Reset"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -974,6 +991,11 @@
msgid "SERVICE_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 95 (30)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "SLUZBA_SOUCASNY_STAV"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr ""
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/da/default.po
^
|
@@ -433,6 +433,10 @@
msgid "Exception thrown: %s"
msgstr ""
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -529,6 +533,10 @@
msgid "HOST_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 73 (25)
+msgid "HOST_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr ""
@@ -856,6 +864,10 @@
msgid "Reload"
msgstr ""
+# Tabhelper.js, line 210 (27)
+msgid "Reload cronk"
+msgstr ""
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr ""
@@ -900,6 +912,10 @@
msgid "Reset application state"
msgstr ""
+# Tabhelper.js, line 194 (25)
+msgid "Reset view"
+msgstr ""
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -952,6 +968,10 @@
msgid "SERVICE_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 199 (28)
+msgid "SERVICE_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr ""
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/de/default.po
^
|
@@ -2,8 +2,8 @@
msgstr ""
"Project-Id-Version: icinga-web-translation 0.0\n"
"POT-Creation-Date: \n"
-"PO-Revision-Date: 2010-11-20 12:50+0200\n"
-"Last-Translator: Frederik <frederik.weber@bs.ch>\n"
+"PO-Revision-Date: 2011-04-04 13:19+0200\n"
+"Last-Translator: Ann-Katrin <moon.nilaya@googlemail.com>\n"
"Language-Team: icinga developer team <translation@icinga.org>\n"
"Language: de\n"
"MIME-Version: 1.0\n"
@@ -19,7 +19,7 @@
# TasksSuccess.php, line 63 (42)
msgid "(Re-)Start icinga process"
-msgstr ""
+msgstr "Icinga Prozess (neu) starten"
# IcingaCommandHandler.js, line 90 (41)
msgid "(default) no option"
@@ -27,7 +27,7 @@
# IcingaCommandHandler.js, line 223 (23)
msgid "(hh:ii)"
-msgstr ""
+msgstr "(hh:mm)"
# AppKitErrorHandler.js, line 334 (51)
msgid "A error occured when requesting "
@@ -46,18 +46,16 @@
msgstr "Zugriff verweigert"
# IcingaCommandHandler.js, line 105 (27)
-#, fuzzy
msgid "Action"
-msgstr "Option"
+msgstr "Aktivität"
# PrincipalEditorSuccess.php, line 48 (36)
msgid "Add"
msgstr "Hinzufügen"
# IndexSuccess.php, line 84 (25), line 160 (26)
-#, fuzzy
msgid "Add new category"
-msgstr "Benutzer hinzufügen"
+msgstr "Neue Kategorie hinzufügen"
# IndexSuccess.php, line 153 (26)
msgid "Add new group"
@@ -65,7 +63,7 @@
# CronkBuilder.js, line 201 (79)
msgid "Add new parameter to properties"
-msgstr ""
+msgstr "Neuen Parameter zu den Eingenschaften hinzufügen"
# IndexSuccess.php, line 84 (25), line 160 (26)
msgid "Add new user"
@@ -81,20 +79,19 @@
# AppKitUtil.js, line 125 (26)
msgid "Admin tasks"
-msgstr ""
+msgstr "Administrative Aufgaben"
# PreferencesSuccess.php, line 111 (23)
msgid "Advanced"
msgstr "Erweitert"
# GridPanel.js, line 26 (30)
-#, fuzzy
msgid "Agavi setting"
-msgstr "Rastereinstellungen"
+msgstr "Agavi Einstellungen"
# CronkBuilder.js, line 313 (52)
msgid "All categories available"
-msgstr ""
+msgstr "Alle verfügbaren Kategorien"
# PreferencesSuccess.php, line 256 (43)
msgid "App reset"
@@ -105,9 +102,8 @@
msgstr "Anwenden"
# AppKitUtil.js, line 68 (37)
-#, fuzzy
msgid "Are you sure to delete {0}"
-msgstr "Bist du sicher?"
+msgstr "Wollen sie {0} wirklich löschen?"
# AppKitUtil.js, line 68 (37)
msgid "Are you sure to do this?"
@@ -122,9 +118,8 @@
msgstr "Schlüssel API Zugriff"
# CronkPortalSuccess.php, line 61 (114)
-#, fuzzy
msgid "Authorization failed for this instance"
-msgstr "Titel ändern für diesen Reiter ändern"
+msgstr "Authorisierung für diese Instanz fehlgeschlagen"
# StaticContentSuccess.php, line 50 (33)
msgid "Auto refresh"
@@ -176,16 +171,16 @@
# CronkListingPanel.js, line 96 (22)
msgid "CatId"
-msgstr ""
+msgstr "CatID"
# CronkBuilder.js, line 307 (32)
# CronkListingPanel.js, line 515 (24)
msgid "Categories"
-msgstr ""
+msgstr "Kategorien"
# CronkListingPanel.js, line 4 (27)
msgid "Category editor"
-msgstr ""
+msgstr "Kategorie Editor"
# AjaxLoginSuccess.php, line 54 (45)
msgid "Change Password"
@@ -205,12 +200,11 @@
# TasksSuccess.php, line 224 (20)
msgid "Clear"
-msgstr ""
+msgstr "Leeren"
# AppKitErrorHandler.js, line 235 (28)
-#, fuzzy
msgid "Clear cache"
-msgstr "Fehler zurücksetzen"
+msgstr "Cache leeren"
# AppKitErrorHandler.js, line 235 (28)
msgid "Clear errors"
@@ -223,6 +217,7 @@
# TasksSuccess.php, line 220 (82)
msgid "Clear the agavi configuration cache to apply new xml configuration."
msgstr ""
+"Den Agavi-Konfigurationscache leeren um neue XML-Konfiguration anzuwenden"
# AjaxLoginSuccess.php, line 100 (47)
msgid "Click here to view instructions"
@@ -258,9 +253,8 @@
# PreferencesSuccess.php, line 76 (37)
# EditSuccess.php, line 112 (37)
-#, fuzzy
msgid "Confirm"
-msgstr "Passwort bestätigen"
+msgstr "bestätigen"
# PreferencesSuccess.php, line 76 (37)
# EditSuccess.php, line 112 (37)
@@ -283,13 +277,12 @@
"Der Befehl konnte nicht gesendet werden. Bitte prüfen Sie die Logdateien!"
# AppKitErrorHandler.js, line 329 (74)
-#, fuzzy
msgid "Couldn't connect to web-server."
-msgstr "Die Verbindung zum Web Server war nicht möglich!"
+msgstr "Die Verbindung zum Web Server war nicht möglich."
# TasksSuccess.php, line 34 (69)
msgid "Couldn't submit check command - check your access.xml"
-msgstr ""
+msgstr "Konnte den check-Befehl nicht absetzen - bitte die access.xml prüfen"
# IndexSuccess.php, line 142 (39)
msgid "Create a new group"
@@ -317,19 +310,19 @@
# CronkBuilder.js, line 73 (107)
msgid "Cronk \"{0}\" successfully written to database!"
-msgstr ""
+msgstr "Cronk \"{0}\" wurde erfolgreich in die Datenbank geschrieben!"
# CronkBuilder.js, line 291 (36)
msgid "Cronk Id"
-msgstr ""
+msgstr "Cronk Id"
# CronkListingPanel.js, line 680 (48)
msgid "Cronk deleted"
-msgstr ""
+msgstr "Cronk gelöscht"
# CronkBuilder.js, line 73 (41)
msgid "CronkBuilder"
-msgstr ""
+msgstr "CronkBuilder"
# CronkListingPanel.js, line 656 (71)
msgid "CronkBuilder has gone away!"
@@ -337,7 +330,7 @@
# CronkListingPanel.js, line 124 (23)
msgid "Cronks"
-msgstr ""
+msgstr "Cronks"
# StatusData.js, line 45 (14)
msgid "DOWN"
@@ -443,9 +436,13 @@
msgid "Exception thrown: %s"
msgstr "Ausnahme aufgetreten: %s"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
-msgstr ""
+msgstr "Experten Modus"
# CronkPortalSuccess.php, line 20 (38)
msgid "False"
@@ -492,9 +489,8 @@
msgstr "Host Adresse"
# simple_data_provider.xml, line 7 (21)
-#, fuzzy
msgid "HOST_ADDRESS6"
-msgstr "Host Adresse"
+msgstr "HOST_ADDRESS6"
# simple_data_provider.xml, line 8 (19)
msgid "HOST_ALIAS"
@@ -540,6 +536,11 @@
msgid "HOST_LATENCY"
msgstr "Hostlatenz"
+# simple_data_provider.xml, line 11 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "Ausgabe"
+
# simple_data_provider.xml, line 14 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "Maximale Prüfversuche"
@@ -570,7 +571,7 @@
# CronkBuilder.js, line 301 (34)
msgid "Hidden"
-msgstr ""
+msgstr "versteckt"
# IndexSuccess.php, line 134 (29)
msgid "Hide disabled "
@@ -605,17 +606,18 @@
msgstr "Icinga Fehlerbericht"
# HelpSuccess.php, line 32 (37)
-#, fuzzy
msgid "Icinga status"
-msgstr "Icinga"
+msgstr "Icinga Status"
# CronkBuilder.js, line 354 (24), line 177 (27)
msgid "Image"
-msgstr ""
+msgstr "Abbild"
# TasksSuccess.php, line 229 (85)
msgid "In order to complete you have to reload the interface. Are you sure?"
msgstr ""
+"Zum Abschluss des Vorganges muss das Interface neu geladen werden. Wollen "
+"Sie das nun tun?"
# IcingaCommandHandler.js, line 93 (52)
msgid "Increment current notification"
@@ -623,11 +625,11 @@
# TasksSuccess.php, line 156 (42)
msgid "Instance"
-msgstr ""
+msgstr "Instanz"
# TasksSuccess.php, line 37 (64)
msgid "Invalid authorization type defined in access.xml"
-msgstr ""
+msgstr "Ungültiger Authorisierungstyp in access.xml definiert"
# ObjectSearchSuccess.php, line 143 (105)
msgid "Item"
@@ -659,7 +661,7 @@
# CronkListingPanel.js, line 235 (69)
msgid "Loading Cronks ..."
-msgstr ""
+msgstr "Lade Cronks ..."
# StaticContentSuccess.php, line 33 (52)
msgid "Loading TO \"{0}\" ..."
@@ -691,7 +693,7 @@
# CronkBuilder.js, line 271 (26)
msgid "Meta"
-msgstr ""
+msgstr "Meta"
# EditSuccess.php, line 53 (31), line 125 (31)
msgid "Meta information"
@@ -711,7 +713,7 @@
# CronkBuilder.js, line 439 (32)
msgid "Module"
-msgstr ""
+msgstr "Modul"
# ObjectSearchSuccess.php, line 109 (24)
# EditSuccess.php, line 51 (27)
@@ -723,9 +725,8 @@
msgstr "Neue Einstellung"
# PrincipalEditorSuccess.php, line 324 (43)
-#, fuzzy
msgid "New category"
-msgstr "Diese Kategorie löschen"
+msgstr "Neue Kategorie erstellen"
# AjaxLoginSuccess.php, line 54 (45)
msgid "New password"
@@ -745,7 +746,7 @@
# CronkBuilder.js, line 220 (66)
msgid "No selection was made!"
-msgstr ""
+msgstr "Es wurde keine Auswahl getroffen!"
# IndexSuccess.php, line 128 (36)
msgid "No topics to display"
@@ -757,7 +758,7 @@
# TasksSuccess.php, line 8 (63)
msgid "Not allowed"
-msgstr ""
+msgstr "Nicht erlaubt"
# PrincipalEditorSuccess.php, line 335 (37)
msgid "Nothing selected"
@@ -782,7 +783,7 @@
# CronkBuilder.js, line 412 (30)
msgid "Parameters"
-msgstr ""
+msgstr "Parameter"
# AjaxLoginSuccess.php, line 54 (45)
msgid "Password"
@@ -804,11 +805,11 @@
# TasksSuccess.php, line 80 (55)
msgid "Please confirm restarting icinga"
-msgstr ""
+msgstr "Bitte bestätigen Sie, das Sie icinga neu starten wollen"
# TasksSuccess.php, line 83 (58)
msgid "Please confirm shutting down icinga"
-msgstr ""
+msgstr "Bitte bestätigen Sie, das Sie icinga beenden wollen"
# SilentAuthError.php, line 12 (89)
msgid "Please contact your system admin if you think this is not common."
@@ -823,6 +824,8 @@
# CronkBuilder.js, line 77 (107)
msgid "Please fill out required fields (marked with an exclamation mark)"
msgstr ""
+"Bitte füllen Sie alle vorgeschriebenen Felder aus (mit einem Ausrufezeichen "
+"versehen)"
# EditSuccess.php, line 103 (57)
msgid "Please provide a password for this user"
@@ -834,12 +837,11 @@
# TasksSuccess.php, line 97 (71)
msgid "Please wait..."
-msgstr ""
+msgstr "Bitte warten ..."
# IcingaGridFilterHandler.js, line 183 (35)
-#, fuzzy
msgid "Position"
-msgstr "Beschreibung"
+msgstr "Pos()ition()"
# HeaderSuccess.php, line 52 (45), line 50 (48)
msgid "Preferences"
@@ -872,7 +874,12 @@
# CronkListingPanel.js, line 437 (18), line 136 (20)
msgid "Reload"
-msgstr ""
+msgstr "Neu laden"
+
+# IndexSuccess.php, line 159 (37)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Gruppen löschen"
# CronkPortalSuccess.php, line 42 (70)
msgid "Reload the cronk (not the content)"
@@ -918,6 +925,11 @@
msgid "Reset application state"
msgstr "Applikationsstatus zurücksetzen"
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Zurücksetzen"
+
# AppKitErrorHandler.js, line 311 (29)
msgid "Ressource "
msgstr "Ressource"
@@ -928,7 +940,7 @@
# TasksSuccess.php, line 13 (70)
msgid "Running"
-msgstr ""
+msgstr "Läuft"
# simple_data_provider.xml, line 102 (27)
msgid "SERVICE_CHECK_TYPE"
@@ -970,6 +982,11 @@
msgid "SERVICE_LATENCY"
msgstr "Dienst_Latenz"
+# simple_data_provider.xml, line 97 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "Dienst_Ausgabe"
+
# simple_data_provider.xml, line 100 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "Dienst_maximale_Überprüfungsversuche"
@@ -1004,20 +1021,19 @@
# Tabhelper.js, line 175 (26)
msgid "Save Cronk"
-msgstr ""
+msgstr "Cronk speichern"
# CronkBuilder.js, line 38 (29)
msgid "Save custom Cronk"
-msgstr ""
+msgstr "Benutzerdefinierten Cronk speichern"
# AjaxLoginSuccess.php, line 54 (45)
msgid "Save password"
msgstr "Passwort speichern"
# GridPanel.js, line 51 (36)
-#, fuzzy
msgid "Save this view as new cronk"
-msgstr "Diese Ansicht als URL"
+msgstr "Diese Ansicht als neuen Cronk speichern"
# PreferencesSuccess.php, line 172 (65), line 93 (66), line 150 (69)
msgid "Saving"
@@ -1025,16 +1041,15 @@
# HelloWorldSuccess.php, line 26 (39)
msgid "Say what?"
-msgstr ""
+msgstr "Say what?"
# ObjectSearchSuccess.php, line 160 (22)
msgid "Search"
msgstr "Suche"
# ObjectSearchSuccess.php, line 160 (22)
-#, fuzzy
msgid "Searching ..."
-msgstr "Suche"
+msgstr "Suche ..."
# ViewLogsSuccess.php, line 30 (44)
msgid "Seems like you have no logs"
@@ -1087,15 +1102,15 @@
# CronkBuilder.js, line 363 (38)
msgid "Share your Cronk"
-msgstr ""
+msgstr "Ihren Cronk veröffentlichen"
# TasksSuccess.php, line 247 (57)
msgid "Show status of accessible icinga instances"
-msgstr ""
+msgstr "Status der erreichbaren incinga Instanzen anzeigen"
# CronkListingPanel.js, line 687 (77)
msgid "Some error: {0}"
-msgstr ""
+msgstr "unbekannter Fehler: {0}"
# CronkPortalSuccess.php, line 134 (38)
msgid "Sorry"
@@ -1115,9 +1130,8 @@
"Entschuldigung, Sie konnten für icinga-web nicht authentifiziert werden."
# EditSuccess.php, line 53 (31), line 125 (31)
-#, fuzzy
msgid "State information"
-msgstr "Meta Informationen"
+msgstr "Status Informationen"
# IcingaCommandHandler.js, line 142 (27)
msgid "Status"
@@ -1125,15 +1139,15 @@
# TasksSuccess.php, line 72 (36)
msgid "Stop icinga process"
-msgstr ""
+msgstr "Icinga Prozess anhalten"
# TasksSuccess.php, line 16 (72)
msgid "Stopped"
-msgstr ""
+msgstr "Angehalten"
# TasksSuccess.php, line 228 (26)
msgid "Success"
-msgstr ""
+msgstr "Erfolg"
# EditSuccess.php, line 69 (30)
msgid "Surname"
@@ -1141,7 +1155,7 @@
# CronkListingPanel.js, line 195 (76)
msgid "System categories are not editable!"
-msgstr ""
+msgstr "Systemkategorien sind nicht editierbar!"
# CronkListingPanel.js, line 446 (23)
msgid "Tab slider"
@@ -1185,9 +1199,8 @@
# PortalViewSuccess.php, line 166 (61)
# CronkPortalSuccess.php, line 61 (60)
-#, fuzzy
msgid "Title"
-msgstr "Unbezeichnet"
+msgstr "Titel"
# AppKitUtil.js, line 67 (47)
msgid "To be on the verge to logout ..."
@@ -1226,7 +1239,7 @@
# TasksSuccess.php, line 40 (54)
msgid "Unknown error - please check your logs"
-msgstr ""
+msgstr "Unbekannter Fehler - bitte überprüfen Sie die Logdateien"
# IcingaCommandHandler.js, line 189 (65)
msgid "Unknown field type: {0}"
@@ -1257,7 +1270,7 @@
# CronkListingPanel.js, line 111 (24)
msgid "Visible"
-msgstr ""
+msgstr "Sichtbar"
# StatusData.js, line 62 (17)
msgid "WARNING"
@@ -1269,7 +1282,7 @@
# CronkListingPanel.js, line 680 (101)
msgid "We have deleted your cronk \"{0}\""
-msgstr ""
+msgstr "Ihr Cronk \"{0}\" wurde gelöscht"
# HelpSuccess.php, line 32 (37)
msgid "We're Icinga"
@@ -1285,7 +1298,7 @@
# CronkListingPanel.js, line 175 (85)
msgid "You can not delete system categories"
-msgstr ""
+msgstr "Sie können Systemkategorien nicht löschen"
# PrincipalEditorSuccess.php, line 376 (55)
msgid "You haven't selected anything!"
@@ -1295,6 +1308,8 @@
msgid ""
"You're icinga-web server doesn't have ssh2 enabled, couldn't check results"
msgstr ""
+"Ihre icinga Webserver haben kein ssh2 aktiviert, kann die Prüfung nicht "
+"durchführen"
# PreferencesSuccess.php, line 256 (92)
msgid "Your application profile has been deleted!"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/el/default.po
^
|
@@ -444,6 +444,10 @@
msgid "Exception thrown: %s"
msgstr "Προκλήθηκε εξαίρεση %s"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -541,6 +545,11 @@
msgid "HOST_LATENCY"
msgstr "Υστέριση"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "Εξοδος αποτελεσμάτων"
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "Μεγιστός αριθμός απόπειρας ελέγχου"
@@ -876,6 +885,11 @@
msgid "Reload"
msgstr ""
+# IndexSuccess.php, line 166 (36)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Διαγραφή Ομάδων"
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr "επαναφόρτωση του cronk (οχι του περιεχομένου)"
@@ -920,6 +934,11 @@
msgid "Reset application state"
msgstr "Αρχικοποίηση κατάστασης εφαρμογής"
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Αρχικοποίηση"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr "Πόρος"
@@ -972,6 +991,11 @@
msgid "SERVICE_LATENCY"
msgstr "Υστέριση"
+# simple_data_provider.xml, line 96 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "Εξοδος Αποτελεσμάτων"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "Μεγιστος αριθμός απόπειρ. ελέγχου"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/en/default.po
^
|
@@ -1,10 +1,12 @@
# Orginal translation
+# Gunnar <gunnar.beutner@netways.de>, 2011.
+#
msgid ""
msgstr ""
"Project-Id-Version: Icinga-Web\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: \n"
-"PO-Revision-Date: 2011-01-10 13:20+0200\n"
+"PO-Revision-Date: 2011-05-05 12:30+0200\n"
"Last-Translator: Gunnar <gunnar.beutner@netways.de>\n"
"Language-Team: \n"
"Language: en\n"
@@ -17,11 +19,11 @@
# PrincipalEditorSuccess.php, line 324 (110)
msgid " principals?"
-msgstr "principals?"
+msgstr " principals?"
# TasksSuccess.php, line 63 (42)
msgid "(Re-)Start icinga process"
-msgstr ""
+msgstr "(Re-)Start icinga process"
# IcingaCommandHandler.js, line 90 (41)
msgid "(default) no option"
@@ -29,7 +31,7 @@
# IcingaCommandHandler.js, line 223 (23)
msgid "(hh:ii)"
-msgstr ""
+msgstr "(hh:ii)"
# AppKitErrorHandler.js, line 327 (51)
msgid "A error occured when requesting "
@@ -48,18 +50,16 @@
msgstr "Access denied"
# IcingaCommandHandler.js, line 105 (27)
-#, fuzzy
msgid "Action"
-msgstr "Option"
+msgstr "Action"
# PreferencesSuccess.php, line 229 (18)
msgid "Add"
msgstr "Add"
# IndexSuccess.php, line 84 (25), line 160 (26)
-#, fuzzy
msgid "Add new category"
-msgstr "Add new user"
+msgstr "Add new category"
# IndexSuccess.php, line 153 (26)
msgid "Add new group"
@@ -67,7 +67,7 @@
# CronkBuilder.js, line 201 (79)
msgid "Add new parameter to properties"
-msgstr ""
+msgstr "Add new parameter to properties"
# IndexSuccess.php, line 84 (25), line 160 (26)
msgid "Add new user"
@@ -83,20 +83,19 @@
# AppKitUtil.js, line 125 (26)
msgid "Admin tasks"
-msgstr ""
+msgstr "Admin tasks"
# PreferencesSuccess.php, line 111 (23)
msgid "Advanced"
msgstr "Advanced"
# GridPanel.js, line 26 (30)
-#, fuzzy
msgid "Agavi setting"
-msgstr "Grid settings"
+msgstr "Agavi setting"
# CronkBuilder.js, line 313 (52)
msgid "All categories available"
-msgstr ""
+msgstr "All categories available"
# PreferencesSuccess.php, line 251 (43)
msgid "App reset"
@@ -107,9 +106,8 @@
msgstr "Apply"
# AppKitUtil.js, line 58 (37)
-#, fuzzy
msgid "Are you sure to delete {0}"
-msgstr "Are you sure to do this?"
+msgstr "Are you sure to delete {0}"
# AppKitUtil.js, line 58 (37)
msgid "Are you sure to do this?"
@@ -124,18 +122,16 @@
msgstr "Authkey for Api (optional)"
# CronkPortalSuccess.php, line 202 (75)
-#, fuzzy
msgid "Authorization failed for this instance"
-msgstr "Change title for this tab"
+msgstr "Authorization failed for this instance"
# StaticContentSuccess.php, line 49 (33)
msgid "Auto refresh"
msgstr "Auto refresh"
# StaticContentSuccess.php, line 49 (33)
-#, fuzzy
msgid "Auto refresh ({0} seconds)"
-msgstr "Auto refresh"
+msgstr "Auto refresh ({0} seconds)"
# IndexSuccess.php, line 207 (29)
msgid "Available groups"
@@ -179,16 +175,16 @@
# CronkListingPanel.js, line 96 (22)
msgid "CatId"
-msgstr ""
+msgstr "CatId"
# CronkBuilder.js, line 307 (32)
# CronkListingPanel.js, line 515 (24)
msgid "Categories"
-msgstr ""
+msgstr "Categories"
# CronkListingPanel.js, line 4 (27)
msgid "Category editor"
-msgstr ""
+msgstr "Category editor"
# PreferencesSuccess.php, line 61 (29)
# EditSuccess.php, line 95 (30)
@@ -209,12 +205,11 @@
# TasksSuccess.php, line 224 (20)
msgid "Clear"
-msgstr ""
+msgstr "Clear"
# AppKitErrorHandler.js, line 236 (28)
-#, fuzzy
msgid "Clear cache"
-msgstr "Clear errors"
+msgstr "Clear cache"
# AppKitErrorHandler.js, line 236 (28)
msgid "Clear errors"
@@ -226,7 +221,7 @@
# TasksSuccess.php, line 220 (82)
msgid "Clear the agavi configuration cache to apply new xml configuration."
-msgstr ""
+msgstr "Clear the agavi configuration cache to apply new xml configuration."
# AjaxLoginSuccess.php, line 100 (47)
msgid "Click here to view instructions"
@@ -263,9 +258,8 @@
# PreferencesSuccess.php, line 76 (37)
# EditSuccess.php, line 112 (37)
-#, fuzzy
msgid "Confirm"
-msgstr "Confirm password"
+msgstr "Confirm"
# PreferencesSuccess.php, line 76 (37)
# EditSuccess.php, line 112 (37)
@@ -282,15 +276,15 @@
# IcingaCommandHandler.js, line 312 (112)
msgid "Could not send the command, please examine the logs!"
-msgstr ""
+msgstr "Could not send the command, please examine the logs!"
# AppKitErrorHandler.js, line 332 (74)
msgid "Couldn't connect to web-server."
-msgstr ""
+msgstr "Couldn't connect to web-server."
# TasksSuccess.php, line 34 (69)
msgid "Couldn't submit check command - check your access.xml"
-msgstr ""
+msgstr "Couldn't submit check command - check your access.xml"
# IndexSuccess.php, line 142 (39)
msgid "Create a new group"
@@ -302,7 +296,7 @@
# AppKitErrorHandler.js, line 231 (48)
msgid "Create report for dev.icinga.org"
-msgstr ""
+msgstr "Create report for dev.icinga.org"
# EditSuccess.php, line 128 (28), line 56 (28)
msgid "Created"
@@ -313,42 +307,40 @@
msgstr "Critical"
# IcingaCommandHandler.js, line 128 (30)
-#, fuzzy
msgid "Critical error"
-msgstr "Critical"
+msgstr "Critical error"
# CronkBuilder.js, line 73 (107)
msgid "Cronk \"{0}\" successfully written to database!"
-msgstr ""
+msgstr "Cronk \"{0}\" successfully written to database!"
# CronkBuilder.js, line 291 (36)
msgid "Cronk Id"
-msgstr ""
+msgstr "Cronk Id"
# CronkListingPanel.js, line 680 (48)
msgid "Cronk deleted"
-msgstr ""
+msgstr "Cronk deleted"
# CronkBuilder.js, line 73 (41)
msgid "CronkBuilder"
-msgstr ""
+msgstr "CronkBuilder"
# CronkListingPanel.js, line 656 (71)
msgid "CronkBuilder has gone away!"
-msgstr ""
+msgstr "CronkBuilder has gone away!"
# CronkListingPanel.js, line 124 (23)
msgid "Cronks"
-msgstr ""
+msgstr "Cronks"
# StatusData.js, line 45 (14)
msgid "DOWN"
msgstr "DOWN"
# IndexSuccess.php, line 95 (34)
-#, fuzzy
msgid "Delete"
-msgstr "Delete user"
+msgstr "Delete"
# IndexSuccess.php, line 159 (37)
msgid "Delete groups"
@@ -382,7 +374,7 @@
# MetaGridCreator.js, line 256 (55)
msgid "Displaying topics {0} - {1} of {2}"
-msgstr ""
+msgstr "Displaying topics {0} - {1} of {2}"
# IndexSuccess.php, line 127 (35)
msgid "Displaying users"
@@ -406,12 +398,11 @@
# SilentAuthConfigError.php, line 19 (84)
msgid "Don't forget to clear the agavi config cache after that."
-msgstr ""
+msgstr "Don't forget to clear the agavi config cache after that."
# IndexSuccess.php, line 34 (22), line 46 (31)
-#, fuzzy
msgid "Edit"
-msgstr "Edit user"
+msgstr "Edit"
# IndexSuccess.php, line 117 (32), line 105 (23)
msgid "Edit group"
@@ -437,7 +428,7 @@
# AppKitErrorHandler.js, line 44 (28)
msgid "Error report"
-msgstr ""
+msgstr "Error report"
# IcingaCommandHandler.js, line 310 (57)
msgid "Error sending command"
@@ -447,15 +438,18 @@
msgid "Exception thrown: %s"
msgstr "Exception thrown: %s"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr "Expand"
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
-msgstr ""
+msgstr "Expert mode"
# ExtJs.js, line 224 (20)
# CronkPortalSuccess.php, line 164 (21)
-#, fuzzy
msgid "False"
-msgstr "Close"
+msgstr "False"
# AjaxGridLayoutSuccess.php, line 55 (23)
msgid "Filter"
@@ -496,9 +490,8 @@
msgid "HOST_ADDRESS"
msgstr "Address"
-#, fuzzy
msgid "HOST_ADDRESS6"
-msgstr "Address"
+msgstr "Address IPv6"
msgid "HOST_ALIAS"
msgstr "Alias"
@@ -533,6 +526,10 @@
msgid "HOST_LATENCY"
msgstr "Latency"
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "Output"
+
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "Max check attempts"
@@ -556,7 +553,7 @@
# CronkBuilder.js, line 301 (34)
msgid "Hidden"
-msgstr ""
+msgstr "Hidden"
# IndexSuccess.php, line 134 (29)
msgid "Hide disabled "
@@ -564,23 +561,23 @@
# MonitorPerformanceSuccess.php, line 36 (59)
msgid "Host execution time (min/avg/max)"
-msgstr ""
+msgstr "Host execution time (min/avg/max)"
# MonitorPerformanceSuccess.php, line 41 (52)
msgid "Host latency (min/avg/max)"
-msgstr ""
+msgstr "Host latency (min/avg/max)"
# StatusOverallSuccess.php, line 76 (87)
msgid "Hosts"
-msgstr ""
+msgstr "Hosts"
# MonitorPerformanceSuccess.php, line 31 (48)
msgid "Hosts (active/passive)"
-msgstr ""
+msgstr "Hosts (active/passive)"
# StatusData.js, line 61 (19), line 41 (19)
msgid "IN TOTAL"
-msgstr ""
+msgstr "IN TOTAL"
# HelpSuccess.php, line 32 (37)
msgid "Icinga"
@@ -588,20 +585,19 @@
# AppKitErrorHandler.js, line 213 (142)
msgid "Icinga bug report"
-msgstr ""
+msgstr "Icinga bug report"
# HelpSuccess.php, line 32 (37)
-#, fuzzy
msgid "Icinga status"
-msgstr "Icinga"
+msgstr "Icinga status"
# CronkBuilder.js, line 354 (24), line 177 (27)
msgid "Image"
-msgstr ""
+msgstr "Image"
# TasksSuccess.php, line 229 (85)
msgid "In order to complete you have to reload the interface. Are you sure?"
-msgstr ""
+msgstr "In order to complete you have to reload the interface. Are you sure?"
# IcingaCommandHandler.js, line 93 (52)
msgid "Increment current notification"
@@ -609,11 +605,11 @@
# TasksSuccess.php, line 156 (42)
msgid "Instance"
-msgstr ""
+msgstr "Instance"
# TasksSuccess.php, line 37 (64)
msgid "Invalid authorization type defined in access.xml"
-msgstr ""
+msgstr "Invalid authorization type defined in access.xml"
# ObjectSearchSuccess.php, line 143 (105)
msgid "Item"
@@ -645,24 +641,23 @@
# CronkListingPanel.js, line 235 (69)
msgid "Loading Cronks ..."
-msgstr ""
+msgstr "Loading Cronks ..."
# StaticContentSuccess.php, line 33 (52)
msgid "Loading TO \"{0}\" ..."
-msgstr ""
+msgstr "Loading TO \"{0}\" ..."
# AjaxLoginSuccess.php, line 8 (64)
msgid "Login"
msgstr "Login"
# AjaxLoginSuccess.php, line 8 (64)
-#, fuzzy
msgid "Login error"
-msgstr "Login"
+msgstr "LoginLogin error"
# SilentAuthConfigError.php, line 8 (52)
msgid "Login error (configuration)"
-msgstr ""
+msgstr "Login error (configuration)"
# AjaxLoginSuccess.php, line 94 (63)
msgid "Login failed"
@@ -674,11 +669,11 @@
# ViewLogsSuccess.php, line 68 (37)
msgid "Message"
-msgstr ""
+msgstr "Message"
# CronkBuilder.js, line 271 (26)
msgid "Meta"
-msgstr ""
+msgstr "Meta"
# EditSuccess.php, line 53 (31), line 125 (31)
msgid "Meta information"
@@ -698,7 +693,7 @@
# CronkBuilder.js, line 439 (32)
msgid "Module"
-msgstr ""
+msgstr "Module"
# ObjectSearchSuccess.php, line 109 (24)
# EditSuccess.php, line 51 (27)
@@ -710,9 +705,8 @@
msgstr "New Preference"
# PrincipalEditorSuccess.php, line 324 (43)
-#, fuzzy
msgid "New category"
-msgstr "Removing a category"
+msgstr "New category"
# PreferencesSuccess.php, line 69 (33)
msgid "New password"
@@ -732,11 +726,11 @@
# CronkBuilder.js, line 220 (66)
msgid "No selection was made!"
-msgstr ""
+msgstr "No selection was made!"
# MetaGridCreator.js, line 257 (39)
msgid "No topics to display"
-msgstr ""
+msgstr "No topics to display"
# IndexSuccess.php, line 128 (36)
msgid "No users to display"
@@ -744,7 +738,7 @@
# TasksSuccess.php, line 8 (63)
msgid "Not allowed"
-msgstr ""
+msgstr "Not allowed"
# PrincipalEditorSuccess.php, line 335 (37)
msgid "Nothing selected"
@@ -765,11 +759,11 @@
# StatusData.js, line 42 (17), line 65 (17)
msgid "PENDING"
-msgstr ""
+msgstr "PENDING"
# CronkBuilder.js, line 412 (30)
msgid "Parameters"
-msgstr ""
+msgstr "Parameters"
# AjaxLoginSuccess.php, line 54 (45)
msgid "Password"
@@ -785,27 +779,27 @@
# SilentAuthConfigError.php, line 17 (83)
msgid "Please alter your config file and set one to 'true' (%s)."
-msgstr ""
+msgstr "Please alter your config file and set one to 'true' (%s)."
# TasksSuccess.php, line 80 (55)
msgid "Please confirm restarting icinga"
-msgstr ""
+msgstr "Please confirm restarting icinga"
# TasksSuccess.php, line 83 (58)
msgid "Please confirm shutting down icinga"
-msgstr ""
+msgstr "Please confirm shutting down icinga"
# SilentAuthError.php, line 12 (89)
msgid "Please contact your system admin if you think this is not common."
-msgstr ""
+msgstr "Please contact your system admin if you think this is not common."
# AppKitErrorHandler.js, line 185 (62)
msgid "Please enter a comment for this bug. This could be"
-msgstr ""
+msgstr "Please enter a comment for this bug. This could be"
# CronkBuilder.js, line 77 (107)
msgid "Please fill out required fields (marked with an exclamation mark)"
-msgstr ""
+msgstr "Please fill out required fields (marked with an exclamation mark)"
# EditSuccess.php, line 103 (57)
msgid "Please provide a password for this user"
@@ -817,14 +811,13 @@
# TasksSuccess.php, line 97 (71)
msgid "Please wait..."
-msgstr ""
+msgstr "Please wait..."
# PrincipalEditorSuccess.php, line 361 (26)
# ObjectSearchSuccess.php, line 113 (31)
# EditSuccess.php, line 37 (32)
-#, fuzzy
msgid "Position"
-msgstr "Description"
+msgstr "Position"
# HeaderSuccess.php, line 52 (45), line 50 (48)
msgid "Preferences"
@@ -857,7 +850,11 @@
# CronkListingPanel.js, line 437 (18), line 136 (20)
msgid "Reload"
-msgstr ""
+msgstr "Reload"
+
+# IndexSuccess.php, line 159 (37)
+msgid "Reload cronk"
+msgstr "Reload cronk"
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
@@ -893,7 +890,7 @@
# AppKitErrorHandler.js, line 266 (43)
msgid "Request failed"
-msgstr ""
+msgstr "Request failed"
# IcingaGridFilterHandler.js, line 130 (21)
msgid "Reset"
@@ -901,11 +898,15 @@
# PreferencesSuccess.php, line 223 (38)
msgid "Reset application state"
-msgstr ""
+msgstr "Reset application state"
+
+# IcingaGridFilterHandler.js, line 130 (21)
+msgid "Reset view"
+msgstr "Reset view"
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
-msgstr ""
+msgstr "Ressource "
# IcingaCommandHandler.js, line 130 (49)
msgid "Return code out of bounds"
@@ -913,7 +914,7 @@
# TasksSuccess.php, line 13 (70)
msgid "Running"
-msgstr ""
+msgstr "Running"
msgid "SERVICE_CHECK_TYPE"
msgstr "Check type"
@@ -946,6 +947,10 @@
msgid "SERVICE_LATENCY"
msgstr "Latency"
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "Output"
+
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "Max check attempts"
@@ -973,20 +978,19 @@
# Tabhelper.js, line 175 (26)
msgid "Save Cronk"
-msgstr ""
+msgstr "Save Cronk"
# CronkBuilder.js, line 38 (29)
msgid "Save custom Cronk"
-msgstr ""
+msgstr "Save custom Cronk"
# PreferencesSuccess.php, line 88 (28)
msgid "Save password"
msgstr "Save password"
# GridPanel.js, line 52 (36)
-#, fuzzy
msgid "Save this view as new cronk"
-msgstr "Get this view as URL"
+msgstr "Save this view as new cronk"
# PreferencesSuccess.php, line 172 (65), line 93 (66), line 150 (69)
msgid "Saving"
@@ -1001,13 +1005,12 @@
msgstr "Search"
# ObjectSearchSuccess.php, line 160 (22)
-#, fuzzy
msgid "Searching ..."
-msgstr "Search"
+msgstr "Searching ..."
# ViewLogsSuccess.php, line 30 (44)
msgid "Seems like you have no logs"
-msgstr ""
+msgstr "Seems like you have no logs"
# PrincipalEditorSuccess.php, line 347 (64)
msgid "Select a principal (Press Ctrl for multiple selects)"
@@ -1019,24 +1022,23 @@
# AppKitErrorHandler.js, line 226 (36)
msgid "Send report to admin"
-msgstr ""
+msgstr "Send report to admin"
# MonitorPerformanceSuccess.php, line 55 (57)
msgid "Service execution (min/avg/max)"
-msgstr ""
+msgstr "Service execution (min/avg/max)"
# MonitorPerformanceSuccess.php, line 60 (55)
msgid "Service latency (min/avg/max)"
-msgstr ""
+msgstr "Service latency (min/avg/max)"
# CronkTrigger.js, line 25 (46)
-#, fuzzy
msgid "Services"
-msgstr "Services for "
+msgstr "Services for Services"
# MonitorPerformanceSuccess.php, line 50 (51)
msgid "Services (active/passive)"
-msgstr ""
+msgstr "Services (active/passive)"
# CronkTrigger.js, line 25 (46)
msgid "Services for "
@@ -1044,7 +1046,7 @@
# AppKitUtil.js, line 82 (34)
msgid "Session expired"
-msgstr ""
+msgstr "Session expired"
# StaticContentSuccess.php, line 43 (27)
msgid "Settings"
@@ -1052,19 +1054,19 @@
# ViewLogsSuccess.php, line 69 (39)
msgid "Severity"
-msgstr ""
+msgstr "Severity"
# CronkBuilder.js, line 363 (38)
msgid "Share your Cronk"
-msgstr ""
+msgstr "Share your Cronk"
# TasksSuccess.php, line 247 (57)
msgid "Show status of accessible icinga instances"
-msgstr ""
+msgstr "Show status of accessible icinga instances"
# CronkListingPanel.js, line 687 (77)
msgid "Some error: {0}"
-msgstr ""
+msgstr "Some error: {0}"
# CronkPortalSuccess.php, line 131 (38)
msgid "Sorry"
@@ -1072,7 +1074,7 @@
# ViewProcSuccessView.class.php, line 49 (99)
msgid "Sorry, could not find a xml file for %s"
-msgstr ""
+msgstr "Sorry, could not find a xml file for %s"
# CronkLoaderSuccessView.class.php, line 30 (47)
msgid "Sorry, cronk \"%s\" not found"
@@ -1080,12 +1082,11 @@
# SilentAuthError.php, line 10 (77)
msgid "Sorry, you could not be authenticated for icinga-web."
-msgstr ""
+msgstr "Sorry, you could not be authenticated for icinga-web."
# EditSuccess.php, line 53 (31), line 125 (31)
-#, fuzzy
msgid "State information"
-msgstr "Meta information"
+msgstr "State information"
# IcingaCommandHandler.js, line 142 (27)
msgid "Status"
@@ -1093,15 +1094,15 @@
# TasksSuccess.php, line 72 (36)
msgid "Stop icinga process"
-msgstr ""
+msgstr "Stop icinga process"
# TasksSuccess.php, line 16 (72)
msgid "Stopped"
-msgstr ""
+msgstr "Stopped"
# TasksSuccess.php, line 228 (26)
msgid "Success"
-msgstr ""
+msgstr "Success"
# EditSuccess.php, line 69 (30)
msgid "Surname"
@@ -1109,11 +1110,11 @@
# CronkListingPanel.js, line 195 (76)
msgid "System categories are not editable!"
-msgstr ""
+msgstr "System categories are not editable!"
# CronkListingPanel.js, line 446 (23)
msgid "Tab slider"
-msgstr ""
+msgstr "Tab slider"
# StaticContentSuccess.php, line 45 (48)
msgid "Tactical overview settings"
@@ -1125,7 +1126,7 @@
# AppKitErrorHandler.js, line 214 (33)
msgid "The following "
-msgstr ""
+msgstr "The following "
# PreferencesSuccess.php, line 103 (86)
msgid "The password was successfully changed"
@@ -1137,25 +1138,24 @@
# AppKitErrorHandler.js, line 321 (56)
msgid "The server encountered an error:<br/>"
-msgstr ""
+msgstr "The server encountered an error:<br/>"
# IcingaCommandHandler.js, line 355 (63)
msgid "This command will be send to all selected items"
-msgstr ""
+msgstr "This command will be send to all selected items"
# PreferencesSuccess.php, line 184 (75)
msgid "This item is read only!"
-msgstr ""
+msgstr "This item is read only!"
# ViewLogsSuccess.php, line 67 (31)
msgid "Time"
-msgstr ""
+msgstr "Time"
# PortalViewSuccess.php, line 165 (61)
# CronkPortalSuccess.php, line 202 (43)
-#, fuzzy
msgid "Title"
-msgstr "Enter title"
+msgstr "Title"
# AppKitUtil.js, line 57 (47)
msgid "To be on the verge to logout ..."
@@ -1163,11 +1163,11 @@
# PreferencesSuccess.php, line 231 (83)
msgid "To start with a new application profile, click the following button."
-msgstr ""
+msgstr "To start with a new application profile, click the following button."
# ApiSimpleDataProviderModel.class.php, line 127 (52)
msgid "True"
-msgstr ""
+msgstr "True"
# PrincipalEditorSuccess.php, line 365 (19)
# ObjectSearchSuccess.php, line 102 (24)
@@ -1192,7 +1192,7 @@
# TasksSuccess.php, line 40 (54)
msgid "Unknown error - please check your logs"
-msgstr ""
+msgstr "Unknown error - please check your logs"
# IcingaCommandHandler.js, line 189 (65)
msgid "Unknown field type: {0}"
@@ -1221,7 +1221,7 @@
# CronkListingPanel.js, line 111 (24)
msgid "Visible"
-msgstr ""
+msgstr "Visible"
# StatusData.js, line 62 (17)
msgid "WARNING"
@@ -1233,12 +1233,11 @@
# CronkListingPanel.js, line 680 (101)
msgid "We have deleted your cronk \"{0}\""
-msgstr ""
+msgstr "We have deleted your cronk \"{0}\""
# HelpSuccess.php, line 32 (37)
-#, fuzzy
msgid "We're Icinga"
-msgstr "Icinga"
+msgstr "We're Icinga"
# CronkPortalSuccess.php, line 68 (22)
msgid "Welcome"
@@ -1250,7 +1249,7 @@
# CronkListingPanel.js, line 175 (85)
msgid "You can not delete system categories"
-msgstr ""
+msgstr "You can not delete system categories"
# PrincipalEditorSuccess.php, line 376 (55)
msgid "You haven't selected anything!"
@@ -1260,10 +1259,11 @@
msgid ""
"You're icinga-web server doesn't have ssh2 enabled, couldn't check results"
msgstr ""
+"You're icinga-web server doesn't have ssh2 enabled, couldn't check results"
# PreferencesSuccess.php, line 251 (92)
msgid "Your application profile has been deleted!"
-msgstr ""
+msgstr "Your application profile has been deleted!"
# PreferencesSuccess.php, line 55 (91)
msgid "Your default language hast changed!"
@@ -1271,7 +1271,7 @@
# AppKitUtil.js, line 83 (75)
msgid "Your login session has gone away, press ok to login again!"
-msgstr ""
+msgstr "Your login session has gone away, press ok to login again!"
# IndexSuccess.php, line 207 (23)
msgid "active"
@@ -1282,10 +1282,12 @@
"auth.behaviour is not properly configured. You need at least one of the "
"following attributes enabled:"
msgstr ""
+"auth.behaviour is not properly configured. You need at least one of the "
+"following attributes enabled:"
# FilterHandler.js, line 96 (19)
msgid "contain"
-msgstr ""
+msgstr "contain"
# IndexSuccess.php, line 202 (28)
msgid "description"
@@ -1293,12 +1295,11 @@
# FilterHandler.js, line 97 (28)
msgid "does not contain"
-msgstr ""
+msgstr "does not contain"
# IndexSuccess.php, line 159 (37)
-#, fuzzy
msgid "elete cronk"
-msgstr "Delete groups"
+msgstr "elete cronk"
# IndexSuccess.php, line 205 (22)
msgid "email"
@@ -1310,7 +1311,7 @@
# FilterHandler.js, line 106 (24)
msgid "greater than"
-msgstr ""
+msgstr "greater than"
# IndexSuccess.php, line 201 (26)
msgid "groupname"
@@ -1322,11 +1323,11 @@
# FilterHandler.js, line 103 (14), line 98 (14), line 110 (14)
msgid "is"
-msgstr ""
+msgstr "is"
# FilterHandler.js, line 104 (18), line 99 (18)
msgid "is not"
-msgstr ""
+msgstr "is not"
# IndexSuccess.php, line 203 (25)
msgid "isActive"
@@ -1338,7 +1339,7 @@
# FilterHandler.js, line 105 (21)
msgid "less than"
-msgstr ""
+msgstr "less than"
# CronkPortalSuccess.php, line 44 (17)
msgid "log"
@@ -1354,13 +1355,12 @@
# IcingaCommandHandler.js, line 234 (23)
msgid "seconds"
-msgstr ""
+msgstr "seconds"
# PortalViewSuccess.php, line 165 (61)
# CronkPortalSuccess.php, line 202 (43)
-#, fuzzy
msgid "untitled"
-msgstr "Enter title"
+msgstr "untitled"
# IndexSuccess.php, line 202 (25)
msgid "username"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/es/default.po
^
|
@@ -3,8 +3,8 @@
"Project-Id-Version: icinga-web-translation 0.0\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2010-04-28 13:11+0200\n"
-"PO-Revision-Date: 2011-02-01 03:16+0200\n"
-"Last-Translator: Alvaro <asaez@asaez.es>\n"
+"PO-Revision-Date: 2011-02-18 10:17+0200\n"
+"Last-Translator: Jose <boriel@gmail.com>\n"
"Language-Team: none\n"
"Language: es\n"
"MIME-Version: 1.0\n"
@@ -20,11 +20,11 @@
# TasksSuccess.php, line 63 (42)
msgid "(Re-)Start icinga process"
-msgstr ""
+msgstr "(Re)iniciar icinga"
# IcingaCommandHandler.js, line 90 (41)
msgid "(default) no option"
-msgstr "(por defecto)"
+msgstr "(predeterminado) sin opciones"
# IcingaCommandHandler.js, line 223 (23)
msgid "(hh:ii)"
@@ -32,7 +32,7 @@
# AppKitErrorHandler.js, line 327 (51)
msgid "A error occured when requesting "
-msgstr "Se ha producido un error al solicitar "
+msgstr "Se ha producido un error al hacer la petición"
# IcingaCommandHandler.js, line 251 (21)
msgid "Abort"
@@ -58,15 +58,15 @@
# IndexSuccess.php, line 84 (25), line 160 (26)
#, fuzzy
msgid "Add new category"
-msgstr "Añadir nuevo usuario"
+msgstr "Añadir nueva categoría"
# IndexSuccess.php, line 153 (26)
msgid "Add new group"
-msgstr "Agregar nuevo grupo"
+msgstr "Añadir nuevo grupo"
# CronkBuilder.js, line 201 (79)
msgid "Add new parameter to properties"
-msgstr ""
+msgstr "Añadir nuevo parámetro a las propiedades"
# IndexSuccess.php, line 84 (25), line 160 (26)
msgid "Add new user"
@@ -120,12 +120,11 @@
# EditSuccess.php, line 143 (47)
msgid "Authkey for Api (optional)"
-msgstr "Authkey para Api (opcional)"
+msgstr "Clave para Api (opcional)"
# CronkPortalSuccess.php, line 202 (75)
-#, fuzzy
msgid "Authorization failed for this instance"
-msgstr "Cambiar el título de esta pestaña"
+msgstr "La autorización para esta instancia falló"
# StaticContentSuccess.php, line 49 (33)
msgid "Auto refresh"
@@ -186,7 +185,7 @@
# CronkListingPanel.js, line 4 (27)
msgid "Category editor"
-msgstr ""
+msgstr "Editor de Categorías"
# PreferencesSuccess.php, line 61 (29)
# EditSuccess.php, line 95 (30)
@@ -212,9 +211,8 @@
msgstr ""
# AppKitErrorHandler.js, line 236 (28)
-#, fuzzy
msgid "Clear cache"
-msgstr "Borrar errores"
+msgstr "Borrar caché"
# AppKitErrorHandler.js, line 236 (28)
msgid "Clear errors"
@@ -449,6 +447,10 @@
msgid "Exception thrown: %s"
msgstr "Ocurrió una excepción: %s"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -555,6 +557,11 @@
msgid "HOST_LATENCY"
msgstr "Latencia"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "Salida"
+
# simple_data_provider.xml, line 13 (32)
# simple_data_provider.xml, line 14 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
@@ -890,6 +897,11 @@
msgid "Reload"
msgstr ""
+# IndexSuccess.php, line 159 (37)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Borrar grupos"
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr "Recargue el cronk (no el contenido)"
@@ -934,6 +946,11 @@
msgid "Reset application state"
msgstr "Reiniciar el estado de la aplicación"
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Reinicializar"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr "Recurso"
@@ -986,6 +1003,10 @@
msgid "SERVICE_LATENCY"
msgstr "Latencia"
+# simple_data_provider.xml, line 199 (28)
+msgid "SERVICE_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr ""
@@ -1401,7 +1422,7 @@
# IcingaCommandHandler.js, line 234 (23)
msgid "seconds"
-msgstr ""
+msgstr "segundos"
# PortalViewSuccess.php, line 165 (61)
# CronkPortalSuccess.php, line 202 (43)
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/fi/default.po
^
|
@@ -446,6 +446,10 @@
msgid "Exception thrown: %s"
msgstr ""
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -546,6 +550,11 @@
msgid "HOST_LATENCY"
msgstr "ISÄNNÄN_VIIVE"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "ISÄNNÄN_ULOSTULO"
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "ISÄNNÄN_MAKSIMI_TARKASTUS_MÄÄRÄ"
@@ -883,6 +892,11 @@
msgid "Reload"
msgstr ""
+# IndexSuccess.php, line 166 (36)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Poista ryhmät"
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr "Päivitä sivu(ei sisältöä)"
@@ -927,6 +941,11 @@
msgid "Reset application state"
msgstr ""
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Alusta ennalleen"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -979,6 +998,11 @@
msgid "SERVICE_LATENCY"
msgstr "PALVELU_VIIVE"
+# simple_data_provider.xml, line 96 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "PALVELU_ULOSTULO"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "PALVELU_SUURIN_YRITYSTEN_MÄÄRÄ"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/he/default.po
^
|
@@ -448,6 +448,10 @@
msgid "Exception thrown: %s"
msgstr "חריגה נזרקה: %s"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -548,6 +552,11 @@
msgid "HOST_LATENCY"
msgstr "חביון_מארח"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "פלט_שרת"
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "מספר_בדיקות_מירבי_לשרת"
@@ -884,6 +893,11 @@
msgid "Reload"
msgstr ""
+# IndexSuccess.php, line 166 (36)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "מחק קבוצות"
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr "טען מחדש את cronk (לא את התוכן)"
@@ -928,6 +942,11 @@
msgid "Reset application state"
msgstr ""
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "אתחל"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -980,6 +999,11 @@
msgid "SERVICE_LATENCY"
msgstr "חביון_שרות"
+# simple_data_provider.xml, line 96 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "פלט_השרות"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "מספר_בדיקות_מירבי_לשרות"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/hr/default.po
^
|
@@ -441,6 +441,10 @@
msgid "Exception thrown: %s"
msgstr ""
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -538,6 +542,10 @@
msgid "HOST_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 73 (25)
+msgid "HOST_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr ""
@@ -871,6 +879,10 @@
msgid "Reload"
msgstr ""
+# Tabhelper.js, line 210 (27)
+msgid "Reload cronk"
+msgstr ""
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr ""
@@ -915,6 +927,11 @@
msgid "Reset application state"
msgstr ""
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Poništi"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -967,6 +984,10 @@
msgid "SERVICE_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 199 (28)
+msgid "SERVICE_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr ""
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/hu/default.po
^
|
@@ -444,6 +444,10 @@
msgid "Exception thrown: %s"
msgstr "Kivétel keletkezett: %s"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -541,6 +545,11 @@
msgid "HOST_LATENCY"
msgstr "HOST_LATENCY"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "HOST_OUTPUT"
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "HOST_MAX_CHECK_ATTEMPTS"
@@ -877,6 +886,11 @@
msgid "Reload"
msgstr ""
+# IndexSuccess.php, line 166 (36)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Csoportok törlése"
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr "A cronk újratöltése (nem a tartalomé)"
@@ -921,6 +935,11 @@
msgid "Reset application state"
msgstr "Alkalmazás állapotának alapállapotba hozása"
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Alapállapot"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr "Erőforrás "
@@ -973,6 +992,11 @@
msgid "SERVICE_LATENCY"
msgstr "SERVICE_LATENCY"
+# simple_data_provider.xml, line 96 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "SERVICE_OUTPUT"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "SERVICE_MAX_CHECK_ATTEMPTS"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/it/default.po
^
|
@@ -444,6 +444,10 @@
msgid "Exception thrown: %s"
msgstr ""
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -544,6 +548,11 @@
msgid "HOST_LATENCY"
msgstr "HOST_LATENCY"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "HOST_OUTPUT"
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "HOST_MAX_CHECK_ATTEMPTS"
@@ -881,6 +890,10 @@
msgid "Reload"
msgstr ""
+# Tabhelper.js, line 210 (27)
+msgid "Reload cronk"
+msgstr ""
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr "Ricarica il cronk (non il contenuto)"
@@ -925,6 +938,11 @@
msgid "Reset application state"
msgstr ""
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Reset"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -977,6 +995,11 @@
msgid "SERVICE_LATENCY"
msgstr "SERVICE_LATENCY"
+# simple_data_provider.xml, line 96 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "SERVICE_OUTPUT"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "SERVICE_MAX_CHECK_ATTEMPTS"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/ja/default.po
^
|
@@ -3,8 +3,8 @@
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2010-04-29 00:00+0200\n"
-"PO-Revision-Date: 2010-04-30 15:56+0200\n"
-"Last-Translator: Nathalie <midna-chan@arcor.de>\n"
+"PO-Revision-Date: 2011-02-22 05:17+0200\n"
+"Last-Translator: Koichi <mugeso@mugeso.com>\n"
"Language-Team: LANGUAGE <LL@li.org>\n"
"Language: ja\n"
"MIME-Version: 1.0\n"
@@ -19,7 +19,7 @@
# TasksSuccess.php, line 63 (42)
msgid "(Re-)Start icinga process"
-msgstr ""
+msgstr "icingaプロセスを(再)起動する"
# IcingaCommandHandler.js, line 90 (41)
msgid "(default) no option"
@@ -27,40 +27,39 @@
# IcingaCommandHandler.js, line 223 (23)
msgid "(hh:ii)"
-msgstr ""
+msgstr "(hh:ii)"
# AppKitErrorHandler.js, line 327 (51)
msgid "A error occured when requesting "
-msgstr ""
+msgstr "リクエスト中にエラーが発生しました"
# IcingaCommandHandler.js, line 251 (21)
msgid "Abort"
-msgstr ""
+msgstr "中止"
# AppKitMenuCreator.class.php, line 136 (166)
msgid "About"
-msgstr ""
+msgstr "Icingaについて"
# AppKitErrorHandler.js, line 324 (32)
msgid "Access denied"
-msgstr ""
+msgstr "アクセスできません"
# IcingaCommandHandler.js, line 105 (27)
-#, fuzzy
msgid "Action"
-msgstr "選択"
+msgstr "アクション"
# PreferencesSuccess.php, line 234 (19)
msgid "Add"
-msgstr ""
+msgstr "追加"
# CronkBuilder.js, line 329 (65)
msgid "Add new category"
-msgstr ""
+msgstr "新しいカテゴリの追加"
# IndexSuccess.php, line 154 (26), line 227 (27)
msgid "Add new group"
-msgstr ""
+msgstr "新しいグループの追加"
# CronkBuilder.js, line 201 (79)
msgid "Add new parameter to properties"
@@ -68,28 +67,27 @@
# IndexSuccess.php, line 84 (25), line 160 (26)
msgid "Add new user"
-msgstr ""
+msgstr "新しいユーザの追加"
# IcingaGridFilterHandler.js, line 183 (35)
msgid "Add restriction"
-msgstr ""
+msgstr "条件の追加"
# PrincipalEditorSuccess.php, line 371 (35)
msgid "Add selected principals"
-msgstr ""
+msgstr "選択された主体を追加"
# AppKitUtil.js, line 125 (26)
msgid "Admin tasks"
-msgstr ""
+msgstr "管理タスク"
# PreferencesSuccess.php, line 111 (23)
msgid "Advanced"
-msgstr ""
+msgstr "詳細"
# StaticContentSuccess.php, line 43 (27)
-#, fuzzy
msgid "Agavi setting"
-msgstr "設定"
+msgstr "Agaviの設定"
# CronkBuilder.js, line 313 (52)
msgid "All categories available"
@@ -101,23 +99,23 @@
# IcingaGridFilterHandler.js, line 118 (21)
msgid "Apply"
-msgstr ""
+msgstr "適用"
# CronkListingPanel.js, line 665 (84)
msgid "Are you sure to delete {0}"
-msgstr ""
+msgstr "本当に{0}を削除しますか"
# AppKitUtil.js, line 62 (37)
msgid "Are you sure to do this?"
-msgstr ""
+msgstr "本当に実行してよろしいですか?"
# EditSuccess.php, line 95 (29)
msgid "Auth via"
-msgstr ""
+msgstr "認証方法"
# EditSuccess.php, line 143 (47)
msgid "Authkey for Api (optional)"
-msgstr ""
+msgstr "Api認証キー(オプション)"
# TasksSuccess.php, line 31 (54)
msgid "Authorization failed for this instance"
@@ -125,31 +123,31 @@
# StaticContentSuccess.php, line 49 (33)
msgid "Auto refresh"
-msgstr ""
+msgstr "自動リフレッシュ"
# GridPanel.js, line 36 (56)
msgid "Auto refresh ({0} seconds)"
-msgstr ""
+msgstr "自動リフレッシュ({0}秒)"
# IndexSuccess.php, line 273 (29)
msgid "Available groups"
-msgstr ""
+msgstr "有効なグループ"
# ViewLogsSuccess.php, line 99 (28)
msgid "Available logs"
-msgstr ""
+msgstr "利用可能なログ"
# IndexSuccess.php, line 78 (28)
msgid "Available users"
-msgstr ""
+msgstr "有効なユーザー"
# IcingaCommandHandler.js, line 91 (31)
msgid "Broadcast"
-msgstr ""
+msgstr "ブロードキャスト"
# AppKitErrorHandler.js, line 208 (26)
msgid "Bug report"
-msgstr ""
+msgstr "バグレポート"
# simple_data_provider.xml, line 6 (28)
msgid "COMMENT_AUTHOR_NAME"
@@ -165,139 +163,138 @@
# StatusData.js, line 63 (18)
msgid "CRITICAL"
-msgstr ""
+msgstr "異常"
# PreferencesSuccess.php, line 184 (46)
msgid "Can't modify"
-msgstr ""
+msgstr "変更できません"
# CronkListingPanel.js, line 96 (22)
msgid "CatId"
-msgstr ""
+msgstr "カテゴリーID"
# CronkBuilder.js, line 307 (32)
# CronkListingPanel.js, line 515 (24)
msgid "Categories"
-msgstr ""
+msgstr "カテゴリー"
# CronkListingPanel.js, line 4 (27)
msgid "Category editor"
-msgstr ""
+msgstr "カテゴリエディタ"
# AjaxLoginSuccess.php, line 54 (45)
-#, fuzzy
msgid "Change Password"
-msgstr "パスワード"
+msgstr "パスワード変更"
# PreferencesSuccess.php, line 45 (30)
msgid "Change language"
-msgstr ""
+msgstr "言語の変更"
# PortalViewSuccess.php, line 165 (119)
msgid "Change title for this portlet"
-msgstr ""
+msgstr "このポートレットのタイトルを変更"
# CronkPortalSuccess.php, line 202 (75)
msgid "Change title for this tab"
-msgstr ""
+msgstr "このタブのタイトルを変更"
# TasksSuccess.php, line 224 (20)
msgid "Clear"
-msgstr ""
+msgstr "クリア"
# TasksSuccess.php, line 217 (26)
msgid "Clear cache"
-msgstr ""
+msgstr "キャッシュを破棄"
# AppKitErrorHandler.js, line 236 (28)
msgid "Clear errors"
-msgstr ""
+msgstr "エラーをクリア"
# PrincipalEditorSuccess.php, line 387 (27)
msgid "Clear selection"
-msgstr ""
+msgstr "選択を取り消す"
# TasksSuccess.php, line 220 (82)
msgid "Clear the agavi configuration cache to apply new xml configuration."
-msgstr ""
+msgstr "新しいxml設定を有効にするためagaviの設定キャッシュをクリアします。"
# AjaxLoginSuccess.php, line 100 (47)
msgid "Click here to view instructions"
-msgstr ""
+msgstr "クリックすると使用説明を見れます"
# EditSuccess.php, line 83 (33)
msgid "Click to edit user"
-msgstr ""
+msgstr "クリックしてユーザーを編集"
# ExtJs.js, line 224 (20)
# CronkPortalSuccess.php, line 164 (21)
msgid "Close"
-msgstr ""
+msgstr "閉じる"
# CronkPortalSuccess.php, line 169 (28)
msgid "Close others"
-msgstr ""
+msgstr "他を閉じる"
# IcingaCommandHandler.js, line 221 (39)
msgid "Command"
-msgstr ""
+msgstr "コマンド"
# IcingaCommandHandler.js, line 316 (47)
msgid "Command sent"
-msgstr ""
+msgstr "コマンド送信"
# AjaxGridLayoutSuccess.php, line 86 (41)
msgid "Commands"
-msgstr ""
+msgstr "コマンド"
# AppKitErrorHandler.js, line 184 (23)
msgid "Comment bug"
-msgstr ""
+msgstr "バグにコメントする"
# TasksSuccess.php, line 88 (30)
msgid "Confirm"
-msgstr ""
+msgstr "確認"
# PreferencesSuccess.php, line 76 (37)
# EditSuccess.php, line 131 (37)
msgid "Confirm password"
-msgstr ""
+msgstr "パスワードの確認"
# CronkListingSuccess.php, line 241 (79)
msgid "Could not load the cronk listing, following error occured: {0} ({1})"
-msgstr ""
+msgstr "クロンクリストを読み込めません。次のエラーが発生しました: {0} ({1})"
# CronkPortalSuccess.php, line 131 (75)
msgid "Could not remove the last tab!"
-msgstr ""
+msgstr "最後のタブは削除できません!"
# IcingaCommandHandler.js, line 312 (112)
msgid "Could not send the command, please examine the logs!"
-msgstr ""
+msgstr "コマンドを送信できませんでした。ログを確かめてください!"
# AppKitErrorHandler.js, line 332 (74)
msgid "Couldn't connect to web-server."
-msgstr ""
+msgstr "ウェブサーバに接続できません。"
# TasksSuccess.php, line 34 (69)
msgid "Couldn't submit check command - check your access.xml"
-msgstr ""
+msgstr "チェックコマンドを送信できません - access.xml を確認してください"
# IndexSuccess.php, line 143 (39)
msgid "Create a new group"
-msgstr ""
+msgstr "新しいグループを作成"
# IndexSuccess.php, line 71 (38)
msgid "Create a new user"
-msgstr ""
+msgstr "新しいユーザを作成"
# AppKitErrorHandler.js, line 231 (48)
msgid "Create report for dev.icinga.org"
-msgstr ""
+msgstr "dev.icinga.orgへレポートを作成"
# EditSuccess.php, line 156 (28), line 56 (28)
msgid "Created"
-msgstr ""
+msgstr "作成しました"
# IcingaCommandHandler.js, line 128 (30)
msgid "Critical"
@@ -305,23 +302,23 @@
# AppKitErrorHandler.js, line 329 (37)
msgid "Critical error"
-msgstr ""
+msgstr "重大なエラー"
# CronkBuilder.js, line 73 (107)
msgid "Cronk \"{0}\" successfully written to database!"
-msgstr ""
+msgstr "\"{0}\"クロンクをデータベースに書き込みました!"
# CronkBuilder.js, line 291 (36)
msgid "Cronk Id"
-msgstr ""
+msgstr "クロンク Id"
# CronkListingPanel.js, line 680 (48)
msgid "Cronk deleted"
-msgstr ""
+msgstr "クロンクを削除しました"
# CronkBuilder.js, line 73 (41)
msgid "CronkBuilder"
-msgstr ""
+msgstr "クロンクビルダー"
# CronkListingPanel.js, line 656 (71)
msgid "CronkBuilder has gone away!"
@@ -329,33 +326,33 @@
# CronkListingPanel.js, line 124 (23)
msgid "Cronks"
-msgstr ""
+msgstr "クロンク"
# StatusData.js, line 45 (14)
msgid "DOWN"
-msgstr ""
+msgstr "停止"
# CronkListingPanel.js, line 661 (21), line 165 (20)
msgid "Delete"
-msgstr ""
+msgstr "削除"
# IndexSuccess.php, line 166 (36)
msgid "Delete groups"
-msgstr ""
+msgstr "グループを削除"
# IndexSuccess.php, line 95 (34)
msgid "Delete user"
-msgstr ""
+msgstr "ユーザーを削除"
# PrincipalEditorSuccess.php, line 361 (26)
# ObjectSearchSuccess.php, line 113 (31)
# EditSuccess.php, line 37 (32)
msgid "Description"
-msgstr ""
+msgstr "概要"
# HelpSuccess.php, line 33 (34)
msgid "Dev"
-msgstr ""
+msgstr "開発"
# EditSuccess.php, line 92 (29), line 46 (29)
msgid "Disabled"
@@ -363,15 +360,15 @@
# IcingaGridFilterHandler.js, line 124 (23)
msgid "Discard"
-msgstr ""
+msgstr "破棄"
# IndexSuccess.php, line 194 (36)
msgid "Displaying groups"
-msgstr ""
+msgstr "グループの表示"
# MetaGridCreator.js, line 256 (55)
msgid "Displaying topics {0} - {1} of {2}"
-msgstr ""
+msgstr "{2}件中 {0} - {1} のトピックを表示"
# IndexSuccess.php, line 127 (35)
msgid "Displaying users"
@@ -379,53 +376,53 @@
# PrincipalEditorSuccess.php, line 324 (82)
msgid "Do you really want to delete all "
-msgstr ""
+msgstr "本当に全てを削除しますか"
# IndexSuccess.php, line 166 (84)
msgid "Do you really want to delete these groups?"
-msgstr ""
+msgstr "本当にこれらのグループを削除しますか?"
# IndexSuccess.php, line 95 (81)
msgid "Do you really want to delete these users?"
-msgstr ""
+msgstr "本当にこれらのユーザを削除しますか?"
# HelpSuccess.php, line 34 (35)
msgid "Docs"
-msgstr ""
+msgstr "資料"
# SilentAuthConfigError.php, line 19 (84)
msgid "Don't forget to clear the agavi config cache after that."
-msgstr ""
+msgstr "後でagaviの設定キャッシュをクリアーすることを忘れないでください。"
# CronkListingPanel.js, line 646 (19)
msgid "Edit"
-msgstr ""
+msgstr "編集"
# IndexSuccess.php, line 118 (32), line 106 (23)
msgid "Edit group"
-msgstr ""
+msgstr "グループを編集"
# IndexSuccess.php, line 34 (22), line 46 (31)
msgid "Edit user"
-msgstr ""
+msgstr "ユーザを編集"
# EditSuccess.php, line 83 (26)
msgid "Email"
-msgstr ""
+msgstr "メールアドレス"
# PortalViewSuccess.php, line 165 (61)
# CronkPortalSuccess.php, line 202 (43)
msgid "Enter title"
-msgstr "タイトルを入れなさい"
+msgstr "タイトルを入力してください"
# IndexSuccess.php, line 50 (29), line 122 (28)
# EditSuccess.php, line 134 (28), line 248 (28)
msgid "Error"
-msgstr ""
+msgstr "エラー"
# AppKitErrorHandler.js, line 44 (28)
msgid "Error report"
-msgstr ""
+msgstr "エラーレポート"
# IcingaCommandHandler.js, line 310 (57)
msgid "Error sending command"
@@ -433,11 +430,15 @@
# CronkLoaderSuccessView.class.php, line 34 (39)
msgid "Exception thrown: %s"
+msgstr "例外が投げられました: %s"
+
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
msgstr ""
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
-msgstr ""
+msgstr "エキスパートモード"
# ApiSimpleDataProviderModel.class.php, line 127 (76)
msgid "False"
@@ -453,11 +454,11 @@
# EditSuccess.php, line 34 (34), line 23 (34)
msgid "General information"
-msgstr ""
+msgstr "一般情報"
# GridPanel.js, line 52 (36)
msgid "Get this view as URL"
-msgstr ""
+msgstr "このビューをURLとして取得"
# StaticContentSuccess.php, line 43 (27)
#, fuzzy
@@ -466,15 +467,15 @@
# IndexSuccess.php, line 26 (30)
msgid "Group inheritance"
-msgstr ""
+msgstr "グループの継承関係"
# EditSuccess.php, line 29 (31)
msgid "Group name"
-msgstr ""
+msgstr "グループ名"
# EditSuccess.php, line 180 (22)
msgid "Groups"
-msgstr ""
+msgstr "グループ"
# ShowNavigationTop.php, line 74 (66)
msgid "Guest"
@@ -532,6 +533,10 @@
msgid "HOST_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 73 (25)
+msgid "HOST_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr ""
@@ -566,35 +571,35 @@
# IndexSuccess.php, line 201 (29), line 134 (29)
msgid "Hide disabled "
-msgstr ""
+msgstr "無効な項目を隠す"
# MonitorPerformanceSuccess.php, line 36 (59)
msgid "Host execution time (min/avg/max)"
-msgstr ""
+msgstr "ホスト実行時間 (最小/平均/最大)"
# MonitorPerformanceSuccess.php, line 41 (52)
msgid "Host latency (min/avg/max)"
-msgstr ""
+msgstr "ホストレイテンシー(最小/平均/最大)"
# StatusOverallSuccess.php, line 76 (87)
msgid "Hosts"
-msgstr ""
+msgstr "ホスト"
# MonitorPerformanceSuccess.php, line 31 (48)
msgid "Hosts (active/passive)"
-msgstr ""
+msgstr "ホスト (アクティブ/パッシブ)"
# StatusData.js, line 61 (19), line 41 (19)
msgid "IN TOTAL"
-msgstr ""
+msgstr "を管理"
# HelpSuccess.php, line 32 (37)
msgid "Icinga"
-msgstr ""
+msgstr "Icinga"
# AppKitErrorHandler.js, line 213 (142)
msgid "Icinga bug report"
-msgstr ""
+msgstr "Icinga バグレポート"
# TasksSuccess.php, line 244 (28)
msgid "Icinga status"
@@ -602,11 +607,13 @@
# CronkBuilder.js, line 354 (24), line 177 (27)
msgid "Image"
-msgstr ""
+msgstr "画像"
# TasksSuccess.php, line 229 (85)
msgid "In order to complete you have to reload the interface. Are you sure?"
msgstr ""
+"完了するためにインターフェイスを再読み込みする必要があります。よろしいです"
+"か?"
# IcingaCommandHandler.js, line 93 (52)
msgid "Increment current notification"
@@ -618,27 +625,27 @@
# TasksSuccess.php, line 37 (64)
msgid "Invalid authorization type defined in access.xml"
-msgstr ""
+msgstr "access.xmlで不正な認証タイプが定義されています"
# ObjectSearchSuccess.php, line 143 (105)
msgid "Item"
-msgstr ""
+msgstr "アイテム"
# ObjectSearchSuccess.php, line 143 (93)
msgid "Items"
-msgstr ""
+msgstr "アイテム"
# PreferencesSuccess.php, line 34 (29)
msgid "Language"
-msgstr ""
+msgstr "言語"
# PreferencesSuccess.php, line 55 (49)
msgid "Language changed"
-msgstr ""
+msgstr "言語が変更されました"
# PreferencesSuccess.php, line 27 (32)
msgid "Language settings"
-msgstr ""
+msgstr "言語設定"
# AjaxLoginSuccess.php, line 8 (64)
#, fuzzy
@@ -651,37 +658,35 @@
# CronkListingPanel.js, line 235 (69)
msgid "Loading Cronks ..."
-msgstr ""
+msgstr "クロンクを読み込み中 ..."
# StaticContentSuccess.php, line 33 (52)
msgid "Loading TO \"{0}\" ..."
-msgstr ""
+msgstr "\"{0}\"に読み込み中 ..."
# AjaxLoginSuccess.php, line 8 (64)
msgid "Login"
msgstr "ログイン"
# AjaxLoginSuccess.php, line 8 (64)
-#, fuzzy
msgid "Login error"
-msgstr "ログイン"
+msgstr "ログインエラー"
# SilentAuthConfigError.php, line 8 (52)
msgid "Login error (configuration)"
-msgstr ""
+msgstr "ログインエラー (設定)"
# AjaxLoginSuccess.php, line 94 (63)
msgid "Login failed"
-msgstr "ログインは失敗した"
+msgstr "ログインに失敗しました"
# CronkPortalSuccess.php, line 321 (33)
-#, fuzzy
msgid "Logout"
-msgstr "ログ"
+msgstr "ログアウト"
# ViewLogsSuccess.php, line 68 (37)
msgid "Message"
-msgstr ""
+msgstr "メッセージ"
# CronkBuilder.js, line 271 (26)
msgid "Meta"
@@ -692,39 +697,36 @@
msgstr ""
# AjaxGridLayoutSuccess.php, line 59 (25)
-#, fuzzy
msgid "Modified"
-msgstr "変更しなさい"
+msgstr "変更されました"
# AjaxGridLayoutSuccess.php, line 59 (25)
msgid "Modify"
-msgstr "変更しなさい"
+msgstr "変更"
# IcingaGridFilterHandler.js, line 55 (28)
msgid "Modify filter"
-msgstr "フィルターを変更しなさい"
+msgstr "フィルターを変更"
# CronkBuilder.js, line 439 (32)
msgid "Module"
-msgstr ""
+msgstr "モジュール"
# CronkPortalSuccess.php, line 179 (22)
-#, fuzzy
msgid "Name"
-msgstr "名前を変更しなさい"
+msgstr "名前"
# PreferencesSuccess.php, line 213 (29)
msgid "New Preference"
-msgstr ""
+msgstr "新しい設定"
# CronkBuilder.js, line 325 (40)
msgid "New category"
-msgstr ""
+msgstr "新しいカテゴリ"
# AjaxLoginSuccess.php, line 54 (45)
-#, fuzzy
msgid "New password"
-msgstr "パスワード"
+msgstr "新しいパスワード"
# IcingaCommandHandler.js, line 171 (23)
msgid "No"
@@ -732,11 +734,11 @@
# IndexSuccess.php, line 195 (37)
msgid "No groups to display"
-msgstr ""
+msgstr "表示するグループがありません"
# PrincipalEditorSuccess.php, line 335 (62)
msgid "No node was removed"
-msgstr ""
+msgstr "削除するノードがありませんでした"
# CronkBuilder.js, line 220 (66)
msgid "No selection was made!"
@@ -744,28 +746,30 @@
# MetaGridCreator.js, line 257 (39)
msgid "No topics to display"
-msgstr ""
+msgstr "表示するトピックスがありません"
# IndexSuccess.php, line 128 (36)
msgid "No users to display"
-msgstr ""
+msgstr "表示するユーザがいません"
# TasksSuccess.php, line 8 (63)
msgid "Not allowed"
-msgstr ""
+msgstr "許されていません"
# PrincipalEditorSuccess.php, line 335 (37)
msgid "Nothing selected"
-msgstr ""
+msgstr "何も選択されていません"
# StatusData.js, line 61 (12)
# IcingaCommandHandler.js, line 245 (18), line 126 (24)
+# This should be translated "正常" in StatuData.js
+#, fuzzy
msgid "OK"
-msgstr "オ-け"
+msgstr "OK"
# EditSuccess.php, line 134 (64), line 248 (64)
msgid "One or more fields are invalid"
-msgstr ""
+msgstr "不正なフィールドがあります"
# IcingaCommandHandler.js, line 105 (27)
msgid "Option"
@@ -773,24 +777,23 @@
# StatusData.js, line 42 (17), line 65 (17)
msgid "PENDING"
-msgstr ""
+msgstr "保留"
# CronkBuilder.js, line 412 (30)
msgid "Parameters"
-msgstr ""
+msgstr "パラメーター"
# AjaxLoginSuccess.php, line 54 (45)
msgid "Password"
msgstr "パスワード"
# AjaxLoginSuccess.php, line 54 (45)
-#, fuzzy
msgid "Password changed"
-msgstr "パスワード"
+msgstr "パスワードを変更しました"
# EditSuccess.php, line 173 (26), line 73 (26)
msgid "Permissions"
-msgstr ""
+msgstr "許可"
# SilentAuthConfigError.php, line 17 (83)
msgid "Please alter your config file and set one to 'true' (%s)."
@@ -809,40 +812,41 @@
msgstr ""
# AppKitErrorHandler.js, line 185 (62)
+#, fuzzy
msgid "Please enter a comment for this bug. This could be"
-msgstr ""
+msgstr "このバグに対するコメントを入力してください。This could be"
# CronkBuilder.js, line 77 (107)
msgid "Please fill out required fields (marked with an exclamation mark)"
-msgstr ""
+msgstr "必須項目を入力してください (\"!\"マークがついています)"
# EditSuccess.php, line 122 (57)
msgid "Please provide a password for this user"
-msgstr ""
+msgstr "このユーザーのパスワードを入力してください"
# AjaxLoginSuccess.php, line 94 (131)
msgid "Please verify your input and try again!"
-msgstr ""
+msgstr "入力を確認して下さい!"
# TasksSuccess.php, line 97 (71)
msgid "Please wait..."
-msgstr ""
+msgstr "お待ちください ..."
# CronkListingPanel.js, line 118 (25)
msgid "Position"
-msgstr ""
+msgstr "位置"
# HeaderSuccess.php, line 52 (45), line 50 (48)
msgid "Preferences"
-msgstr ""
+msgstr "設定"
# PreferencesSuccessView.class.php, line 12 (59)
msgid "Preferences for user"
-msgstr ""
+msgstr "ユーザー設定"
# HelloWorldSuccess.php, line 21 (22)
msgid "Press me"
-msgstr ""
+msgstr "押して下さい"
# PrincipalEditorSuccess.php, line 357 (24)
msgid "Principal"
@@ -855,67 +859,77 @@
# StaticContentSuccess.php, line 38 (26)
# CronkPortalSuccess.php, line 185 (23)
msgid "Refresh"
-msgstr ""
+msgstr "リフレッシュ"
# StaticContentSuccess.php, line 40 (50)
msgid "Refresh the data in the grid"
-msgstr ""
+msgstr "グリッド内のデータをリフレッシュ"
# CronkListingPanel.js, line 437 (18), line 136 (20)
msgid "Reload"
-msgstr ""
+msgstr "再読み込み"
+
+# CronkListingPanel.js, line 665 (37)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "クロンクを削除"
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
-msgstr ""
+msgstr "クロンクを再読み込み(内容ではない)"
# AjaxGridLayoutSuccess.php, line 64 (25)
msgid "Remove"
-msgstr ""
+msgstr "削除"
# IndexSuccess.php, line 149 (29), line 216 (29)
msgid "Remove selected"
-msgstr ""
+msgstr "選択したものを削除"
# IndexSuccess.php, line 158 (35)
msgid "Remove selected groups"
-msgstr ""
+msgstr "選択したグループを削除"
# IndexSuccess.php, line 88 (34)
msgid "Remove selected users"
-msgstr ""
+msgstr "選択したユーザーを削除"
# PreferencesSuccess.php, line 148 (41)
msgid "Remove this preference"
-msgstr ""
+msgstr "この設定を削除"
# PrincipalEditorSuccess.php, line 324 (43)
msgid "Removing a category"
-msgstr ""
+msgstr "カテゴリーを削除中"
# CronkPortalSuccess.php, line 179 (22)
msgid "Rename"
-msgstr "名前を変更しなさい"
+msgstr "名前を変更"
# AppKitErrorHandler.js, line 266 (43)
msgid "Request failed"
-msgstr ""
+msgstr "リクエストが失敗しました"
# IcingaGridFilterHandler.js, line 130 (21)
msgid "Reset"
-msgstr ""
+msgstr "リセット"
# PreferencesSuccess.php, line 223 (38)
msgid "Reset application state"
-msgstr ""
+msgstr "アプリケーションの状態をリセット"
+
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "リセット"
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
-msgstr ""
+msgstr "リソース"
# IcingaCommandHandler.js, line 130 (49)
msgid "Return code out of bounds"
-msgstr ""
+msgstr "範囲外の返り値です"
# TasksSuccess.php, line 13 (70)
msgid "Running"
@@ -961,6 +975,10 @@
msgid "SERVICE_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 199 (28)
+msgid "SERVICE_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr ""
@@ -991,45 +1009,43 @@
# EditSuccess.php, line 109 (34), line 220 (34)
msgid "Save"
-msgstr ""
+msgstr "保存"
# Tabhelper.js, line 175 (26)
msgid "Save Cronk"
-msgstr ""
+msgstr "クロンクを保存"
# CronkBuilder.js, line 38 (29)
msgid "Save custom Cronk"
-msgstr ""
+msgstr "カスタムクロンクを保存"
# AjaxLoginSuccess.php, line 54 (45)
-#, fuzzy
msgid "Save password"
-msgstr "パスワード"
+msgstr "パスワードを保存"
# Tabhelper.js, line 176 (46)
msgid "Save this view as new cronk"
-msgstr ""
+msgstr "このビューを新しいクロンクとして保存"
# IcingaCommandHandler.js, line 127 (29)
-#, fuzzy
msgid "Saving"
-msgstr "警告"
+msgstr "保存中"
# HelloWorldSuccess.php, line 26 (39)
msgid "Say what?"
-msgstr ""
+msgstr "何ですって?"
# ObjectSearchSuccess.php, line 160 (22)
msgid "Search"
-msgstr ""
+msgstr "検索"
# CronkBuilder.js, line 167 (36)
msgid "Searching ..."
-msgstr ""
+msgstr "検索中 ..."
# ViewLogsSuccess.php, line 30 (44)
msgid "Seems like you have no logs"
-msgstr ""
+msgstr "ログが無いようです"
# PrincipalEditorSuccess.php, line 347 (64)
msgid "Select a principal (Press Ctrl for multiple selects)"
@@ -1037,27 +1053,28 @@
# IcingaCommandHandler.js, line 221 (66)
msgid "Selection is missing"
-msgstr ""
+msgstr "選択されていません"
# AppKitErrorHandler.js, line 226 (36)
msgid "Send report to admin"
-msgstr ""
+msgstr "管理者へレポートを送信"
# MonitorPerformanceSuccess.php, line 55 (57)
+#, fuzzy
msgid "Service execution (min/avg/max)"
-msgstr ""
+msgstr "サービス 実行 (最小/平均/最大)"
# MonitorPerformanceSuccess.php, line 60 (55)
msgid "Service latency (min/avg/max)"
-msgstr ""
+msgstr "サービスのレイテンシー (最小/平均/最大)"
# StatusOverallSuccess.php, line 80 (85)
msgid "Services"
-msgstr ""
+msgstr "サービス"
# MonitorPerformanceSuccess.php, line 50 (51)
msgid "Services (active/passive)"
-msgstr ""
+msgstr "サービス (アクティブ/パッシブ)"
# CronkTrigger.js, line 25 (46)
msgid "Services for "
@@ -1065,7 +1082,7 @@
# AppKitUtil.js, line 82 (34)
msgid "Session expired"
-msgstr ""
+msgstr "セッションが期限切れになりました"
# StaticContentSuccess.php, line 43 (27)
msgid "Settings"
@@ -1077,7 +1094,7 @@
# CronkBuilder.js, line 363 (38)
msgid "Share your Cronk"
-msgstr ""
+msgstr "クロンクを共有"
# TasksSuccess.php, line 247 (57)
msgid "Show status of accessible icinga instances"
@@ -1085,7 +1102,7 @@
# CronkListingPanel.js, line 687 (77)
msgid "Some error: {0}"
-msgstr ""
+msgstr "何らかのエラー: {0}"
# CronkPortalSuccess.php, line 131 (38)
msgid "Sorry"
@@ -1093,11 +1110,11 @@
# ViewProcSuccessView.class.php, line 49 (99)
msgid "Sorry, could not find a xml file for %s"
-msgstr ""
+msgstr "%s のxmlファイルが見つかりませんでした"
# CronkLoaderSuccessView.class.php, line 30 (47)
msgid "Sorry, cronk \"%s\" not found"
-msgstr ""
+msgstr "\"%s\"クロンクは見つかりませんでした"
# SilentAuthError.php, line 10 (77)
msgid "Sorry, you could not be authenticated for icinga-web."
@@ -1113,28 +1130,27 @@
# TasksSuccess.php, line 72 (36)
msgid "Stop icinga process"
-msgstr ""
+msgstr "icingaのプロセスを停止"
# TasksSuccess.php, line 16 (72)
msgid "Stopped"
-msgstr ""
+msgstr "停止しました"
# TasksSuccess.php, line 228 (26)
msgid "Success"
-msgstr ""
+msgstr "成功しました"
# CronkPortalSuccess.php, line 179 (22)
-#, fuzzy
msgid "Surname"
-msgstr "名前を変更しなさい"
+msgstr "ニックネーム"
# CronkListingPanel.js, line 195 (76)
msgid "System categories are not editable!"
-msgstr ""
+msgstr "システムカテゴリーは編集できません!"
# CronkListingPanel.js, line 446 (23)
msgid "Tab slider"
-msgstr ""
+msgstr "タブスライダー"
# StaticContentSuccess.php, line 45 (48)
msgid "Tactical overview settings"
@@ -1142,7 +1158,7 @@
# EditSuccess.php, line 137 (54)
msgid "The confirmed password doesn't match"
-msgstr ""
+msgstr "確認用パスワードが一致していません"
# AppKitErrorHandler.js, line 214 (33)
msgid "The following "
@@ -1150,33 +1166,32 @@
# PreferencesSuccess.php, line 103 (86)
msgid "The password was successfully changed"
-msgstr ""
+msgstr "正常にパスワードを変更しました"
# PreferencesSuccess.php, line 82 (45)
msgid "The passwords don't match!"
-msgstr ""
+msgstr "パスワードが一致しません"
# AppKitErrorHandler.js, line 321 (56)
msgid "The server encountered an error:<br/>"
-msgstr ""
+msgstr "サーバーでエラーが発生しました:<br/>"
# IcingaCommandHandler.js, line 355 (63)
msgid "This command will be send to all selected items"
-msgstr ""
+msgstr "このコマンドは選択されたすべての項目に送信されます"
# PreferencesSuccess.php, line 184 (75)
msgid "This item is read only!"
-msgstr ""
+msgstr "このアイテムは変更できません"
# ViewLogsSuccess.php, line 67 (31)
msgid "Time"
-msgstr ""
+msgstr "日時"
# PortalViewSuccess.php, line 165 (61)
# CronkPortalSuccess.php, line 202 (43)
-#, fuzzy
msgid "Title"
-msgstr "タイトルを入れなさい"
+msgstr "タイトル"
# AppKitUtil.js, line 57 (47)
msgid "To be on the verge to logout ..."
@@ -1185,6 +1200,8 @@
# PreferencesSuccess.php, line 231 (83)
msgid "To start with a new application profile, click the following button."
msgstr ""
+"新しいアプリケーションプロファイルを開始するために、下記のボタンをクリックし"
+"てください。"
# ApiSimpleDataProviderModel.class.php, line 127 (52)
msgid "True"
@@ -1197,23 +1214,23 @@
# StatusData.js, line 64 (17)
msgid "UNKNOWN"
-msgstr "未知"
+msgstr "不明"
# StatusData.js, line 46 (21)
msgid "UNREACHABLE"
-msgstr ""
+msgstr "到達不可能"
# StatusData.js, line 44 (12)
msgid "UP"
-msgstr ""
+msgstr "稼働"
# IcingaCommandHandler.js, line 129 (29)
msgid "Unknown"
-msgstr ""
+msgstr "不明"
# TasksSuccess.php, line 40 (54)
msgid "Unknown error - please check your logs"
-msgstr ""
+msgstr "不明なエラー - ログを確認してください"
# IcingaCommandHandler.js, line 189 (65)
msgid "Unknown field type: {0}"
@@ -1229,23 +1246,21 @@
msgstr "ユーザー"
# CronkPortalSuccess.php, line 179 (22)
-#, fuzzy
msgid "User name"
-msgstr "名前を変更しなさい"
+msgstr "ユーザー名"
# AppKitUtil.js, line 77 (32)
msgid "User preferences"
-msgstr ""
+msgstr "ユーザー設定"
# ShowNavigationTop.php, line 74 (31), line 71 (31)
# AjaxLoginSuccess.php, line 49 (41)
-#, fuzzy
msgid "Users"
msgstr "ユーザー"
# CronkListingPanel.js, line 111 (24)
msgid "Visible"
-msgstr ""
+msgstr "可視"
# StatusData.js, line 62 (17)
msgid "WARNING"
@@ -1257,11 +1272,11 @@
# CronkListingPanel.js, line 680 (101)
msgid "We have deleted your cronk \"{0}\""
-msgstr ""
+msgstr "あなたの\"{0}\"クロンクを削除しました"
# HelpSuccess.php, line 3 (31)
msgid "We're Icinga"
-msgstr ""
+msgstr "私たちはIcingaです"
# CronkPortalSuccess.php, line 68 (22)
msgid "Welcome"
@@ -1273,97 +1288,100 @@
# CronkListingPanel.js, line 175 (85)
msgid "You can not delete system categories"
-msgstr ""
+msgstr "システムカテゴリーは削除できません"
# PrincipalEditorSuccess.php, line 376 (55)
msgid "You haven't selected anything!"
-msgstr ""
+msgstr "何も選択されていません!"
# TasksSuccess.php, line 28 (91)
+#, fuzzy
msgid ""
"You're icinga-web server doesn't have ssh2 enabled, couldn't check results"
-msgstr ""
+msgstr "icinga-webサーバーのssh2が有効になっていません。結果を確認できません。"
# PreferencesSuccess.php, line 251 (92)
msgid "Your application profile has been deleted!"
-msgstr ""
+msgstr "アプリケーションプロファイルが削除されました!"
# PreferencesSuccess.php, line 55 (91)
msgid "Your default language hast changed!"
-msgstr ""
+msgstr "デフォルトの言語を変更しました!"
# AppKitUtil.js, line 83 (75)
msgid "Your login session has gone away, press ok to login again!"
-msgstr ""
+msgstr "ログインセッションが破棄されました。OKを押して再ログインしてください。"
# IndexSuccess.php, line 207 (23)
msgid "active"
-msgstr ""
+msgstr "アクティブ"
# SilentAuthConfigError.php, line 10 (125)
+#, fuzzy
msgid ""
"auth.behaviour is not properly configured. You need at least one of the "
"following attributes enabled:"
msgstr ""
+"auth.behaviourが正しく設定されていません。次の属性のうち少なくとも一つを設定"
+"してください。"
# FilterHandler.js, line 96 (19)
msgid "contain"
-msgstr ""
+msgstr "が次を含む"
# IndexSuccess.php, line 268 (28)
msgid "description"
-msgstr ""
+msgstr "概要"
# FilterHandler.js, line 97 (28)
msgid "does not contain"
-msgstr ""
+msgstr "が次を含まない"
# CronkListingPanel.js, line 665 (37)
msgid "elete cronk"
-msgstr ""
+msgstr "クロンクを削除"
# IndexSuccess.php, line 206 (22)
msgid "email"
-msgstr ""
+msgstr "メールアドレス"
# IndexSuccess.php, line 205 (26)
msgid "firstname"
-msgstr ""
+msgstr "名"
# FilterHandler.js, line 106 (24)
msgid "greater than"
-msgstr ""
+msgstr "が次以上"
# IndexSuccess.php, line 267 (26)
msgid "groupname"
-msgstr ""
+msgstr "グループ名"
# ObjectSearchSuccess.php, line 97 (22)
msgid "id"
-msgstr ""
+msgstr "id"
# FilterHandler.js, line 103 (14), line 98 (14), line 110 (14)
msgid "is"
-msgstr ""
+msgstr "が"
# FilterHandler.js, line 104 (18), line 99 (18)
msgid "is not"
-msgstr ""
+msgstr "が次とは異なる"
# IndexSuccess.php, line 269 (25)
msgid "isActive"
-msgstr ""
+msgstr "有効"
# IndexSuccess.php, line 204 (25)
msgid "lastname"
-msgstr ""
+msgstr "姓"
# FilterHandler.js, line 105 (21)
msgid "less than"
-msgstr ""
+msgstr "が次未満"
# CronkPortalSuccess.php, line 321 (33)
-#, fuzzy
msgid "log"
msgstr "ログ"
@@ -1377,26 +1395,24 @@
# IcingaCommandHandler.js, line 234 (23)
msgid "seconds"
-msgstr ""
+msgstr "秒"
# PortalViewSuccess.php, line 165 (61)
# CronkPortalSuccess.php, line 202 (43)
-#, fuzzy
msgid "untitled"
-msgstr "タイトルを入れなさい"
+msgstr "無題"
# CronkPortalSuccess.php, line 179 (22)
-#, fuzzy
msgid "username"
-msgstr "名前を変更しなさい"
+msgstr "ユーザー名"
# IcingaCommandHandler.js, line 237 (45)
msgid "{0} ({1} items)"
-msgstr ""
+msgstr "{0} ({1} 件)"
# IcingaCommandHandler.js, line 316 (102)
msgid "{0} command was sent successfully!"
-msgstr ""
+msgstr "{0}件のコマンド送信に成功しました!"
# AjaxLoginSuccess.php, line 29 (33)
#~ msgid "Try"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/nb/default.po
^
|
@@ -443,6 +443,10 @@
msgid "Exception thrown: %s"
msgstr "Unntak: %s"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -541,6 +545,11 @@
msgid "HOST_LATENCY"
msgstr "HOST_LATENCY"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "HOST_OUTPUT"
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "HOST_MAX_CHECK_ATTEMPTS"
@@ -874,6 +883,11 @@
msgid "Reload"
msgstr ""
+# IndexSuccess.php, line 166 (36)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Slett grupper"
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr "Oppdater cronk (ikke innholdet)"
@@ -918,6 +932,11 @@
msgid "Reset application state"
msgstr ""
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Tilbakestill"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -970,6 +989,11 @@
msgid "SERVICE_LATENCY"
msgstr "SERVICE_LATENCY"
+# simple_data_provider.xml, line 96 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "SERVICE_OUTPUT"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "SERVICE_MAX_CHECK_ATTEMPTS"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/nl/default.po
^
|
@@ -3,8 +3,8 @@
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2010-04-28 13:11+0200\n"
-"PO-Revision-Date: 2010-05-04 09:25+0200\n"
-"Last-Translator: Tom <tom.decooman@gmail.com>\n"
+"PO-Revision-Date: 2011-04-06 08:24+0200\n"
+"Last-Translator: Gerrit <gerrit.balk@blg.de>\n"
"Language-Team: LANGUAGE <LL@li.org>\n"
"Language: nl\n"
"MIME-Version: 1.0\n"
@@ -19,7 +19,7 @@
# TasksSuccess.php, line 63 (42)
msgid "(Re-)Start icinga process"
-msgstr ""
+msgstr "Herstarten icinga proces"
# IcingaCommandHandler.js, line 90 (41)
msgid "(default) no option"
@@ -46,9 +46,8 @@
msgstr ""
# IcingaCommandHandler.js, line 105 (27)
-#, fuzzy
msgid "Action"
-msgstr "Optie"
+msgstr "Actie"
# PreferencesSuccess.php, line 234 (19)
msgid "Add"
@@ -56,11 +55,11 @@
# CronkBuilder.js, line 329 (65)
msgid "Add new category"
-msgstr ""
+msgstr "Toevoegen categorie"
# IndexSuccess.php, line 154 (26), line 227 (27)
msgid "Add new group"
-msgstr ""
+msgstr "Nieuwe groep toevoegen"
# CronkBuilder.js, line 201 (79)
msgid "Add new parameter to properties"
@@ -68,7 +67,7 @@
# IndexSuccess.php, line 84 (25), line 160 (26)
msgid "Add new user"
-msgstr ""
+msgstr "Nieuwe gebruiker toevoegen"
# IcingaGridFilterHandler.js, line 183 (35)
msgid "Add restriction"
@@ -80,23 +79,23 @@
# AppKitUtil.js, line 125 (26)
msgid "Admin tasks"
-msgstr ""
+msgstr "Beheerderstaken"
# PreferencesSuccess.php, line 111 (23)
msgid "Advanced"
-msgstr ""
+msgstr "Geavanceerd"
# CronkBuilder.js, line 431 (33)
msgid "Agavi setting"
-msgstr ""
+msgstr "Agavi instelling"
# CronkBuilder.js, line 313 (52)
msgid "All categories available"
-msgstr ""
+msgstr "Alle beschikbare categorieën"
# PreferencesSuccess.php, line 251 (43)
msgid "App reset"
-msgstr ""
+msgstr "app reset"
# IcingaGridFilterHandler.js, line 118 (21)
msgid "Apply"
@@ -119,30 +118,28 @@
msgstr ""
# CronkPortalSuccess.php, line 202 (75)
-#, fuzzy
msgid "Authorization failed for this instance"
-msgstr "Wijzig titel voor deze tab"
+msgstr "Authenticatie mislukt voor deze instantie"
# StaticContentSuccess.php, line 49 (33)
msgid "Auto refresh"
msgstr "Auto refresh"
# StaticContentSuccess.php, line 49 (33)
-#, fuzzy
msgid "Auto refresh ({0} seconds)"
-msgstr "Auto refresh"
+msgstr "Automatisch vernieuwen ({0} seconden)"
# IndexSuccess.php, line 273 (29)
msgid "Available groups"
-msgstr ""
+msgstr "Beschikbare groepen"
# ViewLogsSuccess.php, line 99 (28)
msgid "Available logs"
-msgstr ""
+msgstr "Beschikbare logs"
# IndexSuccess.php, line 78 (28)
msgid "Available users"
-msgstr ""
+msgstr "Beschikbare gebruikers"
# IcingaCommandHandler.js, line 91 (31)
msgid "Broadcast"
@@ -150,85 +147,86 @@
# AppKitErrorHandler.js, line 208 (26)
msgid "Bug report"
-msgstr ""
+msgstr "Bug rapport"
# simple_data_provider.xml, line 6 (28)
msgid "COMMENT_AUTHOR_NAME"
-msgstr ""
+msgstr "COMMENT_AUTHOR_NAME"
# simple_data_provider.xml, line 8 (21)
msgid "COMMENT_DATA"
-msgstr ""
+msgstr "COMMENT_DATA"
# simple_data_provider.xml, line 7 (21)
msgid "COMMENT_TIME"
-msgstr ""
+msgstr "COMMENT_TIME"
# StatusData.js, line 63 (18)
msgid "CRITICAL"
-msgstr "CRITICAL"
+msgstr "Kritiek"
# PreferencesSuccess.php, line 184 (46)
msgid "Can't modify"
-msgstr ""
+msgstr "wijziging niet mogelijk"
# CronkListingPanel.js, line 96 (22)
msgid "CatId"
-msgstr ""
+msgstr "CatId"
# CronkBuilder.js, line 307 (32)
# CronkListingPanel.js, line 515 (24)
msgid "Categories"
-msgstr ""
+msgstr "Categorieën "
# CronkListingPanel.js, line 4 (27)
msgid "Category editor"
-msgstr ""
+msgstr "Categorie editor"
# AjaxLoginSuccess.php, line 54 (45)
-#, fuzzy
msgid "Change Password"
-msgstr "Paswoord"
+msgstr " Wachtwoord wijzigen"
# PreferencesSuccess.php, line 45 (30)
msgid "Change language"
-msgstr ""
+msgstr "Wijzig taal"
# PortalViewSuccess.php, line 165 (119)
msgid "Change title for this portlet"
-msgstr "Wijzig titel"
+msgstr "Wijzig titel van deze portlet"
# CronkPortalSuccess.php, line 202 (75)
msgid "Change title for this tab"
-msgstr "Wijzig titel voor deze tab"
+msgstr "Wijzig titel van deze tab"
# TasksSuccess.php, line 224 (20)
msgid "Clear"
-msgstr ""
+msgstr "Clear"
# TasksSuccess.php, line 217 (26)
msgid "Clear cache"
-msgstr ""
+msgstr "Cache wissen"
# AppKitErrorHandler.js, line 236 (28)
msgid "Clear errors"
-msgstr ""
+msgstr "verwijderen fouten"
# PrincipalEditorSuccess.php, line 387 (27)
msgid "Clear selection"
-msgstr ""
+msgstr "Selectie wissen"
# TasksSuccess.php, line 220 (82)
msgid "Clear the agavi configuration cache to apply new xml configuration."
msgstr ""
+"Verwijder avagi configuratie cache om de nieuwe xml configuratie toe te "
+"passen."
# AjaxLoginSuccess.php, line 100 (47)
msgid "Click here to view instructions"
-msgstr ""
+msgstr "Klik hier voor instructies"
# EditSuccess.php, line 83 (33)
msgid "Click to edit user"
-msgstr ""
+msgstr "Klik om gebruiker te wijzigen"
# ExtJs.js, line 224 (20)
# CronkPortalSuccess.php, line 164 (21)
@@ -245,16 +243,15 @@
# IcingaCommandHandler.js, line 316 (47)
msgid "Command sent"
-msgstr "Command verstuurd"
+msgstr "Commando verstuurd"
# AjaxGridLayoutSuccess.php, line 86 (41)
msgid "Commands"
msgstr "Commands"
# IcingaCommandHandler.js, line 316 (47)
-#, fuzzy
msgid "Comment bug"
-msgstr "Command verstuurd"
+msgstr "bug commentaar"
# TasksSuccess.php, line 88 (30)
msgid "Confirm"
@@ -268,6 +265,7 @@
# CronkListingSuccess.php, line 241 (79)
msgid "Could not load the cronk listing, following error occured: {0} ({1})"
msgstr ""
+"Onmogelijk om cronk lijst te laden, volgende fout is opgetreden: {0} ({1})"
# CronkPortalSuccess.php, line 131 (75)
msgid "Could not remove the last tab!"
@@ -283,44 +281,43 @@
# TasksSuccess.php, line 34 (69)
msgid "Couldn't submit check command - check your access.xml"
-msgstr ""
+msgstr "Niet mogelijk om commando uit te voeren - controleer de access.xml"
# IndexSuccess.php, line 143 (39)
msgid "Create a new group"
-msgstr ""
+msgstr "Maak een nieuwe groep"
# IndexSuccess.php, line 71 (38)
msgid "Create a new user"
-msgstr ""
+msgstr "Aanmaken nieuwe gebruiker"
# AppKitErrorHandler.js, line 231 (48)
msgid "Create report for dev.icinga.org"
-msgstr ""
+msgstr "Aanmaken rapport voor dev.icinga.org"
# EditSuccess.php, line 156 (28), line 56 (28)
msgid "Created"
-msgstr ""
+msgstr "Aangemaakt"
# IcingaCommandHandler.js, line 128 (30)
msgid "Critical"
msgstr "Critical"
# IcingaCommandHandler.js, line 128 (30)
-#, fuzzy
msgid "Critical error"
-msgstr "Critical"
+msgstr "kritieke fout"
# CronkBuilder.js, line 73 (107)
msgid "Cronk \"{0}\" successfully written to database!"
-msgstr ""
+msgstr "Cronk \"{0}\" naar databank geschreven."
# CronkBuilder.js, line 291 (36)
msgid "Cronk Id"
-msgstr ""
+msgstr "Cronk id"
# CronkListingPanel.js, line 680 (48)
msgid "Cronk deleted"
-msgstr ""
+msgstr "Cronk verwijderd"
# CronkBuilder.js, line 73 (41)
msgid "CronkBuilder"
@@ -332,7 +329,7 @@
# CronkListingPanel.js, line 124 (23)
msgid "Cronks"
-msgstr ""
+msgstr "Cronks"
# StatusData.js, line 45 (14)
msgid "DOWN"
@@ -340,15 +337,15 @@
# CronkListingPanel.js, line 661 (21), line 165 (20)
msgid "Delete"
-msgstr ""
+msgstr "Verwijder"
# IndexSuccess.php, line 166 (36)
msgid "Delete groups"
-msgstr ""
+msgstr "groepen verwijderen"
# IndexSuccess.php, line 95 (34)
msgid "Delete user"
-msgstr ""
+msgstr "verwijder gebruiker"
# IcingaGridFilterHandler.js, line 183 (35)
#, fuzzy
@@ -357,19 +354,19 @@
# HelpSuccess.php, line 33 (34)
msgid "Dev"
-msgstr ""
+msgstr "Dev"
# EditSuccess.php, line 92 (29), line 46 (29)
msgid "Disabled"
-msgstr ""
+msgstr "Uitgeschakeld"
# IcingaGridFilterHandler.js, line 124 (23)
msgid "Discard"
-msgstr ""
+msgstr "verwerpen"
# IndexSuccess.php, line 194 (36)
msgid "Displaying groups"
-msgstr ""
+msgstr "Groepen weergeven"
# MetaGridCreator.js, line 256 (55)
msgid "Displaying topics {0} - {1} of {2}"
@@ -377,15 +374,15 @@
# IndexSuccess.php, line 127 (35)
msgid "Displaying users"
-msgstr ""
+msgstr "Gebruikers weergeven"
# PrincipalEditorSuccess.php, line 324 (82)
msgid "Do you really want to delete all "
-msgstr ""
+msgstr "Wil je alles verwijderen?"
# IndexSuccess.php, line 166 (84)
msgid "Do you really want to delete these groups?"
-msgstr ""
+msgstr "Wil je deze groepen verwijderen"
# IndexSuccess.php, line 95 (81)
msgid "Do you really want to delete these users?"
@@ -397,15 +394,15 @@
# SilentAuthConfigError.php, line 19 (84)
msgid "Don't forget to clear the agavi config cache after that."
-msgstr ""
+msgstr "Vergeet niet de avagi configuratie cache te verwijderen"
# CronkListingPanel.js, line 646 (19)
msgid "Edit"
-msgstr ""
+msgstr "Bewerken"
# IndexSuccess.php, line 118 (32), line 106 (23)
msgid "Edit group"
-msgstr ""
+msgstr "Groep bewerken"
# IndexSuccess.php, line 34 (22), line 46 (31)
msgid "Edit user"
@@ -413,7 +410,7 @@
# EditSuccess.php, line 83 (26)
msgid "Email"
-msgstr ""
+msgstr "Email"
# PortalViewSuccess.php, line 165 (61)
# CronkPortalSuccess.php, line 202 (43)
@@ -427,7 +424,7 @@
# AppKitErrorHandler.js, line 44 (28)
msgid "Error report"
-msgstr ""
+msgstr "Probleem rapport"
# IcingaCommandHandler.js, line 310 (57)
msgid "Error sending command"
@@ -437,15 +434,18 @@
msgid "Exception thrown: %s"
msgstr ""
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
-msgstr ""
+msgstr "Expert mode"
# ExtJs.js, line 224 (20)
# CronkPortalSuccess.php, line 164 (21)
-#, fuzzy
msgid "False"
-msgstr "Sluiten"
+msgstr "Vals"
# AjaxGridLayoutSuccess.php, line 55 (23)
msgid "Filter"
@@ -461,7 +461,7 @@
# GridPanel.js, line 52 (36)
msgid "Get this view as URL"
-msgstr ""
+msgstr "Weergeven url"
# GridPanel.js, line 26 (30)
msgid "Grid settings"
@@ -536,6 +536,11 @@
msgid "HOST_LATENCY"
msgstr "HOST_LATENCY"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "HOST_OUTPUT"
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "HOST_MAX_CHECK_ATTEMPTS"
@@ -566,7 +571,7 @@
# CronkBuilder.js, line 301 (34)
msgid "Hidden"
-msgstr ""
+msgstr "verborgen"
# IndexSuccess.php, line 201 (29), line 134 (29)
msgid "Hide disabled "
@@ -582,7 +587,7 @@
# StatusOverallSuccess.php, line 76 (87)
msgid "Hosts"
-msgstr ""
+msgstr "Hosts"
# MonitorPerformanceSuccess.php, line 31 (48)
msgid "Hosts (active/passive)"
@@ -590,7 +595,7 @@
# StatusData.js, line 61 (19), line 41 (19)
msgid "IN TOTAL"
-msgstr ""
+msgstr "IN Totaal"
# HelpSuccess.php, line 32 (37)
msgid "Icinga"
@@ -598,20 +603,20 @@
# AppKitErrorHandler.js, line 213 (142)
msgid "Icinga bug report"
-msgstr ""
+msgstr "icinga bug rapport"
# HelpSuccess.php, line 32 (37)
-#, fuzzy
msgid "Icinga status"
-msgstr "Icinga"
+msgstr "Icinga status"
# CronkBuilder.js, line 354 (24), line 177 (27)
msgid "Image"
-msgstr ""
+msgstr "Afbeelding"
# TasksSuccess.php, line 229 (85)
msgid "In order to complete you have to reload the interface. Are you sure?"
msgstr ""
+"Voer deze uitvoering is een herstart nodig van de interface. ben je zeker?"
# IcingaCommandHandler.js, line 93 (52)
msgid "Increment current notification"
@@ -619,11 +624,11 @@
# TasksSuccess.php, line 156 (42)
msgid "Instance"
-msgstr ""
+msgstr "Instantie"
# TasksSuccess.php, line 37 (64)
msgid "Invalid authorization type defined in access.xml"
-msgstr ""
+msgstr "Ongeldig authenticatie type in access.xml"
# ObjectSearchSuccess.php, line 143 (105)
msgid "Item"
@@ -631,11 +636,11 @@
# ObjectSearchSuccess.php, line 143 (93)
msgid "Items"
-msgstr ""
+msgstr "Items"
# PreferencesSuccess.php, line 34 (29)
msgid "Language"
-msgstr ""
+msgstr "Taal"
# PreferencesSuccess.php, line 55 (49)
msgid "Language changed"
@@ -646,9 +651,8 @@
msgstr ""
# AjaxLoginSuccess.php, line 8 (64)
-#, fuzzy
msgid "Link"
-msgstr "Inloggen"
+msgstr "link"
# GridPanel.js, line 65 (35)
msgid "Link to this view"
@@ -656,50 +660,47 @@
# CronkListingPanel.js, line 235 (69)
msgid "Loading Cronks ..."
-msgstr ""
+msgstr "Laden Cronks ..."
# StaticContentSuccess.php, line 33 (52)
msgid "Loading TO \"{0}\" ..."
-msgstr ""
+msgstr "laden TO \"{0}\" ..."
# AjaxLoginSuccess.php, line 8 (64)
msgid "Login"
msgstr "Inloggen"
# AjaxLoginSuccess.php, line 8 (64)
-#, fuzzy
msgid "Login error"
-msgstr "Inloggen"
+msgstr "Aanmeldingsfout"
# SilentAuthConfigError.php, line 8 (52)
msgid "Login error (configuration)"
-msgstr ""
+msgstr "Aanmeldingsfout (configuratie)"
# AjaxLoginSuccess.php, line 94 (63)
msgid "Login failed"
msgstr "Inloggen mislukt"
# CronkPortalSuccess.php, line 321 (33)
-#, fuzzy
msgid "Logout"
-msgstr "Log"
+msgstr "Afmelden"
# ViewLogsSuccess.php, line 68 (37)
msgid "Message"
-msgstr ""
+msgstr "Bericht"
# CronkBuilder.js, line 271 (26)
msgid "Meta"
-msgstr ""
+msgstr "Meta"
# EditSuccess.php, line 53 (31), line 153 (31)
msgid "Meta information"
-msgstr ""
+msgstr "Meta informatie"
# AjaxGridLayoutSuccess.php, line 59 (25)
-#, fuzzy
msgid "Modified"
-msgstr "Wijzigen"
+msgstr "Gewijzigd"
# AjaxGridLayoutSuccess.php, line 59 (25)
msgid "Modify"
@@ -711,7 +712,7 @@
# CronkBuilder.js, line 439 (32)
msgid "Module"
-msgstr ""
+msgstr "Module"
# CronkPortalSuccess.php, line 179 (22)
#, fuzzy
@@ -720,16 +721,15 @@
# PreferencesSuccess.php, line 213 (29)
msgid "New Preference"
-msgstr ""
+msgstr "Nieuwe voorkeur"
# CronkBuilder.js, line 325 (40)
msgid "New category"
-msgstr ""
+msgstr "Nieuwe categorie"
# AjaxLoginSuccess.php, line 54 (45)
-#, fuzzy
msgid "New password"
-msgstr "Paswoord"
+msgstr "Nieuwe wachtwoord"
# IcingaCommandHandler.js, line 171 (23)
msgid "No"
@@ -745,7 +745,7 @@
# CronkBuilder.js, line 220 (66)
msgid "No selection was made!"
-msgstr ""
+msgstr "Er is geen selectie"
# MetaGridCreator.js, line 257 (39)
msgid "No topics to display"
@@ -753,15 +753,15 @@
# IndexSuccess.php, line 128 (36)
msgid "No users to display"
-msgstr ""
+msgstr "Geen gebruikers weer te geven"
# TasksSuccess.php, line 8 (63)
msgid "Not allowed"
-msgstr ""
+msgstr "Niet toegestaan"
# PrincipalEditorSuccess.php, line 335 (37)
msgid "Nothing selected"
-msgstr ""
+msgstr "Er is geen selectie"
# StatusData.js, line 61 (12)
# IcingaCommandHandler.js, line 245 (18), line 126 (24)
@@ -778,20 +778,19 @@
# StatusData.js, line 42 (17), line 65 (17)
msgid "PENDING"
-msgstr ""
+msgstr "PENDING"
# CronkBuilder.js, line 412 (30)
msgid "Parameters"
-msgstr ""
+msgstr "Parameters"
# AjaxLoginSuccess.php, line 54 (45)
msgid "Password"
msgstr "Paswoord"
# AjaxLoginSuccess.php, line 54 (45)
-#, fuzzy
msgid "Password changed"
-msgstr "Paswoord"
+msgstr "Wachtwoord aangepast"
# EditSuccess.php, line 173 (26), line 73 (26)
msgid "Permissions"
@@ -803,11 +802,11 @@
# TasksSuccess.php, line 80 (55)
msgid "Please confirm restarting icinga"
-msgstr ""
+msgstr "Bevestig herstart icinga"
# TasksSuccess.php, line 83 (58)
msgid "Please confirm shutting down icinga"
-msgstr ""
+msgstr "bevestig uitschakeling Icinga"
# SilentAuthError.php, line 12 (89)
msgid "Please contact your system admin if you think this is not common."
@@ -819,7 +818,7 @@
# CronkBuilder.js, line 77 (107)
msgid "Please fill out required fields (marked with an exclamation mark)"
-msgstr ""
+msgstr "Vul verplichte velden in (gemarkeerd met een uitroepteken)"
# EditSuccess.php, line 122 (57)
msgid "Please provide a password for this user"
@@ -831,7 +830,7 @@
# TasksSuccess.php, line 97 (71)
msgid "Please wait..."
-msgstr ""
+msgstr "Even wachten ..."
# IcingaGridFilterHandler.js, line 183 (35)
#, fuzzy
@@ -840,7 +839,7 @@
# HeaderSuccess.php, line 52 (45), line 50 (48)
msgid "Preferences"
-msgstr ""
+msgstr "Voorkeuren"
# PreferencesSuccessView.class.php, line 12 (59)
msgid "Preferences for user"
@@ -848,7 +847,7 @@
# HelloWorldSuccess.php, line 21 (22)
msgid "Press me"
-msgstr ""
+msgstr "Druk hier"
# PrincipalEditorSuccess.php, line 357 (24)
msgid "Principal"
@@ -856,7 +855,7 @@
# EditSuccess.php, line 197 (26), line 89 (26)
msgid "Principals"
-msgstr ""
+msgstr "Opdrachtgevers"
# StaticContentSuccess.php, line 38 (26)
# CronkPortalSuccess.php, line 185 (23)
@@ -869,7 +868,12 @@
# CronkListingPanel.js, line 437 (18), line 136 (20)
msgid "Reload"
-msgstr ""
+msgstr "herladen"
+
+# CronkListingPanel.js, line 437 (18), line 136 (20)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "herladen"
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
@@ -905,7 +909,7 @@
# AppKitErrorHandler.js, line 266 (43)
msgid "Request failed"
-msgstr ""
+msgstr "Aanvraag niet gelukt"
# IcingaGridFilterHandler.js, line 130 (21)
msgid "Reset"
@@ -915,9 +919,14 @@
msgid "Reset application state"
msgstr ""
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Reset"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
-msgstr ""
+msgstr "Resource"
# IcingaCommandHandler.js, line 130 (49)
msgid "Return code out of bounds"
@@ -925,7 +934,7 @@
# TasksSuccess.php, line 13 (70)
msgid "Running"
-msgstr ""
+msgstr "Actief"
# simple_data_provider.xml, line 101 (27)
msgid "SERVICE_CHECK_TYPE"
@@ -967,6 +976,11 @@
msgid "SERVICE_LATENCY"
msgstr "SERVICE_LATENCY"
+# simple_data_provider.xml, line 96 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "SERVICE_OUTPUT"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "SERVICE_MAX_CHECK_ATTEMPTS"
@@ -997,20 +1011,19 @@
# EditSuccess.php, line 109 (34), line 220 (34)
msgid "Save"
-msgstr ""
+msgstr "Opslaan"
# Tabhelper.js, line 175 (26)
msgid "Save Cronk"
-msgstr ""
+msgstr "Cronk opslaan"
# CronkBuilder.js, line 38 (29)
msgid "Save custom Cronk"
-msgstr ""
+msgstr "Opslaan custom cronk"
# AjaxLoginSuccess.php, line 54 (45)
-#, fuzzy
msgid "Save password"
-msgstr "Paswoord"
+msgstr "Opslaan wachtwoord"
# Tabhelper.js, line 176 (46)
msgid "Save this view as new cronk"
@@ -1030,11 +1043,11 @@
# CronkBuilder.js, line 167 (36)
msgid "Searching ..."
-msgstr ""
+msgstr "Aan het zoeken ..."
# ViewLogsSuccess.php, line 30 (44)
msgid "Seems like you have no logs"
-msgstr ""
+msgstr "Blijkbaar heb je geen logs"
# PrincipalEditorSuccess.php, line 347 (64)
msgid "Select a principal (Press Ctrl for multiple selects)"
@@ -1046,31 +1059,31 @@
# AppKitErrorHandler.js, line 226 (36)
msgid "Send report to admin"
-msgstr ""
+msgstr "Zend rapport naar admin"
# MonitorPerformanceSuccess.php, line 55 (57)
msgid "Service execution (min/avg/max)"
-msgstr ""
+msgstr "Uitvoeren service (min/avg/mx)"
# MonitorPerformanceSuccess.php, line 60 (55)
msgid "Service latency (min/avg/max)"
-msgstr ""
+msgstr "Service latency (min/avg/max)"
# StatusOverallSuccess.php, line 80 (85)
msgid "Services"
-msgstr ""
+msgstr "Services"
# MonitorPerformanceSuccess.php, line 50 (51)
msgid "Services (active/passive)"
-msgstr ""
+msgstr "Services (active/passive)"
# CronkTrigger.js, line 25 (46)
msgid "Services for "
-msgstr ""
+msgstr "Services voor"
# AppKitUtil.js, line 82 (34)
msgid "Session expired"
-msgstr ""
+msgstr "Sessie niet meer geldig"
# StaticContentSuccess.php, line 43 (27)
msgid "Settings"
@@ -1078,35 +1091,35 @@
# ViewLogsSuccess.php, line 69 (39)
msgid "Severity"
-msgstr ""
+msgstr "Severiteit"
# CronkBuilder.js, line 363 (38)
msgid "Share your Cronk"
-msgstr ""
+msgstr "Opslaan Cronk"
# TasksSuccess.php, line 247 (57)
msgid "Show status of accessible icinga instances"
-msgstr ""
+msgstr "Weergeven status van toegankelijke icinga instanties"
# CronkListingPanel.js, line 687 (77)
msgid "Some error: {0}"
-msgstr ""
+msgstr "Dezelfde fout: {0}"
# CronkPortalSuccess.php, line 131 (38)
msgid "Sorry"
-msgstr ""
+msgstr "Sorry"
# ViewProcSuccessView.class.php, line 49 (99)
msgid "Sorry, could not find a xml file for %s"
-msgstr ""
+msgstr "Sorry, kan xml bestand niet vinden voor %s"
# CronkLoaderSuccessView.class.php, line 30 (47)
msgid "Sorry, cronk \"%s\" not found"
-msgstr ""
+msgstr "Sorry, cronk \"%s\" niet gevonden"
# SilentAuthError.php, line 10 (77)
msgid "Sorry, you could not be authenticated for icinga-web."
-msgstr ""
+msgstr "Sorry, geen authenticatie mogelijk op icinga-web"
# CronkBuilder.js, line 451 (43)
msgid "State information"
@@ -1118,28 +1131,27 @@
# TasksSuccess.php, line 72 (36)
msgid "Stop icinga process"
-msgstr ""
+msgstr "Icinga proces stopppen"
# TasksSuccess.php, line 16 (72)
msgid "Stopped"
-msgstr ""
+msgstr "Gestopt"
# TasksSuccess.php, line 228 (26)
msgid "Success"
-msgstr ""
+msgstr "Gelukt"
# CronkPortalSuccess.php, line 179 (22)
-#, fuzzy
msgid "Surname"
-msgstr "Hernoemen"
+msgstr "Voornaam"
# CronkListingPanel.js, line 195 (76)
msgid "System categories are not editable!"
-msgstr ""
+msgstr "Aanpassen van systeem categorïen niet mogelijk!"
# CronkListingPanel.js, line 446 (23)
msgid "Tab slider"
-msgstr ""
+msgstr "Tab slider"
# StaticContentSuccess.php, line 45 (48)
msgid "Tactical overview settings"
@@ -1151,7 +1163,7 @@
# AppKitErrorHandler.js, line 214 (33)
msgid "The following "
-msgstr ""
+msgstr "het volgende"
# PreferencesSuccess.php, line 103 (86)
msgid "The password was successfully changed"
@@ -1171,17 +1183,16 @@
# PreferencesSuccess.php, line 184 (75)
msgid "This item is read only!"
-msgstr ""
+msgstr "Dit item is alleen lezen"
# ViewLogsSuccess.php, line 67 (31)
msgid "Time"
-msgstr ""
+msgstr "Tijd"
# PortalViewSuccess.php, line 165 (61)
# CronkPortalSuccess.php, line 202 (43)
-#, fuzzy
msgid "Title"
-msgstr "Voer titel in"
+msgstr "Titel"
# AppKitUtil.js, line 57 (47)
msgid "To be on the verge to logout ..."
@@ -1190,15 +1201,17 @@
# PreferencesSuccess.php, line 231 (83)
msgid "To start with a new application profile, click the following button."
msgstr ""
+"Om een op te starten met een nieuwe applicatie profiel, klik op de volgende "
+"knop."
# ApiSimpleDataProviderModel.class.php, line 127 (52)
msgid "True"
-msgstr ""
+msgstr "Waar"
# PrincipalEditorSuccess.php, line 365 (19)
# ObjectSearchSuccess.php, line 102 (24)
msgid "Type"
-msgstr ""
+msgstr "Type"
# StatusData.js, line 64 (17)
msgid "UNKNOWN"
@@ -1210,34 +1223,32 @@
# StatusData.js, line 44 (12)
msgid "UP"
-msgstr ""
+msgstr "Actief"
# IcingaCommandHandler.js, line 129 (29)
msgid "Unknown"
-msgstr "Unknown"
+msgstr "ONBEKEND"
# TasksSuccess.php, line 40 (54)
msgid "Unknown error - please check your logs"
-msgstr ""
+msgstr "Onbekende error - controleer de logs"
# IcingaCommandHandler.js, line 189 (65)
msgid "Unknown field type: {0}"
-msgstr ""
+msgstr "Onbekend veld type: {0}"
# IcingaCommandHandler.js, line 129 (29)
-#, fuzzy
msgid "Unknown id"
-msgstr "Unknown"
+msgstr "Onbekend id"
# ShowNavigationTop.php, line 74 (31), line 71 (31)
# AjaxLoginSuccess.php, line 49 (41)
msgid "User"
-msgstr ""
+msgstr "gebruiker"
# CronkPortalSuccess.php, line 179 (22)
-#, fuzzy
msgid "User name"
-msgstr "Hernoemen"
+msgstr "gebruikersnaam"
# AppKitUtil.js, line 77 (32)
msgid "User preferences"
@@ -1249,7 +1260,7 @@
# CronkListingPanel.js, line 111 (24)
msgid "Visible"
-msgstr ""
+msgstr "Zichtbaar"
# StatusData.js, line 62 (17)
msgid "WARNING"
@@ -1261,7 +1272,7 @@
# CronkListingPanel.js, line 680 (101)
msgid "We have deleted your cronk \"{0}\""
-msgstr ""
+msgstr "Uw cronk werd verwijderd \"{0}"
# HelpSuccess.php, line 32 (37)
#, fuzzy
@@ -1274,24 +1285,26 @@
# IcingaCommandHandler.js, line 170 (24)
msgid "Yes"
-msgstr ""
+msgstr "Ja"
# CronkListingPanel.js, line 175 (85)
msgid "You can not delete system categories"
-msgstr ""
+msgstr "je kan geen systeem categorïen verwijderen"
# PrincipalEditorSuccess.php, line 376 (55)
msgid "You haven't selected anything!"
-msgstr ""
+msgstr "Je heb geen selectie gemaakt!"
# TasksSuccess.php, line 28 (91)
msgid ""
"You're icinga-web server doesn't have ssh2 enabled, couldn't check results"
msgstr ""
+"Er is geen SSH2 ingeschakeld op de icinga-web server, geen controle "
+"resultaten kunnen verwerken"
# PreferencesSuccess.php, line 251 (92)
msgid "Your application profile has been deleted!"
-msgstr ""
+msgstr "Uw applicatie profiel is verwijderd"
# PreferencesSuccess.php, line 55 (91)
msgid "Your default language hast changed!"
@@ -1300,6 +1313,7 @@
# AppKitUtil.js, line 83 (75)
msgid "Your login session has gone away, press ok to login again!"
msgstr ""
+"uw login sessie is niet meer geldig, druk op ok om opnieuw aan te melden"
# IndexSuccess.php, line 207 (23)
msgid "active"
@@ -1310,10 +1324,12 @@
"auth.behaviour is not properly configured. You need at least one of the "
"following attributes enabled:"
msgstr ""
+"auth.behaviour is niet juist geconfigureerd. Je moet minstens één van de "
+"volgende attributen ingeschakeld hebben:"
# FilterHandler.js, line 96 (19)
msgid "contain"
-msgstr ""
+msgstr "Bevatten"
# IcingaGridFilterHandler.js, line 183 (35)
#, fuzzy
@@ -1338,23 +1354,23 @@
# FilterHandler.js, line 106 (24)
msgid "greater than"
-msgstr ""
+msgstr "groter dan"
# IndexSuccess.php, line 267 (26)
msgid "groupname"
-msgstr ""
+msgstr "groepsnaam"
# ObjectSearchSuccess.php, line 97 (22)
msgid "id"
-msgstr ""
+msgstr "id"
# FilterHandler.js, line 103 (14), line 98 (14), line 110 (14)
msgid "is"
-msgstr ""
+msgstr "is"
# FilterHandler.js, line 104 (18), line 99 (18)
msgid "is not"
-msgstr ""
+msgstr "is niet"
# IndexSuccess.php, line 269 (25)
msgid "isActive"
@@ -1362,11 +1378,11 @@
# IndexSuccess.php, line 204 (25)
msgid "lastname"
-msgstr ""
+msgstr "Naam"
# FilterHandler.js, line 105 (21)
msgid "less than"
-msgstr ""
+msgstr "minder dan"
# CronkPortalSuccess.php, line 321 (33)
#, fuzzy
@@ -1379,7 +1395,7 @@
# IndexSuccess.php, line 127 (57), line 194 (58)
msgid "of"
-msgstr ""
+msgstr "of"
# IcingaCommandHandler.js, line 234 (23)
msgid "seconds"
@@ -1387,18 +1403,16 @@
# PortalViewSuccess.php, line 165 (61)
# CronkPortalSuccess.php, line 202 (43)
-#, fuzzy
msgid "untitled"
-msgstr "Voer titel in"
+msgstr "geen titel"
# CronkPortalSuccess.php, line 179 (22)
-#, fuzzy
msgid "username"
-msgstr "Hernoemen"
+msgstr "Gebruikersnaam"
# IcingaCommandHandler.js, line 237 (45)
msgid "{0} ({1} items)"
-msgstr ""
+msgstr "{0} ({1} items)"
# IcingaCommandHandler.js, line 316 (102)
msgid "{0} command was sent successfully!"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/nn/default.po
^
|
@@ -433,6 +433,10 @@
msgid "Exception thrown: %s"
msgstr ""
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -529,6 +533,10 @@
msgid "HOST_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 73 (25)
+msgid "HOST_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr ""
@@ -856,6 +864,10 @@
msgid "Reload"
msgstr ""
+# Tabhelper.js, line 210 (27)
+msgid "Reload cronk"
+msgstr ""
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr ""
@@ -900,6 +912,10 @@
msgid "Reset application state"
msgstr ""
+# Tabhelper.js, line 194 (25)
+msgid "Reset view"
+msgstr ""
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -952,6 +968,10 @@
msgid "SERVICE_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 199 (28)
+msgid "SERVICE_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr ""
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/pl/default.po
^
|
@@ -442,6 +442,10 @@
msgid "Exception thrown: %s"
msgstr "Wystąpił wyjątek: %s"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -540,6 +544,11 @@
msgid "HOST_LATENCY"
msgstr "OPOZNIENIE_HOSTA"
+# simple_data_provider.xml, line 11 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "RESULTAT_HOSTA"
+
# simple_data_provider.xml, line 14 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "MAKSYMALNA_ILOSC_PROB_HOSTA"
@@ -873,6 +882,11 @@
msgid "Reload"
msgstr ""
+# IndexSuccess.php, line 159 (37)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Usuń grupy"
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr "Aktualizacja cronka (nie treść)"
@@ -917,6 +931,11 @@
msgid "Reset application state"
msgstr ""
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Resetuj"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -969,6 +988,11 @@
msgid "SERVICE_LATENCY"
msgstr "Opóźnienia"
+# simple_data_provider.xml, line 97 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "Rezultat"
+
# simple_data_provider.xml, line 100 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "Maksymalne próbowanie czeka"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/pt/default.po
^
|
@@ -446,6 +446,10 @@
msgid "Exception thrown: %s"
msgstr "Exceção lançada: %s"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -543,6 +547,11 @@
msgid "HOST_LATENCY"
msgstr "HOST_LATENCY"
+# simple_data_provider.xml, line 11 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "HOST_OUTPUT"
+
# simple_data_provider.xml, line 14 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "HOST_MAX_CHECK_ATTEMPTS"
@@ -878,6 +887,11 @@
msgid "Reload"
msgstr ""
+# IndexSuccess.php, line 159 (37)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Excluir grupos"
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr "Atualizar o cronk (não o conteúdo)"
@@ -922,6 +936,11 @@
msgid "Reset application state"
msgstr "Redefinir o estado do aplicativo"
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Reiniciar"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr "Recurso"
@@ -974,6 +993,11 @@
msgid "SERVICE_LATENCY"
msgstr "SERVICE_LATENCY"
+# simple_data_provider.xml, line 97 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "SERVICE_OUTPUT"
+
# simple_data_provider.xml, line 100 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "SERVICE_MAX_CHECK_ATTEMPTS"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/pt_BR/default.po
^
|
@@ -529,6 +529,10 @@
msgid "Exception thrown: %s"
msgstr "Exceção lançada: %s"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -646,6 +650,12 @@
msgid "HOST_LATENCY"
msgstr "HOST_LATENCY"
+# simple_data_provider.xml, line 71 (20)
+# simple_data_provider.xml, line 11 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "HOST_OUTPUT"
+
# simple_data_provider.xml, line 74 (32)
# simple_data_provider.xml, line 14 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
@@ -1039,6 +1049,12 @@
msgid "Reload"
msgstr ""
+# IndexSuccess.php, line 171 (36)
+# IndexSuccess.php, line 159 (37)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Excluir grupos"
+
# Tabhelper.js, line 152 (52)
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
@@ -1094,6 +1110,12 @@
msgid "Reset application state"
msgstr "Redefinir o estado do aplicativo"
+# IcingaGridFilterHandler.js, line 139 (22)
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Reiniciar"
+
# AppKitErrorHandler.js, line 311 (29)
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
@@ -1157,6 +1179,12 @@
msgid "SERVICE_LATENCY"
msgstr "SERVICE_LATENCY"
+# simple_data_provider.xml, line 190 (23)
+# simple_data_provider.xml, line 97 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "SERVICE_OUTPUT"
+
# simple_data_provider.xml, line 193 (35)
# simple_data_provider.xml, line 100 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/ro/default.po
^
|
@@ -3,8 +3,8 @@
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2010-04-29 00:12+0200\n"
-"PO-Revision-Date: 2010-05-27 22:06+0200\n"
-"Last-Translator: Mike <mihai@radoveanu.ro>\n"
+"PO-Revision-Date: 2011-03-26 21:12+0200\n"
+"Last-Translator: Marius <mboeru@gmail.com>\n"
"Language-Team: LANGUAGE <LL@li.org>\n"
"Language: ro\n"
"MIME-Version: 1.0\n"
@@ -16,11 +16,11 @@
# PrincipalEditorSuccess.php, line 324 (110)
msgid " principals?"
-msgstr ""
+msgstr "principale?"
# TasksSuccess.php, line 63 (42)
msgid "(Re-)Start icinga process"
-msgstr ""
+msgstr "(Re-)Porneste procesul icinga"
# IcingaCommandHandler.js, line 90 (41)
msgid "(default) no option"
@@ -32,7 +32,7 @@
# AppKitErrorHandler.js, line 327 (51)
msgid "A error occured when requesting "
-msgstr ""
+msgstr "A avut loc o eroare la cerere"
# IcingaCommandHandler.js, line 251 (21)
msgid "Abort"
@@ -44,12 +44,11 @@
# AppKitErrorHandler.js, line 324 (32)
msgid "Access denied"
-msgstr ""
+msgstr "Accesul Interzis"
# IcingaCommandHandler.js, line 105 (27)
-#, fuzzy
msgid "Action"
-msgstr "Opțiune"
+msgstr "Acțiune"
# PrincipalEditorSuccess.php, line 48 (36)
#, fuzzy
@@ -58,19 +57,19 @@
# CronkBuilder.js, line 329 (65)
msgid "Add new category"
-msgstr ""
+msgstr "Adauga o categorie noua"
# IndexSuccess.php, line 154 (26), line 227 (27)
msgid "Add new group"
-msgstr ""
+msgstr "Adauga un grup nou"
# CronkBuilder.js, line 201 (79)
msgid "Add new parameter to properties"
-msgstr ""
+msgstr "Adauga parametru nou la proprietati"
# IndexSuccess.php, line 84 (25), line 160 (26)
msgid "Add new user"
-msgstr ""
+msgstr "Adauga un nou utilizator"
# IcingaGridFilterHandler.js, line 183 (35)
msgid "Add restriction"
@@ -78,15 +77,15 @@
# PrincipalEditorSuccess.php, line 371 (35)
msgid "Add selected principals"
-msgstr ""
+msgstr "Adauga princilalele selectate"
# AppKitUtil.js, line 125 (26)
msgid "Admin tasks"
-msgstr ""
+msgstr "Taskuri Administrative"
# PreferencesSuccess.php, line 111 (23)
msgid "Advanced"
-msgstr ""
+msgstr "Avansat"
# StaticContentSuccess.php, line 43 (27)
#, fuzzy
@@ -95,11 +94,11 @@
# CronkBuilder.js, line 313 (52)
msgid "All categories available"
-msgstr ""
+msgstr "Toate categoriile disponibile"
# PreferencesSuccess.php, line 251 (43)
msgid "App reset"
-msgstr ""
+msgstr "resetare app"
# IcingaGridFilterHandler.js, line 118 (21)
msgid "Apply"
@@ -107,117 +106,116 @@
# CronkListingPanel.js, line 665 (84)
msgid "Are you sure to delete {0}"
-msgstr ""
+msgstr "Sigur doriti sa stergeti {0}"
# AppKitUtil.js, line 62 (37)
msgid "Are you sure to do this?"
-msgstr ""
+msgstr "Esti sigur ca vrei sa faci asta?"
# EditSuccess.php, line 95 (29)
msgid "Auth via"
-msgstr ""
+msgstr "Auth prin"
# EditSuccess.php, line 143 (47)
msgid "Authkey for Api (optional)"
-msgstr ""
+msgstr "Authkey pentru Api (optional)"
# TasksSuccess.php, line 31 (54)
msgid "Authorization failed for this instance"
-msgstr ""
+msgstr "Autorizarea a esuat pentru aceasta instanta"
# StaticContentSuccess.php, line 49 (33)
msgid "Auto refresh"
-msgstr ""
+msgstr "Reimprosparare automata"
# GridPanel.js, line 36 (56)
msgid "Auto refresh ({0} seconds)"
-msgstr ""
+msgstr "Reimprosparare automata ({0} secunde)"
# IndexSuccess.php, line 273 (29)
msgid "Available groups"
-msgstr ""
+msgstr "Grupuri disponibile"
# ViewLogsSuccess.php, line 99 (28)
msgid "Available logs"
-msgstr ""
+msgstr "Loguri disponibile"
# IndexSuccess.php, line 78 (28)
msgid "Available users"
-msgstr ""
+msgstr "Utilizatori disponibili"
# IcingaCommandHandler.js, line 91 (31)
msgid "Broadcast"
-msgstr ""
+msgstr "Transmite"
# AppKitErrorHandler.js, line 208 (26)
msgid "Bug report"
-msgstr ""
+msgstr "Raporteaza bug"
# simple_data_provider.xml, line 6 (28)
msgid "COMMENT_AUTHOR_NAME"
-msgstr ""
+msgstr "Autor"
# simple_data_provider.xml, line 8 (21)
msgid "COMMENT_DATA"
-msgstr ""
+msgstr "Comentariu"
# simple_data_provider.xml, line 7 (21)
msgid "COMMENT_TIME"
-msgstr ""
+msgstr "Timp"
# StatusData.js, line 63 (18)
msgid "CRITICAL"
-msgstr ""
+msgstr "CRITIC"
# PreferencesSuccess.php, line 184 (46)
msgid "Can't modify"
-msgstr ""
+msgstr "Nu se poate modifica"
# CronkListingPanel.js, line 96 (22)
msgid "CatId"
-msgstr ""
+msgstr "CatId"
# CronkBuilder.js, line 307 (32)
# CronkListingPanel.js, line 515 (24)
msgid "Categories"
-msgstr ""
+msgstr "Categorii"
# CronkListingPanel.js, line 4 (27)
msgid "Category editor"
-msgstr ""
+msgstr "Editor de categorii"
# AjaxLoginSuccess.php, line 54 (45)
-#, fuzzy
msgid "Change Password"
-msgstr "Parolă"
+msgstr "Schimbă Parola"
# PreferencesSuccess.php, line 45 (30)
msgid "Change language"
-msgstr ""
+msgstr "Schimbă limba"
# PortalViewSuccess.php, line 165 (119)
msgid "Change title for this portlet"
-msgstr ""
+msgstr "Schimbă titlu pentru acest portlet"
# CronkPortalSuccess.php, line 202 (75)
msgid "Change title for this tab"
-msgstr ""
+msgstr "Schimbă titlu pentru acest tab"
# TasksSuccess.php, line 224 (20)
msgid "Clear"
-msgstr ""
+msgstr "Curătă"
# TasksSuccess.php, line 217 (26)
msgid "Clear cache"
-msgstr ""
+msgstr "Curătă cacheul"
# AppKitErrorHandler.js, line 236 (28)
msgid "Clear errors"
-msgstr ""
+msgstr "Curătă erorile"
# PrincipalEditorSuccess.php, line 387 (27)
msgid "Clear selection"
-msgstr ""
+msgstr "Curătă selectia"
# TasksSuccess.php, line 220 (82)
msgid "Clear the agavi configuration cache to apply new xml configuration."
@@ -225,11 +223,11 @@
# AjaxLoginSuccess.php, line 100 (47)
msgid "Click here to view instructions"
-msgstr ""
+msgstr "Apasati aici pentru a vedea instructiunile"
# EditSuccess.php, line 83 (33)
msgid "Click to edit user"
-msgstr ""
+msgstr "Apasati aici pentru a modifica utilizatorul"
# ExtJs.js, line 224 (20)
# CronkPortalSuccess.php, line 164 (21)
@@ -259,111 +257,109 @@
# TasksSuccess.php, line 88 (30)
msgid "Confirm"
-msgstr ""
+msgstr "Confirma"
# PreferencesSuccess.php, line 76 (37)
# EditSuccess.php, line 131 (37)
msgid "Confirm password"
-msgstr ""
+msgstr "Confirma Parola"
# CronkListingSuccess.php, line 241 (79)
msgid "Could not load the cronk listing, following error occured: {0} ({1})"
msgstr ""
+"Nu s-a putut incarca listarea cronk, a aparut urmatoarea eroare: {0} ({1})"
# CronkPortalSuccess.php, line 131 (75)
msgid "Could not remove the last tab!"
-msgstr "Nu am putut sterge ultimul tab"
+msgstr "Nu am putut sterge ultimul tab!"
# IcingaCommandHandler.js, line 312 (112)
msgid "Could not send the command, please examine the logs!"
-msgstr ""
+msgstr "Nu s-a putut trimite comanda, verificati logurile!"
# AppKitErrorHandler.js, line 332 (74)
msgid "Couldn't connect to web-server."
-msgstr ""
+msgstr "Nu s-a putut conecta la serverul web"
# TasksSuccess.php, line 34 (69)
msgid "Couldn't submit check command - check your access.xml"
-msgstr ""
+msgstr "Nu s-a putut trimite comanda de verificare - verificati access.xml"
# IndexSuccess.php, line 143 (39)
msgid "Create a new group"
-msgstr ""
+msgstr "Creaza un nou grup"
# IndexSuccess.php, line 71 (38)
msgid "Create a new user"
-msgstr ""
+msgstr "Creaza un nou utilizator"
# AppKitErrorHandler.js, line 231 (48)
msgid "Create report for dev.icinga.org"
-msgstr ""
+msgstr "Creaza un raport pentru dev.icinga.org"
# EditSuccess.php, line 156 (28), line 56 (28)
msgid "Created"
-msgstr ""
+msgstr "Creat"
# IcingaCommandHandler.js, line 128 (30)
msgid "Critical"
msgstr "Critic"
# IcingaCommandHandler.js, line 128 (30)
-#, fuzzy
msgid "Critical error"
-msgstr "Critic"
+msgstr "Eroare Critica"
# CronkBuilder.js, line 73 (107)
msgid "Cronk \"{0}\" successfully written to database!"
-msgstr ""
+msgstr "Cronk \"{0}\" scris cu succes in baza de date!"
# CronkBuilder.js, line 291 (36)
msgid "Cronk Id"
-msgstr ""
+msgstr "Id Cronk"
# CronkListingPanel.js, line 680 (48)
msgid "Cronk deleted"
-msgstr ""
+msgstr "Cronk Sters"
# CronkBuilder.js, line 73 (41)
msgid "CronkBuilder"
-msgstr ""
+msgstr "CronkBuilder"
# CronkListingPanel.js, line 656 (71)
msgid "CronkBuilder has gone away!"
-msgstr ""
+msgstr "CronkBuilder a disparut!"
# CronkListingPanel.js, line 124 (23)
msgid "Cronks"
-msgstr ""
+msgstr "Cronkuri"
# StatusData.js, line 45 (14)
msgid "DOWN"
-msgstr "CAZUT"
+msgstr "PICAT"
# CronkListingPanel.js, line 661 (21), line 165 (20)
msgid "Delete"
-msgstr ""
+msgstr "Sterge"
# IndexSuccess.php, line 166 (36)
msgid "Delete groups"
-msgstr ""
+msgstr "Sterge grupuri"
# IndexSuccess.php, line 95 (34)
msgid "Delete user"
-msgstr ""
+msgstr "Sterge utilizator"
# IcingaGridFilterHandler.js, line 183 (35)
-#, fuzzy
msgid "Description"
-msgstr "Adauga restrictie"
+msgstr "Descriere"
# HelpSuccess.php, line 33 (34)
msgid "Dev"
msgstr "Dev"
# IcingaGridFilterHandler.js, line 124 (23)
-#, fuzzy
msgid "Disabled"
-msgstr "Renunta"
+msgstr "Dezactivat"
# IcingaGridFilterHandler.js, line 124 (23)
msgid "Discard"
@@ -371,51 +367,51 @@
# IndexSuccess.php, line 194 (36)
msgid "Displaying groups"
-msgstr ""
+msgstr "Afisam grupurile"
# MetaGridCreator.js, line 256 (55)
msgid "Displaying topics {0} - {1} of {2}"
-msgstr ""
+msgstr "Afisam topicurile {0} - {1} din {2}"
# IndexSuccess.php, line 127 (35)
msgid "Displaying users"
-msgstr ""
+msgstr "Afisam utilizatorii"
# PrincipalEditorSuccess.php, line 324 (82)
msgid "Do you really want to delete all "
-msgstr ""
+msgstr "Chiar vreti sa stergeti tot"
# IndexSuccess.php, line 166 (84)
msgid "Do you really want to delete these groups?"
-msgstr ""
+msgstr "Chiar vreti sa stergeti acest grupuri?"
# IndexSuccess.php, line 95 (81)
msgid "Do you really want to delete these users?"
-msgstr ""
+msgstr "Chiar vreti sa stergeti acesti utilizatori?"
# HelpSuccess.php, line 34 (35)
msgid "Docs"
-msgstr "Documente"
+msgstr "Docs"
# SilentAuthConfigError.php, line 19 (84)
msgid "Don't forget to clear the agavi config cache after that."
-msgstr ""
+msgstr "Nu uita sa golesti cacheul agavi config dupa asta."
# CronkListingPanel.js, line 646 (19)
msgid "Edit"
-msgstr ""
+msgstr "Modifica"
# IndexSuccess.php, line 118 (32), line 106 (23)
msgid "Edit group"
-msgstr ""
+msgstr "Modifica grup"
# IndexSuccess.php, line 34 (22), line 46 (31)
msgid "Edit user"
-msgstr ""
+msgstr "Modifica utilizator"
# EditSuccess.php, line 83 (26)
msgid "Email"
-msgstr ""
+msgstr "Email"
# PortalViewSuccess.php, line 165 (61)
# CronkPortalSuccess.php, line 202 (43)
@@ -425,11 +421,11 @@
# IndexSuccess.php, line 50 (29), line 122 (28)
# EditSuccess.php, line 134 (28), line 248 (28)
msgid "Error"
-msgstr ""
+msgstr "Eroare"
# AppKitErrorHandler.js, line 44 (28)
msgid "Error report"
-msgstr ""
+msgstr "Raport Erori"
# IcingaCommandHandler.js, line 310 (57)
msgid "Error sending command"
@@ -437,21 +433,24 @@
# CronkLoaderSuccessView.class.php, line 34 (39)
msgid "Exception thrown: %s"
+msgstr "S-a primit exceptie: %s"
+
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
msgstr ""
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
-msgstr ""
+msgstr "Mod Expert"
# ExtJs.js, line 224 (20)
# CronkPortalSuccess.php, line 164 (21)
-#, fuzzy
msgid "False"
-msgstr "Inchide"
+msgstr "Fals"
# AjaxGridLayoutSuccess.php, line 55 (23)
msgid "Filter"
-msgstr "Filtru"
+msgstr "Filtreaza"
# IcingaCommandHandler.js, line 92 (28)
msgid "Forced"
@@ -459,28 +458,27 @@
# EditSuccess.php, line 34 (34), line 23 (34)
msgid "General information"
-msgstr ""
+msgstr "Informatii Generale"
# GridPanel.js, line 52 (36)
msgid "Get this view as URL"
-msgstr ""
+msgstr "Obtine acet view ca URL"
# StaticContentSuccess.php, line 43 (27)
-#, fuzzy
msgid "Grid settings"
-msgstr "Setări"
+msgstr "Setări grilă"
# IndexSuccess.php, line 26 (30)
msgid "Group inheritance"
-msgstr ""
+msgstr "Mostenire grupuri"
# EditSuccess.php, line 29 (31)
msgid "Group name"
-msgstr ""
+msgstr "Nume grup"
# EditSuccess.php, line 180 (22)
msgid "Groups"
-msgstr ""
+msgstr "Grupuri"
# ShowNavigationTop.php, line 74 (66)
msgid "Guest"
@@ -491,9 +489,8 @@
msgstr "Adresă"
# simple_data_provider.xml, line 6 (21)
-#, fuzzy
msgid "HOST_ADDRESS6"
-msgstr "Adresă"
+msgstr "Adresă6"
# simple_data_provider.xml, line 7 (19)
msgid "HOST_ALIAS"
@@ -505,7 +502,7 @@
# simple_data_provider.xml, line 12 (35)
msgid "HOST_CURRENT_CHECK_ATTEMPT"
-msgstr ""
+msgstr "Incercarea de verificare"
# simple_data_provider.xml, line 9 (27)
msgid "HOST_CURRENT_STATE"
@@ -513,7 +510,7 @@
# simple_data_provider.xml, line 8 (26)
msgid "HOST_DISPLAY_NAME"
-msgstr ""
+msgstr "Nume Afişat"
# simple_data_provider.xml, line 17 (28)
msgid "HOST_EXECUTION_TIME"
@@ -539,6 +536,11 @@
msgid "HOST_LATENCY"
msgstr "Latență"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "Output"
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "Număr maxim incercări"
@@ -553,15 +555,15 @@
# simple_data_provider.xml, line 10 (20)
msgid "HOST_OUTPUT"
-msgstr ""
+msgstr "Output"
# simple_data_provider.xml, line 11 (22)
msgid "HOST_PERFDATA"
-msgstr ""
+msgstr "Perfdata"
# simple_data_provider.xml, line 22 (38)
msgid "HOST_SCHEDULED_DOWNTIME_DEPTH"
-msgstr ""
+msgstr "Adâncimea perioadei programate"
# simple_data_provider.xml, line 23 (32)
msgid "HOST_STATUS_UPDATE_TIME"
@@ -569,31 +571,31 @@
# CronkBuilder.js, line 301 (34)
msgid "Hidden"
-msgstr ""
+msgstr "Ascuns"
# IndexSuccess.php, line 201 (29), line 134 (29)
msgid "Hide disabled "
-msgstr ""
+msgstr "Ascuns dezactivat"
# MonitorPerformanceSuccess.php, line 36 (59)
msgid "Host execution time (min/avg/max)"
-msgstr ""
+msgstr "Timp de executie Host (min/med/max)"
# MonitorPerformanceSuccess.php, line 41 (52)
msgid "Host latency (min/avg/max)"
-msgstr ""
+msgstr "Latenţă Host (min/med/max)"
# StatusOverallSuccess.php, line 76 (87)
msgid "Hosts"
-msgstr ""
+msgstr "Hosturi"
# MonitorPerformanceSuccess.php, line 31 (48)
msgid "Hosts (active/passive)"
-msgstr ""
+msgstr "Hosturi (active/pasive)"
# StatusData.js, line 61 (19), line 41 (19)
msgid "IN TOTAL"
-msgstr ""
+msgstr "IN TOTAL"
# HelpSuccess.php, line 32 (37)
msgid "Icinga"
@@ -601,20 +603,19 @@
# AppKitErrorHandler.js, line 213 (142)
msgid "Icinga bug report"
-msgstr ""
+msgstr "Icinga bug report"
# HelpSuccess.php, line 32 (37)
-#, fuzzy
msgid "Icinga status"
-msgstr "Icinga"
+msgstr "Status Icinga"
# CronkBuilder.js, line 354 (24), line 177 (27)
msgid "Image"
-msgstr ""
+msgstr "Imagine"
# TasksSuccess.php, line 229 (85)
msgid "In order to complete you have to reload the interface. Are you sure?"
-msgstr ""
+msgstr "Pentru a termina trebuie sa reincarcati interfata. Sunteti siguri?"
# IcingaCommandHandler.js, line 93 (52)
msgid "Increment current notification"
@@ -622,7 +623,7 @@
# TasksSuccess.php, line 156 (42)
msgid "Instance"
-msgstr ""
+msgstr "Instanţă"
# TasksSuccess.php, line 37 (64)
msgid "Invalid authorization type defined in access.xml"
@@ -630,79 +631,75 @@
# ObjectSearchSuccess.php, line 143 (105)
msgid "Item"
-msgstr ""
+msgstr "Item"
# ObjectSearchSuccess.php, line 143 (93)
msgid "Items"
-msgstr ""
+msgstr "Items"
# PreferencesSuccess.php, line 34 (29)
msgid "Language"
-msgstr ""
+msgstr "Limbă"
# PreferencesSuccess.php, line 55 (49)
msgid "Language changed"
-msgstr ""
+msgstr "Limbă schimbată"
# PreferencesSuccess.php, line 27 (32)
msgid "Language settings"
-msgstr ""
+msgstr "Setări Limbă"
# AjaxLoginSuccess.php, line 8 (64)
-#, fuzzy
msgid "Link"
-msgstr "Logare"
+msgstr "Link"
# GridPanel.js, line 65 (35)
msgid "Link to this view"
-msgstr ""
+msgstr "Link către acest view"
# CronkListingPanel.js, line 235 (69)
msgid "Loading Cronks ..."
-msgstr ""
+msgstr "Se incarcă Cronks ..."
# StaticContentSuccess.php, line 33 (52)
msgid "Loading TO \"{0}\" ..."
-msgstr ""
+msgstr "Incarca LA \"{0}\" ..."
# AjaxLoginSuccess.php, line 8 (64)
msgid "Login"
msgstr "Logare"
# AjaxLoginSuccess.php, line 8 (64)
-#, fuzzy
msgid "Login error"
-msgstr "Logare"
+msgstr "Eroare la Logare"
# SilentAuthConfigError.php, line 8 (52)
msgid "Login error (configuration)"
-msgstr ""
+msgstr "Eroare la Logare (configurare)"
# AjaxLoginSuccess.php, line 94 (63)
msgid "Login failed"
msgstr "Logare eșuată"
# CronkPortalSuccess.php, line 321 (33)
-#, fuzzy
msgid "Logout"
-msgstr "Log"
+msgstr "Logout"
# ViewLogsSuccess.php, line 68 (37)
msgid "Message"
-msgstr ""
+msgstr "Mesaj"
# CronkBuilder.js, line 271 (26)
msgid "Meta"
-msgstr ""
+msgstr "Meta"
# EditSuccess.php, line 53 (31), line 153 (31)
msgid "Meta information"
-msgstr ""
+msgstr "Informatii Meta"
# AjaxGridLayoutSuccess.php, line 59 (25)
-#, fuzzy
msgid "Modified"
-msgstr "Modifică"
+msgstr "Modificat"
# AjaxGridLayoutSuccess.php, line 59 (25)
msgid "Modify"
@@ -714,25 +711,23 @@
# CronkBuilder.js, line 439 (32)
msgid "Module"
-msgstr ""
+msgstr "Modul"
# CronkPortalSuccess.php, line 179 (22)
-#, fuzzy
msgid "Name"
-msgstr "Redenumeste"
+msgstr "Nume"
# PreferencesSuccess.php, line 213 (29)
msgid "New Preference"
-msgstr ""
+msgstr "Preferintă Nouă"
# CronkBuilder.js, line 325 (40)
msgid "New category"
-msgstr ""
+msgstr "Categorie Nouă"
# AjaxLoginSuccess.php, line 54 (45)
-#, fuzzy
msgid "New password"
-msgstr "Parolă"
+msgstr "Parolă Nouă"
# IcingaCommandHandler.js, line 171 (23)
msgid "No"
@@ -740,31 +735,31 @@
# IndexSuccess.php, line 195 (37)
msgid "No groups to display"
-msgstr ""
+msgstr "Nici un grup de arătat"
# PrincipalEditorSuccess.php, line 335 (62)
msgid "No node was removed"
-msgstr ""
+msgstr "Nici un nod nu a fost sters"
# CronkBuilder.js, line 220 (66)
msgid "No selection was made!"
-msgstr ""
+msgstr "Nu s-a facut nici o selectie!"
# MetaGridCreator.js, line 257 (39)
msgid "No topics to display"
-msgstr ""
+msgstr "Nici un topic de afisat"
# IndexSuccess.php, line 128 (36)
msgid "No users to display"
-msgstr ""
+msgstr "Nici un utilizator de afisat"
# TasksSuccess.php, line 8 (63)
msgid "Not allowed"
-msgstr ""
+msgstr "Nu este permis"
# PrincipalEditorSuccess.php, line 335 (37)
msgid "Nothing selected"
-msgstr ""
+msgstr "Nimic selectat"
# StatusData.js, line 61 (12)
# IcingaCommandHandler.js, line 245 (18), line 126 (24)
@@ -772,9 +767,8 @@
msgstr "OK"
# IcingaCommandHandler.js, line 344 (30)
-#, fuzzy
msgid "One or more fields are invalid"
-msgstr "nu mai sunt campuri"
+msgstr "Unul sau mai multe campuri sunt invalide"
# IcingaCommandHandler.js, line 105 (27)
msgid "Option"
@@ -782,11 +776,11 @@
# StatusData.js, line 42 (17), line 65 (17)
msgid "PENDING"
-msgstr ""
+msgstr "ÎN AŞTEPTARE"
# CronkBuilder.js, line 412 (30)
msgid "Parameters"
-msgstr ""
+msgstr "Parametrii"
# AjaxLoginSuccess.php, line 54 (45)
msgid "Password"
@@ -799,7 +793,7 @@
# EditSuccess.php, line 173 (26), line 73 (26)
msgid "Permissions"
-msgstr ""
+msgstr "Permisiuni"
# SilentAuthConfigError.php, line 17 (83)
msgid "Please alter your config file and set one to 'true' (%s)."
@@ -876,6 +870,10 @@
msgid "Reload"
msgstr ""
+# Tabhelper.js, line 210 (27)
+msgid "Reload cronk"
+msgstr ""
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr "Reincarca cronk-ul (nu cel curent)"
@@ -920,6 +918,11 @@
msgid "Reset application state"
msgstr ""
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Reseteaza"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -972,6 +975,11 @@
msgid "SERVICE_LATENCY"
msgstr "Latență"
+# simple_data_provider.xml, line 110 (26)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "URL notițe"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr ""
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/ru/default.po
^
|
@@ -3,8 +3,8 @@
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2010-04-28 13:11+0200\n"
-"PO-Revision-Date: 2010-05-06 12:03+0200\n"
-"Last-Translator: Karolina <kkalisz@netways.de>\n"
+"PO-Revision-Date: 2011-03-30 10:36+0200\n"
+"Last-Translator: Yuriy <anissimovyuriy@gmail.com>\n"
"Language-Team: LANGUAGE <LL@li.org>\n"
"Language: ru\n"
"MIME-Version: 1.0\n"
@@ -44,12 +44,11 @@
# AppKitErrorHandler.js, line 324 (32)
msgid "Access denied"
-msgstr ""
+msgstr "Доступ запрещен"
# IcingaCommandHandler.js, line 105 (27)
-#, fuzzy
msgid "Action"
-msgstr "Опция"
+msgstr "Действие"
# PrincipalEditorSuccess.php, line 48 (36)
#, fuzzy
@@ -153,7 +152,7 @@
# AppKitErrorHandler.js, line 208 (26)
msgid "Bug report"
-msgstr ""
+msgstr "Отчет об ошибках"
# simple_data_provider.xml, line 6 (28)
msgid "COMMENT_AUTHOR_NAME"
@@ -182,11 +181,11 @@
# CronkBuilder.js, line 307 (32)
# CronkListingPanel.js, line 515 (24)
msgid "Categories"
-msgstr ""
+msgstr "Категории"
# CronkListingPanel.js, line 4 (27)
msgid "Category editor"
-msgstr ""
+msgstr "Редактор категорий"
# AjaxLoginSuccess.php, line 54 (45)
#, fuzzy
@@ -255,9 +254,8 @@
msgstr "Команды"
# IcingaCommandHandler.js, line 316 (47)
-#, fuzzy
msgid "Comment bug"
-msgstr "Команда отправлена"
+msgstr "Комментарий к ошибке"
# TasksSuccess.php, line 88 (30)
msgid "Confirm"
@@ -441,6 +439,10 @@
msgid "Exception thrown: %s"
msgstr ""
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -541,6 +543,11 @@
msgid "HOST_LATENCY"
msgstr "ЛАТЕНТНОСТЬ_УЗЛА"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "ВЫВОД_УЗЛА"
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "МАКС_ПОПЫТОК_ПРОВЕРКИ_УЗЛА"
@@ -762,7 +769,7 @@
# TasksSuccess.php, line 8 (63)
msgid "Not allowed"
-msgstr ""
+msgstr "Не допускается"
# PrincipalEditorSuccess.php, line 335 (37)
msgid "Nothing selected"
@@ -876,7 +883,12 @@
# CronkListingPanel.js, line 437 (18), line 136 (20)
msgid "Reload"
-msgstr ""
+msgstr "Перезагрузить"
+
+# CronkListingPanel.js, line 437 (18), line 136 (20)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Перезагрузить"
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
@@ -922,6 +934,11 @@
msgid "Reset application state"
msgstr ""
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Сбросить"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -974,6 +991,11 @@
msgid "SERVICE_LATENCY"
msgstr "ЛАТЕНТНОСТЬ_СЛУЖБЫ"
+# simple_data_provider.xml, line 96 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "ВЫВОД_СЛУЖБЫ"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "МАКС_ЧИСЛО_ПРОВЕРОК_СЛУЖБЫ"
@@ -1244,9 +1266,8 @@
msgstr "Пользователь"
# CronkPortalSuccess.php, line 179 (22)
-#, fuzzy
msgid "User name"
-msgstr "Переименовать"
+msgstr "Имя пользователя"
# AppKitUtil.js, line 77 (32)
msgid "User preferences"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/sk/default.po
^
|
@@ -443,6 +443,10 @@
msgid "Exception thrown: %s"
msgstr ""
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -543,6 +547,11 @@
msgid "HOST_LATENCY"
msgstr "HOST_LATENCY"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "HOST_OUTPUT"
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "HOST_MAX_CHECK_ATTEMPTS"
@@ -880,6 +889,11 @@
msgid "Reload"
msgstr ""
+# IndexSuccess.php, line 166 (36)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Zmazať skupiny"
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr "Obnovi \"cronk\" (nie osah)"
@@ -924,6 +938,11 @@
msgid "Reset application state"
msgstr ""
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Resetovať"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -976,6 +995,11 @@
msgid "SERVICE_LATENCY"
msgstr "SERVICE_LATENCY"
+# simple_data_provider.xml, line 96 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "SERVICE_OUTPUT"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "SERVICE_MAX_CHECK_ATTEMPTS"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/sv/default.po
^
|
@@ -441,6 +441,10 @@
msgid "Exception thrown: %s"
msgstr "Undantag: %s"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -539,6 +543,11 @@
msgid "HOST_LATENCY"
msgstr "VÄRD_FÖRDRÖJNING"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "VÄRD_OUTPUT"
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr "VÄRD_MAX_KONTROLL_FÖRSÖK"
@@ -869,6 +878,11 @@
msgid "Reload"
msgstr ""
+# IndexSuccess.php, line 166 (36)
+#, fuzzy
+msgid "Reload cronk"
+msgstr "Radera grupper"
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr "Ladda om cronk (inte innehållet)"
@@ -913,6 +927,11 @@
msgid "Reset application state"
msgstr "Återställ applikaitons tillstånd"
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "Återställ"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr "Resurs"
@@ -965,6 +984,11 @@
msgid "SERVICE_LATENCY"
msgstr "SERVICE_LATENCY"
+# simple_data_provider.xml, line 96 (23)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "SERVICE_OUTPUT"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr "SERVICE_MAX_CHECK_ATTEMPTS"
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/templates/default.pot
^
|
@@ -16,19 +16,19 @@
msgid "(Re-)Start icinga process"
msgstr ""
-# IcingaCommandHandler.js, line 92 (41)
+# IcingaCommandHandler.js, line 91 (41)
msgid "(default) no option"
msgstr ""
-# IcingaCommandHandler.js, line 223 (23)
+# IcingaCommandHandler.js, line 236 (23)
msgid "(hh:ii)"
msgstr ""
-# AppKitErrorHandler.js, line 337 (51)
+# AppKitErrorHandler.js, line 340 (51)
msgid "A error occured when requesting "
msgstr ""
-# IcingaCommandHandler.js, line 338 (21)
+# IcingaCommandHandler.js, line 351 (21)
msgid "Abort"
msgstr ""
@@ -36,7 +36,7 @@
msgid "About"
msgstr ""
-# AppKitErrorHandler.js, line 328 (32)
+# AppKitErrorHandler.js, line 330 (32)
msgid "Access denied"
msgstr ""
@@ -98,7 +98,7 @@
msgid "Apply"
msgstr ""
-# CronkListingPanel.js, line 665 (84)
+# CronkListingPanel.js, line 664 (84)
msgid "Are you sure to delete {0}"
msgstr ""
@@ -122,7 +122,7 @@
msgid "Auto refresh"
msgstr ""
-# GridPanel.js, line 48 (56)
+# GridPanel.js, line 57 (56)
msgid "Auto refresh ({0} seconds)"
msgstr ""
@@ -138,7 +138,7 @@
msgid "Available users"
msgstr ""
-# IcingaCommandHandler.js, line 93 (31)
+# IcingaCommandHandler.js, line 92 (31)
msgid "Broadcast"
msgstr ""
@@ -192,7 +192,7 @@
msgid "Change title for this portlet"
msgstr ""
-# Tabhelper.js, line 197 (74)
+# Tabhelper.js, line 240 (74)
msgid "Change title for this tab"
msgstr ""
@@ -225,23 +225,23 @@
msgstr ""
# AppKitErrorHandler.js, line 244 (21), line 55 (21)
-# Tabhelper.js, line 140 (20)
+# Tabhelper.js, line 164 (20)
# CronkBuilder.js, line 116 (18)
-# GridPanel.js, line 93 (24)
+# GridPanel.js, line 103 (24)
# AppKitUtil.js, line 41 (21), line 153 (22)
# SearchHandler.js, line 180 (20)
msgid "Close"
msgstr ""
-# Tabhelper.js, line 145 (27)
+# Tabhelper.js, line 169 (27)
msgid "Close others"
msgstr ""
-# IcingaCommandHandler.js, line 308 (35)
+# IcingaCommandHandler.js, line 321 (35)
msgid "Command"
msgstr ""
-# IcingaCommandHandler.js, line 415 (43)
+# IcingaCommandHandler.js, line 428 (43)
msgid "Command sent"
msgstr ""
@@ -266,15 +266,15 @@
msgid "Could not load the cronk listing, following error occured: {0} ({1})"
msgstr ""
-# Tabhelper.js, line 109 (70)
+# Tabhelper.js, line 108 (70)
msgid "Could not remove the last tab!"
msgstr ""
-# IcingaCommandHandler.js, line 402 (112)
+# IcingaCommandHandler.js, line 415 (112)
msgid "Could not send the command, please examine the logs!"
msgstr ""
-# AppKitErrorHandler.js, line 332 (74)
+# AppKitErrorHandler.js, line 334 (74)
msgid "Couldn't connect to web-server."
msgstr ""
@@ -298,11 +298,11 @@
msgid "Created"
msgstr ""
-# IcingaCommandHandler.js, line 130 (30)
+# IcingaCommandHandler.js, line 129 (30)
msgid "Critical"
msgstr ""
-# AppKitErrorHandler.js, line 332 (37)
+# AppKitErrorHandler.js, line 334 (37)
msgid "Critical error"
msgstr ""
@@ -314,7 +314,7 @@
msgid "Cronk Id"
msgstr ""
-# CronkListingPanel.js, line 680 (48)
+# CronkListingPanel.js, line 679 (48)
msgid "Cronk deleted"
msgstr ""
@@ -322,7 +322,7 @@
msgid "CronkBuilder"
msgstr ""
-# CronkListingPanel.js, line 656 (71)
+# CronkListingPanel.js, line 655 (71)
msgid "CronkBuilder has gone away!"
msgstr ""
@@ -334,7 +334,7 @@
msgid "DOWN"
msgstr ""
-# CronkListingPanel.js, line 661 (21), line 165 (20)
+# CronkListingPanel.js, line 660 (21), line 165 (20)
msgid "Delete"
msgstr ""
@@ -397,7 +397,7 @@
msgid "Don't forget to clear the agavi config cache after that."
msgstr ""
-# CronkListingPanel.js, line 646 (19)
+# CronkListingPanel.js, line 645 (19)
msgid "Edit"
msgstr ""
@@ -413,14 +413,14 @@
msgid "Email"
msgstr ""
-# Tabhelper.js, line 197 (42)
+# Tabhelper.js, line 240 (42)
# PortalViewSuccess.php, line 163 (61)
msgid "Enter title"
msgstr ""
# CronkBuilder.js, line 77 (35), line 220 (37)
# IndexSuccess.php, line 50 (29), line 127 (28)
-# CronkListingPanel.js, line 656 (37), line 687 (41), line 175 (42), line 195 (34)
+# CronkListingPanel.js, line 655 (37), line 175 (42), line 686 (41), line 195 (34)
# EditSuccess.php, line 139 (28), line 247 (28)
msgid "Error"
msgstr ""
@@ -429,7 +429,7 @@
msgid "Error report"
msgstr ""
-# IcingaCommandHandler.js, line 402 (53), line 405 (41)
+# IcingaCommandHandler.js, line 418 (41), line 415 (53)
msgid "Error sending command"
msgstr ""
@@ -437,6 +437,10 @@
msgid "Exception thrown: %s"
msgstr ""
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -449,7 +453,7 @@
msgid "Filter"
msgstr ""
-# IcingaCommandHandler.js, line 94 (28)
+# IcingaCommandHandler.js, line 93 (28)
msgid "Forced"
msgstr ""
@@ -457,11 +461,11 @@
msgid "General information"
msgstr ""
-# GridPanel.js, line 69 (36)
+# GridPanel.js, line 79 (36)
msgid "Get this view as URL"
msgstr ""
-# GridPanel.js, line 45 (30)
+# GridPanel.js, line 54 (30)
msgid "Grid settings"
msgstr ""
@@ -493,11 +497,11 @@
msgid "HOST_ALIAS"
msgstr ""
-# simple_data_provider.xml, line 77 (24)
+# simple_data_provider.xml, line 78 (24)
msgid "HOST_CHECK_TYPE"
msgstr ""
-# simple_data_provider.xml, line 74 (35)
+# simple_data_provider.xml, line 75 (35)
msgid "HOST_CURRENT_CHECK_ATTEMPT"
msgstr ""
@@ -509,39 +513,43 @@
msgid "HOST_DISPLAY_NAME"
msgstr ""
-# simple_data_provider.xml, line 79 (28)
+# simple_data_provider.xml, line 80 (28)
msgid "HOST_EXECUTION_TIME"
msgstr ""
-# simple_data_provider.xml, line 83 (25)
+# simple_data_provider.xml, line 84 (25)
msgid "HOST_IS_FLAPPING"
msgstr ""
-# simple_data_provider.xml, line 76 (24)
+# simple_data_provider.xml, line 77 (24)
msgid "HOST_LAST_CHECK"
msgstr ""
-# simple_data_provider.xml, line 81 (36)
+# simple_data_provider.xml, line 82 (36)
msgid "HOST_LAST_HARD_STATE_CHANGE"
msgstr ""
-# simple_data_provider.xml, line 82 (31)
+# simple_data_provider.xml, line 83 (31)
msgid "HOST_LAST_NOTIFICATION"
msgstr ""
-# simple_data_provider.xml, line 78 (21)
+# simple_data_provider.xml, line 79 (21)
msgid "HOST_LATENCY"
msgstr ""
-# simple_data_provider.xml, line 75 (32)
+# simple_data_provider.xml, line 73 (25)
+msgid "HOST_LONG_OUTPUT"
+msgstr ""
+
+# simple_data_provider.xml, line 76 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr ""
-# simple_data_provider.xml, line 80 (24)
+# simple_data_provider.xml, line 81 (24)
msgid "HOST_NEXT_CHECK"
msgstr ""
-# simple_data_provider.xml, line 86 (23)
+# simple_data_provider.xml, line 87 (23)
msgid "HOST_NOTES_URL"
msgstr ""
@@ -549,15 +557,15 @@
msgid "HOST_OUTPUT"
msgstr ""
-# simple_data_provider.xml, line 73 (22)
+# simple_data_provider.xml, line 74 (22)
msgid "HOST_PERFDATA"
msgstr ""
-# simple_data_provider.xml, line 84 (38)
+# simple_data_provider.xml, line 85 (38)
msgid "HOST_SCHEDULED_DOWNTIME_DEPTH"
msgstr ""
-# simple_data_provider.xml, line 85 (32)
+# simple_data_provider.xml, line 86 (32)
msgid "HOST_STATUS_UPDATE_TIME"
msgstr ""
@@ -577,7 +585,7 @@
msgid "Host latency (min/avg/max)"
msgstr ""
-# StatusOverallSuccess.php, line 88 (83)
+# StatusOverallSuccess.php, line 99 (83)
msgid "Hosts"
msgstr ""
@@ -609,7 +617,7 @@
msgid "In order to complete you have to reload the interface. Are you sure?"
msgstr ""
-# IcingaCommandHandler.js, line 95 (52)
+# IcingaCommandHandler.js, line 94 (52)
msgid "Increment current notification"
msgstr ""
@@ -641,11 +649,11 @@
msgid "Language settings"
msgstr ""
-# GridPanel.js, line 86 (29)
+# GridPanel.js, line 96 (29)
msgid "Link"
msgstr ""
-# GridPanel.js, line 83 (35)
+# GridPanel.js, line 93 (35)
msgid "Link to this view"
msgstr ""
@@ -723,7 +731,7 @@
msgid "New password"
msgstr ""
-# IcingaCommandHandler.js, line 180 (23)
+# IcingaCommandHandler.js, line 179 (23)
# FilterHandler.js, line 328 (22)
msgid "No"
msgstr ""
@@ -758,7 +766,7 @@
# CronkListingPanel.js, line 183 (16)
# StatusData.js, line 61 (11)
-# IcingaCommandHandler.js, line 128 (24), line 332 (18)
+# IcingaCommandHandler.js, line 345 (18), line 127 (24)
msgid "OK"
msgstr ""
@@ -766,7 +774,7 @@
msgid "One or more fields are invalid"
msgstr ""
-# IcingaCommandHandler.js, line 107 (27)
+# IcingaCommandHandler.js, line 106 (27)
msgid "Option"
msgstr ""
@@ -852,14 +860,13 @@
msgid "Principals"
msgstr ""
-# Tabhelper.js, line 165 (22)
-# GridPanel.js, line 37 (21)
+# GridPanel.js, line 46 (21)
# StaticContentSuccess.php, line 44 (26)
# TasksSuccess.php, line 168 (21)
msgid "Refresh"
msgstr ""
-# GridPanel.js, line 39 (45)
+# GridPanel.js, line 48 (45)
# StaticContentSuccess.php, line 46 (50)
msgid "Refresh the data in the grid"
msgstr ""
@@ -868,7 +875,11 @@
msgid "Reload"
msgstr ""
-# Tabhelper.js, line 166 (52)
+# Tabhelper.js, line 210 (27)
+msgid "Reload cronk"
+msgstr ""
+
+# Tabhelper.js, line 211 (52)
msgid "Reload the cronk (not the content)"
msgstr ""
@@ -897,7 +908,7 @@
msgid "Removing a category"
msgstr ""
-# Tabhelper.js, line 159 (21)
+# Tabhelper.js, line 204 (21)
msgid "Rename"
msgstr ""
@@ -913,11 +924,15 @@
msgid "Reset application state"
msgstr ""
-# AppKitErrorHandler.js, line 314 (29)
+# Tabhelper.js, line 194 (25)
+msgid "Reset view"
+msgstr ""
+
+# AppKitErrorHandler.js, line 316 (29)
msgid "Ressource "
msgstr ""
-# IcingaCommandHandler.js, line 132 (49)
+# IcingaCommandHandler.js, line 131 (49)
msgid "Return code out of bounds"
msgstr ""
@@ -925,71 +940,75 @@
msgid "Running"
msgstr ""
-# simple_data_provider.xml, line 199 (27)
+# simple_data_provider.xml, line 204 (27)
msgid "SERVICE_CHECK_TYPE"
msgstr ""
-# simple_data_provider.xml, line 196 (38)
+# simple_data_provider.xml, line 201 (38)
msgid "SERVICE_CURRENT_CHECK_ATTEMPT"
msgstr ""
-# simple_data_provider.xml, line 193 (30)
+# simple_data_provider.xml, line 197 (30)
msgid "SERVICE_CURRENT_STATE"
msgstr ""
-# simple_data_provider.xml, line 192 (29)
+# simple_data_provider.xml, line 196 (29)
msgid "SERVICE_DISPLAY_NAME"
msgstr ""
-# simple_data_provider.xml, line 201 (31)
+# simple_data_provider.xml, line 206 (31)
msgid "SERVICE_EXECUTION_TIME"
msgstr ""
-# simple_data_provider.xml, line 205 (28)
+# simple_data_provider.xml, line 210 (28)
msgid "SERVICE_IS_FLAPPING"
msgstr ""
-# simple_data_provider.xml, line 198 (27)
+# simple_data_provider.xml, line 203 (27)
msgid "SERVICE_LAST_CHECK"
msgstr ""
-# simple_data_provider.xml, line 203 (39)
+# simple_data_provider.xml, line 208 (39)
msgid "SERVICE_LAST_HARD_STATE_CHANGE"
msgstr ""
-# simple_data_provider.xml, line 204 (34)
+# simple_data_provider.xml, line 209 (34)
msgid "SERVICE_LAST_NOTIFICATION"
msgstr ""
-# simple_data_provider.xml, line 200 (24)
+# simple_data_provider.xml, line 205 (24)
msgid "SERVICE_LATENCY"
msgstr ""
-# simple_data_provider.xml, line 197 (35)
+# simple_data_provider.xml, line 199 (28)
+msgid "SERVICE_LONG_OUTPUT"
+msgstr ""
+
+# simple_data_provider.xml, line 202 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr ""
-# simple_data_provider.xml, line 202 (27)
+# simple_data_provider.xml, line 207 (27)
msgid "SERVICE_NEXT_CHECK"
msgstr ""
-# simple_data_provider.xml, line 208 (26)
+# simple_data_provider.xml, line 213 (26)
msgid "SERVICE_NOTES_URL"
msgstr ""
-# simple_data_provider.xml, line 194 (23)
+# simple_data_provider.xml, line 198 (23)
msgid "SERVICE_OUTPUT"
msgstr ""
-# simple_data_provider.xml, line 195 (25)
+# simple_data_provider.xml, line 200 (25)
msgid "SERVICE_PERFDATA"
msgstr ""
-# simple_data_provider.xml, line 206 (41)
+# simple_data_provider.xml, line 211 (41)
msgid "SERVICE_SCHEDULED_DOWNTIME_DEPTH"
msgstr ""
-# simple_data_provider.xml, line 207 (35)
+# simple_data_provider.xml, line 212 (35)
msgid "SERVICE_STATUS_UPDATE_TIME"
msgstr ""
@@ -998,7 +1017,7 @@
msgid "Save"
msgstr ""
-# Tabhelper.js, line 175 (26)
+# Tabhelper.js, line 219 (25)
msgid "Save Cronk"
msgstr ""
@@ -1010,7 +1029,7 @@
msgid "Save password"
msgstr ""
-# Tabhelper.js, line 176 (46)
+# Tabhelper.js, line 220 (45)
msgid "Save this view as new cronk"
msgstr ""
@@ -1039,7 +1058,7 @@
msgid "Select a principal (Press Ctrl for multiple selects)"
msgstr ""
-# IcingaCommandHandler.js, line 308 (62)
+# IcingaCommandHandler.js, line 321 (62)
msgid "Selection is missing"
msgstr ""
@@ -1055,7 +1074,7 @@
msgid "Service latency (min/avg/max)"
msgstr ""
-# StatusOverallSuccess.php, line 92 (89)
+# StatusOverallSuccess.php, line 103 (89)
msgid "Services"
msgstr ""
@@ -1071,10 +1090,9 @@
msgid "Session expired"
msgstr ""
-# Tabhelper.js, line 172 (23)
# CronkBuilder.js, line 124 (21)
# CronkListingPanel.js, line 443 (20)
-# GridPanel.js, line 43 (22)
+# GridPanel.js, line 52 (22)
# StaticContentSuccess.php, line 49 (27)
msgid "Settings"
msgstr ""
@@ -1091,11 +1109,11 @@
msgid "Show status of accessible icinga instances"
msgstr ""
-# CronkListingPanel.js, line 687 (77)
+# CronkListingPanel.js, line 686 (77)
msgid "Some error: {0}"
msgstr ""
-# Tabhelper.js, line 109 (33)
+# Tabhelper.js, line 108 (33)
msgid "Sorry"
msgstr ""
@@ -1116,7 +1134,7 @@
msgstr ""
# SearchHandler.js, line 132 (25)
-# IcingaCommandHandler.js, line 144 (27)
+# IcingaCommandHandler.js, line 143 (27)
# TasksSuccess.php, line 154 (37)
msgid "Status"
msgstr ""
@@ -1165,11 +1183,11 @@
msgid "The passwords don't match!"
msgstr ""
-# AppKitErrorHandler.js, line 325 (56)
+# AppKitErrorHandler.js, line 327 (56)
msgid "The server encountered an error:<br/>"
msgstr ""
-# IcingaCommandHandler.js, line 444 (63)
+# IcingaCommandHandler.js, line 457 (63)
msgid "This command will be send to all selected items"
msgstr ""
@@ -1214,7 +1232,7 @@
msgid "UP"
msgstr ""
-# IcingaCommandHandler.js, line 131 (29)
+# IcingaCommandHandler.js, line 130 (29)
# TasksSuccess.php, line 19 (75)
msgid "Unknown"
msgstr ""
@@ -1223,7 +1241,7 @@
msgid "Unknown error - please check your logs"
msgstr ""
-# IcingaCommandHandler.js, line 249 (65)
+# IcingaCommandHandler.js, line 262 (65)
msgid "Unknown field type: {0}"
msgstr ""
@@ -1255,11 +1273,11 @@
msgid "WARNING"
msgstr ""
-# IcingaCommandHandler.js, line 129 (29)
+# IcingaCommandHandler.js, line 128 (29)
msgid "Warning"
msgstr ""
-# CronkListingPanel.js, line 680 (101)
+# CronkListingPanel.js, line 679 (101)
msgid "We have deleted your cronk \"{0}\""
msgstr ""
@@ -1271,7 +1289,7 @@
msgid "Welcome"
msgstr ""
-# IcingaCommandHandler.js, line 179 (24)
+# IcingaCommandHandler.js, line 191 (53), line 190 (53), line 178 (24)
# FilterHandler.js, line 327 (23)
msgid "Yes"
msgstr ""
@@ -1320,7 +1338,7 @@
msgid "does not contain"
msgstr ""
-# CronkListingPanel.js, line 665 (37)
+# CronkListingPanel.js, line 664 (37)
msgid "elete cronk"
msgstr ""
@@ -1376,7 +1394,7 @@
msgid "of"
msgstr ""
-# IcingaCommandHandler.js, line 234 (23)
+# IcingaCommandHandler.js, line 247 (23)
msgid "seconds"
msgstr ""
@@ -1388,11 +1406,11 @@
msgid "username"
msgstr ""
-# IcingaCommandHandler.js, line 324 (45)
+# IcingaCommandHandler.js, line 337 (45)
msgid "{0} ({1} items)"
msgstr ""
-# IcingaCommandHandler.js, line 415 (98)
+# IcingaCommandHandler.js, line 428 (98)
msgid "{0} command was sent successfully!"
msgstr ""
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/tr/default.po
^
|
@@ -433,6 +433,10 @@
msgid "Exception thrown: %s"
msgstr ""
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -529,6 +533,10 @@
msgid "HOST_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 73 (25)
+msgid "HOST_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 13 (32)
msgid "HOST_MAX_CHECK_ATTEMPTS"
msgstr ""
@@ -856,6 +864,10 @@
msgid "Reload"
msgstr ""
+# Tabhelper.js, line 210 (27)
+msgid "Reload cronk"
+msgstr ""
+
# CronkPortalSuccess.php, line 186 (53)
msgid "Reload the cronk (not the content)"
msgstr ""
@@ -900,6 +912,10 @@
msgid "Reset application state"
msgstr ""
+# Tabhelper.js, line 194 (25)
+msgid "Reset view"
+msgstr ""
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -952,6 +968,10 @@
msgid "SERVICE_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 199 (28)
+msgid "SERVICE_LONG_OUTPUT"
+msgstr ""
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr ""
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/data/i18n/po/zh_CN/default.po
^
|
@@ -445,6 +445,10 @@
msgid "Exception thrown: %s"
msgstr "抛出异常:"
+# Tabhelper.js, line 183 (21)
+msgid "Expand"
+msgstr ""
+
# CronkBuilder.js, line 129 (26)
msgid "Expert mode"
msgstr ""
@@ -545,6 +549,11 @@
msgid "HOST_LATENCY"
msgstr "用戶考量"
+# simple_data_provider.xml, line 10 (20)
+#, fuzzy
+msgid "HOST_LONG_OUTPUT"
+msgstr "用戶作品"
+
# simple_data_provider.xml, line 13 (32)
#, fuzzy
msgid "HOST_MAX_CHECK_ATTEMPTS"
@@ -880,6 +889,10 @@
msgid "Reload"
msgstr ""
+# Tabhelper.js, line 210 (27)
+msgid "Reload cronk"
+msgstr ""
+
# CronkPortalSuccess.php, line 186 (53)
#, fuzzy
msgid "Reload the cronk (not the content)"
@@ -925,6 +938,11 @@
msgid "Reset application state"
msgstr ""
+# IcingaGridFilterHandler.js, line 130 (21)
+#, fuzzy
+msgid "Reset view"
+msgstr "重新啟動"
+
# AppKitErrorHandler.js, line 310 (29)
msgid "Ressource "
msgstr ""
@@ -977,6 +995,11 @@
msgid "SERVICE_LATENCY"
msgstr ""
+# simple_data_provider.xml, line 95 (30)
+#, fuzzy
+msgid "SERVICE_LONG_OUTPUT"
+msgstr "伺服器確認現行狀態"
+
# simple_data_provider.xml, line 99 (35)
msgid "SERVICE_MAX_CHECK_ATTEMPTS"
msgstr ""
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Api/config/module.xml
^
|
@@ -9,6 +9,10 @@
<setting name="access"></setting>
</settings>
<xi:include xmlns:xi="http://www.w3.org/2001/XInclude" href="access.xml"/>
+
+ <xi:include xmlns:xi="http://www.w3.org/2001/XInclude" href="module.site.xml">
+ <xi:fallback></xi:fallback>
+ </xi:include>
</module>
</ae:configuration>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/config/auth.xml
^
|
@@ -133,14 +133,14 @@
<ae:parameter name="user_email">mail</ae:parameter>
</ae:parameter>
- <ae:parameter name="ldap_dsn">ldap://ad.icinga.org</ae:parameter>
- <ae:parameter name="ldap_basedn">DC=ad,DC=icinga,DC=org</ae:parameter>
- <ae:parameter name="ldap_binddn">ldap@AD.ICINGA.ORG</ae:parameter>
- <ae:parameter name="ldap_bindpw"><![CDATA[XXXXXXXXX]]></ae:parameter>
- <ae:parameter name="ldap_userattr">sAmAccountName</ae:parameter>
- <ae:parameter name="ldap_filter_user"><![CDATA[(&(sAmAccountName=__USERNAME__))]]></ae:parameter>
+ <ae:parameter name="ldap_dsn">ldap://ad.icinga.foo</ae:parameter>
+ <ae:parameter name="ldap_basedn">DC=ad,DC=icinga,DC=foo</ae:parameter>
+ <ae:parameter name="ldap_binddn">serviceuser@AD.ICINGA.FOO</ae:parameter>
+ <ae:parameter name="ldap_bindpw"><![CDATA[XXXXXXXX]]></ae:parameter>
+ <ae:parameter name="ldap_userattr">sAMAccountName</ae:parameter>
+ <ae:parameter name="ldap_filter_user"><![CDATA[(&(sAMAccountName=__USERNAME__))]]></ae:parameter>
</ae:parameter>
- -->
+ -->
<!--
* LDAP (Again)
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/config/autoload.xml
^
|
@@ -85,7 +85,6 @@
<autoload name="JavaScriptPacker">%core.module_dir%/AppKit/lib/util/JavaScriptPacker.class.php</autoload>
<autoload name="JSMin">%core.module_dir%/AppKit/lib/util/JSMin.class.php</autoload>
<autoload name="AppKitFormatParserUtil">%core.module_dir%/AppKit/lib/util/AppKitFormatParserUtil.class.php</autoload>
- <autoload name="AppKitModuleUtil">%core.module_dir%/AppKit/lib/util/AppKitModuleUtil.class.php</autoload>
<autoload name="AppKitAgaviUtil">%core.module_dir%/AppKit/lib/util/AppKitAgaviUtil.class.php</autoload>
<autoload name="AppKitHtmlUtil">%core.module_dir%/AppKit/lib/util/AppKitHtmlUtil.class.php</autoload>
<autoload name="AppKitFileUtil">%core.module_dir%/AppKit/lib/util/AppKitFileUtil.class.php</autoload>
@@ -95,5 +94,10 @@
<autoload name="AppKitURLFilterValidator">%core.module_dir%/AppKit/lib/validator/AppKitURLFilterValidator.class.php</autoload>
<autoload name="AppKitSoapFilterValidator">%core.module_dir%/AppKit/lib/validator/AppKitSoapFilterValidator.class.php</autoload>
+ <!-- Module util classes -->
+ <autoload name="AppKitModuleUtil">%core.module_dir%/AppKit/lib/module/AppKitModuleUtil.class.php</autoload>
+ <autoload name="AppKitModuleRoutingHandler">%core.module_dir%/AppKit/lib/module/AppKitModuleRoutingHandler.class.php</autoload>
+ <autoload name="AppKitXmlUtil">%core.module_dir%/AppKit/lib/util/AppKitXmlUtil.class.php</autoload>
+
</ae:configuration>
</ae:configurations>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/config/module.xml
^
|
@@ -49,11 +49,13 @@
<setting name="user_preferences_default">
<ae:parameter name="org.icinga.grid.pagerMaxItems">25</ae:parameter>
<ae:parameter name="org.icinga.grid.refreshTime">300</ae:parameter>
+ <ae:parameter name="org.icinga.grid.outputLength">70</ae:parameter>
<ae:parameter name="org.icinga.tabslider.changeTime">10</ae:parameter>
<ae:parameter name="org.icinga.cronk.default">portalHello</ae:parameter>
<ae:parameter name="org.icinga.bugTrackerEnabled">true</ae:parameter>
<ae:parameter name="org.icinga.errorNotificationsEnabled">true</ae:parameter>
<ae:parameter name="org.icinga.autoRefresh">true</ae:parameter>
+ <ae:parameter name="org.icinga.status.refreshTime">60</ae:parameter>
</setting>
<!-- Ajax default request timeout (ms), 4 minutes == 240000 -->
@@ -67,7 +69,9 @@
<ae:parameter>/js/ext3/examples/ux/css/ux-all.css</ae:parameter>
<!-- layout styles -->
+
<ae:parameter>/styles/icinga.css</ae:parameter>
+ <ae:parameter>/styles/icinga.site.css</ae:parameter>
<ae:parameter>/styles/icinga-icons.css</ae:parameter>
<ae:parameter>/styles/icinga-cronk-icons.css</ae:parameter>
</setting>
@@ -108,7 +112,10 @@
</setting>
</settings>
-
+
+ <xi:include xmlns:xi="http://www.w3.org/2001/XInclude" href="module.site.xml">
+ <xi:fallback></xi:fallback>
+ </xi:include>
<xi:include xmlns:xi="http://www.w3.org/2001/XInclude" href="auth.xml"/>
</module>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/lib/database/models/NsmRole.php
^
|
@@ -13,8 +13,8 @@
parent::setUp();
- $this->hasMany('NsmUser', array ( 'local' => 'usro_user_id',
- 'foreign' => 'usro_role_id',
+ $this->hasMany('NsmUser', array ( 'local' => 'usro_role_id',
+ 'foreign' => 'usro_user_id',
'refClass' => 'NsmUserRole'));
$options = array (
@@ -219,4 +219,4 @@
return $out;
}
-}
\ No newline at end of file
+}
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/lib/database/models/generated/BaseNsmPrincipalTarget.php
^
|
@@ -85,11 +85,12 @@
array('pt_id'=>'7','pt_principal_id'=>'5','pt_target_id'=>'7'),
array('pt_id'=>'8','pt_principal_id'=>'3','pt_target_id'=>'15'),
array('pt_id'=>'8','pt_principal_id'=>'3','pt_target_id'=>'16'),
- array('pt_id'=>'8','pt_principal_id'=>'3','pt_target_id'=>'17')
+ array('pt_id'=>'8','pt_principal_id'=>'3','pt_target_id'=>'17'),
+ array('pt_id'=>'8','pt_principal_id'=>'3','pt_target_id'=>'18')
);
}
public static function getPgsqlSequenceOffsets() {
return array("nsm_principal_target_pt_id_seq" => 9);
}
-}
\ No newline at end of file
+}
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/lib/database/models/generated/BaseNsmTarget.php
^
|
@@ -94,8 +94,9 @@
array('target_id'=>13,'target_name'=>"appkit.api.access",'target_description'=>"Access to web-based api adapter",'target_class'=>"",'target_type'=>"credential"),
array('target_id'=>14,'target_name'=>"icinga.demoMode",'target_description'=>"Hide features like password reset which are not wanted in demo systems",'target_class'=>"",'target_type'=>"credential"),
array('target_id'=>15,'target_name'=>"icinga.cronk.category.admin",'target_description'=>"Enables category admin features",'target_class'=>"",'target_type'=>"credential"),
- array('target_id'=>16,'target_name'=>"icinga.control.view",'target_description'=>"Allow user to view icinga status",'target_class'=>"",'target_type'=>"credential"),
- array('target_id'=>17,'target_name'=>"icinga.control.admin",'target_description'=>"Allow user to administrate the icinga process",'target_class'=>"",'target_type'=>"credential")
+ array('target_id'=>16,'target_name'=>"icinga.cronk.log",'target_description'=>"Allow user to view icinga-log",'target_class'=>"",'target_type'=>"credential"),
+ array('target_id'=>17,'target_name'=>"icinga.control.view",'target_description'=>"Allow user to view icinga status",'target_class'=>"",'target_type'=>"credential"),
+ array('target_id'=>18,'target_name'=>"icinga.control.admin",'target_description'=>"Allow user to administrate the icinga process",'target_class'=>"",'target_type'=>"credential")
);
}
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/lib/js/AppKitUtil.js
^
|
@@ -142,7 +142,7 @@
width: 630,
layout: 'fit',
height: Ext.getBody().getHeight()>600 ? 600 : Ext.getBody().getHeight(),
-
+ constrain: true,
closeAction: 'hide',
defaults: {
autoScroll: true,
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/lib/json/AppKitExtJsonDocument.class.php
^
|
@@ -204,8 +204,9 @@
if (!is_array($value)) {
throw new AppKitExtJsonDocumentException('$value must be an associative array!');
}
-
+
$diff = array_diff_key($value, $this->fields);
+
if (is_array($diff) && count($diff)>0) {
@@ -213,7 +214,7 @@
$this->hasFieldBulk($diff);
}
else {
- throw new AppKitExtJsonDocumentException('$value keys does not match field data set!');
+ //throw new AppKitExtJsonDocumentException('$value keys does not match field data set!');
}
}
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/lib/module
^
|
+(directory)
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/lib/module/AppKitModuleRoutingHandler.class.php
^
|
@@ -0,0 +1,26 @@
+<?php
+
+class AppKitModuleRoutingHandler extends AgaviRoutingConfigHandler {
+
+ const ENTRY_XPATH = '//ae:configurations/ae:configuration[@context=\'web\']/routing:routes/routing:route[@name=\'modules\']';
+
+ public function execute(AgaviXmlConfigDomDocument $document) {
+
+ // set up our default namespace
+ $document->setDefaultNamespace(self::XML_NAMESPACE, 'routing');
+
+ AppKitXmlUtil::includeXmlFilesToTarget(
+ $document,
+ self::ENTRY_XPATH,
+ 'xmlns(ae=http://agavi.org/agavi/config/global/envelope/1.0) xmlns(r=http://agavi.org/agavi/config/parts/routing/1.0) xpointer(//ae:configurations/ae:configuration/r:routes/node())',
+ AppKitModuleUtil::getInstance()->getSubConfig('agavi.include_xml.routing')
+ );
+
+ $document->xinclude();
+
+ return parent::execute($document);
+ }
+
+}
+
+?>
\ No newline at end of file
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/lib/module/AppKitModuleUtil.class.php
^
|
@@ -0,0 +1,215 @@
+<?php
+/*
+ * To change this template, choose Tools | Templates
+ * and open the template in the editor.
+ */
+
+class AppKitModuleUtil extends AppKitSingleton {
+
+ const DEFAULT_NAMESPACE = 'org.icinga.global';
+
+ const DATA_FLAT = 'flat';
+ const DATA_DEFAULT = 'default';
+ const DATA_UNIQUE = 'unique';
+ const DATA_ARRAY = 'array';
+
+ protected static $default_config_keys = array (
+ 'app.javascript_files' => self::DATA_FLAT,
+ 'app.javascript_actions' => self::DATA_DEFAULT,
+ 'app.javascript_dynamic' => self::DATA_UNIQUE,
+ 'app.css_files' => self::DATA_FLAT,
+ 'app.meta_tags' => self::DATA_DEFAULT,
+
+ // Namespaces for XML includes
+ 'agavi.include_xml.routing' => self::DATA_FLAT
+ );
+
+ private $modules = null;
+
+ private $s_configns = array();
+ private $s_modnames = array();
+
+ /**
+ * @return AppKitModuleUtil
+ */
+ public static function getInstance() {
+ return parent::getInstance(__CLASS__);
+ }
+
+ public function __construct() {
+ parent::__construct();
+ $this->modules = new ArrayObject();
+ }
+
+ public static function normalizeModuleName($module) {
+ return strtolower($module);
+ }
+
+ public static function validConfig($module) {
+ AppKitModuleUtil::normalizeModuleName($module);
+ if (AgaviConfig::get(sprintf('modules.%s.version', false)) !== false) {
+ return true;
+ }
+
+ return false;
+ }
+
+ public function isRegistered($module) {
+ $module = $this->normalizeModuleName($module);
+ return $this->modules->offsetExists($module);
+ }
+
+ /**
+ *
+ * @param <type> $module
+ * @return AppKitModuleConfigItem
+ */
+ public function registerModule($module) {
+ if (!$this->isRegistered($module) && AppKitModuleUtil::validConfig($module)) {
+ $this->modules[$module] =
+ new AppKitModuleConfigItem($module);
+ }
+
+ return $this->modules[$module];
+ }
+
+ /**
+ *
+ * @param <type> $module
+ * @return AppKitModuleConfigItem
+ */
+ public function getConfigObject($module) {
+ if ($this->isRegistered($module)) {
+ return $this->modules[$module];
+ }
+
+ throw new AppKitModelException('The module %s does not exit!', $this->normalizeModuleName($module));
+ }
+
+ public function getValidConfigNamespaces() {
+ if (!count($this->s_configns)) {
+ foreach ($this->modules as $module=>$ci) {
+ foreach ($ci->getConfigNamespaces() as $config_ns) {
+ $this->s_configns[] = $config_ns;
+ $this->s_modnames[$config_ns] = $module;
+ }
+ }
+ }
+ return $this->s_configns;
+ }
+
+ public function getSubConfig($subkey, $type=self::DATA_FLAT) {
+ $out = array ();
+ foreach ($this->getValidConfigNamespaces() as $ns) {
+ $test = $ns. '.'. $subkey;
+ if (($data = AgaviConfig::get($test, false)) !== false) {
+ $out[$subkey][isset($this->s_modnames[$ns]) ? $this->s_modnames[$ns] : $ns] = $data;
+ }
+ }
+
+ switch ($type) {
+ case self::DATA_FLAT:
+ return AppKitArrayUtil::flattenArray($out, 'sub');
+ break;
+
+ case self::DATA_UNIQUE:
+ return AppKitArrayUtil::uniqueKeysArray($out, true);
+ break;
+
+ case self::DATA_DEFAULT:
+ default:
+ return $out;
+ break;
+ }
+ }
+
+ public function getWholeConfig() {
+ $out=array();
+ foreach (self::$default_config_keys as $subkey=>$subtype) {
+ $out[$subkey] = $this->getSubConfig($subkey, ($subtype=='flat' ? true : false));
+ }
+ return $out;
+ }
+
+ public function applyToRequestAttributes(AgaviExecutionContainer $container, array $which_subkeys=null, $ns=self::DEFAULT_NAMESPACE) {
+ if ($which_subkeys===null)
+ $which_subkeys = self::$default_config_keys;
+
+ $rq = $container->getContext()->getRequest();
+
+ foreach (self::$default_config_keys as $subkey=>$subtype) {
+
+ $data = $this->getSubConfig($subkey, $subtype);
+
+ if (isset($data)) {
+ if ($subtype == self::DATA_UNIQUE) {
+ $rq->setAttribute($subkey, $data, $ns);
+ }
+ else {
+ foreach ($data as $value) {
+ $rq->appendAttribute($subkey, $value, $ns);
+ }
+ }
+ }
+ }
+ }
+}
+
+class AppKitModuleConfigItem extends AgaviAttributeHolder {
+
+ const NS_INT = '__module_config_item';
+ const DEFAULT_SUB_NS = 'appkit_module';
+
+ const A_MODULE_NAME = 'module_name';
+ const A_BASE_NS = 'base_ns';
+ const A_CONFIG_NS = 'config_namespaces';
+
+ protected $defaultNamespace = 'org.icinga.moduleConfig';
+
+ public function __construct($module) {
+ $module = AppKitModuleUtil::normalizeModuleName($module);
+
+ if (AppKitModuleUtil::validConfig($module)) {
+ $this->setAttribute(self::A_MODULE_NAME, $module, self::NS_INT);
+ $this->setAttribute(self::A_BASE_NS, 'modules.'. $module, self::NS_INT);
+
+ $this->addConfigNamespace('modules.'. $module. '.'. self::DEFAULT_SUB_NS);
+
+ parent::__construct();
+ }
+ else {
+ throw new AppKitModelException('Configuration for module %s not found!', $module);
+ }
+ }
+
+ public function addConfigNamespace($namespace) {
+ $this->appendAttribute(self::A_CONFIG_NS, $namespace, self::NS_INT);
+ }
+
+ public function getAttributeNamespaces() {
+ $ns = parent::getAttributeNamespaces();
+
+ if (($index = array_search(self::NS_INT, $ns)) !== false) {
+ unset($ns[$index]);
+ }
+
+ return $ns;
+ }
+
+ public function &getAttributes($ns = null) {
+ parent::getAttributes($ns);
+ }
+
+ public function getModuleName() {
+ return $this->getAttribute(self::A_MODULE_NAME, self::NS_INT);
+ }
+
+ public function getConfigNamespaces() {
+ return $this->getAttribute(self::A_CONFIG_NS, self::NS_INT);
+ }
+
+}
+
+class AppKitModuleUtilException extends AppKitException {}
+
+?>
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/lib/util/AppKitXmlUtil.class.php
^
|
@@ -0,0 +1,40 @@
+<?php
+
+class AppKitXmlUtil {
+
+
+ /**
+ * @param AgaviXmlConfigDomDocument $document
+ * @param string $query
+ * @return DOMNodeList
+ */
+ public static function extractEntryNode(AgaviXmlConfigDomDocument $document, $query) {
+ $list = $document->getXPath()->query($query);
+
+ if ($list instanceof DOMNodeList && $list->length==1) {
+ return $list->item(0);
+ }
+ }
+
+ public static function createXIncludeNode(AgaviXmlConfigDomDocument $document, $file, $pointer) {
+ $element = $document->createElementNS('http://www.w3.org/2001/XInclude', 'xi:include');
+
+ $element->setAttribute('href', $file);
+ $element->setAttribute('xpointer', $pointer);
+
+ return $element;
+ }
+
+ public static function includeXmlFilesToTarget(AgaviXmlConfigDomDocument $document, $query, $pointer, array $files) {
+ $targetNode = self::extractEntryNode($document, $query);
+
+
+ foreach ($files as $file) {
+ $node = self::createXIncludeNode($document, $file, $pointer);
+ $targetNode->appendChild($node);
+ }
+ }
+
+}
+
+?>
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/models/Auth/Provider/HTTPBasicAuthenticationModel.class.php
^
|
@@ -74,7 +74,17 @@
foreach (self::$source_map as $class_target => $config_target) {
$search_keys = AppKitArrayUtil::trimSplit($this->getParameter($config_target, self::$source_map_defaults[$class_target]));
if (isset($search_keys[0]) && ($search_value = $source->getParameter($search_keys[0])) ) {
- $this->{ $class_target } = $search_value;
+ if ($class_target == 'auth_name') {
+ $search_value = strtolower($search_value);
+ if ($strip = strtolower($this->getParameter('auth_strip_domain', ''))) {
+ $m = '~@' . preg_quote($strip, '~') . '~';
+ $this->{ $class_target } = preg_replace($m, '', $search_value);
+ } else {
+ $this->{ $class_target } = $search_value;
+ }
+ } else {
+ $this->{ $class_target } = $search_value;
+ }
}
}
@@ -97,4 +107,4 @@
}
-?>
\ No newline at end of file
+?>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/models/Auth/Provider/LDAPModel.class.php
^
|
@@ -15,12 +15,17 @@
$this->log('Auth.Provider.LDAP Trying authenticate (authkey=%s,user=%s)', $authid, $username, AgaviLogger::DEBUG);
try {
- $conn = $this->getLdapConnection(false);
- $re = @ldap_bind($conn, $authid, $password);
-
- if ($this->isLdapError($conn)==false && $re === true && ldap_errno($conn) === 0) {
- $this->log('Auth.Provider.LDAP Successfull bind (authkey=%s,user=%s)', $authid, $username, AgaviLogger::DEBUG);
- return true;
+ // Check if user always is available
+ $search_record = $this->getLdaprecord($this->getSearchFilter($user->user_name), $authid);
+ if (isset($search_record['dn']) && $search_record['dn'] === $authid) {
+ // Check bind
+ $conn = $this->getLdapConnection(false);
+ $re = @ldap_bind($conn, $authid, $password);
+
+ if ($this->isLdapError($conn)==false && $re === true && ldap_errno($conn) === 0) {
+ $this->log('Auth.Provider.LDAP Successfull bind (authkey=%s,user=%s)', $authid, $username, AgaviLogger::DEBUG);
+ return true;
+ }
}
}
catch (AgaviSecurityException $e) {
@@ -68,7 +73,8 @@
if (is_array($data)) {
$re = (array)$this->mapUserdata($data);
$re['user_authid'] = $data['dn'];
- $re['user_name'] = $data[$this->getParameter('ldap_userattr', 'uid')];
+
+ $re['user_name'] = strtolower($data[$this->getParameter('ldap_userattr', 'uid')]);
$re['user_disabled'] = 0;
}
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/AppKit/views/LogoutSuccessView.class.php
^
|
@@ -9,8 +9,8 @@
$this->setAttribute('title', 'Logout');
- $this->getResponse()->setRedirect(AgaviConfig::get('org.icinga.appkit.web_path'));
+ $this->getResponse()->setRedirect(AgaviConfig::get('org.icinga.appkit.logout_path'));
}
}
-?>
\ No newline at end of file
+?>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/config/cronks.xml
^
|
@@ -166,6 +166,7 @@
<ae:parameter name="name">LogView</ae:parameter>
<ae:parameter name="categories">data</ae:parameter>
<ae:parameter name="image">cronks.Info</ae:parameter>
+ <ae:parameter name="principalsonly">icinga.cronk.log</ae:parameter>
<ae:parameter name="ae:parameter">
<ae:parameter name="template">icinga-log-template</ae:parameter>
</ae:parameter>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/data/xml/grid/icinga-host-history-template.xml
^
|
@@ -113,7 +113,7 @@
images/icons/server.png
</tpl>
<tpl if="host_icon != ''" />
- {host_icon}
+ images/icinga/{host_icon}
</tpl>
]]>
@@ -252,6 +252,66 @@
</order>
</field>
+ <field name="host_alias">
+ <datasource>
+ <parameter name="field">HOST_ALIAS</parameter>
+ </datasource>
+
+ <display>
+ <parameter name="visible">false</parameter>
+ <parameter name="label">Alias</parameter>
+
+ </display>
+
+ <filter>
+ <parameter name="enabled">true</parameter>
+
+ <!-- Filter configuration -->
+ <parameter name="type">extjs</parameter>
+ <parameter name="subtype">appkit.ext.filter.api</parameter>
+ <parameter name="operator_type">text</parameter>
+ <parameter name="api_target">host</parameter>
+ <parameter name="api_keyfield">HOST_ALIAS</parameter>
+ <parameter name="api_valuefield">HOST_ALIAS</parameter>
+ </filter>
+
+ <order>
+ <parameter name="enabled">true</parameter>
+ <parameter name="default">false</parameter>
+ <parameter name="direction">ASC</parameter>
+ </order>
+ </field>
+
+ <field name="host_display_name">
+ <datasource>
+ <parameter name="field">HOST_DISPLAY_NAME</parameter>
+ </datasource>
+
+ <display>
+ <parameter name="visible">false</parameter>
+ <parameter name="label">Display Name</parameter>
+
+ </display>
+
+ <filter>
+ <parameter name="enabled">true</parameter>
+
+ <!-- Filter configuration -->
+ <parameter name="type">extjs</parameter>
+ <parameter name="subtype">appkit.ext.filter.api</parameter>
+ <parameter name="operator_type">text</parameter>
+ <parameter name="api_target">host</parameter>
+ <parameter name="api_keyfield">HOST_DISPLAY_NAME</parameter>
+ <parameter name="api_valuefield">HOST_DISPLAY_NAME</parameter>
+ </filter>
+
+ <order>
+ <parameter name="enabled">true</parameter>
+ <parameter name="default">false</parameter>
+ <parameter name="direction">ASC</parameter>
+ </order>
+ </field>
+
<field name="statehistory_status">
<datasource>
<parameter name="field">STATEHISTORY_STATE</parameter>
@@ -384,9 +444,9 @@
<parameter name="jsFunc">
<parameter name="namespace">Cronk.grid.ColumnRenderer</parameter>
<parameter name="function">truncateText</parameter>
- <parameter name="arguments">
- <parameter name="length">40</parameter>
- </parameter>
+
+
+
</parameter>
</display>
@@ -403,4 +463,4 @@
</fields>
-</template>
\ No newline at end of file
+</template>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/data/xml/grid/icinga-host-template.xml
^
|
@@ -254,7 +254,13 @@
<parameter name="enabled">true</parameter>
<parameter name="type">extjs</parameter>
<parameter name="subtype">appkit.ext.filter.bool</parameter>
- <parameter name="label">In Downtime</parameter>
+ <parameter name="label">In downtime</parameter>
+ </paramter>
+ <paramter name="host_is_pending">
+ <parameter name="enabled">true</parameter>
+ <parameter name="type">extjs</parameter>
+ <parameter name="subtype">appkit.ext.filter.bool</parameter>
+ <parameter name="label">Is pending</parameter>
</paramter>
</parameter>
</option>
@@ -291,6 +297,7 @@
</parameter>
<parameter name="additional_filter_fields">
+ <parameter name="host_is_pending">HOST_IS_PENDING</parameter>
<parameter name="hostgroup_object_id">HOSTGROUP_OBJECT_ID</parameter>
<parameter name="hostgroup_name">HOSTGROUP_NAME</parameter>
<parameter name="servicegroup_name">SERVICEGROUP_NAME</parameter>
@@ -299,6 +306,7 @@
<parameter name="notifications_enabled">HOST_NOTIFICATIONS_ENABLED</parameter>
<parameter name="problem_acknowledged">HOST_PROBLEM_HAS_BEEN_ACKNOWLEDGED</parameter>
<parameter name="scheduled_downtime_depth">HOST_SCHEDULED_DOWNTIME_DEPTH</parameter>
+ <parameter name="host_is_pending">HOST_IS_PENDING</parameter>
<!-- Some mapping for stupid filters -->
<parameter name="customvariable_name">HOST_CUSTOMVARIABLE_NAME</parameter>
@@ -352,7 +360,7 @@
images/icons/server.png
</tpl>
<tpl if="host_icon != ''" />
- {host_icon}
+ images/icinga/{host_icon}
</tpl>
]]>
@@ -507,7 +515,68 @@
<!-- <parameter name="field">A_NEW_FIELD_TO_SORT</parameter> -->
</order>
- </field>
+ </field>
+
+ <field name="host_alias">
+ <datasource>
+ <parameter name="field">HOST_ALIAS</parameter>
+ </datasource>
+
+ <display>
+ <parameter name="visible">false</parameter>
+ <parameter name="label">Alias</parameter>
+
+ </display>
+
+ <filter>
+ <parameter name="enabled">true</parameter>
+
+ <!-- Filter configuration -->
+ <parameter name="type">extjs</parameter>
+ <parameter name="subtype">appkit.ext.filter.api</parameter>
+ <parameter name="operator_type">text</parameter>
+ <parameter name="api_target">host</parameter>
+ <parameter name="api_keyfield">HOST_ALIAS</parameter>
+ <parameter name="api_valuefield">HOST_ALIAS</parameter>
+ </filter>
+
+ <order>
+ <parameter name="enabled">true</parameter>
+ <parameter name="default">false</parameter>
+ <parameter name="direction">ASC</parameter>
+ </order>
+ </field>
+
+ <field name="host_display_name">
+ <datasource>
+ <parameter name="field">HOST_DISPLAY_NAME</parameter>
+ </datasource>
+
+ <display>
+ <parameter name="visible">false</parameter>
+ <parameter name="label">Display name</parameter>
+
+ </display>
+
+ <filter>
+ <parameter name="enabled">true</parameter>
+
+ <!-- Filter configuration -->
+ <parameter name="type">extjs</parameter>
+ <parameter name="subtype">appkit.ext.filter.api</parameter>
+ <parameter name="operator_type">text</parameter>
+ <parameter name="api_target">host</parameter>
+ <parameter name="api_keyfield">HOST_DISPLAY_NAME</parameter>
+ <parameter name="api_valuefield">HOST_DISPLAY_NAME</parameter>
+ </filter>
+
+ <order>
+ <parameter name="enabled">true</parameter>
+ <parameter name="default">false</parameter>
+ <parameter name="direction">ASC</parameter>
+ </order>
+ </field>
+
<!-- Example for adding a iframe cronk that creates an url depending on db-variables
@@ -705,6 +774,7 @@
<parameter>
<parameter name="namespace">Cronk.grid.IcingaColumnRenderer</parameter>
+ :
<parameter name="function">ajaxClick</parameter>
<!-- renderer/gridevent[cellclick|celldblclick|...] -->
@@ -712,8 +782,8 @@
<parameter name="arguments">
<parameter name="title">Detailed hostinfo</parameter>
- <parameter name="src_id">hostinfo</parameter>
- <parameter name="filter">
+ <parameter name="src_id">hostinfo</parameter>
+ <parameter name="filter">
<parameter name="host">host_name</parameter>
</parameter>
</parameter>
@@ -1037,9 +1107,7 @@
<parameter name="jsFunc">
<parameter name="namespace">Cronk.grid.ColumnRenderer</parameter>
<parameter name="function">truncateText</parameter>
- <parameter name="arguments">
- <parameter name="length">40</parameter>
- </parameter>
+
</parameter>
</display>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/data/xml/grid/icinga-open-problems-template.xml
^
|
@@ -130,7 +130,6 @@
<parameter name="api_target">hostgroup</parameter>
<parameter name="api_keyfield">HOSTGROUP_NAME</parameter>
<parameter name="api_valuefield">HOSTGROUP_NAME</parameter>
-
</paramter>
</parameter>
</option>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/data/xml/grid/icinga-service-history-template.xml
^
|
@@ -119,7 +119,7 @@
images/icons/application-monitor.png
</tpl>
<tpl if="service_icon != ''" />
- {service_icon}
+ images/icinga/{service_icon}
</tpl>
]]>
@@ -258,6 +258,66 @@
</order>
</field>
+ <field name="host_alias">
+ <datasource>
+ <parameter name="field">HOST_ALIAS</parameter>
+ </datasource>
+
+ <display>
+ <parameter name="visible">false</parameter>
+ <parameter name="label">Host alias</parameter>
+
+ </display>
+
+ <filter>
+ <parameter name="enabled">true</parameter>
+
+ <!-- Filter configuration -->
+ <parameter name="type">extjs</parameter>
+ <parameter name="subtype">appkit.ext.filter.api</parameter>
+ <parameter name="operator_type">text</parameter>
+ <parameter name="api_target">host</parameter>
+ <parameter name="api_keyfield">HOST_ALIAS</parameter>
+ <parameter name="api_valuefield">HOST_ALIAS</parameter>
+ </filter>
+
+ <order>
+ <parameter name="enabled">true</parameter>
+ <parameter name="default">false</parameter>
+ <parameter name="direction">ASC</parameter>
+ </order>
+ </field>
+
+ <field name="host_display_name">
+ <datasource>
+ <parameter name="field">HOST_DISPLAY_NAME</parameter>
+ </datasource>
+
+ <display>
+ <parameter name="visible">false</parameter>
+ <parameter name="label">Host display name</parameter>
+
+ </display>
+
+ <filter>
+ <parameter name="enabled">true</parameter>
+
+ <!-- Filter configuration -->
+ <parameter name="type">extjs</parameter>
+ <parameter name="subtype">appkit.ext.filter.api</parameter>
+ <parameter name="operator_type">text</parameter>
+ <parameter name="api_target">host</parameter>
+ <parameter name="api_keyfield">HOST_DISPLAY_NAME</parameter>
+ <parameter name="api_valuefield">HOST_DISPLAY_NAME</parameter>
+ </filter>
+
+ <order>
+ <parameter name="enabled">true</parameter>
+ <parameter name="default">false</parameter>
+ <parameter name="direction">ASC</parameter>
+ </order>
+ </field>
+
<field name="service_object_id">
<datasource>
<parameter name="field">SERVICE_OBJECT_ID</parameter>
@@ -312,6 +372,34 @@
</order>
</field>
+ <field name="service_display_name">
+ <datasource>
+ <parameter name="field">SERVICE_DISPLAY_NAME</parameter>
+ </datasource>
+
+ <display>
+ <parameter name="visible">false</parameter>
+ <parameter name="label">Display Name</parameter>
+ </display>
+
+ <filter>
+ <parameter name="enabled">true</parameter>
+
+ <!-- Filter configuration -->
+ <parameter name="type">extjs</parameter>
+ <parameter name="subtype">appkit.ext.filter.api</parameter>
+ <parameter name="operator_type">text</parameter>
+ <parameter name="api_target">service</parameter>
+ <parameter name="api_keyfield">SERVICE_DISPLAY_NAME</parameter>
+ <parameter name="api_valuefield">SERVICE_DISPLAY_NAME</parameter>
+ </filter>
+
+ <order>
+ <parameter name="enabled">true</parameter>
+ <!-- <parameter name="field">A_NEW_FIELD_TO_SORT</parameter> -->
+ </order>
+ </field>
+
<field name="statehistory_status">
<datasource>
<parameter name="field">STATEHISTORY_STATE</parameter>
@@ -444,9 +532,7 @@
<parameter name="jsFunc">
<parameter name="namespace">Cronk.grid.ColumnRenderer</parameter>
<parameter name="function">truncateText</parameter>
- <parameter name="arguments">
- <parameter name="length">40</parameter>
- </parameter>
+
</parameter>
</display>
@@ -463,4 +549,4 @@
</fields>
-</template>
\ No newline at end of file
+</template>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/data/xml/grid/icinga-service-template.xml
^
|
@@ -80,7 +80,11 @@
<parameter name="title">Schedule next service check</parameter>
<parameter name="icon_class">icinga-icon-cog</parameter>
</parameter>
- <parameter name="PROCESS_SERVICE_CHECK_RESULT">
+ <parameter name="SCHEDULE_FORCED_SVC_CHECK">
+ <parameter name="title">Schedule forced service check</parameter>
+ <parameter name="icon_class">icinga-icon-cog</parameter>
+ </parameter>
+ <parameter name="PROCESS_SERVICE_CHECK_RESULT">
<parameter name="title">Process service check result</parameter>
<parameter name="icon_class">icinga-icon-cog</parameter>
</parameter>
@@ -226,7 +230,13 @@
<parameter name="enabled">true</parameter>
<parameter name="type">extjs</parameter>
<parameter name="subtype">appkit.ext.filter.bool</parameter>
- <parameter name="label">In Downtime</parameter>
+ <parameter name="label">In downtime</parameter>
+ </paramter>
+ <paramter name="service_is_pending">
+ <parameter name="enabled">true</parameter>
+ <parameter name="type">extjs</parameter>
+ <parameter name="subtype">appkit.ext.filter.bool</parameter>
+ <parameter name="label">Is pending</parameter>
</paramter>
</parameter>
@@ -273,7 +283,8 @@
<parameter name="notifications_enabled">SERVICE_NOTIFICATIONS_ENABLED</parameter>
<parameter name="problem_acknowledged">SERVICE_PROBLEM_HAS_BEEN_ACKNOWLEDGED</parameter>
<parameter name="scheduled_downtime_depth">SERVICE_SCHEDULED_DOWNTIME_DEPTH</parameter>
-
+ <parameter name="service_is_pending">SERVICE_IS_PENDING</parameter>
+
<!-- Stupid filter mapping -->
<parameter name="customvariable_name">SERVICE_CUSTOMVARIABLE_NAME</parameter>
<parameter name="customvariable_value">SERVICE_CUSTOMVARIABLE_VALUE</parameter>
@@ -330,7 +341,7 @@
images/icons/application-monitor.png
</tpl>
<tpl if="service_icon != ''" />
- {service_icon}
+ images/icinga/{service_icon}
</tpl>
]]>
@@ -469,6 +480,66 @@
</order>
</field>
+ <field name="host_alias">
+ <datasource>
+ <parameter name="field">HOST_ALIAS</parameter>
+ </datasource>
+
+ <display>
+ <parameter name="visible">false</parameter>
+ <parameter name="label">Host alias</parameter>
+
+ </display>
+
+ <filter>
+ <parameter name="enabled">true</parameter>
+
+ <!-- Filter configuration -->
+ <parameter name="type">extjs</parameter>
+ <parameter name="subtype">appkit.ext.filter.api</parameter>
+ <parameter name="operator_type">text</parameter>
+ <parameter name="api_target">host</parameter>
+ <parameter name="api_keyfield">HOST_ALIAS</parameter>
+ <parameter name="api_valuefield">HOST_ALIAS</parameter>
+ </filter>
+
+ <order>
+ <parameter name="enabled">true</parameter>
+ <parameter name="default">false</parameter>
+ <parameter name="direction">ASC</parameter>
+ </order>
+ </field>
+
+ <field name="host_display_name">
+ <datasource>
+ <parameter name="field">HOST_DISPLAY_NAME</parameter>
+ </datasource>
+
+ <display>
+ <parameter name="visible">false</parameter>
+ <parameter name="label">Host display name</parameter>
+
+ </display>
+
+ <filter>
+ <parameter name="enabled">true</parameter>
+
+ <!-- Filter configuration -->
+ <parameter name="type">extjs</parameter>
+ <parameter name="subtype">appkit.ext.filter.api</parameter>
+ <parameter name="operator_type">text</parameter>
+ <parameter name="api_target">host</parameter>
+ <parameter name="api_keyfield">HOST_DISPLAY_NAME</parameter>
+ <parameter name="api_valuefield">HOST_DISPLAY_NAME</parameter>
+ </filter>
+
+ <order>
+ <parameter name="enabled">true</parameter>
+ <parameter name="default">false</parameter>
+ <parameter name="direction">ASC</parameter>
+ </order>
+ </field>
+
<field name="service_name">
<datasource>
<parameter name="field">SERVICE_NAME</parameter>
@@ -497,6 +568,34 @@
</order>
</field>
+ <field name="service_display_name">
+ <datasource>
+ <parameter name="field">SERVICE_DISPLAY_NAME</parameter>
+ </datasource>
+
+ <display>
+ <parameter name="visible">false</parameter>
+ <parameter name="label">Display Name</parameter>
+ </display>
+
+ <filter>
+ <parameter name="enabled">true</parameter>
+
+ <!-- Filter configuration -->
+ <parameter name="type">extjs</parameter>
+ <parameter name="subtype">appkit.ext.filter.api</parameter>
+ <parameter name="operator_type">text</parameter>
+ <parameter name="api_target">service</parameter>
+ <parameter name="api_keyfield">SERVICE_DISPLAY_NAME</parameter>
+ <parameter name="api_valuefield">SERVICE_DISPLAY_NAME</parameter>
+ </filter>
+
+ <order>
+ <parameter name="enabled">true</parameter>
+ <!-- <parameter name="field">A_NEW_FIELD_TO_SORT</parameter> -->
+ </order>
+ </field>
+
<field name="comments">
<datasource>
<parameter name="field">SERVICE_OBJECT_ID</parameter>
@@ -975,10 +1074,7 @@
<parameter name="jsFunc">
<parameter name="namespace">Cronk.grid.ColumnRenderer</parameter>
- <parameter name="function">truncateText</parameter>
- <parameter name="arguments">
- <parameter name="length">40</parameter>
- </parameter>
+ <parameter name="function">truncateText</parameter>
</parameter>
</display>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/lib/js/Cronk.js
^
|
@@ -186,7 +186,15 @@
lcmp.on('afterrender', this.onComponentRender, this, { single: true });
lcmp.on('added', this.onComponentAdded, this);
}
-
+
+ // inform the actual cronk items about the 'show' event
+ lcmp.on('show',function() {
+ if(this.items)
+ this.items.each(function(i) {
+ if(i.fireEvent)
+ i.fireEvent("show",i);
+ })
+ },lcmp);
lcmp.on('destroy', this.onComponentDestroy, this);
},
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/lib/js/CronkListingPanel.js
^
|
@@ -658,7 +658,7 @@
}, {
id: idPrefix + '-button-delete',
text: _('Delete'),
- iconCls: 'icinga-icon-bin',
+ iconCls: 'icinga-icon-delete',
handler: function(b, e) {
var item = ctxMenu.getItemData();
Ext.Msg.confirm(_('elete cronk'), String.format(_('Are you sure to delete {0}'), item['name']), function(btn) {
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/lib/js/CronkTabpanel.js
^
|
@@ -108,7 +108,7 @@
listeners: {
tabchange: function(tab) {
- var aTab = tab.getActiveTab();
+ var aTab = tab.getActiveTab();
document.title = "Icinga - "+aTab.title;
}
}
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/lib/js/CronkUtil.js
^
|
@@ -203,11 +203,11 @@
config.iconCls = 'icinga-cronk-icon-cube';
}
- if (!panel) {
+ if (!panel && !config.allowDuplicate) {
for(var i=0;i<tabs.items.items.length;i++) {
var item = tabs.items.items[i];
- if(item.title == config.title) {
+ if(item.title == config.title) {
panel = item;
}
}
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/lib/js/SearchHandler.js
^
|
@@ -249,11 +249,14 @@
var re = grid.getStore().getAt(rowIndex);
var type = re.data.type;
- var params = {};
+ var params = {
+ module: 'Cronks',
+ action: 'System.ViewProc'
+ };
var filter = {};
- var id = (type || 'empty') + 'searchResultComponent';
+ var id = (type || 'empty') + 'searchResultComponent'+Ext.id();
switch (type) {
case 'host':
@@ -291,6 +294,7 @@
title: 'Search result ' + type,
crname: 'gridProc',
closable: true,
+ allowDuplicate: true,
params: params
};
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/lib/js/Tabhelper.js
^
|
@@ -131,6 +131,31 @@
this.last_tab = ctab.id;
}
},
+ isFullscreen: false,
+ setFullscreen: function(val) {
+ var func = "hide";
+ if(val == true) {
+ func = "hide";
+ if(Ext.getCmp(tp.id+'-expand')) {
+ Ext.getCmp(tp.id+'-expand').hide();
+ Ext.getCmp(tp.id+'-reset').show();
+ }
+ this.isFullscreen = true;
+ } else {
+ func = "show";
+ if(Ext.getCmp(tp.id+'-expand')) {
+ Ext.getCmp(tp.id+'-expand').show();
+ Ext.getCmp(tp.id+'-reset').hide();
+ }
+ this.isFullscreen = false;
+ }
+ Ext.getCmp('north-frame')[func]();
+ Ext.getCmp('west-frame')[func]();
+ Ext.getCmp('viewport-north')[func]();
+ Ext.getCmp('view-container').doLayout();
+ AppKit.util.Layout.doLayout();
+
+ },
contextMenu : function (myp, tab, e) {
if (!this.contextmenu) {
@@ -154,14 +179,35 @@
}
});
}
- }, {
+ },'-', {
+ text: _("Expand"),
+ id: tp.id +'-expand',
+ iconCls: 'icinga-icon-arrow-out',
+
+ handler: function() {
+ this.setFullscreen(true);
+ this.contextmenu.hide();
+
+ },
+ scope: this
+ },{
+ text: _("Reset view"),
+ id: tp.id +'-reset',
+ iconCls: 'icinga-icon-arrow-in',
+ hidden: true,
+ handler: function() {
+ this.setFullscreen(false);
+ },
+ scope: this
+
+ },'-',{
text: _("Rename"),
id: tp.id + '-rename',
iconCls: 'icinga-icon-table-edit',
handler: this.renameTab,
scope: this
- }, {
- text: _("Refresh"),
+ },{
+ text: _("Reload cronk"),
tooltip: _("Reload the cronk (not the content)"),
iconCls: 'icinga-icon-arrow-refresh',
handler: function() {
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/lib/js/grid/ColumnRenderer.js
^
|
@@ -49,6 +49,8 @@
},
truncateText : function(cfg) {
+ var defaultLength = AppKit.getPrefVal('org.icinga.grid.outputLength') || 70;
+
return function(value, metaData, record, rowIndex, colIndex, store) {
if(!value)
return "";
@@ -56,7 +58,7 @@
if(value.match(/<.*?>(.*?)<\/.*?>/g))
return value;
- var out = Ext.util.Format.ellipsis(value, (cfg.length || 50));
+ var out = Ext.util.Format.ellipsis(value, (cfg.length || defaultLength));
if (out.indexOf('...', (out.length-3)) != -1) {
// @todo Check if html encoding brings some trouble
metaData.attr = 'ext:qtip="' + value + '"';
@@ -100,7 +102,7 @@
delete metaData.attr;
if (!('image' in my) || !my["image"]) {
- return '[no image defined (attr=image)]';
+ return '';//[no image defined (attr=image)]';
}
else {
var imgName = new Ext.XTemplate(my.image).apply(record.data);
@@ -132,10 +134,9 @@
},
serviceStatus : function(cfg) {
- return function(value, metaData, record, rowIndex, colIndex, store) {
-
+ return function(value, metaData, record, rowIndex, colIndex, store) {
if(Ext.isDefined(record.json.service_is_pending)) {
- if(record.json.service_is_pending == 1)
+ if(record.json.service_is_pending > 0)
value=99;
}
if(!Ext.isDefined(value))
@@ -147,7 +148,7 @@
hostStatus : function(cfg) {
return function(value, metaData, record, rowIndex, colIndex, store) {
if(Ext.isDefined(record.json.host_is_pending)) {
- if(record.json.host_is_pending == 1)
+ if(record.json.host_is_pending > 0)
value=99;
}
if(!Ext.isDefined(value))
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/lib/js/grid/GridPanel.js
^
|
@@ -6,6 +6,8 @@
filter: {},
initComponent : function() {
+ this.addEvents('autorefreshchange');
+ this.autoRefreshEnabled = null;
this.tbar = this.buildTopToolbar();
_G = this;
@@ -22,8 +24,13 @@
_G.getGridEl().child('div').removeClass('x-icinga-nodata');
}
});
- }
+ }
Cronk.grid.GridPanel.superclass.initComponent.call(this);
+ this.on("show",function() {
+ if(this.autoRefreshEnabled)
+ this.startRefreshTimer();
+ },this);
+
},
/*
@@ -51,21 +58,22 @@
checked: autoRefreshDefault,
checkHandler: function(checkItem, checked) {
if (checked == true) {
-
- this.trefresh = AppKit.getTr().start({
- run: function() {
- this.refreshGrid();
- },
- interval: (autoRefresh*1000),
- scope: this
- });
-
- }
- else {
- AppKit.getTr().stop(this.trefresh);
- delete this.trefresh;
+ this.startRefreshTimer();
+ } else {
+ this.stopRefreshTimer();
}
},
+ listeners: {
+ render: function(btn) {
+ if(this.autoRefreshEnabled !== null)
+ btn.setChecked(this.autoRefreshEnabled,true);
+ this.on("autorefreshchange",function(v) {
+ btn.setChecked(v,true);
+ });
+ },
+ scope:this
+
+ },
scope: this
},{
text: _('Get this view as URL'),
@@ -107,15 +115,11 @@
}],
listeners: {
render: function(cmp) {
- if(autoRefreshDefault) {
- this.trefresh = AppKit.getTr().start({
- run: function() {
- this.refreshGrid();
- },
- interval: (autoRefresh*1000),
- scope: this
- });
+ if(autoRefreshDefault && this.autoRefreshEnabled === null) {
+ this.startRefreshTimer();
}
+
+
},
scope: this
}
@@ -166,9 +170,34 @@
setFilter : function(f) {
this.filter = f;
},
+ stateEvents: ['autorefreshchange','activate', 'columnmove ', 'columnresize', 'groupchange', 'sortchange'],
- stateEvents: ['activate', 'columnmove ', 'columnresize', 'groupchange', 'sortchange'],
+ startRefreshTimer: function() {
+ var autoRefresh = AppKit.getPrefVal('org.icinga.grid.refreshTime') || 300;
+ this.stopRefreshTimer();
+
+ this.trefresh = AppKit.getTr().start({
+ run: function() {
+ this.refreshGrid();
+ },
+ interval: (autoRefresh*1000),
+ scope: this
+ });
+ this.autoRefreshEnabled = true;
+ this.fireEvent('autorefreshchange',true);
+ },
+
+ stopRefreshTimer: function(noVisualUpdate) {
+ if(this.trefresh) {
+ AppKit.getTr().stop(this.trefresh);
+ delete this.trefresh;
+ }
+ this.autoRefreshEnabled = false;
+ if(!noVisualUpdate) {
+ this.fireEvent('autorefreshchange',false);
+ }
+ },
getPersistentColumnModel : function() {
o = {};
@@ -203,8 +232,10 @@
}, this);
},
- refreshGrid: function() {
- if(!this.store)
+ refreshTask: new Ext.util.DelayedTask(function() {
+ //NOTE: hidden tabs won't be refreshed
+
+ if(!this.store || this.ownerCt.hidden)
return true;
if(Ext.isFunction((this.getTopToolbar() || {}).doRefresh)) {
this.getTopToolbar().doRefresh();
@@ -213,16 +244,24 @@
} else if(this.getStore()) {
this.getStore().reload();
}
-
+ }),
+
+ refreshGrid: function() {
+ this.refreshTask.delay(200,null,this);
},
getState: function() {
var store = this.getStore();
-
+ var aR = null;
+ if(this.autoRefreshEnabled === true)
+ aR = 1;
+ if(this.autoRefreshEnabled === false)
+ aR = -1;
var o = {
filter_params: this.filter_params || {},
filter_types: this.filter_types || {},
store_origin_params: ("originParams" in store) ? store.originParams : {},
- colModel: this.getPersistentColumnModel()
+ colModel: this.getPersistentColumnModel(),
+ autoRefresh: aR
};
return o;
@@ -252,6 +291,12 @@
reload = true;
}
+ if (state.autoRefresh == 1) {
+ this.startRefreshTimer();
+ } else if (state.autoRefresh == -1) {
+ this.stopRefreshTimer();
+ }
+
if (reload == true) {
this.refreshGrid();
@@ -266,6 +311,8 @@
}
}
+
+
});
Ext.reg('cronkgrid', Cronk.grid.GridPanel);
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/models/Provider/CronksDataModel.class.php
^
|
@@ -220,6 +220,17 @@
return false;
}
+ private function checkPrincipals($listofprincipals) {
+ $principals = AppKitArrayUtil::trimSplit($listofprincipals);
+ if (is_array($principals)) {
+ foreach($principals as $principal) {
+ if($this->agaviUser->hasCredential($principal))
+ return true;
+ }
+ }
+ return false;
+ }
+
private function getXmlCronks($all=false) {
$cronks = AgaviConfig::get('modules.cronks.cronks');
@@ -230,6 +241,9 @@
if (isset($cronk['groupsonly']) && $this->checkGroups($cronk['groupsonly']) !== true) {
continue;
}
+ elseif(isset($cronk['principalsonly']) && $this->checkPrincipals($cronk['principalsonly']) !== true) {
+ continue;
+ }
elseif (isset($cronk['disabled']) && $cronk['disabled'] == true) {
continue;
}
@@ -241,7 +255,7 @@
continue;
}
-
+
$out[$uid] = array (
'cronkid' => $uid,
'module' => $cronk['module'],
@@ -590,4 +604,4 @@
}
}
-?>
\ No newline at end of file
+?>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/models/System/MonitorPerformanceDataModel.class.php
^
|
@@ -87,17 +87,17 @@
$arr = $res->fetch()->getRow();
- foreach ($arr as $name=>$value) {
+ foreach ($arr as $key=>$value) {
if (isset($source[4])) {
- $name = $source[4];
+ $key = $source[4];
}
if (is_numeric($value) && strpos($value, '.') !== false) {
$value = sprintf('%.2f', $value);
}
- $this->data->setParameter($name, $value);
+ $this->data->setParameter($key, $value);
}
}
catch(IcingaApiException $e) {
@@ -130,4 +130,4 @@
}
-?>
\ No newline at end of file
+?>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/models/System/ObjectSearchResultModel.class.php
^
|
@@ -34,7 +34,7 @@
private $mapping = array (
'host' => array (
'target' => IcingaApi::TARGET_HOST,
- 'search' => 'HOST_NAME',
+ 'search' => array('HOST_NAME', 'HOST_ALIAS', 'HOST_DISPLAY_NAME'),
'fields' => array (
'object_name' => 'HOST_NAME',
@@ -47,7 +47,7 @@
'service' => array (
'target' => IcingaApi::TARGET_SERVICE,
- 'search' => 'SERVICE_NAME',
+ 'search' => array('SERVICE_NAME', 'SERVICE_DISPLAY_NAME'),
'fields' => array (
'object_name' => 'SERVICE_NAME',
@@ -61,7 +61,7 @@
'hostgroup' => array (
'target' => IcingaApi::TARGET_HOSTGROUP,
- 'search' => 'HOSTGROUP_NAME',
+ 'search' => array('HOSTGROUP_NAME', 'HOSTGROUP_ALIAS'),
'fields' => array (
'object_name' => 'HOSTGROUP_NAME',
@@ -72,7 +72,7 @@
'servicegroup' => array (
'target' => IcingaApi::TARGET_SERVICEGROUP,
- 'search' => 'SERVICEGROUP_NAME',
+ 'search' => array('SERVICEGROUP_NAME', 'SERVICEGROUP_ALIAS'),
'fields' => array (
'object_name' => 'SERVICEGROUP_NAME',
@@ -138,10 +138,17 @@
$search = $this->api->createSearch()
->setSearchTarget($md['target'])
->setResultColumns(array_values($md['fields']))
- ->setSearchFilter($md['search'], $this->query, IcingaApi::MATCH_LIKE)
->setResultType(IcingaApi::RESULT_ARRAY)
->setSearchLimit(0, AgaviConfig::get('modules.cronks.search.maximumResults', 200));
+ $search_group = $search->createFilterGroup(IcingaApi::SEARCH_OR);
+
+ foreach ($md['search'] as $search_field) {
+ $search_group->addFilter($search->createFilter($search_field, $this->query, IcingaApi::MATCH_LIKE));
+ }
+
+ $search->setSearchFilter($search_group);
+
// Limiting results for security
IcingaPrincipalTargetTool::applyApiSecurityPrincipals($search);
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/models/System/StatusMapModel.class.php
^
|
@@ -9,7 +9,7 @@
private $tm = false;
private $hostResultColumns = array(
- 'HOST_OBJECT_ID', 'HOST_NAME', 'HOST_ADDRESS', 'HOST_ALIAS', 'HOST_DISPLAY_NAME', 'HOST_CURRENT_STATE', 'HOST_OUTPUT',
+ 'HOST_OBJECT_ID', 'HOST_NAME', 'HOST_ADDRESS', 'HOST_ALIAS', 'HOST_DISPLAY_NAME', 'HOST_CURRENT_STATE','HOST_IS_PENDING', 'HOST_OUTPUT',
'HOST_PERFDATA', 'HOST_CURRENT_CHECK_ATTEMPT', 'HOST_MAX_CHECK_ATTEMPTS', 'HOST_LAST_CHECK', 'HOST_CHECK_TYPE',
'HOST_LATENCY', 'HOST_EXECUTION_TIME', 'HOST_NEXT_CHECK', 'HOST_LAST_HARD_STATE_CHANGE', 'HOST_LAST_NOTIFICATION',
'HOST_IS_FLAPPING', 'HOST_SCHEDULED_DOWNTIME_DEPTH', 'HOST_STATUS_UPDATE_TIME'
@@ -53,7 +53,7 @@
$apiResHosts = $apiResHosts
->fetch()
->getAll();
-
+
$apiResHostParents = $this->api->getConnection()->createSearch();
$apiResHostParents->setSearchTarget(IcingaApi::TARGET_HOST_PARENTS);
@@ -61,6 +61,9 @@
$apiResHostParents = $apiResHostParents->fetch();
foreach ($apiResHosts as $row) {
+ if($row['HOST_IS_PENDING'] == '1') {
+ $row['HOST_CURRENT_STATE'] = "99";
+ }
$objectId = $idPrefix . $row['HOST_OBJECT_ID'];
$hosts[$objectId] = array(
'id' => $objectId,
@@ -173,4 +176,4 @@
}
-?>
\ No newline at end of file
+?>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/models/System/StatusOverallModel.class.php
^
|
@@ -30,11 +30,11 @@
foreach ($sources as $stype=>$tarray) {
$type = explode("_",strtoupper($stype));
$search = $this->api->createSearch()->setSearchTarget($stype);
- $search->setSearchFilter($type[0]."_IS_PENDING","1","!=");
+ $search->setSearchFilter($type[0]."_IS_PENDING","0","=");
IcingaPrincipalTargetTool::applyApiSecurityPrincipals($search);
- $this->buildDataArray($search, $tarray[0], $tarray[1], $target);
+ $this->buildDataArray($search, $tarray[0], $tarray[1], $target, $stype);
}
-
+
return $target;
}
@@ -49,9 +49,11 @@
return $out;
}
- private function buildDataArray(IcingaApiSearch &$search, $type, array $states, array &$target) {
+ private function buildDataArray(IcingaApiSearch &$search, $type, array $states, array &$target,$stype) {
$data = $search->setResultType(IcingaApi::RESULT_ARRAY)->fetch()->getAll();
-
+
+ $this->addPending($data,$stype);
+
$field = sprintf('%s_STATE', strtoupper($type));
$data = $this->normalizeData($data, $field);
$sum = 0;
@@ -64,14 +66,14 @@
}
$sum += $count;
-
+
$target[] = array (
'type' => $type,
'state' => $sid,
'count' => $count
);
}
-
+
$target[] = array (
'type' => $type,
'state' => 100,
@@ -79,6 +81,27 @@
);
}
+ protected function addPending(&$data,$stype) {
+ $type = explode("_",strtoupper($stype));
+
+ $search = $this->api->createSearch()->setSearchTarget($stype);
+ $search->setSearchFilter($type[0]."_IS_PENDING","0",">");
+ IcingaPrincipalTargetTool::applyApiSecurityPrincipals($search);
+ $result = $search->setResultType(IcingaApi::RESULT_ARRAY)->fetch()->getAll();
+
+ if(count($result) > 0)
+ $result = $result[0];
+ else
+ return;
+
+ foreach($result as $type=>&$val) {
+ if(preg_match("/^.*_STATE$/",$type))
+ $val = 99;
+ }
+
+ $data[] = $result;
+ }
+
/**
* @return AppKitExtJsonDocument
*/
@@ -98,4 +121,4 @@
}
-?>
\ No newline at end of file
+?>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/templates/System/MonitorPerformanceSuccess.php
^
|
@@ -8,7 +8,7 @@
ds.load();
- var interval = <?php echo $us->getPrefVal('org.icinga.grid.refreshTime', AgaviConfig::get('modules.cronks.grid.refreshTime', 120)); ?>;
+ var interval = <?php echo $us->getPrefVal('org.icinga.status.refreshTime', 60); ?>;
var monitorPerformanceRefreshTask = {
run: function() { ds.reload(); },
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/templates/System/PortalViewSuccess.php
^
|
@@ -288,8 +288,7 @@
var cronk = Cronk.factory(c);
- PortalHandler.initPortlet(cronk);
- AppKit.log("adding ",cronk);
+ PortalHandler.initPortlet(cronk);
this.get(index).add(cronk);
cronk.show();
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/templates/System/StatusOverallSuccess.php
^
|
@@ -25,7 +25,7 @@
ds.load();
- var interval = <?php echo $us->getPrefVal('org.icinga.grid.refreshTime', AgaviConfig::get('modules.cronks.grid.refreshTime', 120)); ?>;
+ var interval = <?php echo $us->getPrefVal('org.icinga.status.refreshTime', 60); ?>;
var statusOverallRefreshTask = {
run: function() { ds.reload(); },
@@ -60,9 +60,20 @@
var filter = {};
// 100 is the summary of all (== no filter)
- if (d.state_org < 100) {
+ if (d.state_org < 99) {
+ // state ok
filter['f[' + d.type + '_status-value]'] = d.state_org;
+ filter['f[' + d.type + '_status-operator]'] = 50;
+ // not pending
+ filter['f['+ d.type +'_is_pending-value]'] = 0;
+ filter['f['+ d.type +'_is_pending-operator]'] = 50;
+ } else if (d.state_org == 99) { // check pending
+ // state ok
+ filter['f[' + d.type + '_status-value]'] = 0;
filter['f[' + d.type + '_status-operator]'] = 50;
+ // pending
+ filter['f['+ d.type +'_is_pending-value]'] = 1;
+ filter['f['+ d.type +'_is_pending-operator]'] = 50;
}
var id = 'status-overall-grid' + d.type + '-' + d.state_org;
@@ -87,7 +98,7 @@
'<tpl if="id==1">',
'<div class="icinga-overall-status-icon icinga-icon-host" title="' + _('Hosts') + '"></div>',
'</tpl>',
- '<tpl if="id==5">',
+ '<tpl if="id==6">',
'<div class="x-clear icinga-overall-status-spacer"></div>',
'<div class="icinga-overall-status-icon icinga-icon-service" title="' + _('Services') + '"></div>',
'</tpl>',
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/templates/System/ViewProc/js/IcingaColumnRenderer.js
^
|
@@ -56,13 +56,14 @@
},
cfg.processedFilterData
);
-
+
Icinga.util.SimpleDataProvider.createToolTip({
title: cfg.title,
target: e.getTarget(),
srcId: cfg.src_id,
width: 400,
- delay: cfg.delay || 15000,
+ autoHide: false,
+ delay: typeof cfg.delay != "undefined" ? cfg.delay :2000,
filter: cfg.processedFilterData
});
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/templates/System/ViewProc/js/IcingaCommandHandler.js
^
|
@@ -4,10 +4,9 @@
// ---
var IcingaCommandHandler = function(meta) {
-
this.toolbaritem = undefined;
-
- this.meta = undefined;
+
+ this.meta = undefined;
this.command_options = {};
@@ -180,7 +179,21 @@
{boxLabel: _('No'), inputValue: 0, name: o.fieldName, checked: true}
]
});
-
+ if(o.fieldName == "fixed") {
+ var affectedForms = ['duration','duration-minute','duration-hour'];
+ oDef.listeners = {
+ change: function(rg, checkedBox) {
+ for(var i=0;i<affectedForms.length;i++) {
+ var m = form.getForm().findField(affectedForms[i])
+
+ if(m) {
+ checkedBox.initialConfig.boxLabel == _('Yes') ? m.setReadOnly(true) : m.setReadOnly(false);
+ checkedBox.initialConfig.boxLabel == _('Yes') ? m.container.hide() : m.container.show();
+ }
+ }
+ }
+ }
+ }
return new Ext.form.RadioGroup(oDef);
break;
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Cronks/templates/System/js/JitStatusMap.js
^
|
@@ -114,6 +114,9 @@
case "2":
node.data.$color = "#ff8000";
break;
+ case "99":
+ node.data.$color = "#aa3377";
+ break;
}
},
onCreateLabel: function(domElement, node){
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Web/config/icinga-io.xml.in
^
|
@@ -30,6 +30,7 @@
<ae:parameter name="config_user">@api_db_user@</ae:parameter>
<ae:parameter name="config_password">@api_db_pass@</ae:parameter>
<ae:parameter name="config_table_prefix">@api_db_prefix@</ae:parameter>
+ <ae:parameter name="config_config_type">1</ae:parameter>
<!-- ###END_CONNECTION_IDO### -->
<!-- ###BEGIN_CONNECTION_LIFESTATUS### -->
@@ -40,13 +41,15 @@
</setting>
<setting name="api.interfaces.command">
+
+ <!-- Default pipe interface, single maschine installation -->
<ae:parameter name="pipe1">
<ae:parameter name="type">IcingaApi::COMMAND_PIPE</ae:parameter>
<ae:parameter name="enabled">true</ae:parameter>
<ae:parameter name="pipe">@api_cmd_file@</ae:parameter>
- <ae:parameter name="instance">default</ae:parameter>
+ <ae:parameter name="instance">@api_cmd_instance@</ae:parameter>
<ae:parameter name="broadcast">false</ae:parameter>
</ae:parameter>
@@ -94,4 +97,4 @@
</ae:parameter>
</setting>
-</settings>
\ No newline at end of file
+</settings>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Web/config/module.xml
^
|
@@ -24,7 +24,11 @@
<xi:include xmlns:xi="http://www.w3.org/2001/XInclude" href="icinga-io.site.xml">
<xi:fallback></xi:fallback>
</xi:include>
-
+
+ <xi:include xmlns:xi="http://www.w3.org/2001/XInclude" href="module.site.xml">
+ <xi:fallback></xi:fallback>
+ </xi:include>
+
</module>
</ae:configuration>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Web/config/simple_data_provider.xml
^
|
@@ -70,6 +70,7 @@
#loc: HOST_DISPLAY_NAME
#loc: HOST_CURRENT_STATE
#loc: HOST_OUTPUT
+ #loc: HOST_LONG_OUTPUT
#loc: HOST_PERFDATA
#loc: HOST_CURRENT_CHECK_ATTEMPT
#loc: HOST_MAX_CHECK_ATTEMPTS
@@ -112,6 +113,9 @@
<ae:parameter name="field">HOST_OUTPUT</ae:parameter>
</ae:parameter>
<ae:parameter>
+ <ae:parameter name="field">HOST_LONG_OUTPUT</ae:parameter>
+ </ae:parameter>
+ <ae:parameter>
<ae:parameter name="field">HOST_PERFDATA</ae:parameter>
</ae:parameter>
<ae:parameter>
@@ -192,6 +196,7 @@
#loc: SERVICE_DISPLAY_NAME
#loc: SERVICE_CURRENT_STATE
#loc: SERVICE_OUTPUT
+ #loc: SERVICE_LONG_OUTPUT
#loc: SERVICE_PERFDATA
#loc: SERVICE_CURRENT_CHECK_ATTEMPT
#loc: SERVICE_MAX_CHECK_ATTEMPTS
@@ -224,6 +229,9 @@
<ae:parameter name="field">SERVICE_OUTPUT</ae:parameter>
</ae:parameter>
<ae:parameter>
+ <ae:parameter name="field">SERVICE_LONG_OUTPUT</ae:parameter>
+ </ae:parameter>
+ <ae:parameter>
<ae:parameter name="field">SERVICE_PERFDATA</ae:parameter>
</ae:parameter>
<ae:parameter>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Web/lib/constants/IcingaConstants.class.php
^
|
@@ -6,13 +6,15 @@
const HOST_UP = 0;
const HOST_DOWN = 1;
const HOST_UNREACHABLE = 2;
+ const HOST_PENDING = 99;
// Service states
const STATE_OK = 0;
const STATE_WARNING = 1;
const STATE_CRITICAL = 2;
const STATE_UNKNOWN = 3;
-
+ const STATE_PENDING = 99;
+
// Logentry types
const NSLOG_RUNTIME_ERROR = 1;
const NSLOG_RUNTIME_WARNING = 2;
@@ -57,4 +59,4 @@
const ACKNOWLEDGEMENT_COMMENT = 4;
}
-?>
\ No newline at end of file
+?>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Web/lib/js/SimpleDataProvider.js
^
|
@@ -83,28 +83,28 @@
if (!Ext.isEmpty(toolTip)) {
toolTip.destroy();
}
-
toolTip = new Ext.ToolTip({
width: config.width,
- dismissDelay: config.delay,
+ dismissDelay: 0,
+ hideDelay: config.delay || 2000,
closable: config.closable,
anchor: config.anchor,
- target: config.target,
- dismissDelay: 5000,
- hideDelay: 1000,
- draggable: true,
- autoHide: true,
+ target: config.target,
+ draggable: true,
title: (!Ext.isEmpty(config.title)) ? _(config.title) : ''
});
-
- toolTip.render(Ext.getBody());
-
- toolTip.getEl().on('mouseover', function(e) {
- // set the tooltip as the new target and clear
- // the autoHide timer.
- toolTip.initTarget(toolTip.getEl());
- toolTip.showAt([]);
+
+ // change tooltip timers when hovering target DOM
+ toolTip.on("render",function(tTip) {
+ tTip.getEl().on("mousemove",function() {
+ tTip.clearTimer('dismiss');
+ tTip.clearTimer('hide');
+ });
+ tTip.getEl().on("mouseout",function() {
+ tTip.onTargetOut.apply(tTip,arguments);
+ });
});
+ toolTip.render(Ext.getBody());
toolTip.getUpdater().update({
url: pub.getUrl(),
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Web/lib/state/IcingaHostStateInfo.class.php
^
|
@@ -11,13 +11,15 @@
protected $state_list = array (
IcingaConstants::HOST_UP => 'UP',
IcingaConstants::HOST_DOWN => 'DOWN',
- IcingaConstants::HOST_UNREACHABLE => 'UNREACHABLE'
+ IcingaConstants::HOST_UNREACHABLE => 'UNREACHABLE',
+ IcingaConstants::HOST_PENDING => 'PENDING'
);
protected $colors = array (
IcingaConstants::HOST_UP => '00cc00',
IcingaConstants::HOST_DOWN => 'cc0000',
- IcingaConstants::HOST_UNREACHABLE => 'ff8000'
+ IcingaConstants::HOST_UNREACHABLE => 'ff8000',
+ IcingaConstants::HOST_PENDING => 'aa3377'
);
@@ -35,4 +37,4 @@
}
-?>
\ No newline at end of file
+?>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Web/lib/state/IcingaServiceStateInfo.class.php
^
|
@@ -13,13 +13,15 @@
IcingaConstants::STATE_WARNING => 'WARNING',
IcingaConstants::STATE_CRITICAL => 'CRITICAL',
IcingaConstants::STATE_UNKNOWN => 'UNKNOWN',
+ IcingaConstants::STATE_PENDING => 'PENDING'
);
protected $colors = array (
IcingaConstants::STATE_OK => '00cc00',
IcingaConstants::STATE_WARNING => 'ffff00',
IcingaConstants::STATE_CRITICAL => 'ff0000',
- IcingaConstants::STATE_UNKNOWN => 'ff8000',
+ IcingaConstants::STATE_UNKNOWN => 'ff8000',
+ IcingaConstants::STATE_PENDING => 'aa77ff'
);
/**
@@ -35,4 +37,4 @@
}
-?>
\ No newline at end of file
+?>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Web/lib/tdisplay/IcingaTemplateDisplayFormat.class.php
^
|
@@ -79,4 +79,4 @@
return '';
}
}
-?>
\ No newline at end of file
+?>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Web/models/Icinga/ApiContainerModel.class.php
^
|
@@ -151,7 +151,7 @@
$capi[ substr($ckey, 7) ] = $cdata;
}
}
-
+
$this->apiData = IcingaApi::getConnection($type, $capi);
return true;
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/app/modules/Web/templates/Icinga/HelpSuccess.php
^
|
@@ -2,9 +2,11 @@
Ext.onReady(function () {
var lTitle = _("We're Icinga");
AppKit.util.Dom.makeImage('icinga-image-home', 'icinga.icinga-logo', { alt: lTitle , style: 'width: 200px' });
- AppKit.util.Dom.makeImage('icinga-image-default', 'icinga.idot-small', { alt: lTitle });
- AppKit.util.Dom.makeImage('icinga-image-dev', 'icinga.idot-small', { alt: lTitle });
- AppKit.util.Dom.makeImage('icinga-image-docs', 'icinga.idot-small', { alt: lTitle });
+
+ AppKit.util.Dom.makeImage('icinga-image-bugreport', 'icinga.bugreport', { alt: lTitle });
+ AppKit.util.Dom.makeImage('icinga-image-support', 'icinga.support', { alt: lTitle });
+ AppKit.util.Dom.makeImage('icinga-image-wiki', 'icinga.wiki', { alt: lTitle });
+ AppKit.util.Dom.makeImage('icinga-image-translate', 'icinga.translate', { alt: lTitle });
});
</script>
<div style="width: 200px; margin: 0 auto;">
@@ -31,8 +33,10 @@
All other trademarks are the property of their respective owners.
</p>
-<p style="text-align: center; margin: 20px auto;">
- <a id="icinga-image-default" title="<?php echo $tm->_('Icinga'); ?>" href="http://www.icinga.org/"></a>
- <a id="icinga-image-dev" title="<?php echo $tm->_('Dev'); ?>" href="http://dev.icinga.org/"></a>
- <a id="icinga-image-docs" title="<?php echo $tm->_('Docs'); ?>" href="http://docs.icinga.org/"></a>
+<p style="width: 400px; margin: 0 auto;">
+ <a id="icinga-image-bugreport" href="http://www.icinga.org/faq/how-to-report-a-bug/"></a>
+ <a id="icinga-image-support" href="http://www.icinga.org/support/"></a>
+ <br />
+ <a id="icinga-image-wiki" href="http://wiki.icinga.org/"></a>
+ <a id="icinga-image-translate" href="http://translate.icinga.org/"></a>
</p>
\ No newline at end of file
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/bin/clearcache.sh.in
^
|
@@ -32,29 +32,29 @@
echo "Basedir: $PREFIX"
-CCDIR="$PREFIX/app/cache/config"
-CC_FILES=$(ls $CCDIR/*.php 2>/dev/null | wc -l)
+CCDIR="$PREFIX/app/cache/config $PREFIX/app/modules/AppKit/cache/* $PREFIX/app/modules/Cronks/cache/*"
-if [[ $CC_FILES -gt 0 ]]; then
-
- msg_start "Deleting config cache ($CC_FILES files)"
-
- rm $CCDIR/*php > /dev/null 2>&1
-
- msg_result
-
-fi
-
-COCDIR="$PREFIX/app/cache/content"
+for CUR_CDIR in $CCDIR; do
+ CC_FILES=$(ls $CUR_CDIR/*.php 2>/dev/null | wc -l)
+ if [[ $CC_FILES -gt 0 ]]; then
+
+ msg_start "Deleting config cache ($CC_FILES files)"
+
+ rm $CUR_CDIR/*php > /dev/null 2>&1
+
+ msg_result
+
+ fi
+done
+CODIR="$PREFIX/app/cache/content"
if [[ -e $CODIR ]]; then
- msg_start "Deleting content cache dir"
+ msg_start "Deleting additionak cache dirs"
rm -r $CODIR > /dev/null 2>&1
- msg_result
-
+ msg_result
fi
if [[ $NOTHING == true ]]; then
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/bin/console.php
^
|
@@ -1,3 +1,4 @@
+#!/usr/bin/php
<?php
error_reporting(E_ALL);
@@ -31,4 +32,4 @@
// +---------------------------------------------------------------------------+
AgaviContext::getInstance('console')->getController()->dispatch();
-?>
\ No newline at end of file
+?>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/bin/create-rescuescheme.sh
^
|
@@ -1,4 +1,3 @@
-
#!/bin/bash
DIR=$(dirname $0)
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/bin/loc-create-mo.sh
^
|
@@ -1,4 +1,4 @@
-#/bin/bash
+#!/bin/bash
#
# updatepo.sh - generates all language files
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/bin/phing
^
|
@@ -1,6 +1,6 @@
-#/bin/bash
+#!/bin/bash
DIR=$(dirname $(dirname $0))
PHING=$DIR/lib/phing/bin/phing
-bash $PHING $@
\ No newline at end of file
+bash $PHING $@
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/configure
^
|
@@ -1,13 +1,13 @@
#! /bin/sh
# Guess values for system-dependent variables and create Makefiles.
-# Generated by GNU Autoconf 2.65 for icinga-web 1.3.1.
+# Generated by GNU Autoconf 2.68 for icinga-web 1.4.0.
#
# Report bugs to <dev.icinga.org>.
#
#
# Copyright (C) 1992, 1993, 1994, 1995, 1996, 1998, 1999, 2000, 2001,
-# 2002, 2003, 2004, 2005, 2006, 2007, 2008, 2009 Free Software Foundation,
-# Inc.
+# 2002, 2003, 2004, 2005, 2006, 2007, 2008, 2009, 2010 Free Software
+# Foundation, Inc.
#
#
# This configure script is free software; the Free Software Foundation
@@ -91,6 +91,7 @@
IFS=" "" $as_nl"
# Find who we are. Look in the path if we contain no directory separator.
+as_myself=
case $0 in #((
*[\\/]* ) as_myself=$0 ;;
*) as_save_IFS=$IFS; IFS=$PATH_SEPARATOR
@@ -216,11 +217,18 @@
# We cannot yet assume a decent shell, so we have to provide a
# neutralization value for shells without unset; and this also
# works around shells that cannot unset nonexistent variables.
+ # Preserve -v and -x to the replacement shell.
BASH_ENV=/dev/null
ENV=/dev/null
(unset BASH_ENV) >/dev/null 2>&1 && unset BASH_ENV ENV
export CONFIG_SHELL
- exec "$CONFIG_SHELL" "$as_myself" ${1+"$@"}
+ case $- in # ((((
+ *v*x* | *x*v* ) as_opts=-vx ;;
+ *v* ) as_opts=-v ;;
+ *x* ) as_opts=-x ;;
+ * ) as_opts= ;;
+ esac
+ exec "$CONFIG_SHELL" $as_opts "$as_myself" ${1+"$@"}
fi
if test x$as_have_required = xno; then :
@@ -319,7 +327,7 @@
test -d "$as_dir" && break
done
test -z "$as_dirs" || eval "mkdir $as_dirs"
- } || test -d "$as_dir" || as_fn_error "cannot create directory $as_dir"
+ } || test -d "$as_dir" || as_fn_error $? "cannot create directory $as_dir"
} # as_fn_mkdir_p
@@ -359,19 +367,19 @@
fi # as_fn_arith
-# as_fn_error ERROR [LINENO LOG_FD]
-# ---------------------------------
+# as_fn_error STATUS ERROR [LINENO LOG_FD]
+# ----------------------------------------
# Output "`basename $0`: error: ERROR" to stderr. If LINENO and LOG_FD are
# provided, also output the error to LOG_FD, referencing LINENO. Then exit the
-# script with status $?, using 1 if that was 0.
+# script with STATUS, using 1 if that was 0.
as_fn_error ()
{
- as_status=$?; test $as_status -eq 0 && as_status=1
- if test "$3"; then
- as_lineno=${as_lineno-"$2"} as_lineno_stack=as_lineno_stack=$as_lineno_stack
- $as_echo "$as_me:${as_lineno-$LINENO}: error: $1" >&$3
+ as_status=$1; test $as_status -eq 0 && as_status=1
+ if test "$4"; then
+ as_lineno=${as_lineno-"$3"} as_lineno_stack=as_lineno_stack=$as_lineno_stack
+ $as_echo "$as_me:${as_lineno-$LINENO}: error: $2" >&$4
fi
- $as_echo "$as_me: error: $1" >&2
+ $as_echo "$as_me: error: $2" >&2
as_fn_exit $as_status
} # as_fn_error
@@ -533,7 +541,7 @@
exec 6>&1
# Name of the host.
-# hostname on some systems (SVR3.2, Linux) returns a bogus exit status,
+# hostname on some systems (SVR3.2, old GNU/Linux) returns a bogus exit status,
# so uname gets run too.
ac_hostname=`(hostname || uname -n) 2>/dev/null | sed 1q`
@@ -552,8 +560,8 @@
# Identity of this package.
PACKAGE_NAME='icinga-web'
PACKAGE_TARNAME='icinga-web'
-PACKAGE_VERSION='1.3.1'
-PACKAGE_STRING='icinga-web 1.3.1'
+PACKAGE_VERSION='1.4.0'
+PACKAGE_STRING='icinga-web 1.4.0'
PACKAGE_BUGREPORT='dev.icinga.org'
PACKAGE_URL=''
@@ -567,6 +575,7 @@
INSTALL_OPTS
CFLAGS
icinga_api
+api_cmd_instance
api_cmd_file
api_db_prefix
api_db_name
@@ -671,6 +680,7 @@
with_api_db_name
with_api_db_prefix
with_api_cmd_file
+with_api_cmd_instance
with_devel_mode
'
ac_precious_vars='build_alias
@@ -741,8 +751,9 @@
fi
case $ac_option in
- *=*) ac_optarg=`expr "X$ac_option" : '[^=]*=\(.*\)'` ;;
- *) ac_optarg=yes ;;
+ *=?*) ac_optarg=`expr "X$ac_option" : '[^=]*=\(.*\)'` ;;
+ *=) ac_optarg= ;;
+ *) ac_optarg=yes ;;
esac
# Accept the important Cygnus configure options, so we can diagnose typos.
@@ -787,7 +798,7 @@
ac_useropt=`expr "x$ac_option" : 'x-*disable-\(.*\)'`
# Reject names that are not valid shell variable names.
expr "x$ac_useropt" : ".*[^-+._$as_cr_alnum]" >/dev/null &&
- as_fn_error "invalid feature name: $ac_useropt"
+ as_fn_error $? "invalid feature name: $ac_useropt"
ac_useropt_orig=$ac_useropt
ac_useropt=`$as_echo "$ac_useropt" | sed 's/[-+.]/_/g'`
case $ac_user_opts in
@@ -813,7 +824,7 @@
ac_useropt=`expr "x$ac_option" : 'x-*enable-\([^=]*\)'`
# Reject names that are not valid shell variable names.
expr "x$ac_useropt" : ".*[^-+._$as_cr_alnum]" >/dev/null &&
- as_fn_error "invalid feature name: $ac_useropt"
+ as_fn_error $? "invalid feature name: $ac_useropt"
ac_useropt_orig=$ac_useropt
ac_useropt=`$as_echo "$ac_useropt" | sed 's/[-+.]/_/g'`
case $ac_user_opts in
@@ -1017,7 +1028,7 @@
ac_useropt=`expr "x$ac_option" : 'x-*with-\([^=]*\)'`
# Reject names that are not valid shell variable names.
expr "x$ac_useropt" : ".*[^-+._$as_cr_alnum]" >/dev/null &&
- as_fn_error "invalid package name: $ac_useropt"
+ as_fn_error $? "invalid package name: $ac_useropt"
ac_useropt_orig=$ac_useropt
ac_useropt=`$as_echo "$ac_useropt" | sed 's/[-+.]/_/g'`
case $ac_user_opts in
@@ -1033,7 +1044,7 @@
ac_useropt=`expr "x$ac_option" : 'x-*without-\(.*\)'`
# Reject names that are not valid shell variable names.
expr "x$ac_useropt" : ".*[^-+._$as_cr_alnum]" >/dev/null &&
- as_fn_error "invalid package name: $ac_useropt"
+ as_fn_error $? "invalid package name: $ac_useropt"
ac_useropt_orig=$ac_useropt
ac_useropt=`$as_echo "$ac_useropt" | sed 's/[-+.]/_/g'`
case $ac_user_opts in
@@ -1063,8 +1074,8 @@
| --x-librar=* | --x-libra=* | --x-libr=* | --x-lib=* | --x-li=* | --x-l=*)
x_libraries=$ac_optarg ;;
- -*) as_fn_error "unrecognized option: \`$ac_option'
-Try \`$0 --help' for more information."
+ -*) as_fn_error $? "unrecognized option: \`$ac_option'
+Try \`$0 --help' for more information"
;;
*=*)
@@ -1072,7 +1083,7 @@
# Reject names that are not valid shell variable names.
case $ac_envvar in #(
'' | [0-9]* | *[!_$as_cr_alnum]* )
- as_fn_error "invalid variable name: \`$ac_envvar'" ;;
+ as_fn_error $? "invalid variable name: \`$ac_envvar'" ;;
esac
eval $ac_envvar=\$ac_optarg
export $ac_envvar ;;
@@ -1082,7 +1093,7 @@
$as_echo "$as_me: WARNING: you should use --build, --host, --target" >&2
expr "x$ac_option" : ".*[^-._$as_cr_alnum]" >/dev/null &&
$as_echo "$as_me: WARNING: invalid host type: $ac_option" >&2
- : ${build_alias=$ac_option} ${host_alias=$ac_option} ${target_alias=$ac_option}
+ : "${build_alias=$ac_option} ${host_alias=$ac_option} ${target_alias=$ac_option}"
;;
esac
@@ -1090,13 +1101,13 @@
if test -n "$ac_prev"; then
ac_option=--`echo $ac_prev | sed 's/_/-/g'`
- as_fn_error "missing argument to $ac_option"
+ as_fn_error $? "missing argument to $ac_option"
fi
if test -n "$ac_unrecognized_opts"; then
case $enable_option_checking in
no) ;;
- fatal) as_fn_error "unrecognized options: $ac_unrecognized_opts" ;;
+ fatal) as_fn_error $? "unrecognized options: $ac_unrecognized_opts" ;;
*) $as_echo "$as_me: WARNING: unrecognized options: $ac_unrecognized_opts" >&2 ;;
esac
fi
@@ -1119,7 +1130,7 @@
[\\/$]* | ?:[\\/]* ) continue;;
NONE | '' ) case $ac_var in *prefix ) continue;; esac;;
esac
- as_fn_error "expected an absolute directory name for --$ac_var: $ac_val"
+ as_fn_error $? "expected an absolute directory name for --$ac_var: $ac_val"
done
# There might be people who depend on the old broken behavior: `$host'
@@ -1133,8 +1144,8 @@
if test "x$host_alias" != x; then
if test "x$build_alias" = x; then
cross_compiling=maybe
- $as_echo "$as_me: WARNING: If you wanted to set the --build type, don't use --host.
- If a cross compiler is detected then cross compile mode will be used." >&2
+ $as_echo "$as_me: WARNING: if you wanted to set the --build type, don't use --host.
+ If a cross compiler is detected then cross compile mode will be used" >&2
elif test "x$build_alias" != "x$host_alias"; then
cross_compiling=yes
fi
@@ -1149,9 +1160,9 @@
ac_pwd=`pwd` && test -n "$ac_pwd" &&
ac_ls_di=`ls -di .` &&
ac_pwd_ls_di=`cd "$ac_pwd" && ls -di .` ||
- as_fn_error "working directory cannot be determined"
+ as_fn_error $? "working directory cannot be determined"
test "X$ac_ls_di" = "X$ac_pwd_ls_di" ||
- as_fn_error "pwd does not report name of working directory"
+ as_fn_error $? "pwd does not report name of working directory"
# Find the source files, if location was not specified.
@@ -1190,11 +1201,11 @@
fi
if test ! -r "$srcdir/$ac_unique_file"; then
test "$ac_srcdir_defaulted" = yes && srcdir="$ac_confdir or .."
- as_fn_error "cannot find sources ($ac_unique_file) in $srcdir"
+ as_fn_error $? "cannot find sources ($ac_unique_file) in $srcdir"
fi
ac_msg="sources are in $srcdir, but \`cd $srcdir' does not work"
ac_abs_confdir=`(
- cd "$srcdir" && test -r "./$ac_unique_file" || as_fn_error "$ac_msg"
+ cd "$srcdir" && test -r "./$ac_unique_file" || as_fn_error $? "$ac_msg"
pwd)`
# When building in place, set srcdir=.
if test "$ac_abs_confdir" = "$ac_pwd"; then
@@ -1220,7 +1231,7 @@
# Omit some internal or obsolete options to make the list less imposing.
# This message is too long to be a string in the A/UX 3.1 sh.
cat <<_ACEOF
-\`configure' configures icinga-web 1.3.1 to adapt to many kinds of systems.
+\`configure' configures icinga-web 1.4.0 to adapt to many kinds of systems.
Usage: $0 [OPTION]... [VAR=VALUE]...
@@ -1234,7 +1245,7 @@
--help=short display options specific to this package
--help=recursive display the short help of all the included packages
-V, --version display version information and exit
- -q, --quiet, --silent do not print \`checking...' messages
+ -q, --quiet, --silent do not print \`checking ...' messages
--cache-file=FILE cache test results in FILE [disabled]
-C, --config-cache alias for \`--cache-file=config.cache'
-n, --no-create do not create output files
@@ -1281,7 +1292,7 @@
if test -n "$ac_init_help"; then
case $ac_init_help in
- short | recursive ) echo "Configuration of icinga-web 1.3.1:";;
+ short | recursive ) echo "Configuration of icinga-web 1.4.0:";;
esac
cat <<\_ACEOF
@@ -1321,6 +1332,9 @@
--with-api-cmd-file=PATH
Icinga command file (default
/usr/local/icinga/var/rw/icinga.cmd)
+ --with-api-cmd-instance=NAME
+ Icinga default command instance name (default
+ "default")
--with-devel-mode Web devel mode (disable caching)
Some influential environment variables:
@@ -1394,10 +1408,10 @@
test -n "$ac_init_help" && exit $ac_status
if $ac_init_version; then
cat <<\_ACEOF
-icinga-web configure 1.3.1
-generated by GNU Autoconf 2.65
+icinga-web configure 1.4.0
+generated by GNU Autoconf 2.68
-Copyright (C) 2009 Free Software Foundation, Inc.
+Copyright (C) 2010 Free Software Foundation, Inc.
This configure script is free software; the Free Software Foundation
gives unlimited permission to copy, distribute and modify it.
_ACEOF
@@ -1411,8 +1425,8 @@
This file contains any messages produced by compilers while
running configure, to aid debugging if configure makes a mistake.
-It was created by icinga-web $as_me 1.3.1, which was
-generated by GNU Autoconf 2.65. Invocation command line was
+It was created by icinga-web $as_me 1.4.0, which was
+generated by GNU Autoconf 2.68. Invocation command line was
$ $0 $@
@@ -1522,11 +1536,9 @@
{
echo
- cat <<\_ASBOX
-## ---------------- ##
+ $as_echo "## ---------------- ##
## Cache variables. ##
-## ---------------- ##
-_ASBOX
+## ---------------- ##"
echo
# The following way of writing the cache mishandles newlines in values,
(
@@ -1560,11 +1572,9 @@
)
echo
- cat <<\_ASBOX
-## ----------------- ##
+ $as_echo "## ----------------- ##
## Output variables. ##
-## ----------------- ##
-_ASBOX
+## ----------------- ##"
echo
for ac_var in $ac_subst_vars
do
@@ -1577,11 +1587,9 @@
echo
if test -n "$ac_subst_files"; then
- cat <<\_ASBOX
-## ------------------- ##
+ $as_echo "## ------------------- ##
## File substitutions. ##
-## ------------------- ##
-_ASBOX
+## ------------------- ##"
echo
for ac_var in $ac_subst_files
do
@@ -1595,11 +1603,9 @@
fi
if test -s confdefs.h; then
- cat <<\_ASBOX
-## ----------- ##
+ $as_echo "## ----------- ##
## confdefs.h. ##
-## ----------- ##
-_ASBOX
+## ----------- ##"
echo
cat confdefs.h
echo
@@ -1654,7 +1660,12 @@
ac_site_file1=NONE
ac_site_file2=NONE
if test -n "$CONFIG_SITE"; then
- ac_site_file1=$CONFIG_SITE
+ # We do not want a PATH search for config.site.
+ case $CONFIG_SITE in #((
+ -*) ac_site_file1=./$CONFIG_SITE;;
+ */*) ac_site_file1=$CONFIG_SITE;;
+ *) ac_site_file1=./$CONFIG_SITE;;
+ esac
elif test "x$prefix" != xNONE; then
ac_site_file1=$prefix/share/config.site
ac_site_file2=$prefix/etc/config.site
@@ -1669,7 +1680,11 @@
{ $as_echo "$as_me:${as_lineno-$LINENO}: loading site script $ac_site_file" >&5
$as_echo "$as_me: loading site script $ac_site_file" >&6;}
sed 's/^/| /' "$ac_site_file" >&5
- . "$ac_site_file"
+ . "$ac_site_file" \
+ || { { $as_echo "$as_me:${as_lineno-$LINENO}: error: in \`$ac_pwd':" >&5
+$as_echo "$as_me: error: in \`$ac_pwd':" >&2;}
+as_fn_error $? "failed to load site script $ac_site_file
+See \`config.log' for more details" "$LINENO" 5; }
fi
done
@@ -1745,7 +1760,7 @@
$as_echo "$as_me: error: in \`$ac_pwd':" >&2;}
{ $as_echo "$as_me:${as_lineno-$LINENO}: error: changes in the environment can compromise the build" >&5
$as_echo "$as_me: error: changes in the environment can compromise the build" >&2;}
- as_fn_error "run \`make distclean' and/or \`rm $cache_file' and start over" "$LINENO" 5
+ as_fn_error $? "run \`make distclean' and/or \`rm $cache_file' and start over" "$LINENO" 5
fi
## -------------------- ##
## Main body of script. ##
@@ -1760,23 +1775,29 @@
# Release date
-RELEASE_DATE=2011-03-31
+RELEASE_DATE=2011-05-11
# Checks for programs.
ac_aux_dir=
for ac_dir in "$srcdir" "$srcdir/.." "$srcdir/../.."; do
- for ac_t in install-sh install.sh shtool; do
- if test -f "$ac_dir/$ac_t"; then
- ac_aux_dir=$ac_dir
- ac_install_sh="$ac_aux_dir/$ac_t -c"
- break 2
- fi
- done
+ if test -f "$ac_dir/install-sh"; then
+ ac_aux_dir=$ac_dir
+ ac_install_sh="$ac_aux_dir/install-sh -c"
+ break
+ elif test -f "$ac_dir/install.sh"; then
+ ac_aux_dir=$ac_dir
+ ac_install_sh="$ac_aux_dir/install.sh -c"
+ break
+ elif test -f "$ac_dir/shtool"; then
+ ac_aux_dir=$ac_dir
+ ac_install_sh="$ac_aux_dir/shtool install -c"
+ break
+ fi
done
if test -z "$ac_aux_dir"; then
- as_fn_error "cannot find install-sh, install.sh, or shtool in \"$srcdir\" \"$srcdir/..\" \"$srcdir/../..\"" "$LINENO" 5
+ as_fn_error $? "cannot find install-sh, install.sh, or shtool in \"$srcdir\" \"$srcdir/..\" \"$srcdir/../..\"" "$LINENO" 5
fi
# These three variables are undocumented and unsupported,
@@ -1805,7 +1826,7 @@
{ $as_echo "$as_me:${as_lineno-$LINENO}: checking for a BSD-compatible install" >&5
$as_echo_n "checking for a BSD-compatible install... " >&6; }
if test -z "$INSTALL"; then
-if test "${ac_cv_path_install+set}" = set; then :
+if ${ac_cv_path_install+:} false; then :
$as_echo_n "(cached) " >&6
else
as_save_IFS=$IFS; IFS=$PATH_SEPARATOR
@@ -1883,7 +1904,7 @@
{ $as_echo "$as_me:${as_lineno-$LINENO}: checking for grep that handles long lines and -e" >&5
$as_echo_n "checking for grep that handles long lines and -e... " >&6; }
-if test "${ac_cv_path_GREP+set}" = set; then :
+if ${ac_cv_path_GREP+:} false; then :
$as_echo_n "(cached) " >&6
else
if test -z "$GREP"; then
@@ -1932,7 +1953,7 @@
done
IFS=$as_save_IFS
if test -z "$ac_cv_path_GREP"; then
- as_fn_error "no acceptable grep could be found in $PATH$PATH_SEPARATOR/usr/xpg4/bin" "$LINENO" 5
+ as_fn_error $? "no acceptable grep could be found in $PATH$PATH_SEPARATOR/usr/xpg4/bin" "$LINENO" 5
fi
else
ac_cv_path_GREP=$GREP
@@ -1946,7 +1967,7 @@
{ $as_echo "$as_me:${as_lineno-$LINENO}: checking for a sed that does not truncate output" >&5
$as_echo_n "checking for a sed that does not truncate output... " >&6; }
-if test "${ac_cv_path_SED+set}" = set; then :
+if ${ac_cv_path_SED+:} false; then :
$as_echo_n "(cached) " >&6
else
ac_script=s/aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa/bbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbbb/
@@ -2001,7 +2022,7 @@
done
IFS=$as_save_IFS
if test -z "$ac_cv_path_SED"; then
- as_fn_error "no acceptable sed could be found in \$PATH" "$LINENO" 5
+ as_fn_error $? "no acceptable sed could be found in \$PATH" "$LINENO" 5
fi
else
ac_cv_path_SED=$SED
@@ -2035,7 +2056,7 @@
set dummy php; ac_word=$2
{ $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5
$as_echo_n "checking for $ac_word... " >&6; }
-if test "${ac_cv_path_PHP+set}" = set; then :
+if ${ac_cv_path_PHP+:} false; then :
$as_echo_n "(cached) " >&6
else
case $PHP in
@@ -2087,7 +2108,7 @@
set dummy mysql; ac_word=$2
{ $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5
$as_echo_n "checking for $ac_word... " >&6; }
-if test "${ac_cv_path_MYSQL+set}" = set; then :
+if ${ac_cv_path_MYSQL+:} false; then :
$as_echo_n "(cached) " >&6
else
case $MYSQL in
@@ -2139,7 +2160,7 @@
set dummy phing; ac_word=$2
{ $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5
$as_echo_n "checking for $ac_word... " >&6; }
-if test "${ac_cv_path_PHING+set}" = set; then :
+if ${ac_cv_path_PHING+:} false; then :
$as_echo_n "(cached) " >&6
else
case $PHING in
@@ -2266,7 +2287,21 @@
if test "${with_web_apache_path+set}" = set; then :
withval=$with_web_apache_path; web_apache_path=$withval
else
- web_apache_path=/etc/apache2/conf.d
+ web_apache_path=
+ web_apache_path=/etc/apache2/conf.d
+ for x in /etc/httpd/conf.d /etc/apache2/conf.d /etc/apache/conf.d; do
+ { $as_echo "$as_me:${as_lineno-$LINENO}: checking if path $x exists" >&5
+$as_echo_n "checking if path $x exists... " >&6; }
+ if test -d $x; then :
+ { $as_echo "$as_me:${as_lineno-$LINENO}: result: found" >&5
+$as_echo "found" >&6; }; web_apache_path=$x; break
+else
+ { $as_echo "$as_me:${as_lineno-$LINENO}: result: not found" >&5
+$as_echo "not found" >&6; }
+
+fi
+ done
+
fi
@@ -2321,7 +2356,7 @@
{ $as_echo "$as_me:${as_lineno-$LINENO}: result: found" >&5
$as_echo "found" >&6; }
else
- as_fn_error "not found" "$LINENO" 5
+ as_fn_error $? "not found" "$LINENO" 5
fi
else
@@ -2504,6 +2539,16 @@
+# Check whether --with-api_cmd_instance was given.
+if test "${with_api_cmd_instance+set}" = set; then :
+ withval=$with_api_cmd_instance; api_cmd_instance=$withval
+else
+ api_cmd_instance=default
+
+fi
+
+
+
# Check whether --with-devel_mode was given.
if test "${with_devel_mode+set}" = set; then :
withval=$with_devel_mode; devel_mode=$withval
@@ -2580,6 +2625,7 @@
+
ac_config_files="$ac_config_files Makefile lib/Makefile pub/Makefile etc/Makefile bin/Makefile doc/Makefile app/Makefile etc/sitecfg/Makefile app/config/databases.xml app/config/icinga.xml app/config/settings.xml app/modules/Web/config/icinga-io.xml app/modules/AppKit/cache/Widgets/SquishLoader.xml etc/build.properties etc/tests/test.properties etc/apache2/icinga-web.conf bin/clearcache.sh pub/.htaccess pub/soap/.htaccess"
@@ -2647,10 +2693,21 @@
:end' >>confcache
if diff "$cache_file" confcache >/dev/null 2>&1; then :; else
if test -w "$cache_file"; then
- test "x$cache_file" != "x/dev/null" &&
+ if test "x$cache_file" != "x/dev/null"; then
{ $as_echo "$as_me:${as_lineno-$LINENO}: updating cache $cache_file" >&5
$as_echo "$as_me: updating cache $cache_file" >&6;}
- cat confcache >$cache_file
+ if test ! -f "$cache_file" || test -h "$cache_file"; then
+ cat confcache >"$cache_file"
+ else
+ case $cache_file in #(
+ */* | ?:*)
+ mv -f confcache "$cache_file"$$ &&
+ mv -f "$cache_file"$$ "$cache_file" ;; #(
+ *)
+ mv -f confcache "$cache_file" ;;
+ esac
+ fi
+ fi
else
{ $as_echo "$as_me:${as_lineno-$LINENO}: not updating unwritable cache $cache_file" >&5
$as_echo "$as_me: not updating unwritable cache $cache_file" >&6;}
@@ -2702,6 +2759,7 @@
ac_libobjs=
ac_ltlibobjs=
+U=
for ac_i in : $LIBOBJS; do test "x$ac_i" = x: && continue
# 1. Remove the extension, and $U if already installed.
ac_script='s/\$U\././;s/\.o$//;s/\.obj$//'
@@ -2717,7 +2775,7 @@
-: ${CONFIG_STATUS=./config.status}
+: "${CONFIG_STATUS=./config.status}"
ac_write_fail=0
ac_clean_files_save=$ac_clean_files
ac_clean_files="$ac_clean_files $CONFIG_STATUS"
@@ -2818,6 +2876,7 @@
IFS=" "" $as_nl"
# Find who we are. Look in the path if we contain no directory separator.
+as_myself=
case $0 in #((
*[\\/]* ) as_myself=$0 ;;
*) as_save_IFS=$IFS; IFS=$PATH_SEPARATOR
@@ -2863,19 +2922,19 @@
(unset CDPATH) >/dev/null 2>&1 && unset CDPATH
-# as_fn_error ERROR [LINENO LOG_FD]
-# ---------------------------------
+# as_fn_error STATUS ERROR [LINENO LOG_FD]
+# ----------------------------------------
# Output "`basename $0`: error: ERROR" to stderr. If LINENO and LOG_FD are
# provided, also output the error to LOG_FD, referencing LINENO. Then exit the
-# script with status $?, using 1 if that was 0.
+# script with STATUS, using 1 if that was 0.
as_fn_error ()
{
- as_status=$?; test $as_status -eq 0 && as_status=1
- if test "$3"; then
- as_lineno=${as_lineno-"$2"} as_lineno_stack=as_lineno_stack=$as_lineno_stack
- $as_echo "$as_me:${as_lineno-$LINENO}: error: $1" >&$3
+ as_status=$1; test $as_status -eq 0 && as_status=1
+ if test "$4"; then
+ as_lineno=${as_lineno-"$3"} as_lineno_stack=as_lineno_stack=$as_lineno_stack
+ $as_echo "$as_me:${as_lineno-$LINENO}: error: $2" >&$4
fi
- $as_echo "$as_me: error: $1" >&2
+ $as_echo "$as_me: error: $2" >&2
as_fn_exit $as_status
} # as_fn_error
@@ -3071,7 +3130,7 @@
test -d "$as_dir" && break
done
test -z "$as_dirs" || eval "mkdir $as_dirs"
- } || test -d "$as_dir" || as_fn_error "cannot create directory $as_dir"
+ } || test -d "$as_dir" || as_fn_error $? "cannot create directory $as_dir"
} # as_fn_mkdir_p
@@ -3124,8 +3183,8 @@
# report actual input values of CONFIG_FILES etc. instead of their
# values after options handling.
ac_log="
-This file was extended by icinga-web $as_me 1.3.1, which was
-generated by GNU Autoconf 2.65. Invocation command line was
+This file was extended by icinga-web $as_me 1.4.0, which was
+generated by GNU Autoconf 2.68. Invocation command line was
CONFIG_FILES = $CONFIG_FILES
CONFIG_HEADERS = $CONFIG_HEADERS
@@ -3177,11 +3236,11 @@
cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1
ac_cs_config="`$as_echo "$ac_configure_args" | sed 's/^ //; s/[\\""\`\$]/\\\\&/g'`"
ac_cs_version="\\
-icinga-web config.status 1.3.1
-configured by $0, generated by GNU Autoconf 2.65,
+icinga-web config.status 1.4.0
+configured by $0, generated by GNU Autoconf 2.68,
with options \\"\$ac_cs_config\\"
-Copyright (C) 2009 Free Software Foundation, Inc.
+Copyright (C) 2010 Free Software Foundation, Inc.
This config.status script is free software; the Free Software Foundation
gives unlimited permission to copy, distribute and modify it."
@@ -3197,11 +3256,16 @@
while test $# != 0
do
case $1 in
- --*=*)
+ --*=?*)
ac_option=`expr "X$1" : 'X\([^=]*\)='`
ac_optarg=`expr "X$1" : 'X[^=]*=\(.*\)'`
ac_shift=:
;;
+ --*=)
+ ac_option=`expr "X$1" : 'X\([^=]*\)='`
+ ac_optarg=
+ ac_shift=:
+ ;;
*)
ac_option=$1
ac_optarg=$2
@@ -3223,6 +3287,7 @@
$ac_shift
case $ac_optarg in
*\'*) ac_optarg=`$as_echo "$ac_optarg" | sed "s/'/'\\\\\\\\''/g"` ;;
+ '') as_fn_error $? "missing file argument" ;;
esac
as_fn_append CONFIG_FILES " '$ac_optarg'"
ac_need_defaults=false;;
@@ -3233,7 +3298,7 @@
ac_cs_silent=: ;;
# This is an error.
- -*) as_fn_error "unrecognized option: \`$1'
+ -*) as_fn_error $? "unrecognized option: \`$1'
Try \`$0 --help' for more information." ;;
*) as_fn_append ac_config_targets " $1"
@@ -3302,7 +3367,7 @@
"pub/.htaccess") CONFIG_FILES="$CONFIG_FILES pub/.htaccess" ;;
"pub/soap/.htaccess") CONFIG_FILES="$CONFIG_FILES pub/soap/.htaccess" ;;
- *) as_fn_error "invalid argument: \`$ac_config_target'" "$LINENO" 5;;
+ *) as_fn_error $? "invalid argument: \`$ac_config_target'" "$LINENO" 5;;
esac
done
@@ -3323,9 +3388,10 @@
# after its creation but before its name has been assigned to `$tmp'.
$debug ||
{
- tmp=
+ tmp= ac_tmp=
trap 'exit_status=$?
- { test -z "$tmp" || test ! -d "$tmp" || rm -fr "$tmp"; } && exit $exit_status
+ : "${ac_tmp:=$tmp}"
+ { test ! -d "$ac_tmp" || rm -fr "$ac_tmp"; } && exit $exit_status
' 0
trap 'as_fn_exit 1' 1 2 13 15
}
@@ -3333,12 +3399,13 @@
{
tmp=`(umask 077 && mktemp -d "./confXXXXXX") 2>/dev/null` &&
- test -n "$tmp" && test -d "$tmp"
+ test -d "$tmp"
} ||
{
tmp=./conf$$-$RANDOM
(umask 077 && mkdir "$tmp")
-} || as_fn_error "cannot create a temporary directory in ." "$LINENO" 5
+} || as_fn_error $? "cannot create a temporary directory in ." "$LINENO" 5
+ac_tmp=$tmp
# Set up the scripts for CONFIG_FILES section.
# No need to generate them if there are no CONFIG_FILES.
@@ -3355,12 +3422,12 @@
fi
ac_cs_awk_cr=`$AWK 'BEGIN { print "a\rb" }' </dev/null 2>/dev/null`
if test "$ac_cs_awk_cr" = "a${ac_cr}b"; then
- ac_cs_awk_cr='\r'
+ ac_cs_awk_cr='\\r'
else
ac_cs_awk_cr=$ac_cr
fi
-echo 'BEGIN {' >"$tmp/subs1.awk" &&
+echo 'BEGIN {' >"$ac_tmp/subs1.awk" &&
_ACEOF
@@ -3369,18 +3436,18 @@
echo "$ac_subst_vars" | sed 's/.*/&!$&$ac_delim/' &&
echo "_ACEOF"
} >conf$$subs.sh ||
- as_fn_error "could not make $CONFIG_STATUS" "$LINENO" 5
-ac_delim_num=`echo "$ac_subst_vars" | grep -c '$'`
+ as_fn_error $? "could not make $CONFIG_STATUS" "$LINENO" 5
+ac_delim_num=`echo "$ac_subst_vars" | grep -c '^'`
ac_delim='%!_!# '
for ac_last_try in false false false false false :; do
. ./conf$$subs.sh ||
- as_fn_error "could not make $CONFIG_STATUS" "$LINENO" 5
+ as_fn_error $? "could not make $CONFIG_STATUS" "$LINENO" 5
ac_delim_n=`sed -n "s/.*$ac_delim\$/X/p" conf$$subs.awk | grep -c X`
if test $ac_delim_n = $ac_delim_num; then
break
elif $ac_last_try; then
- as_fn_error "could not make $CONFIG_STATUS" "$LINENO" 5
+ as_fn_error $? "could not make $CONFIG_STATUS" "$LINENO" 5
else
ac_delim="$ac_delim!$ac_delim _$ac_delim!! "
fi
@@ -3388,7 +3455,7 @@
rm -f conf$$subs.sh
cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1
-cat >>"\$tmp/subs1.awk" <<\\_ACAWK &&
+cat >>"\$ac_tmp/subs1.awk" <<\\_ACAWK &&
_ACEOF
sed -n '
h
@@ -3436,7 +3503,7 @@
rm -f conf$$subs.awk
cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1
_ACAWK
-cat >>"\$tmp/subs1.awk" <<_ACAWK &&
+cat >>"\$ac_tmp/subs1.awk" <<_ACAWK &&
for (key in S) S_is_set[key] = 1
FS = ""
@@ -3468,21 +3535,29 @@
sed "s/$ac_cr\$//; s/$ac_cr/$ac_cs_awk_cr/g"
else
cat
-fi < "$tmp/subs1.awk" > "$tmp/subs.awk" \
- || as_fn_error "could not setup config files machinery" "$LINENO" 5
+fi < "$ac_tmp/subs1.awk" > "$ac_tmp/subs.awk" \
+ || as_fn_error $? "could not setup config files machinery" "$LINENO" 5
_ACEOF
-# VPATH may cause trouble with some makes, so we remove $(srcdir),
-# ${srcdir} and @srcdir@ from VPATH if srcdir is ".", strip leading and
+# VPATH may cause trouble with some makes, so we remove sole $(srcdir),
+# ${srcdir} and @srcdir@ entries from VPATH if srcdir is ".", strip leading and
# trailing colons and then remove the whole line if VPATH becomes empty
# (actually we leave an empty line to preserve line numbers).
if test "x$srcdir" = x.; then
- ac_vpsub='/^[ ]*VPATH[ ]*=/{
-s/:*\$(srcdir):*/:/
-s/:*\${srcdir}:*/:/
-s/:*@srcdir@:*/:/
-s/^\([^=]*=[ ]*\):*/\1/
+ ac_vpsub='/^[ ]*VPATH[ ]*=[ ]*/{
+h
+s///
+s/^/:/
+s/[ ]*$/:/
+s/:\$(srcdir):/:/g
+s/:\${srcdir}:/:/g
+s/:@srcdir@:/:/g
+s/^:*//
s/:*$//
+x
+s/\(=[ ]*\).*/\1/
+G
+s/\n//
s/^[^=]*=[ ]*$//
}'
fi
@@ -3500,7 +3575,7 @@
esac
case $ac_mode$ac_tag in
:[FHL]*:*);;
- :L* | :C*:*) as_fn_error "invalid tag \`$ac_tag'" "$LINENO" 5;;
+ :L* | :C*:*) as_fn_error $? "invalid tag \`$ac_tag'" "$LINENO" 5;;
:[FH]-) ac_tag=-:-;;
:[FH]*) ac_tag=$ac_tag:$ac_tag.in;;
esac
@@ -3519,7 +3594,7 @@
for ac_f
do
case $ac_f in
- -) ac_f="$tmp/stdin";;
+ -) ac_f="$ac_tmp/stdin";;
*) # Look for the file first in the build tree, then in the source tree
# (if the path is not absolute). The absolute path cannot be DOS-style,
# because $ac_f cannot contain `:'.
@@ -3528,7 +3603,7 @@
[\\/$]*) false;;
*) test -f "$srcdir/$ac_f" && ac_f="$srcdir/$ac_f";;
esac ||
- as_fn_error "cannot find input file: \`$ac_f'" "$LINENO" 5;;
+ as_fn_error 1 "cannot find input file: \`$ac_f'" "$LINENO" 5;;
esac
case $ac_f in *\'*) ac_f=`$as_echo "$ac_f" | sed "s/'/'\\\\\\\\''/g"`;; esac
as_fn_append ac_file_inputs " '$ac_f'"
@@ -3554,8 +3629,8 @@
esac
case $ac_tag in
- *:-:* | *:-) cat >"$tmp/stdin" \
- || as_fn_error "could not create $ac_file" "$LINENO" 5 ;;
+ *:-:* | *:-) cat >"$ac_tmp/stdin" \
+ || as_fn_error $? "could not create $ac_file" "$LINENO" 5 ;;
esac
;;
esac
@@ -3685,23 +3760,24 @@
s&@INSTALL@&$ac_INSTALL&;t t
$ac_datarootdir_hack
"
-eval sed \"\$ac_sed_extra\" "$ac_file_inputs" | $AWK -f "$tmp/subs.awk" >$tmp/out \
- || as_fn_error "could not create $ac_file" "$LINENO" 5
+eval sed \"\$ac_sed_extra\" "$ac_file_inputs" | $AWK -f "$ac_tmp/subs.awk" \
+ >$ac_tmp/out || as_fn_error $? "could not create $ac_file" "$LINENO" 5
test -z "$ac_datarootdir_hack$ac_datarootdir_seen" &&
- { ac_out=`sed -n '/\${datarootdir}/p' "$tmp/out"`; test -n "$ac_out"; } &&
- { ac_out=`sed -n '/^[ ]*datarootdir[ ]*:*=/p' "$tmp/out"`; test -z "$ac_out"; } &&
+ { ac_out=`sed -n '/\${datarootdir}/p' "$ac_tmp/out"`; test -n "$ac_out"; } &&
+ { ac_out=`sed -n '/^[ ]*datarootdir[ ]*:*=/p' \
+ "$ac_tmp/out"`; test -z "$ac_out"; } &&
{ $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: $ac_file contains a reference to the variable \`datarootdir'
-which seems to be undefined. Please make sure it is defined." >&5
+which seems to be undefined. Please make sure it is defined" >&5
$as_echo "$as_me: WARNING: $ac_file contains a reference to the variable \`datarootdir'
-which seems to be undefined. Please make sure it is defined." >&2;}
+which seems to be undefined. Please make sure it is defined" >&2;}
- rm -f "$tmp/stdin"
+ rm -f "$ac_tmp/stdin"
case $ac_file in
- -) cat "$tmp/out" && rm -f "$tmp/out";;
- *) rm -f "$ac_file" && mv "$tmp/out" "$ac_file";;
+ -) cat "$ac_tmp/out" && rm -f "$ac_tmp/out";;
+ *) rm -f "$ac_file" && mv "$ac_tmp/out" "$ac_file";;
esac \
- || as_fn_error "could not create $ac_file" "$LINENO" 5
+ || as_fn_error $? "could not create $ac_file" "$LINENO" 5
;;
@@ -3716,7 +3792,7 @@
ac_clean_files=$ac_clean_files_save
test $ac_write_fail = 0 ||
- as_fn_error "write failure creating $CONFIG_STATUS" "$LINENO" 5
+ as_fn_error $? "write failure creating $CONFIG_STATUS" "$LINENO" 5
# configure is writing to config.log, and then calls config.status.
@@ -3737,7 +3813,7 @@
exec 5>>config.log
# Use ||, not &&, to avoid exiting from the if with $? = 1, which
# would make configure fail if this is the last instruction.
- $ac_cs_success || as_fn_exit $?
+ $ac_cs_success || as_fn_exit 1
fi
if test -n "$ac_unrecognized_opts" && test "$enable_option_checking" != no; then
{ $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: unrecognized options: $ac_unrecognized_opts" >&5
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/configure.ac
^
|
@@ -79,7 +79,7 @@
AC_ARG_WITH([web_apache_path],
AS_HELP_STRING([--with-web-apache-path=PATH], [Include folder apache2 (default /etc/apache2/conf.d]),
web_apache_path=$withval,
- web_apache_path=/etc/apache2/conf.d
+ web_apache_path=ACICINGA_PATH_GUESS([/etc/httpd/conf.d /etc/apache2/conf.d /etc/apache/conf.d], [web_apache_path], [/etc/apache2/conf.d])
)
AC_ARG_WITH([bin_user],
@@ -218,6 +218,12 @@
api_cmd_file=/usr/local/icinga/var/rw/icinga.cmd
)
+AC_ARG_WITH([api_cmd_instance],
+ AS_HELP_STRING([--with-api-cmd-instance=NAME], [Icinga default command instance name (default "default")]),
+ api_cmd_instance=$withval,
+ api_cmd_instance=default
+)
+
AC_ARG_WITH([devel_mode],
AS_HELP_STRING([--with-devel-mode], [Web devel mode (disable caching)]),
devel_mode=$withval,
@@ -263,6 +269,7 @@
AC_SUBST(api_db_name)
AC_SUBST(api_db_prefix)
AC_SUBST(api_cmd_file)
+AC_SUBST(api_cmd_instance)
AC_SUBST(icinga_api)
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/doc/CHANGELOG
^
|
@@ -1,3 +1,480 @@
+2011-05-06 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: a3b38f6e600fc67dbf2a0c3edce0d4b2d1ab1443
+
+* Added pending filters in grids
+* Fixed overall status pending filters
+
+
+2011-05-05 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 76d6dc0ad030db9c583d1bbc4fe7bda4c95d609f
+
+* Quick fix for view and counter (pending state)
+
+
+2011-05-05 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 392e96db31eaae2939f4e2b3367b89a60b61c2cc
+
+* Tagged new dev version
+
+
+2011-05-05 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 72514d7357912975fe2eb19bf7c010924b974b7c
+
+* Added r1.4
+* Changed version meta data
+* Added new about layout and images
+
+
+2011-05-05 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 49442845b612ef45bbaf208e94471697cb94b928
+
+* Merged and fixed translations (fixes #1400)
+
+
+2011-05-04 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: cb989dc5199dd0ddaf685cb817e120bed334bc6d
+
+* Updated bp-addon
+
+
+2011-05-04 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 57d8eab7d9c616cf0d5e283c036c9902571e0cdf
+
+* Fixed typo (ref #1167)
+
+
+2011-05-04 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 39e9ab5c1cf2fd59447bb8e2926d1306891a5ec6
+
+* Added instance name configure flag (fixes #1167)
+
+
+2011-05-04 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: d49ac98f22f8cb4d2b9940924c6c720931b5e168
+
+* Updated module installer, added update sql schemas
+
+
+2011-05-04 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 568f4406debb59041ac38ea2f6f3f2b726403c4b
+
+* Removed exception in AppKitExtJsonDocument triggered by Doctrine-relations, fixed
+ tests
+
+
+2011-05-04 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 538ea163c56d705d21e6afc88be8ba0a2f6f1561
+
+* Added additional object meta fields (fixes #1001) NEW API IS NEEDED
+
+
+2011-05-04 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: f1f67ebfb0b3723e38b907bb37a5bf9a0a54b443
+
+* Added long_output to host/service details, check_multi should no work (fixes #958)
+
+
+2011-05-04 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 50a68a6c2377aea03a6626a90d269ef1e2b0bd19
+
+* Readded unknown state constant
+
+
+2011-05-04 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 3606583bce436111ad31fe436f1601e72f7c8911
+
+* Added output length as parameter (fixes #1360), fixed and extended pending state
+ handling (is now in statussummary)
+
+
+2011-05-04 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 5b990819384d39722f7bede3ac54a4b6eb3ab507
+
+* Added configurable logout path (fixes #1017)
+
+
+2011-05-04 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 8c61fd6aac97f06bbd35173e201095fc5bdbada0
+
+* Statusmap now recognizes pending hosts (fixes #961)
+* Also removed a debug message
+ in PortalViewSuccess
+
+
+2011-05-04 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: da9e2b06ce980b88d75ffdce33324950141071ef
+
+* Autorefresh will now occur everytime a grid is shown (fixes #919)
+
+
+2011-05-04 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 1d46a3acab7a5a68e37d1c37a8378d98b8735e40
+
+* Added HOST_DISPLAY_NAME for searching (ref #1011)
+
+
+2011-05-03 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 857cccb226aca4bb54206441c25740527db39897
+
+* Added more fields for search (fixes #1011)
+
+
+2011-05-03 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: eb7ee76946660ccbc58eb58c5ba96237a8ca9dca
+
+* Fixed apache conf.d guess (fixes #754)
+
+
+2011-05-03 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 4528718f365b0fabe5fcf3d8fc290db5872e77bf
+
+* Added fullscreen view to cronkPortal (fixes #493)
+
+
+2011-05-03 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 082963e0cd578d97d074c4e06d1b1cfba54b1714
+
+* Added config_type to icinga-api configurations
+
+
+2011-05-03 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 67f20caf7b8540e572b0279a08fc6847a818e708
+
+* Check against the LDAP filter on existing user binds (fixes #981)
+
+
+2011-05-03 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 4127e346767087a4461b1558420719760eb28b63
+
+* Added custom icinga.site.css stylesheet (#fixes 1330)
+
+
+2011-05-03 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 065535d8109c8f50d6d549477615a9368c267122
+
+* Added action/module definition to cronk search result (fixes #1408)
+
+
+2011-05-03 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: a96526ac2604b33d31c0c2f1ea67ad3d9e001e60
+
+* Removed site config files
+
+
+2011-05-03 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 67bc3bb74ab71b47c01909c638e35479caf7586d
+
+* Refactored autorefresh code, added autorefresh changes to grid state (fixes #1348)
+
+
+2011-05-03 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 16e7f10f5015bc08a2bd0fee05edf81dbae967ed
+
+* Added new interval for status refreshes (fixes #978)
+
+
+2011-05-03 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 62515c1844dc99cd522c2a0ae9130a0ffaa08611
+
+* Added force service check (fixes #1318)
+
+
+2011-05-02 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: f1757976eee9a05f19b8763589f851e10234e022
+
+* Search now always creates a new tab with the current result, added ignoreDuplicates
+ paramter
+* to InterGridUtil (fixes #1292)
+
+
+2011-05-02 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 76c2375928ca53191b979da7469d4e292f0693de
+
+* Duration field in commands will no be hidden when a fixed-downtime is selected
+ (fixes #1280)
+
+
+2011-05-02 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: ade8e897ac497c4dea61d9e07ba6063212098996
+
+* Added images/icinga as image basepath for custom icons (fixes #1068)
+
+
+2011-05-02 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 3acda9eb3c62b251dff0f22957b24eda69675ceb
+
+* Fixed host/servicedetail hide/dismiss timers only being resetted (instead of
+ stopped) on mouseenter
+* fixes #998
+
+
+2011-05-02 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: e5edb3609924cf4a424e48a56e519ca4bb7e0e6b
+
+* Added principal restriction support for cronks xml and added log principal (fixes
+ #983)
+
+
+2011-04-14 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 57de2149529700246c60cf313e0699a95c62c8dc
+
+* Fixed wrong shebangs, removed superfluous getopts.php (#fixes 1266)
+
+
+2011-04-14 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 630e91d68c5f2a7912cd534198c15cef1a14474d
+
+* fixes #1273
+
+
+2011-04-14 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 496f6126f2dee3608ddd78b637d10e30b5420123
+
+* Added auth_strip_domain (fixes #1294) and lowercase to ldap name comparisons
+ (fixes #1293) thx to tgelf
+
+
+2011-04-14 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: c117001106fea7034dba7b2b54072e6a903af79d
+
+* Fixed typo (thanks to yoris, fixes #1397) and added additional cache clean routines
+
+
+2011-04-11 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 839c1b69b384d6840aef3278b7c42a65670d4b17
+
+* Fixed wrong relation definition (fixes roles not showing proper users)
+
+
+2011-03-30 Michael Friedrich <michael(DOT)friedrich(AT)univie(DOT)ac(DOT)at>
+ Commit: c9d945c16b6d80d4ebbb3a6e2bac15f37d2d55aa
+
+* fix icinga-web spec file does not perform %pre functions #1288fixes #1288
+
+
+
+2011-03-30 Michael Friedrich <michael(DOT)friedrich(AT)univie(DOT)ac(DOT)at>
+ Commit: 6fe903ce3d46df6ebee823c7bff326f0e0634b2f
+
+* fix schema updates not copied to icinga-web installation #1339
+
+
+2011-03-24 Eric Lippmann <eric(DOT)lippmann(AT)netways(DOT)de>
+ Commit: c6fc3ff4236f3e1692bc18cc9d92759b489f8f62
+
+* Fixed API to not return metaData if parameter "withMeta" is not set or set to
+ false/0..
+* Fixed runSuite.sh
+
+
+2011-03-23 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 5fe73f3470a67906a8422f847b414223be484eaf
+
+* Removed vim - 'i' in code
+
+
+2011-03-23 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: ed917d154754a334b126905085d7c3fceff4648f
+
+* Fixed missing parameters in drag->portal action, fixed saved portal cronk
+ restoration
+
+
+2011-03-22 Eric Lippmann <eric(DOT)lippmann(AT)netways(DOT)de>
+ Commit: 5d413ac1d003d641ec075514207addacc643115c
+
+* Added missing principal creation on user import via external auth (resolves #1326)
+
+
+2011-03-20 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 2f88b420da4e60660df9f6d91e5698a1de4762a9
+
+* Icinga icon now indicates if XHR Requests are ongoing
+
+
+2011-03-20 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 40ea52a2f5669e5c1bd431d9578a63b02e88c3a8
+
+* Fixed crashes when switching tabs quickly
+
+
+2011-03-20 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 9cb9e502bd644cb070c4b76018a8e08134a826fa
+
+* Fixed updated agavi (#fixes 1307)
+
+
+2011-03-20 root <root(AT)debian(DOT)localhost>
+ Commit: 2eaff9434af079df37f8edc144f68ddb3d62057d
+
+* Added sitecfgs
+
+
+2011-03-11 Michael Friedrich <michael(DOT)friedrich(AT)univie(DOT)ac(DOT)at>
+ Commit: b83854a14d0187e91978f994ed1bd11714490b53
+
+* copy sql script for upgrading in icinga-web.spec
+
+
+2011-03-01 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 3afc188a77055ac3aaea8c6e6a5c687686e7a9a7
+
+* Fixed wrong filter in openproblems, fixed statusmap in portal
+
+
+2011-02-25 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 8390f7437fed275276b07e4712f8b0f4d1ac4ec1
+
+* Added module specific routing xml
+
+
+2011-02-24 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: f251a3eb179dfbe6048357f6828dbcde2cb26b9e
+
+* Readded agavi binary
+
+
+2011-02-17 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: fa4d22455cdf33ac53ed79b9a3d1e1be8ecbf051
+
+* Added missing principal for initial stage
+
+
+2011-02-16 Michael Friedrich <michael(DOT)friedrich(AT)univie(DOT)ac(DOT)at>
+ Commit: deab51579453698aaac163cab044f6dee69f4393
+
+* fix date typo in icinga-web.spec #1220refs #1220
+
+
+
+2011-02-14 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 372910af7d08ba951204381ba3097d54dfeaea7e
+
+* fixed new module target site config
+
+
+2011-02-14 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: d0ad9ecd11426a1a3da4c8163bd91da63cca5f67
+
+* Menu seperator fix
+
+
+2011-02-14 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: cd69ac9f357fa8645058e7ad747e881460329f7d
+
+* PGSQL double result fix
+
+
+2011-02-14 Michael Friedrich <michael(DOT)friedrich(AT)univie(DOT)ac(DOT)at>
+ Commit: e2cfa5ada3e3a4b92b86b295ee24414805d999d2
+
+* fix missing semicolon in mysql schema
+
+
+2011-02-14 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: dd270274729e1c6de50a8f2e97f7776149b9378d
+
+* Added release dates
+
+
+2011-02-14 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 5b49293b28477bae453daa069cabfa53b5e52d5f
+
+* Added bottom space
+* Removed submenu from save cronk entry
+
+
+2011-02-13 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: aa642838abec4c0e5df8ec465c1f921ec0e6f41f
+
+* Removed old files from cached tree
+
+
+2011-02-13 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: face98ac4168b6b7d1aba829d0c722cce60d97dc
+
+* Added updated oracle sql schemes
+
+
+2011-02-11 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 489137a6eed5bed1cf308412d99c545441225222
+
+* Updated makefile for sitecfg
+
+
+2011-02-11 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 8eaacf7547abdf47993c33ac4fbde9c9d33be6e3
+
+* Little change in module.site.xml
+
+
+2011-02-11 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 6b266a9592a68ab0d9e44f79c6139c553a81fd50
+
+* Business process cronk now uses new module-specific configs
+
+
+2011-02-11 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 3a38f14dca99ae92443ba18dc65d32b1fb89b292
+
+* Added additional siteconfig (#refs 1187)
+
+
+2011-02-11 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 2c5b8bb612c481fd4b55e57bb81627f3bcabfd40
+
+* Login triggers only one message (fixes #1204)
+
+
+2011-02-11 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: b3fe39b80b343e62fd8959293df2602ceaa59a72
+
+* Hide instance column (fixes #1195)
+
+
+2011-02-11 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: dc9f72010775c161e6d7b7fee3adde2ec044ec7d
+
+* Recreated pgsql schema (fixes #1099)
+
+
+2011-02-11 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 2f26a2fe9dc03f55f36c205801822c6be5618683
+
+* Portal custom cronk possible
+
+
+2011-02-11 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: 917d28383db7c69ff9e6fb0429caf94de5b06c7e
+
+* Added changed PortalViewSuccess
+
+
+2011-02-11 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: f2d2562c5b9c12ba1a67649960ca678be0852204
+
+* Added compiled language files
+
+
+2011-02-11 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: b264ecfb2c0b3f248440d667c0edacb6b51ec861
+
+* Added language changes (submodule pointer)
+* Added new languages: cs, pt_BR
+
+
+2011-02-11 jmosshammer <jannis(DOT)mosshammer(AT)netways(DOT)de>
+ Commit: e6f51b738fd59f6a9d729c8c6d07d334f0e81043
+
+* added address6 field to new (yet unused) db api
+
+
+2011-02-11 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
+ Commit: 68622ff43937199018a88a2eb1628d2ebd43daf0
+
+* Added changelog
+
+
2011-02-11 Marius Hein <marius(DOT)hein(AT)netways(DOT)de>
Commit: 024f39262f1a0a7bab07cd5dc7afe96a3ca7a9a7
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/.gitignore
^
|
@@ -0,0 +1 @@
+.backup.dat
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/bin/doctrineDBBuilderTask.php
^
|
@@ -68,13 +68,14 @@
*
*/
public function buildDBFromModels() {
+
$icinga = $this->project->getUserProperty("PATH_Icinga");
$modelPath = $icinga."/app/modules/".$this->project->getUserProperty("MODULE_Name")."/lib/";
$appKitPath = $this->project->getUserProperty("PATH_AppKit");
- Doctrine::loadModels($icinga."/".$appKitPath."database/models/generated");
- Doctrine::loadModels($icinga."/".$appKitPath."database/models");
+ Doctrine::loadModels($icinga."/".$appKitPath."database/models/generated/");
+ Doctrine::loadModel($icinga."/".$appKitPath."database/models/");
$tables = Doctrine::getLoadedModels();
$tableList = array();
@@ -85,6 +86,7 @@
Doctrine::createTablesFromModels(array($this->models.'/generated',$this->models));
file_put_contents($modelPath."/.models.cfg",implode(",",$tableList));
+
}
/**
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/bin/xmlMergerTask.php
^
|
@@ -7,12 +7,6 @@
*/
require_once("actionQueueTask.php");
require_once("xmlHelperTask.php");
-
-if(PHP_MAJOR_VERSION < 5 || PHP_MINOR_VERSION < 3)
- define("USE_XML_NSPREFIX_WORKAROUND",true);
-else
- define("USE_XML_NSPREFIX_WORKAROUND",false);
-
class xmlMergerTask extends xmlHelperTask {
/**
@@ -111,6 +105,7 @@
$this->setupDOM();
$this->prepareMerge();
$this->doMerge();
+
$this->save();
}
@@ -175,7 +170,7 @@
$this->mergeMatching($index,$nodes);
else
$this->mergeParents($index,$nodes);
- }
+ }
}
/**
@@ -189,8 +184,9 @@
$tgt_index = $this->__targetIndex;
foreach($nodes as $path=>$node) {
+
if($node["real"]) {//element has no children
- if($this->getOverwrite()) {
+ if($this->getOverwrite()) {
$tgt_index[$index][0]["elem"]->nodeValue = $node["elem"]->nodeValue;
continue;
} else if (!$this->getAllowDuplicates()) {
@@ -204,7 +200,8 @@
}
if($dups)
continue;
- }
+ }
+
$tgt_index[$index][0]["elem"]->parentNode->appendChild($tgtDOM->importNode($node["elem"],true));
}
@@ -213,7 +210,7 @@
/**
* Climbs down the index tree until a matching parent is found and reconstructs the xml
- * fragment in the targetDOM
+ * fragement in the targetDOM
* @param string $index The index of the source xml
* @param array $nodes The nodes to append
*/
@@ -221,35 +218,36 @@
$path_splitted = explode("/",$index);
$target = $this->__targetIndex;
foreach($nodes as $path=>$node) {
+
+
if(!$node["real"]) // only process nodes without children
continue;
-
array_pop($path_splitted);
+
while(!isset($target[implode($path_splitted,"/")]) && count($path_splitted)>1) {
if($node["elem"]->parentNode)
- $node["elem"] = $node["elem"]->parentNode;
+ $node["elem"] = $node["elem"]->parentNode;
+
array_pop($path_splitted);
}
-
- $pathToAdd = implode($path_splitted,"/");
+ $pathToAdd = implode($path_splitted,"/");
+
if($node["elem"]->parentNode) {
$newNode = $node["elem"]->parentNode->removeChild($node["elem"]);
// get the prefix
$prefix = preg_split("/:/",$newNode->nodeName);
$prefix = (count($prefix) == 2 ? $prefix[0] : null);
$im_node = $this->getTargetDOM()->importNode($newNode,true);
- // PHP < 5.3 removes the namespace prefix of our node, reappend it
- if($prefix != null && USE_XML_NSPREFIX_WORKAROUND) {
- $im_node = $this->fixPrefix($im_node,$prefix,$newNode);
- }
- if($target[$pathToAdd][0]["elem"] != null)
- $target[$pathToAdd][0]["elem"]->appendChild($im_node);
+ // PHP removes the namespace prefix of our node, reappend it
+ if($prefix != null )
+ $im_node = $this->fixPrefix($im_node,$prefix,$newNode);
+ $target[$pathToAdd][0]["elem"]->appendChild($im_node);
+
}
$this->removeSubnodesFromSourceIndex($pathToAdd);
}
-
}
/**
@@ -258,7 +256,9 @@
* @param string $prefix
* @param DOMNode $newNode
*/
- protected function fixPrefix(DOMNode $node, $prefix,DOMNode $newNode = null) {
+ protected function fixPrefix(DOMNode $node, $prefix,DOMNode $newNode = null) {
+ if($node->nodeName == $newNode->nodeName)
+ return $node;
$result = $this->getTargetDOM()->createElement($prefix.":".$node->nodeName);
// Copy attributes
foreach($node->attributes as $att) {
@@ -270,12 +270,11 @@
foreach($node->childNodes as $child) {
$result->appendChild($child);
}
-
if($newNode) {
$target = $this->getTargetDOM();
foreach($newNode->childNodes as $child) {
- $imported = $target->importNode($child,true);
- $result->appendChild($imported);
+ if($child->nodeType != XML_TEXT_NODE)
+ $result->appendChild($target->importNode($child,true));
}
}
return $result;
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/bin/xmlRemoverTask.php
^
|
@@ -1,4 +1,4 @@
-<?php
+<?
require_once("xmlHelperTask.php");
/**
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/build.xml
^
|
@@ -43,14 +43,14 @@
<!-- Install module and additional -->
<echo>Installing to ${PATH_Icinga}</echo>
- <copy todir="${PATH_Icinga}">
+ <copy overwrite="true" todir="${PATH_Icinga}">
<filterchain>
<filterreader classname="bin.saveCopyFilter"/>
</filterchain>
<fileset dir="src">
<exclude name="snippets.dat"></exclude>
<exclude name="routes.xml"></exclude>
- <include name="**" />
+ <include name="**" />
</fileset>
</copy>
@@ -71,16 +71,12 @@
</if>
<echo>Clearing cache</echo>
+ <delete dir="${PATH_Icinga}/app/cache/content" />
<delete dir="${PATH_Icinga}/app/cache/config" />
- <property name="buildAdditional" value="false" />
- <available file="additional.xml" property="buildAdditional" value="true" />
- <if>
- <equals arg1="${buildAdditional}" arg2="1" />
- <then>
- <phing phingfile="additional.xml" inheritAll="true" />
- </then>
- </if>
+ <echo>
+ If, for any reason, your config is broken after installing this module, run the restoreConfig script (restoreConfig.sh).
+ </echo>
</target>
@@ -98,4 +94,4 @@
<taskdef name="actionQueue" classname="bin.actionQueueTask" />
<actionQueue path="./" restore="true"/>
</target>
-</project>
\ No newline at end of file
+</project>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/install.sh
^
|
@@ -1,2 +1,5 @@
-#!/bin/sh
-php ./phing.php install-cronk
+#!/bin/bash
+php ./phing.php install-cronk
+if [ $? == 0 ]; then
+ php ./phing.php -f test.xml test
+fi
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/revertConfig.sh
^
|
@@ -0,0 +1,3 @@
+#!/bin/sh
+phing rollback
+echo "Config reverted";
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/src/app/modules/Cronks/lib/js/bp/filterManager.js
^
|
@@ -1,4 +1,4 @@
-Ext.ns('Cronk.bp')
+Ext.ns('Cronk.bp');
/**
* Class that manages filters for the business process adapter cronk
* The actual filtering is performed in the treegrid, so this only stores the filter types
@@ -79,12 +79,12 @@
addFilter : function(filter,noEvent) {
var filterId = Ext.id(null,"bp_filter");
this.activeFilters[filterId] = Ext.apply(filter,{
- field: this.filterMap[filter["name"]],
- })
+ field: this.filterMap[filter["name"]]
+ });
- if(!noEvent)
+ if(!noEvent) {
this.fireEvent("filterChanged",this.getFilters());
-
+ }
return filterId;
},
@@ -142,13 +142,15 @@
removeFilter : function(id,noEvent) {
this.activeFilters[id] = null;
- if(!noEvent)
+ if(!noEvent) {
this.fireEvent("filterChanged",this.getFilters());
+ }
},
removeAll : function(noEvent) {
- this.activeFilters = {}
- if(!noEvent)
+ this.activeFilters = {};
+ if(!noEvent) {
this.fireEvent("filterChanged",this.getFilters());
+ }
},
getFilters : function() {
@@ -165,7 +167,7 @@
values.field = [values.field];
values.operator = [values.operator];
values.value = [values.value];
- values.value2 = values.value2 ? [values.value2] : ''
+ values.value2 = values.value2 ? [values.value2] : '';
}
for(var i=0;i<values.field.length;i++) {
@@ -194,7 +196,7 @@
},
scope: this
}
- }
+ };
},
filterWindow : function() {
@@ -274,9 +276,10 @@
* @return Ext.form.ComboBox
*/
addFilterfield : function(value,container,preset) {
- preset = preset || {}
- if(!value)
+ preset = preset || {};
+ if(!value) {
return false;
+ }
value = value || preset.field;
var filterId = Ext.id('filterField');
@@ -306,9 +309,9 @@
* then refactor
*/
var additionalOperator =
- (value.get('Type') == 'API' && value.get('api_secondary_field'))
- ? this.getOperatorField('text',preset["operator"])
- : null;
+ (value.get('Type') == 'API' && value.get('api_secondary_field')) ?
+ this.getOperatorField('text',preset["operator"]) :
+ null;
if(additionalOperator) {
items.splice(2,0,additionalOperator);
@@ -320,7 +323,6 @@
id: filterId,
border: false,
style: 'padding: 2px;',
- layout: 'column',
defaults: {
border: false,
style: 'padding: 2px;'
@@ -341,7 +343,7 @@
*/
getOperatorField : function(type,pre,value) {
// @ToDo: Not nice to add a special field here for one use case, refactor if there is further adjustment needed
- var oCombo
+ var oCombo;
if(type == 'API') {
oCombo = this.getAPIDrivenComboBox({
target: value.get('api_target'),
@@ -356,7 +358,7 @@
idIndex : 0,
fields : ['id', 'label'],
data : this.oOpList[type] || [],
- triggerAction : 'all',
+ triggerAction : 'all'
}),
mode : 'local',
@@ -411,11 +413,13 @@
listeners: {
// Update to store values before loading
beforeload: function(store,options) {
- if(!cfg.filters)
+ if(!cfg.filters) {
return true;
+ }
if(cfg.filters.ctype) {
- if(!cfg.filters.getValue())
+ if(!cfg.filters.getValue()) {
return false;
+ }
options.params["filters["+i+"][column]"] = cfg.filters.valueField;
options.params["filters["+i+"][relation]"] = "=";
options.params["filters["+i+"][value]"] = cfg.filters.getValue();
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/src/app/modules/Cronks/lib/js/bp/infoPanel.js
^
|
@@ -7,47 +7,50 @@
Ext.ns('Cronk.bp');
var eventGrid = Ext.extend(Ext.grid.GridPanel,{
- colModel: new Ext.grid.ColumnModel({
- defaults: {
- width: 120,
- sortable: true
- },
- columns: [
- {id: 'HOST_NAME', header: _('Host'),dataIndex:'HOST_NAME'},
- {id: 'SERVICE_NAME', header: _('Service'),dataIndex:'SERVICE_NAME'},
- {
- id: 'STATUS',
- header: _('Status'),
- dataIndex:'STATEHISTORY_STATE',
- renderer: function(value, metaData, record, rowIndex, colIndex, store) {
- var state =''
- switch(value) {
- case '0':
- state = 'OK';
- break;
- case '1':
- state = 'WARNING';
- break;
- case '2':
- state = 'CRITICAL';
- break;
- default:
- state = 'UNKNOWN';
- break;
- }
- return '<div class="icinga-status icinga-status-'+state.toLowerCase()+'" style="height:12px;text-align:center">'+state+'</div>';
- }
+ constructor: function(cfg) {
+ this.colModel = new Ext.grid.ColumnModel({
+ defaults : {
+ width: 120,
+ sortable: true
},
- {id: 'LAST_CHECK', header: _('Timestamp'),dataIndex:'STATEHISTORY_STATE_TIME',groupable:false},
- {id: 'ATTEMPT',width:40, header: _('Attempt'),dataIndex:'STATEHISTORY_CURRENT_CHECK_ATTEMPT'},
- {id: 'OUTPUT', header:_('Output'),dataIndex: 'STATEHISTORY_OUTPUT'}
- ]
- }),
- frame:true,
- view: new Ext.grid.GroupingView({
- forceFit:true,
- groupTextTpl: '{text} ({[values.rs.length]} {[values.rs.length > 1 ? "Items" : "Item"]})'
- })
+ columns : [
+ {id: 'HOST_NAME', header: _('Host'),dataIndex:'HOST_NAME'},
+ {id: 'SERVICE_NAME', header: _('Service'),dataIndex:'SERVICE_NAME'},
+ {
+ id: 'STATUS',
+ header: _('Status'),
+ dataIndex:'STATEHISTORY_STATE',
+ renderer: function(value, metaData, record, rowIndex, colIndex, store) {
+ var state =''
+ switch(value) {
+ case '0':
+ state = 'OK';
+ break;
+ case '1':
+ state = 'WARNING';
+ break;
+ case '2':
+ state = 'CRITICAL';
+ break;
+ default:
+ state = 'UNKNOWN';
+ break;
+ }
+ return '<div class="icinga-status icinga-status-'+state.toLowerCase()+'" style="height:12px;text-align:center">'+state+'</div>';
+ }
+ },
+ {id: 'LAST_CHECK', header: _('Timestamp'),dataIndex:'STATEHISTORY_STATE_TIME',groupable:false},
+ {id: 'ATTEMPT',width:40, header: _('Attempt'),dataIndex:'STATEHISTORY_CURRENT_CHECK_ATTEMPT'},
+ {id: 'OUTPUT', header:_('Output'),dataIndex: 'STATEHISTORY_OUTPUT'}
+ ]
+ });
+ this.frame = true;
+ this.view = new Ext.grid.GroupingView({
+ forceFit:true,
+ groupTextTpl: '{text} ({[values.rs.length]} {[values.rs.length > 1 ? "Items" : "Item"]})'
+ });
+ return Ext.grid.GridPanel.prototype.constructor.call(this,cfg);
+ }
})
Cronk.bp.infoPanel = Ext.extend(Ext.TabPanel,{
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/src/app/modules/Cronks/models/bpAddon/bpCfgInterpreterModel.class.php
^
|
@@ -54,7 +54,7 @@
$offset = strlen($matches[0][0])-1;
- preg_match_all("/(?>(?>(?P<HOST>[^;\&\|\+]{2,}[^ ]);(?P<SERVICE>[^\&\|\+]{2,}[^ &\+\|]))|(?P<BP>[^\&\|+]{2,}))/",
+ preg_match_all("/(?>(?>(: *?)?(?P<HOST>[^;\&\|\+]{2,}[^ ]);(?P<SERVICE>[^\&\|\+]{2,}[^ &\+\|]))|(?P<BP>[^\&\|+]{2,}))/",
$line,
$bpTargets,
PREG_PATTERN_ORDER,
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/src/app/modules/Cronks/models/bpAddon/businessProcessModel.class.php
^
|
@@ -87,9 +87,13 @@
$this->priority = $prio;
}
- public function __construct(array $params = array()) {
- if(!empty($params))
- $this->__fromConfig($params);
+ public function initialize(AgaviContext $context, array $parameters = array()) {
+ parent::initialize($context, $parameters);
+
+ if(!empty($parameters[0])) {
+ $this->__fromConfig($parameters[0]);
+ }
+
}
protected function __fromConfig(array $params) {
@@ -119,7 +123,8 @@
}
protected function parseChildren(array $children) {
- $ctx = AgaviContext::getInstance('web');
+ $ctx = $this->getContext();
+
foreach($children as $child) {
if(isset($child["service"]))
$this->addService($ctx->getModel('bpAddon.service','Cronks',array($child)));
@@ -140,11 +145,12 @@
"prio" => $this->getPriority(),
"children" => array()
);
+
foreach($this->getServices() as $service)
$obj["children"][] = $service->__toArray();
foreach($this->getSubProcesses() as $process) {
if($process instanceof Cronks_bpAddon_businessProcessModel) {
- $obj["children"][] = $process->__toArray();
+ $obj["children"][] = $process->__toArray();
} else {
$obj["children"][] = array(
"isAlias"=>true,
@@ -152,6 +158,7 @@
);
}
}
+
return $obj;
}
/**
@@ -185,7 +192,7 @@
foreach($this->getSubProcesses() as $bp)
$services[] = $bp->getName();
- return implode($glueString,$services);
+ return $str .= implode($glueString,$services);
}
private function cfgDisplay() {
@@ -210,8 +217,9 @@
public function __toConfig() {
$string = "";
foreach($this->subProcesses as $sub) {
- if($sub->hasCompleteConfiguration())
+ if($sub->hasCompleteConfiguration()) {
$string.= $sub->__toConfig();
+ }
}
// Write down the process information
$string .= <<<PROCESS
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/src/app/modules/Cronks/models/bpAddon/configParserModel.class.php
^
|
@@ -44,10 +44,12 @@
}
protected function parseProcessesFromArray(array $object) {
$cfgParts = array();
+
foreach($object["children"] as $process) {
$bp = $this->getContext()->getModel("bpAddon.businessProcess","Cronks",array($process));
$cfgParts[] = array("obj" => $bp, "str" => $bp->__toConfig());
}
+
$cfgString = $this->orderResultSet($cfgParts);
$config = $this->getConfigHeader();
@@ -57,16 +59,23 @@
protected function orderResultSet(array $cfgParts) {
$orderChanged = false;
+ $ringRef = array ();
+ $i=0;
+
do {
+ $i++;
$orderChanged = false;
- $newOrder = array();
+ $newOrder = array();
$processed = array();
+
foreach($cfgParts as $pos=>$name) {
if(!is_array($name))
continue;
$bp = $name["obj"];
+
foreach($bp->getSubProcesses() as $subProcess) {
+
if(!$subProcess->hasCompleteConfiguration()
&& !in_array($subProcess->getName(),$processed)) {
@@ -81,7 +90,7 @@
}
$cfgParts = $newOrder;
- } while($orderChanged);
+ } while($orderChanged && $i<2);
$newOrder = array();
foreach($cfgParts as $part) {
$newOrder[] = $part["str"];
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/src/app/modules/Cronks/templates/bpAddon/ConfigCreaterSuccess.php
^
|
@@ -1,21 +1,20 @@
<script type="text/javascript">
+Ext.ns("Cronk.bp");
/**
* TODO: Refactor this mess
*/
-var _parent = "<?php echo $rd->getParameter('parentid'); ?>";
-
// This is the init method called when the cronk environment is ready
-Cronk.util.initEnvironment(_parent, function() {
+Cronk.util.initEnvironment(<?php CronksRequestUtil::echoJsonString($rd); ?>, function() {
Ext.Msg.minWidth = 350;
this.stateful = true;
this.stateId = "state_"+this.id;
- Ext.ns("Cronk.bp");
+
var fastMode = (Ext.isIE6 || Ext.isIE7 || Ext.isIE8);
var CE = this;
var parentCmp = this.getParent();
+ var stateId = this.id + '_bpmanager_panel';
parentCmp.removeAll();
var treeLoader = new Ext.ux.tree.TreeGridLoader({});
-
var root = new Ext.tree.TreeNode({
nodeText:_('Business processes'),
bpType: 'bp',
@@ -78,8 +77,8 @@
var hideEdit;
if(node.attributes)
- hideEdit = node.attributes.isAlias;
-
+ hideEdit = node.attributes.isAlias && !node.attributes.service;
+
var ctx = new Ext.menu.Menu({
items: [{
text: _('Create new business process at this level'),
@@ -95,7 +94,7 @@
hidden: node.attributes.isAlias || node.attributes.serviceInfo,
handler:function(btn) {
if(node.attributes)
- Cronk.bp.processController.addBusinessProcess(node,node,event);
+ Cronk.bp.processController.addExistingBusinessProcess(node,node,event);
}
},{
text: _('Add service'),
@@ -137,8 +136,6 @@
scope: this
}]
}).showAt(event.getXY());
-
-
},
nodedragover: function(dragOverEvent) {
var dragNode;
@@ -184,6 +181,18 @@
default:
return false;
}
+ },
+ remove: function() {
+ Cronk.bp.processController.fireEvent('changed');
+ },
+ append: function() {
+ Cronk.bp.processController.fireEvent('changed');
+ },
+ movenode: function() {
+ Cronk.bp.processController.fireEvent('changed');
+ },
+ textchange: function() {
+ Cronk.bp.processController.fireEvent('changed');
}
}
});
@@ -192,7 +201,139 @@
* Controller class for adding nodes, parsing the config, and all things
* that isn't view specific
*/
- Cronk.bp.processController = new (Ext.extend(Ext.util.Observable,{
+ Cronk.bp.processController = new (Cronk.bp.processControllerClass = Ext.extend(Ext.util.Observable,{
+
+ changed: false,
+ baseTitle: null,
+
+ constructor: function() {
+ Cronk.bp.processControllerClass.superclass.constructor.call(this);
+
+ this.on('changed', this.onChanged, this);
+
+ this.baseTitle = parentCmp.title.replace(/\s+\([^\)]+\)$/, '');
+
+ Ext.EventManager.addListener(window, 'blur', this.handleBlur, this);
+
+ Ext.getCmp('cronk-tabs').on('beforetabchange', function(tabpanel, newTab, currentTab) {
+ if (currentTab == parentCmp) {
+ this.handleBlur(function() {
+ Ext.getCmp('cronk-tabs').setActiveTab(parentCmp);
+ })
+ }
+ }, this);
+
+ },
+
+ changeTitle: function(configName) {
+ var title = String.format('{0} ({1})', this.baseTitle, configName);
+ parentCmp.setTitle(title);
+ parentCmp.doLayout();
+ },
+
+ onChanged: function() {
+ this.changed=true;
+ },
+
+ hasChanged: function() {
+ return this.changed;
+ },
+
+ processLoad: function(configName) {
+ Cronk.bp.processController.getConfigJson(configName, function() {
+ Cronk.bp.processController.curConfigName = configName;
+ Cronk.bp.processController.changed = false;
+ this.changeTitle(configName);
+ Ext.state.Manager.set(stateId, bpManager.getState());
+ }, this);
+ },
+
+ processSave: function(configName) {
+ configName = configName || Cronk.bp.processController.curConfigName;
+ if (configName) {
+ this.createConfigForTree(configName);
+ this.changed = false;
+ this.changeTitle(configName);
+ Ext.state.Manager.set(stateId, bpManager.getState());
+ }
+ else {
+ this.processSaveAs();
+ }
+
+ Cronk.bp.processController.curConfigName = configName;
+ },
+
+ processSaveAs: function() {
+ var _this = this;
+
+ Ext.Msg.prompt(_('Filename'), _('Please enter a name for the file:'), function(btn, text){
+ if (btn == 'ok'){
+ if(!text.match(/^[A-Za-z0-9_-]{3,25}$/)) {
+ Ext.Msg.alert(_("Error"),_("Please provide a valid file name (min 3, max 25 chars, alphanumeric)"));
+ return false;
+ }
+ _this.processSave(text);
+ }
+ });
+ },
+
+ processNew: function() {
+ var _this = this;
+ var changed = (Cronk.bp.processController.curConfigName || this.changed)
+
+ var doRemove = function() {
+ _this.changeTitle(_('New'));
+ root.removeAll();
+ _this.changed = false;
+ Cronk.bp.processController.curConfigName = null;
+ Ext.state.Manager.set(stateId, bpManager.getState());
+ }
+
+ if (changed!== false) {
+ Ext.Msg.show({
+ title: _('Creating new'),
+ msg: _('Process exists, creating new one?'),
+ buttons: Ext.Msg.YESNO,
+ fn: function(button) {
+ if (button=='yes') {
+ doRemove();
+ }
+ },
+ icon: Ext.MessageBox.QUESTION
+ });
+
+ }
+ else {
+ doRemove();
+ }
+ },
+
+ handleBlur: function(callback) {
+ if (Cronk.bp.processController.hasChanged()) {
+
+ var e = Ext.EventObject;
+ e.setEvent(window.event);
+ e.stopEvent();
+
+ Ext.Msg.show({
+ title: _('Save Changes?'),
+ msg: 'You are closing a tab that has unsaved changes. Would you like to save your changes?',
+ buttons: Ext.Msg.YESNOCANCEL,
+ fn: function(button) {
+ if (button=='yes') {
+ Cronk.bp.processController.processSave();
+ }
+ else if (button=='cancel') {
+ if (Ext.isFunction(callback)) {
+ callback.call(this);
+ }
+ }
+ },
+ icon: Ext.MessageBox.QUESTION
+ });
+ }
+ },
+
hostStore: new Ext.data.JsonStore({
autoDestroy:false,
url: '<?php echo $ro->gen("icinga.api");?>'+'/json',
@@ -263,17 +404,16 @@
text: _('Add new node'),
iconCls: 'icinga-icon-chart-organisation',
handler: function() {
- Cronk.bp.processController.addBusinessProcess(dropNode,event.target,event.rawEvent);
+ Cronk.bp.processController.addBusinessProcess(dropNode,event.target,event.rawEvent);
}
},{
text: _('Add existing node'),
iconCls: 'icinga-icon-chart-organisation',
handler: function() {
- Cronk.bp.processController.addExistingBusinessProcess(dropNode,event.target,event.rawEvent);
+ Cronk.bp.processController.addExistingBusinessProcess(dropNode,event.target,event.rawEvent);
}
}]
})).showAt(event.rawEvent.getXY());
-
},
addBusinessProcess: function(node,target,event,presets) {;
@@ -439,6 +579,7 @@
var item = this.createFunkyInputLayer(event.getPageX(),event.getPageY(),330,400,bpCfg)
item.show();
},
+
addExistingBusinessProcess: function(node,target,event,presets) {
var curId = Ext.id("","bpAdder");
@@ -565,6 +706,7 @@
} while(alias);
}
+
return true;
},
@@ -627,6 +769,7 @@
leaf: true
});
target.appendChild(node);
+
return node;
},
@@ -692,6 +835,14 @@
}
}],
buttons:[{
+ text: _('Close'),
+ iconCls: 'icinga-icon-close',
+ handler: function(btn) {
+
+ btn.ownerCt.ownerCt.ownerCt.container.remove();
+ },
+ scope: this
+ },{
text:(presets ? 'Edit ' : 'Add ')+' Service',
iconCls:'icinga-icon-add',
id: curId+'_btn',
@@ -719,6 +870,7 @@
nodeText: values.host_name+" : "+values.service_name,
host: values.host_name,
service: values.service_name,
+ isAlias:true,
iconCls: Cronk.bp.processElements.prototype.getIconCls('service'),
nodeType:'node',
bpType: 'service',
@@ -742,7 +894,7 @@
},
- getConfigJson : function (filename) {
+ getConfigJson : function (filename, callback, scope) {
Ext.Ajax.request({
url: '<?php echo $ro->gen("modules.cronks.bpAddon.configParser") ?>',
params: {
@@ -756,6 +908,10 @@
var node = data[i];
this.createNewProcessNode(root,root.getOwnerTree(),node);
}
+
+ if (Ext.isFunction(callback)) {
+ callback.call(scope || {});
+ }
},
failure: function(resp) {
Ext.Msg.alert(_("An error occured"),resp.responseText);
@@ -909,7 +1065,7 @@
return obj;
}
- }))();
+ }));
Cronk.bp.configFileListing = new (Ext.extend(Ext.DataView,{
autoScroll: true,
@@ -945,8 +1101,7 @@
iconCls: 'icinga-icon-page-edit',
text: _('Edit this config'),
handler: function() {
- Cronk.bp.processController.getConfigJson(clicked.get('filename'));
- Cronk.bp.processController.curConfigName = clicked.get('filename');
+ Cronk.bp.processController.processLoad(clicked.get('filename'));
}
},{
iconCls: 'icinga-icon-delete',
@@ -1069,9 +1224,26 @@
height:parentCmp.getInnerHeight()*0.98,
width:parentCmp.getInnerWidth()*0.98,
layout: 'border',
+
defaults : {
split:true
},
+
+ stateful: false,
+ stateid: stateId,
+
+ getState: function() {
+ return {
+ configName: Cronk.bp.processController.curConfigName
+ }
+ },
+
+ applyState: function(state) {
+ if (Ext.isObject(state) && !Ext.isEmpty(state.configName)) {
+ Cronk.bp.processController.processLoad(state.configName);
+ }
+ },
+
items: [{
xtype: 'panel',
region:'center',
@@ -1090,29 +1262,22 @@
text: _('Save'),
iconCls: 'icinga-icon-disk',
handler: function(btn) {
- if(Cronk.bp.processController.curConfigName) {
- Cronk.bp.processController.createConfigForTree(text);
- } else {
- Ext.Msg.alert(_("No name given"),_("New config, please choose 'save as'"));
- }
+ Cronk.bp.processController.processSave();
},
scope:this
},{
text: _('Save as'),
iconCls: 'icinga-icon-disk',
handler: function(btn) {
- Ext.Msg.prompt(_('Filename'), _('Please enter a name for the file:'), function(btn, text){
- if (btn == 'ok'){
- if(!text.match(/^[A-Za-z0-9_-]{3,25}$/)) {
- Ext.Msg.alert(_("Error"),_("Please provide a valid file name (min 3, max 25 chars, alphanumeric)"));
- return false;
- }
- Cronk.bp.processController.createConfigForTree(text);
- }
- });
-
+ Cronk.bp.processController.processSaveAs();
},
scope:this
+ }, {
+ text: _('New'),
+ iconCls: 'icinga-icon-add',
+ handler: function(btn) {
+ Cronk.bp.processController.processNew();
+ }
}]
},{
xtype: 'panel',
@@ -1126,15 +1291,19 @@
items: Cronk.bp.configFileListing
}]
});
+
+ bpManager.on('render', function(panel) {
+ panel.applyState(Ext.state.Manager.get(stateId));
+ });
+
parentCmp.on("resize", function() {
this.setHeight(parentCmp.getInnerHeight()*0.98);
this.setWidth(parentCmp.getInnerWidth()*0.98);
this.doLayout();
- },bpManager)
+ },bpManager);
+
this.add(bpManager);
this.doLayout();
-
-
});
-</script>
\ No newline at end of file
+</script>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/src/app/modules/Cronks/templates/bpAddon/OverviewSuccess.php
^
|
@@ -1,12 +1,59 @@
<script type="text/javascript">
-var _parent = "<?php echo $rd->getParameter('parentid'); ?>";
-var _filter = "<?php echo $rd->getParameter('p[filters]'); ?>";
-var _bpConfig = "<?php echo $rd->getParameter('p[bpConfig]'); ?>";
-var _bpInfoTabs = <?php echo $rd->getParameter('p[externalTabs]','[]') ?>;
-
// This is the init method called when the cronk environment is ready
-Cronk.util.initEnvironment(_parent, function() {
+Cronk.util.initEnvironment(<?php CronksRequestUtil::echoJsonString($rd); ?>, function() {
Ext.Msg.minWidth = 250;
+
+ var _parent = "<?php echo $rd->getParameter('parentid'); ?>";
+ var _filter = "<?php echo $rd->getParameter('p[filters]'); ?>";
+ var _bpConfig = "<?php echo $rd->getParameter('p[bpConfig]'); ?>";
+ var _bpInfoTabs = <?php echo $rd->getParameter('p[externalTabs]','[]') ?>;
+ var _hideConfigSelector = "<?php echo $rd->getParameter('p[bpHideSelector]'); ?>";
+
+ var getSelectorConfig = function() {
+ if (_hideConfigSelector == 'true') {
+ return {
+ xtype: 'tbtext',
+ text: _('Process') + ': ' + _bpConfig
+ };
+ }
+ else {
+ return {
+ /**
+ * This combobox allows the user to switch beteween different config files
+ */
+ xtype: 'combo',
+ width:150,
+ value: _('Default cfg'),
+ store: new Ext.data.JsonStore({
+ autoLoad:true,
+ url: '<?php echo $ro->gen("modules.cronks.bpAddon.configParser") ?>',
+ baseParams: {
+ action: 'getConfigList'
+ },
+ fields: [
+ 'filename',
+ {name:'created',type:'date',dateFormat:'timestamp'},
+ {name:'last_modified',type:'date',dateFormat:'timestamp',format: "Y-m-d H:i:s"}
+ ]
+ }),
+ displayField: 'filename',
+ valueField: 'filename',
+ triggerAction: 'all',
+ listeners: {
+ render: function(cmb) {
+ if(bpLoader.bp_config)
+ cmb.setValue(bpLoader.bp_config);
+ },
+ select: function(cmb,rec,idx) {
+ bpLoader.bp_config = rec.get('filename');
+ cmb.ownerCt.ownerCt.handleStateChange();
+ root.reload();
+ },
+ scope:this
+ }
+ }
+ }
+ }
/**
* Set up state vals and other needed variables like parentCmp
@@ -40,7 +87,7 @@
},
requestMethod:'GET',
filterManager: filterManager,
- authKey: '<?php echo $t["authToken"]; ?>',
+ authKey: '<?php echo $t["authToken"]; ?>'
})
// If there's a config globally written to the cronk, use it
@@ -180,41 +227,7 @@
}
},{
xtype: 'tbseparator'
- },{
- /**
- * This combobox allows the user to switch beteween different config files
- */
- xtype: 'combo',
- width:150,
- value: _('Default cfg'),
- store: new Ext.data.JsonStore({
- autoLoad:true,
- url: '<?php echo $ro->gen("modules.cronks.bpAddon.configParser") ?>',
- baseParams: {
- action: 'getConfigList'
- },
- fields: [
- 'filename',
- {name:'created',type:'date',dateFormat:'timestamp'},
- {name:'last_modified',type:'date',dateFormat:'timestamp',format: "Y-m-d H:i:s"}
- ]
- }),
- displayField: 'filename',
- valueField: 'filename',
- triggerAction: 'all',
- listeners: {
- render: function(cmb) {
- if(bpLoader.bp_config)
- cmb.setValue(bpLoader.bp_config);
- },
- select: function(cmb,rec,idx) {
- bpLoader.bp_config = rec.get('filename');
- cmb.ownerCt.ownerCt.handleStateChange();
- root.reload();
- },
- scope:this
- }
- },{
+ }, getSelectorConfig(), {
xtype: 'tbseparator'
},{
/**
@@ -690,7 +703,13 @@
});
+ // Notify cronkbuilder for other state object
+ this.setStatefulObject(bpGridList);
+ // Saved state from the cronk builder
+ if (Ext.isObject(this.state)) {
+ bpGridList.applyState(this.state);
+ }
this.add({
xtype:'container',
@@ -714,7 +733,7 @@
items: infoPanel
}]
});
- this.doLayout();
+ this.doLayout.defer(300);
});
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/src/app/modules/Cronks/validate/bpAddon/Overview.xml
^
|
@@ -52,6 +52,12 @@
</errors>
</validator>
+ <validator class="string" name="state" required="false">
+ <argument>state</argument>
+ <errors>
+ <error>Validation initial state string failed!</error>
+ </errors>
+ </validator>
<validator class="string" name="url" required="true">
<argument>p[url]</argument>
@@ -86,8 +92,15 @@
<errors>
<error>Validation of filters failed!</error>
</errors>
- </validator>
- </validators>
+ </validator>
+
+ <validator class="string" name="bpHideSelector" required="false">
+ <argument>p[bpHideSelector]</argument>
+ <errors>
+ <error>Validation of bpHideSelector failed!</error>
+ </errors>
+ </validator>
+ </validators>
</ae:configuration>
</ae:configurations>
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/test.xml
^
|
@@ -0,0 +1,30 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<project name="ModuleTest" default="test">
+ <target name="test">
+ <!-- define tasks -->
+
+ <taskdef name="actionQueue" classname="bin.actionQueueTask" />
+ <typedef name="icingaManifest" classname="bin.icingaManifest" />
+
+ <icingaManifest id="manifest" file="manifest.xml" />
+ <echo>Testing module installation</echo>
+
+ <input propertyname="PATH_Icinga" promptChar="?" defaultValue="/usr/local/icinga-web">Location of icinga-web</input>
+ <!-- PHPunit must be called in a separate process, because it
+ uses session_start, which would complain otherwise -->
+ <exec command="sh ./testInstallation.sh" dir="./" outputproperty="output" returnproperty="returnval" />
+ <if>
+ <equals arg1="${returnval}" arg2="0" />
+ <then>
+ <echo message="Bootstrap test succeeded"/>
+ </then>
+ <else>
+
+ <echo msg="${output}" file="icinga_error.log"/>
+ <fail message="Bootstrap didn't succeed, check icinga_error.log for the test output. Run ./revertConfig to undo all changes in your icinga-web configs"/>
+ </else>
+ </if>
+
+ </target>
+</project>
+
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/contrib/businessprocess-icinga-cronk/testInstallation.sh
^
|
@@ -0,0 +1,3 @@
+#! /bin/sh
+phpunit --bootstrap /usr/local/icinga-web/etc/tests/icingaWebTesting.php /usr/local/icinga-web/etc/tests/tests/bootstrap/agaviBootstrapTest.php
+exit $?
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/make/version.m4
^
|
@@ -9,5 +9,5 @@
dnl this name.
dnl
-m4_define([ICINGA_VERSION], [1.3.1])
-m4_define([ICINGA_RELEASE_DATE], [2011-03-31])
+m4_define([ICINGA_VERSION], [1.4.0])
+m4_define([ICINGA_RELEASE_DATE], [2011-05-11])
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/modules/bin/doctrineDBBuilderTask.php
^
|
@@ -68,13 +68,14 @@
*
*/
public function buildDBFromModels() {
+
$icinga = $this->project->getUserProperty("PATH_Icinga");
$modelPath = $icinga."/app/modules/".$this->project->getUserProperty("MODULE_Name")."/lib/";
$appKitPath = $this->project->getUserProperty("PATH_AppKit");
- Doctrine::loadModels($icinga."/".$appKitPath."database/models/generated");
- Doctrine::loadModels($icinga."/".$appKitPath."database/models");
+ Doctrine::loadModels($icinga."/".$appKitPath."database/models/generated/");
+ Doctrine::loadModel($icinga."/".$appKitPath."database/models/");
$tables = Doctrine::getLoadedModels();
$tableList = array();
@@ -85,6 +86,7 @@
Doctrine::createTablesFromModels(array($this->models.'/generated',$this->models));
file_put_contents($modelPath."/.models.cfg",implode(",",$tableList));
+
}
/**
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/modules/bin/xmlMergerTask.php
^
|
@@ -7,12 +7,6 @@
*/
require_once("actionQueueTask.php");
require_once("xmlHelperTask.php");
-
-
-if(PHP_MAJOR_VERSION < 5 || PHP_MINOR_VERSION < 3)
- define("USE_XML_NSPREFIX_WORKAROUND",true);
-else
- define("USE_XML_NSPREFIX_WORKAROUND",false);
class xmlMergerTask extends xmlHelperTask {
/**
@@ -111,6 +105,7 @@
$this->setupDOM();
$this->prepareMerge();
$this->doMerge();
+
$this->save();
}
@@ -189,8 +184,9 @@
$tgt_index = $this->__targetIndex;
foreach($nodes as $path=>$node) {
+
if($node["real"]) {//element has no children
- if($this->getOverwrite()) {
+ if($this->getOverwrite()) {
$tgt_index[$index][0]["elem"]->nodeValue = $node["elem"]->nodeValue;
continue;
} else if (!$this->getAllowDuplicates()) {
@@ -204,8 +200,10 @@
}
if($dups)
continue;
- }
+ }
+
$tgt_index[$index][0]["elem"]->parentNode->appendChild($tgtDOM->importNode($node["elem"],true));
+
}
}
}
@@ -220,6 +218,8 @@
$path_splitted = explode("/",$index);
$target = $this->__targetIndex;
foreach($nodes as $path=>$node) {
+
+
if(!$node["real"]) // only process nodes without children
continue;
array_pop($path_splitted);
@@ -240,7 +240,7 @@
$prefix = (count($prefix) == 2 ? $prefix[0] : null);
$im_node = $this->getTargetDOM()->importNode($newNode,true);
// PHP removes the namespace prefix of our node, reappend it
- if($prefix != null && USE_XML_NSPREFIX_WORKAROUND)
+ if($prefix != null )
$im_node = $this->fixPrefix($im_node,$prefix,$newNode);
$target[$pathToAdd][0]["elem"]->appendChild($im_node);
@@ -257,6 +257,8 @@
* @param DOMNode $newNode
*/
protected function fixPrefix(DOMNode $node, $prefix,DOMNode $newNode = null) {
+ if($node->nodeName == $newNode->nodeName)
+ return $node;
$result = $this->getTargetDOM()->createElement($prefix.":".$node->nodeName);
// Copy attributes
foreach($node->attributes as $att) {
@@ -271,7 +273,8 @@
if($newNode) {
$target = $this->getTargetDOM();
foreach($newNode->childNodes as $child) {
- $result->appendChild($target->importNode($child,true));
+ if($child->nodeType != XML_TEXT_NODE)
+ $result->appendChild($target->importNode($child,true));
}
}
return $result;
@@ -294,4 +297,4 @@
unset($index[$path]);
}
-}
\ No newline at end of file
+}
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/modules/bin/xmlRemoverTask.php
^
|
@@ -1,4 +1,4 @@
-<?php
+<?
require_once("xmlHelperTask.php");
/**
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/modules/build.xml
^
|
@@ -120,6 +120,7 @@
<phing phingfile="additional.xml" inheritAll="true" />
</then>
</if>
+
</target>
@@ -185,6 +186,11 @@
<copy file="etc/db.ini" todir="${MODULE_Name}/" />
<copy file="build.properties" todir="${MODULE_Name}/" />
<!-- Packing -->
+ <copy todir="${MODULE_Name}" >
+ <fileset dir="./scripts">
+ <include name="*.sh"/>
+ </fileset>
+ </copy>
<tar basedir="${MODULE_Name}/." destfile="${MODULE_Name}_module.tar" compression="gzip" />
</target>
@@ -340,4 +346,4 @@
<taskdef name="actionQueue" classname="bin.actionQueueTask" />
<actionQueue path="./" restore="true"/>
</target>
-</project>
\ No newline at end of file
+</project>
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/modules/scripts
^
|
+(directory)
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/modules/scripts/install.sh
^
|
@@ -0,0 +1,5 @@
+#!/bin/bash
+php ./phing.php install-cronk
+if [ $? == 0 ]; then
+ php ./phing.php -f test.xml test
+fi
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/modules/scripts/revertConfig.sh
^
|
@@ -0,0 +1,3 @@
+#!/bin/sh
+phing rollback
+echo "Config reverted";
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/modules/scripts/testInstallation.sh
^
|
@@ -0,0 +1,3 @@
+#! /bin/sh
+phpunit --bootstrap /usr/local/icinga-web/etc/tests/icingaWebTesting.php /usr/local/icinga-web/etc/tests/tests/bootstrap/agaviBootstrapTest.php
+exit $?
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/schema/mysql.sql
^
|
@@ -54,8 +54,9 @@
INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('13','appkit.api.access','Access to web-based api adapter','','credential');
INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('14','icinga.demoMode','Hide features like password reset which are not wanted in demo systems','','credential');
INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('15','icinga.cronk.category.admin','Enables category admin features','','credential');
-INSERT INTO nsm_target (target_name,target_description,target_class,target_type) VALUES ('icinga.control.view','Allow user to view icinga status','','credential');
-INSERT INTO nsm_target (target_name,target_description,target_class,target_type) VALUES ('icinga.control.admin','Allow user to administrate the icinga process','','credential');
+INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('16','icinga.cronk.log','Enables icinga-log cronk','','credential');
+INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('17','icinga.control.view','Allow user to view icinga status','','credential');
+INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('18','icinga.control.admin','Allow user to administrate the icinga process','','credential');
INSERT INTO nsm_role (role_id,role_name,role_description,role_disabled) VALUES ('1','icinga_user','The default representation of a ICINGA user','0');
INSERT INTO nsm_role (role_id,role_name,role_description,role_disabled) VALUES ('2','appkit_user','Appkit user test','0');
INSERT INTO nsm_role (role_id,role_name,role_description,role_disabled,role_parent) VALUES ('3','appkit_admin','AppKit admin','0','2');
@@ -77,3 +78,4 @@
INSERT INTO nsm_principal_target (pt_id,pt_principal_id,pt_target_id) VALUES ('6','4','8');
INSERT INTO nsm_principal_target (pt_id,pt_principal_id,pt_target_id) VALUES ('7','5','7');
INSERT INTO nsm_principal_target (pt_id,pt_principal_id,pt_target_id) VALUES ('8','3','15');
+INSERT INTO nsm_principal_target (pt_id,pt_principal_id,pt_target_id) VALUES ('9','3','16');
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/schema/oracle.sql
^
|
@@ -420,6 +420,9 @@
INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('13','appkit.api.access','Access to web-based api adapter','','credential');
INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('14','icinga.demoMode','Hide features like password reset which are not wanted in demo systems','','credential');
INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('15','icinga.cronk.category.admin','Enables category admin features','','credential');
+INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('16','icinga.cronk.log','Enables icinga-log cronk','','credential');
+INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('17','icinga.control.view','Allow user to view icinga status','','credential');
+INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('18','icinga.control.admin','Allow user to administrate the icinga process','','credential');
INSERT INTO nsm_user (user_id,user_account,user_name,user_firstname,user_lastname,user_password,user_salt,user_authsrc,user_email,user_disabled,user_created,user_modified) VALUES ('1','0','root','Enoch','Root','42bc5093863dce8c150387a5bb7e3061cf3ea67d2cf1779671e1b0f435e953a1','0c099ae4627b144f3a7eaa763ba43b10fd5d1caa8738a98f11bb973bebc52ccd','internal','root@localhost.local','0',sysdate,sysdate);
INSERT INTO nsm_db_version (vers_id,version) VALUES ('1','2');
INSERT INTO nsm_principal (principal_id,principal_user_id,principal_type,principal_disabled) VALUES ('1','1','user','0');
@@ -435,6 +438,7 @@
INSERT INTO nsm_principal_target (pt_id,pt_principal_id,pt_target_id) VALUES ('6','4','8');
INSERT INTO nsm_principal_target (pt_id,pt_principal_id,pt_target_id) VALUES ('7','5','7');
INSERT INTO nsm_principal_target (pt_id,pt_principal_id,pt_target_id) VALUES ('8','3','15');
+INSERT INTO nsm_principal_target (pt_id,pt_principal_id,pt_target_id) VALUES ('9','3','16');
INSERT INTO nsm_user_role (usro_user_id,usro_role_id) VALUES ('1','1');
INSERT INTO nsm_user_role (usro_user_id,usro_role_id) VALUES ('1','2');
INSERT INTO nsm_user_role (usro_user_id,usro_role_id) VALUES ('1','3');
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/schema/pgsql.sql
^
|
@@ -65,6 +65,9 @@
INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('13','appkit.api.access','Access to web-based api adapter','','credential');
INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('14','icinga.demoMode','Hide features like password reset which are not wanted in demo systems','','credential');
INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('15','icinga.cronk.category.admin','Enables category admin features','','credential');
+INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('16','icinga.cronk.log','Enables icinga-log cronk','','credential');
+INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('17','icinga.control.view','Allow user to view icinga status','','credential');
+INSERT INTO nsm_target (target_id,target_name,target_description,target_class,target_type) VALUES ('18','icinga.control.admin','Allow user to administrate the icinga process','','credential');
INSERT INTO nsm_role (role_id,role_name,role_description,role_disabled) VALUES ('1','icinga_user','The default representation of a ICINGA user','0');
INSERT INTO nsm_role (role_id,role_name,role_description,role_disabled) VALUES ('2','appkit_user','Appkit user test','0');
INSERT INTO nsm_role (role_id,role_name,role_description,role_disabled,role_parent) VALUES ('3','appkit_admin','AppKit admin','0','2');
@@ -82,6 +85,7 @@
INSERT INTO nsm_principal_target (pt_id,pt_principal_id,pt_target_id) VALUES ('6','4','8');
INSERT INTO nsm_principal_target (pt_id,pt_principal_id,pt_target_id) VALUES ('7','5','7');
INSERT INTO nsm_principal_target (pt_id,pt_principal_id,pt_target_id) VALUES ('8','3','15');
+INSERT INTO nsm_principal_target (pt_id,pt_principal_id,pt_target_id) VALUES ('9','3','16');
INSERT INTO nsm_user_role (usro_user_id,usro_role_id) VALUES ('1','1');
INSERT INTO nsm_user_role (usro_user_id,usro_role_id) VALUES ('1','2');
-INSERT INTO nsm_user_role (usro_user_id,usro_role_id) VALUES ('1','3');
\ No newline at end of file
+INSERT INTO nsm_user_role (usro_user_id,usro_role_id) VALUES ('1','3');
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/schema/updates/mysql_v1-3_to_v1-4.sql
^
|
@@ -0,0 +1 @@
+INSERT INTO nsm_target (target_name,target_description,target_class,target_type) VALUES ('icinga.cronk.log','Enables icinga-log cronk','','credential');
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/schema/updates/oracle_v1-3_to_1-4.sql
^
|
@@ -0,0 +1 @@
+INSERT INTO nsm_target (target_name,target_description,target_class,target_type) VALUES ('icinga.cronk.log','Enables icinga-log cronk','','credential');
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/schema/updates/pgsql_v1-3_to_1-4.sql
^
|
@@ -0,0 +1 @@
+INSERT INTO nsm_target (target_name,target_description,target_class,target_type) VALUES ('icinga.cronk.log','Enables icinga-log cronk','','credential');
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/sitecfg/Makefile.in
^
|
@@ -10,9 +10,13 @@
INSTALL_OPTS=@INSTALL_OPTS@
install:
+ $(INSTALL) -m 755 $(INSTALL_OPTS) icinga.site.css $(DESTDIR)$(prefix)/pub/styles/icinga.site.css
$(INSTALL) -m 755 $(INSTALL_OPTS) icinga-io.site.xml $(DESTDIR)$(prefix)/app/modules/Web/config/icinga-io.site.xml
$(INSTALL) -m 755 $(INSTALL_OPTS) routing.modules.xml $(DESTDIR)$(prefix)/app/config/routing.modules.xml
- $(INSTALL) -m 755 $(INSTALL_OPTS) module.site.xml $(DESTDIR)$(prefix)/app/modules/Cronks/config/module.site.xml
+ $(INSTALL) -m 755 $(INSTALL_OPTS) cronks.module.site.xml $(DESTDIR)$(prefix)/app/modules/Cronks/config/module.site.xml
+ $(INSTALL) -m 755 $(INSTALL_OPTS) appkit.module.site.xml $(DESTDIR)$(prefix)/app/modules/AppKit/config/module.site.xml
+ $(INSTALL) -m 755 $(INSTALL_OPTS) web.module.site.xml $(DESTDIR)$(prefix)/app/modules/Web/config/module.site.xml
+ $(INSTALL) -m 755 $(INSTALL_OPTS) api.module.site.xml $(DESTDIR)$(prefix)/app/modules/Api/config/module.site.xml
$(INSTALL) -m 755 $(INSTALL_OPTS) auth.site.xml $(DESTDIR)$(prefix)/app/modules/AppKit/config/auth.site.xml
$(INSTALL) -m 755 $(INSTALL_OPTS) cronks.site.xml $(DESTDIR)$(prefix)/app/modules/Cronks/config/cronks.site.xml
$(INSTALL) -m 755 $(INSTALL_OPTS) databases.site.xml $(DESTDIR)$(prefix)/app/config/databases.site.xml
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/sitecfg/api.module.site.xml
^
|
@@ -0,0 +1,6 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<settings xmlns="http://agavi.org/agavi/config/parts/module/1.0" xmlns:ae="http://agavi.org/agavi/config/global/envelope/1.0">
+ <setting name="PLACEHOLDER">
+ <ae:parameter name="PLACEHOLDER"></ae:parameter>
+ </setting>
+</settings>
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/sitecfg/appkit.module.site.xml
^
|
@@ -0,0 +1,6 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<settings xmlns="http://agavi.org/agavi/config/parts/module/1.0" xmlns:ae="http://agavi.org/agavi/config/global/envelope/1.0">
+ <setting name="PLACEHOLDER">
+ <ae:parameter name="PLACEHOLDER"></ae:parameter>
+ </setting>
+</settings>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/sitecfg/cronks.module.site.xml
^
|
(renamed to etc/sitecfg/cronks.module.site.xml)
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/sitecfg/cronks.module.site.xml
^
|
(renamed to etc/sitecfg/cronks.module.site.xml)
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/sitecfg/icinga.site.css
^
|
@@ -0,0 +1,4 @@
+/*
+Custom style definitions for icinga-web can be included here
+
+*/
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/etc/sitecfg/web.module.site.xml
^
|
@@ -0,0 +1,6 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<settings xmlns="http://agavi.org/agavi/config/parts/module/1.0" xmlns:ae="http://agavi.org/agavi/config/global/envelope/1.0">
+ <setting name="PLACEHOLDER">
+ <ae:parameter name="PLACEHOLDER"></ae:parameter>
+ </setting>
+</settings>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/tests/config/suites.xml
^
|
@@ -30,7 +30,7 @@
</testsuite> -->
<testsuite name="Interface">
<file>tests/interface/availabilityTest.php</file>
- <file>tests/interface/icingaReloadTest.php</file>
+
</testsuite>-->
</testsuites>
</phpunit>
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/tests/tests/bootstrap/agaviBootstrapTest.php
^
|
@@ -9,7 +9,7 @@
'/app/modules/AppKit/lib/AppKit.class.php',
'/app/modules/AppKit/lib/class/AppKitBaseClass.class.php',
'/app/modules/AppKit/lib/class/AppKitSingleton.class.php',
- '/app/modules/AppKit/lib/util/AppKitModuleUtil.class.php'
+ '/app/modules/AppKit/lib/module/AppKitModuleUtil.class.php'
);
public function testRequiredFileAvailabilty() {
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/etc/tests/tests/database/icingaRoleOperations.php
^
|
@@ -107,7 +107,9 @@
success("\tReading roles suceeded!\n");
return true;
} catch(Exception $e) {
- $this->fail("Selecting roles failed!".$e->getMessage());
+ echo($e->getTraceAsString());
+ $this->fail("Selecting roles threw an exception in ".$e->getFile().":".$e->getLine()." :".$e->getMessage());
+
}
}
|
[-]
[+]
|
Changed |
icinga-web-1.4.0.tar.bz2/icinga-web.spec
^
|
@@ -17,7 +17,7 @@
Summary: Open Source host, service and network monitoring Web UI
Name: icinga-web
-Version: 1.3.1
+Version: 1.4.0
Release: 1%{?dist}
License: GPLv2+
Group: Applications/System
@@ -80,6 +80,10 @@
COMMAND_OPTS="" \
INIT_OPTS=""
+#copy icinga-web db sqls for upgrading
+#cp -r etc/schema %{buildroot}%{_datadir}/icinga-web/etc/schema
+
+
##############################
%pre
##############################
@@ -112,7 +116,7 @@
%defattr(-,root,root)
%config(noreplace) %attr(-,root,root) %{apacheconfdir}/icinga-web.conf
%config(noreplace) %{_datadir}/icinga-web/app/config/databases.xml
-%config(noreplace) %{_datadir}/icinga-web/app/modules/Web/config/module.xml
+%{_datadir}/icinga-web/app/modules/Web/config/module.xml
%attr(-,%{apacheuser},%{apachegroup}) %{_datadir}/icinga-web/app/cache
%attr(-,%{apacheuser},%{apachegroup}) %{_datadir}/icinga-web/app/cache/config
%{_datadir}/icinga-web/app/config
@@ -132,8 +136,8 @@
##############################
%changelog
##############################
-* Wed Mar 30 2011 Michael Friedrich - 1.3.1-1
-- bump to 1.3.1
+* Thu May 5 2011 Michael Friedrich - 1.4.0-1
+- update for upcoming release
* Mon Jan 10 2011 Michael Friedrich - 1.3.0-1
- update for upcoming release
|
[-]
[+]
|
Added |
icinga-web-1.4.0.tar.bz2/lib/agavi/bin/agavi
^
|
@@ -0,0 +1,102 @@
+#! /bin/sh
+# This file is part of the Agavi package.
+# Copyright (c) 2005-2010 the Agavi Project.
+#
+# For the full copyright and license information, please view the LICENSE file
+# that was distributed with this source code. You can also view the LICENSE
+# file online at http://www.agavi.org/LICENSE.txt
+
+# Set this to the path to the Agavi installation's source directory. This is
+# the directory that contains the `agavi.php' file.
+AGAVI_SOURCE_DIRECTORY=$(readlink -f $(dirname $(readlink -f $0))/../src)
+
+# Set this to the path to a PHP binary.
+PHP_EXECUTABLE=$( which php )
+
+# Message display shortcuts.
+agavi_message_null()
+{
+ printf "\n"
+}
+
+agavi_message_notice()
+{
+ MESSAGE=$1
+ printf " [notice] %s\n" "${MESSAGE}"
+}
+
+agavi_message_warning()
+{
+ MESSAGE=$1
+ printf " [warning] %s\n" "${MESSAGE}"
+}
+
+agavi_message_error()
+{
+ MESSAGE=$1
+ printf " [error] %s\n" "${MESSAGE}"
+}
+
+agavi_message_fatal()
+{
+ MESSAGE=$1
+ RETURN=$2
+ printf " [fatal] %s\n" "${MESSAGE}"
+ exit $RETURN
+}
+
+agavi_input()
+{
+ VARIABLE=$1
+ MESSAGE=$2
+ PROMPT=$3
+ printf " [?] %s%s " "${MESSAGE}" "${PROMPT}"
+ read "${VARIABLE}"
+}
+
+# Initial detection.
+php_executable_exists()
+{
+ if test -x "${PHP_EXECUTABLE}"; then
+ return 0
+ else
+ return 1
+ fi
+}
+
+agavi_directory_exists()
+{
+ if test -d "${AGAVI_SOURCE_DIRECTORY}" -a -e "${AGAVI_SOURCE_DIRECTORY}/agavi.php"; then
+ return 0
+ else
+ return 1
+ fi
+}
+
+until php_executable_exists; do
+ if [ -z "${PHP_EXECUTABLE}" ]; then
+ PHP_EXECUTABLE="(unknown)"
+ fi
+ agavi_message_error "PHP not found at ${PHP_EXECUTABLE}."
+ agavi_message_error "Please set the PHP_EXECUTABLE variable in the script"
+ agavi_message_error "${0} to avoid this message."
+ agavi_message_null
+ agavi_input PHP_EXECUTABLE "Path to PHP executable" ":"
+ agavi_message_null
+done
+
+until agavi_directory_exists; do
+ if [ -z "${AGAVI_SOURCE_DIRECTORY}" ]; then
+ AGAVI_SOURCE_DIRECTORY="(unknown)"
+ fi
+ agavi_message_error "No Agavi installation found in ${AGAVI_SOURCE_DIRECTORY}."
+ agavi_message_error "Please set the AGAVI_SOURCE_DIRECTORY variable in the script"
+ agavi_message_error "${0} to avoid this message."
+ agavi_message_null
+ agavi_input AGAVI_SOURCE_DIRECTORY "Path to Agavi source directory" ":"
+ agavi_message_null
+done
+
+# Call build script.
+`which rlwrap` ${PHP_EXECUTABLE} -d memory_limit=4294967295 -f "${AGAVI_SOURCE_DIRECTORY}/build/agavi/script/agavi.php" -- --agavi-source-directory "${AGAVI_SOURCE_DIRECTORY}" "$@"
+
|
|
Changed |
icinga-web-1.4.0.tar.bz2/pub/images/background/bg-frame-left.png
^
|
|
Changed |
icinga-web-1.4.0.tar.bz2/pub/images/background/bg-frame-right.png
^
|
|
Added |
icinga-web-1.4.0.tar.bz2/pub/images/icinga/bugreport.png
^
|
|
Added |
icinga-web-1.4.0.tar.bz2/pub/images/icinga/support.png
^
|
|
Added |
icinga-web-1.4.0.tar.bz2/pub/images/icinga/translate.png
^
|
|
Added |
icinga-web-1.4.0.tar.bz2/pub/images/icinga/wiki.png
^
|