Index: trunk/phase3/img_auth.php =================================================================== --- trunk/phase3/img_auth.php (revision 55799) +++ trunk/phase3/img_auth.php (revision 55800) @@ -1,124 +1,114 @@ Foo.png) $name = wfBaseName( $path ); if( preg_match( '!\d+px-(.*)!i', $name, $m ) ) $name = $m[1]; -wfDebugLog( 'img_auth', "\$name is {$name}" ); + +// Check to see if the file exists +if( !file_exists( $filename ) ) + wfForbidden('img-auth-accessdenied','img-auth-nofile',htmlspecialchars($filename)); + +// Check to see if tried to access a directory +if( is_dir( $filename ) ) + wfForbidden('img-auth-accessdenied','img-auth-isdir',htmlspecialchars($filename)); + $title = Title::makeTitleSafe( NS_FILE, $name ); -if( !$title instanceof Title ) { - wfDebugLog( 'img_auth', "Unable to construct a valid Title from `{$name}`" ); - wfForbidden(); -} -if( !$title->userCanRead() ) { - wfDebugLog( 'img_auth', "User does not have access to read `{$name}`" ); - wfForbidden(); -} -$title = $title->getPrefixedText(); -// Check the whitelist if needed -if( !$wgUser->getId() && ( !is_array( $wgWhitelistRead ) || !in_array( $title, $wgWhitelistRead ) ) ) { - wfDebugLog( 'img_auth', "Not logged in and `{$title}` not in whitelist." ); - wfForbidden(); -} +// See if could create the title object +if( !$title instanceof Title ) + wfForbidden('img-auth-accessdenied','img-auth-badtitle',htmlspecialchars($name)); + +// Run hook +if (!wfRunHooks( 'ImgAuthBeforeStream', array( &$title, &$path, &$name, &$result ) ) ) + call_user_func_array('wfForbidden',merge_array(array($result[0],$result[1]),array_slice($result,2))); + +// Check user authorization for this title +// UserCanRead Checks Whitelist too +if( !$title->userCanRead() ) + wfForbidden('img-auth-accessdenied','img-auth-noread',htmlspecialchars($name)); -if( !file_exists( $filename ) ) { - wfDebugLog( 'img_auth', "`{$filename}` does not exist" ); - wfForbidden(); -} -if( is_dir( $filename ) ) { - wfDebugLog( 'img_auth', "`{$filename}` is a directory" ); - wfForbidden(); -} // Stream the requested file -wfDebugLog( 'img_auth', "Streaming `{$filename}`" ); +wfDebugLog( 'img_auth', "Streaming `".htmlspecialchars($filename)."`." ); wfStreamFile( $filename, array( 'Cache-Control: private', 'Vary: Cookie' ) ); wfLogProfilingData(); /** - * Issue a standard HTTP 403 Forbidden header and a basic - * error message, then end the script + * Issue a standard HTTP 403 Forbidden header ($msg1-a message index, not a message) and an + * error message ($msg2, also a message index), (both required) then end the script + * subsequent arguments to $msg2 will be passed as parameters only for replacing in $msg2 */ -function wfForbidden() { +function wfForbidden($msg1,$msg2) { + global $wgImgAuthDetails; + $args = func_get_args(); + array_shift( $args ); + array_shift( $args ); + $MsgHdr = wfMsgHTML($msg1); + $detailMsg = call_user_func_array('wfMsgHTML',array_merge(array($wgImgAuthDetails ? $msg2 : 'badaccess-group0'),$args)); + wfDebugLog('img_auth', "wfForbidden Hdr:".wfMsgExt( $msg1, array('language' => 'en'))." Msg: ". + call_user_func_array('wfMsgExt',array_merge( array($msg2, array('language' => 'en')),$args))); header( 'HTTP/1.0 403 Forbidden' ); - header( 'Vary: Cookie' ); + header( 'Cache-Control: no-cache' ); header( 'Content-Type: text/html; charset=utf-8' ); echo << -

Access Denied

-

You need to log in to access files on this server.

+

$MsgHdr

+

$detailMsg

ENDS; wfLogProfilingData(); exit(); } - -/** - * Show a 403 error for use when the wiki is public - */ -function wfPublicError() { - header( 'HTTP/1.0 403 Forbidden' ); - header( 'Content-Type: text/html; charset=utf-8' ); - echo << - -

Access Denied

-

The function of img_auth.php is to output files from a private wiki. This wiki -is configured as a public wiki. For optimal security, img_auth.php is disabled in -this case. -

- - -ENDS; - wfLogProfilingData(); - exit; -} - Index: trunk/phase3/includes/DefaultSettings.php =================================================================== --- trunk/phase3/includes/DefaultSettings.php (revision 55799) +++ trunk/phase3/includes/DefaultSettings.php (revision 55800) @@ -1,4184 +1,4191 @@ /thumb. * thumbUrl The base thumbnail URL. Defaults to /thumb. * * * These settings describe a foreign MediaWiki installation. They are optional, and will be ignored * for local repositories: * descBaseUrl URL of image description pages, e.g. http://en.wikipedia.org/wiki/Image: * scriptDirUrl URL of the MediaWiki installation, equivalent to $wgScriptPath, e.g. * http://en.wikipedia.org/w * * articleUrl Equivalent to $wgArticlePath, e.g. http://en.wikipedia.org/wiki/$1 * fetchDescription Fetch the text of the remote file description page. Equivalent to * $wgFetchCommonsDescriptions. * * ForeignDBRepo: * dbType, dbServer, dbUser, dbPassword, dbName, dbFlags * equivalent to the corresponding member of $wgDBservers * tablePrefix Table prefix, the foreign wiki's $wgDBprefix * hasSharedCache True if the wiki's shared cache is accessible via the local $wgMemc * * ForeignAPIRepo: * apibase Use for the foreign API's URL * apiThumbCacheExpiry How long to locally cache thumbs for * * The default is to initialise these arrays from the MW<1.11 backwards compatible settings: * $wgUploadPath, $wgThumbnailScriptPath, $wgSharedUploadDirectory, etc. */ $wgLocalFileRepo = false; $wgForeignFileRepos = array(); /**@}*/ /** * Allowed title characters -- regex character class * Don't change this unless you know what you're doing * * Problematic punctuation: * []{}|# Are needed for link syntax, never enable these * <> Causes problems with HTML escaping, don't use * % Enabled by default, minor problems with path to query rewrite rules, see below * + Enabled by default, but doesn't work with path to query rewrite rules, corrupted by apache * ? Enabled by default, but doesn't work with path to PATH_INFO rewrites * * All three of these punctuation problems can be avoided by using an alias, instead of a * rewrite rule of either variety. * * The problem with % is that when using a path to query rewrite rule, URLs are * double-unescaped: once by Apache's path conversion code, and again by PHP. So * %253F, for example, becomes "?". Our code does not double-escape to compensate * for this, indeed double escaping would break if the double-escaped title was * passed in the query string rather than the path. This is a minor security issue * because articles can be created such that they are hard to view or edit. * * In some rare cases you may wish to remove + for compatibility with old links. * * Theoretically 0x80-0x9F of ISO 8859-1 should be disallowed, but * this breaks interlanguage links */ $wgLegalTitleChars = " %!\"$&'()*,\\-.\\/0-9:;=?@A-Z\\\\^_`a-z~\\x80-\\xFF+"; - /** * The external URL protocols */ $wgUrlProtocols = array( 'http://', 'https://', 'ftp://', 'irc://', 'gopher://', 'telnet://', // Well if we're going to support the above.. -ævar 'nntp://', // @bug 3808 RFC 1738 'worldwind://', 'mailto:', 'news:', 'svn://', ); /** internal name of virus scanner. This servers as a key to the $wgAntivirusSetup array. * Set this to NULL to disable virus scanning. If not null, every file uploaded will be scanned for viruses. */ $wgAntivirus= NULL; /** Configuration for different virus scanners. This an associative array of associative arrays: * it contains on setup array per known scanner type. The entry is selected by $wgAntivirus, i.e. * valid values for $wgAntivirus are the keys defined in this array. * * The configuration array for each scanner contains the following keys: "command", "codemap", "messagepattern"; * * "command" is the full command to call the virus scanner - %f will be replaced with the name of the * file to scan. If not present, the filename will be appended to the command. Note that this must be * overwritten if the scanner is not in the system path; in that case, plase set * $wgAntivirusSetup[$wgAntivirus]['command'] to the desired command with full path. * * "codemap" is a mapping of exit code to return codes of the detectVirus function in SpecialUpload. * An exit code mapped to AV_SCAN_FAILED causes the function to consider the scan to be failed. This will pass * the file if $wgAntivirusRequired is not set. * An exit code mapped to AV_SCAN_ABORTED causes the function to consider the file to have an usupported format, * which is probably imune to virusses. This causes the file to pass. * An exit code mapped to AV_NO_VIRUS will cause the file to pass, meaning no virus was found. * All other codes (like AV_VIRUS_FOUND) will cause the function to report a virus. * You may use "*" as a key in the array to catch all exit codes not mapped otherwise. * * "messagepattern" is a perl regular expression to extract the meaningful part of the scanners * output. The relevant part should be matched as group one (\1). * If not defined or the pattern does not match, the full message is shown to the user. */ $wgAntivirusSetup = array( #setup for clamav 'clamav' => array ( 'command' => "clamscan --no-summary ", 'codemap' => array ( "0" => AV_NO_VIRUS, # no virus "1" => AV_VIRUS_FOUND, # virus found "52" => AV_SCAN_ABORTED, # unsupported file format (probably imune) "*" => AV_SCAN_FAILED, # else scan failed ), 'messagepattern' => '/.*?:(.*)/sim', ), #setup for f-prot 'f-prot' => array ( 'command' => "f-prot ", 'codemap' => array ( "0" => AV_NO_VIRUS, # no virus "3" => AV_VIRUS_FOUND, # virus found "6" => AV_VIRUS_FOUND, # virus found "*" => AV_SCAN_FAILED, # else scan failed ), 'messagepattern' => '/.*?Infection:(.*)$/m', ), ); /** Determines if a failed virus scan (AV_SCAN_FAILED) will cause the file to be rejected. */ $wgAntivirusRequired= true; /** Determines if the mime type of uploaded files should be checked */ $wgVerifyMimeType= true; /** Sets the mime type definition file to use by MimeMagic.php. */ $wgMimeTypeFile= "includes/mime.types"; #$wgMimeTypeFile= "/etc/mime.types"; #$wgMimeTypeFile= NULL; #use built-in defaults only. /** Sets the mime type info file to use by MimeMagic.php. */ $wgMimeInfoFile= "includes/mime.info"; #$wgMimeInfoFile= NULL; #use built-in defaults only. /** Switch for loading the FileInfo extension by PECL at runtime. * This should be used only if fileinfo is installed as a shared object * or a dynamic libary */ $wgLoadFileinfoExtension= false; /** Sets an external mime detector program. The command must print only * the mime type to standard output. * The name of the file to process will be appended to the command given here. * If not set or NULL, mime_content_type will be used if available. */ $wgMimeDetectorCommand= NULL; # use internal mime_content_type function, available since php 4.3.0 #$wgMimeDetectorCommand= "file -bi"; #use external mime detector (Linux) /** Switch for trivial mime detection. Used by thumb.php to disable all fance * things, because only a few types of images are needed and file extensions * can be trusted. */ $wgTrivialMimeDetection= false; /** * Additional XML types we can allow via mime-detection. * array = ( 'rootElement' => 'associatedMimeType' ) */ $wgXMLMimeTypes = array( 'http://www.w3.org/2000/svg:svg' => 'image/svg+xml', 'svg' => 'image/svg+xml', 'http://www.lysator.liu.se/~alla/dia/:diagram' => 'application/x-dia-diagram', 'http://www.w3.org/1999/xhtml:html' => 'text/html', // application/xhtml+xml? 'html' => 'text/html', // application/xhtml+xml? ); /** * To set 'pretty' URL paths for actions other than * plain page views, add to this array. For instance: * 'edit' => "$wgScriptPath/edit/$1" * * There must be an appropriate script or rewrite rule * in place to handle these URLs. */ $wgActionPaths = array(); /** * If you operate multiple wikis, you can define a shared upload path here. * Uploads to this wiki will NOT be put there - they will be put into * $wgUploadDirectory. * If $wgUseSharedUploads is set, the wiki will look in the shared repository if * no file of the given name is found in the local repository (for [[Image:..]], * [[Media:..]] links). Thumbnails will also be looked for and generated in this * directory. * * Note that these configuration settings can now be defined on a per- * repository basis for an arbitrary number of file repositories, using the * $wgForeignFileRepos variable. */ $wgUseSharedUploads = false; /** Full path on the web server where shared uploads can be found */ $wgSharedUploadPath = "http://commons.wikimedia.org/shared/images"; /** Fetch commons image description pages and display them on the local wiki? */ $wgFetchCommonsDescriptions = false; /** Path on the file system where shared uploads can be found. */ $wgSharedUploadDirectory = "/var/www/wiki3/images"; /** DB name with metadata about shared directory. Set this to false if the uploads do not come from a wiki. */ $wgSharedUploadDBname = false; /** Optional table prefix used in database. */ $wgSharedUploadDBprefix = ''; /** Cache shared metadata in memcached. Don't do this if the commons wiki is in a different memcached domain */ $wgCacheSharedUploads = true; /** * Allow for upload to be copied from an URL. Requires Special:Upload?source=web * timeout for Copy Uploads is set by wgAsyncHTTPTimeout & wgSyncHTTPTimeout */ $wgAllowCopyUploads = false; /** * Max size for uploads, in bytes. Currently only works for uploads from URL * via CURL (see $wgAllowCopyUploads). The only way to impose limits on * normal uploads is currently to edit php.ini. */ $wgMaxUploadSize = 1024*1024*100; # 100MB /** * Enable firefogg support * add support for in-browser transcoding to ogg theora * add support for chunk uploads for large image files * add support for client side hash checks * * (requires the js2 code for the interface) */ $wgEnableFirefogg = true; /** * Point the upload navigation link to an external URL * Useful if you want to use a shared repository by default * without disabling local uploads (use $wgEnableUploads = false for that) * e.g. $wgUploadNavigationUrl = 'http://commons.wikimedia.org/wiki/Special:Upload'; */ $wgUploadNavigationUrl = false; /** * Give a path here to use thumb.php for thumbnail generation on client request, instead of * generating them on render and outputting a static URL. This is necessary if some of your * apache servers don't have read/write access to the thumbnail path. * * Example: * $wgThumbnailScriptPath = "{$wgScriptPath}/thumb{$wgScriptExtension}"; */ $wgThumbnailScriptPath = false; $wgSharedThumbnailScriptPath = false; /** * Set the following to false especially if you have a set of files that need to * be accessible by all wikis, and you do not want to use the hash (path/a/aa/) * directory layout. */ $wgHashedSharedUploadDirectory = true; /** * Base URL for a repository wiki. Leave this blank if uploads are just stored * in a shared directory and not meant to be accessible through a separate wiki. * Otherwise the image description pages on the local wiki will link to the * image description page on this wiki. * * Please specify the namespace, as in the example below. */ $wgRepositoryBaseUrl = "http://commons.wikimedia.org/wiki/Image:"; # # Email settings # /** * Site admin email address * Default to wikiadmin@SERVER_NAME */ $wgEmergencyContact = 'wikiadmin@' . $wgServerName; /** * Password reminder email address * The address we should use as sender when a user is requesting his password * Default to apache@SERVER_NAME */ $wgPasswordSender = 'MediaWiki Mail '; /** * dummy address which should be accepted during mail send action * It might be necessay to adapt the address or to set it equal * to the $wgEmergencyContact address */ #$wgNoReplyAddress = $wgEmergencyContact; $wgNoReplyAddress = 'reply@not.possible'; /** * Set to true to enable the e-mail basic features: * Password reminders, etc. If sending e-mail on your * server doesn't work, you might want to disable this. */ $wgEnableEmail = true; /** * Set to true to enable user-to-user e-mail. * This can potentially be abused, as it's hard to track. */ $wgEnableUserEmail = true; /** * Set to true to put the sending user's email in a Reply-To header * instead of From. ($wgEmergencyContact will be used as From.) * * Some mailers (eg sSMTP) set the SMTP envelope sender to the From value, * which can cause problems with SPF validation and leak recipient addressses * when bounces are sent to the sender. */ $wgUserEmailUseReplyTo = false; /** * Minimum time, in hours, which must elapse between password reminder * emails for a given account. This is to prevent abuse by mail flooding. */ $wgPasswordReminderResendTime = 24; /** * The time, in seconds, when an emailed temporary password expires. */ $wgNewPasswordExpiry = 3600 * 24 * 7; /** * SMTP Mode * For using a direct (authenticated) SMTP server connection. * Default to false or fill an array : * * "host" => 'SMTP domain', * "IDHost" => 'domain for MessageID', * "port" => "25", * "auth" => true/false, * "username" => user, * "password" => password * */ $wgSMTP = false; /**@{ * Database settings */ /** database host name or ip address */ $wgDBserver = 'localhost'; /** database port number (for PostgreSQL) */ $wgDBport = 5432; /** name of the database */ $wgDBname = 'my_wiki'; /** */ $wgDBconnection = ''; /** Database username */ $wgDBuser = 'wikiuser'; /** Database user's password */ $wgDBpassword = ''; /** Database type */ $wgDBtype = 'mysql'; /** Search type * Leave as null to select the default search engine for the * selected database type (eg SearchMySQL), or set to a class * name to override to a custom search engine. */ $wgSearchType = null; /** Table name prefix */ $wgDBprefix = ''; /** MySQL table options to use during installation or update */ $wgDBTableOptions = 'ENGINE=InnoDB'; /** Mediawiki schema */ $wgDBmwschema = 'mediawiki'; /** Tsearch2 schema */ $wgDBts2schema = 'public'; /** To override default SQLite data directory ($docroot/../data) */ $wgSQLiteDataDir = ''; /** Default directory mode for SQLite data directory on creation. * Note that this is different from the default directory mode used * elsewhere. */ $wgSQLiteDataDirMode = 0700; /** * Make all database connections secretly go to localhost. Fool the load balancer * thinking there is an arbitrarily large cluster of servers to connect to. * Useful for debugging. */ $wgAllDBsAreLocalhost = false; /**@}*/ /** Live high performance sites should disable this - some checks acquire giant mysql locks */ $wgCheckDBSchema = true; /** * Shared database for multiple wikis. Commonly used for storing a user table * for single sign-on. The server for this database must be the same as for the * main database. * For backwards compatibility the shared prefix is set to the same as the local * prefix, and the user table is listed in the default list of shared tables. * * $wgSharedTables may be customized with a list of tables to share in the shared * datbase. However it is advised to limit what tables you do share as many of * MediaWiki's tables may have side effects if you try to share them. * EXPERIMENTAL */ $wgSharedDB = null; $wgSharedPrefix = false; # Defaults to $wgDBprefix $wgSharedTables = array( 'user' ); /** * Database load balancer * This is a two-dimensional array, an array of server info structures * Fields are: * host: Host name * dbname: Default database name * user: DB user * password: DB password * type: "mysql" or "postgres" * load: ratio of DB_SLAVE load, must be >=0, the sum of all loads must be >0 * groupLoads: array of load ratios, the key is the query group name. A query may belong * to several groups, the most specific group defined here is used. * * flags: bit field * DBO_DEFAULT -- turns on DBO_TRX only if !$wgCommandLineMode (recommended) * DBO_DEBUG -- equivalent of $wgDebugDumpSql * DBO_TRX -- wrap entire request in a transaction * DBO_IGNORE -- ignore errors (not useful in LocalSettings.php) * DBO_NOBUFFER -- turn off buffering (not useful in LocalSettings.php) * * max lag: (optional) Maximum replication lag before a slave will taken out of rotation * max threads: (optional) Maximum number of running threads * * These and any other user-defined properties will be assigned to the mLBInfo member * variable of the Database object. * * Leave at false to use the single-server variables above. If you set this * variable, the single-server variables will generally be ignored (except * perhaps in some command-line scripts). * * The first server listed in this array (with key 0) will be the master. The * rest of the servers will be slaves. To prevent writes to your slaves due to * accidental misconfiguration or MediaWiki bugs, set read_only=1 on all your * slaves in my.cnf. You can set read_only mode at runtime using: * * SET @@read_only=1; * * Since the effect of writing to a slave is so damaging and difficult to clean * up, we at Wikimedia set read_only=1 in my.cnf on all our DB servers, even * our masters, and then set read_only=0 on masters at runtime. */ $wgDBservers = false; /** * Load balancer factory configuration * To set up a multi-master wiki farm, set the class here to something that * can return a LoadBalancer with an appropriate master on a call to getMainLB(). * The class identified here is responsible for reading $wgDBservers, * $wgDBserver, etc., so overriding it may cause those globals to be ignored. * * The LBFactory_Multi class is provided for this purpose, please see * includes/db/LBFactory_Multi.php for configuration information. */ $wgLBFactoryConf = array( 'class' => 'LBFactory_Simple' ); /** How long to wait for a slave to catch up to the master */ $wgMasterWaitTimeout = 10; /** File to log database errors to */ $wgDBerrorLog = false; /** When to give an error message */ $wgDBClusterTimeout = 10; /** * Scale load balancer polling time so that under overload conditions, the database server * receives a SHOW STATUS query at an average interval of this many microseconds */ $wgDBAvgStatusPoll = 2000; /** Set to true if using InnoDB tables */ $wgDBtransactions = false; /** Set to true for compatibility with extensions that might be checking. * MySQL 3.23.x is no longer supported. */ $wgDBmysql4 = true; /** * Set to true to engage MySQL 4.1/5.0 charset-related features; * for now will just cause sending of 'SET NAMES=utf8' on connect. * * WARNING: THIS IS EXPERIMENTAL! * * May break if you're not using the table defs from mysql5/tables.sql. * May break if you're upgrading an existing wiki if set differently. * Broken symptoms likely to include incorrect behavior with page titles, * usernames, comments etc containing non-ASCII characters. * Might also cause failures on the object cache and other things. * * Even correct usage may cause failures with Unicode supplementary * characters (those not in the Basic Multilingual Plane) unless MySQL * has enhanced their Unicode support. */ $wgDBmysql5 = false; /** * Other wikis on this site, can be administered from a single developer * account. * Array numeric key => database name */ $wgLocalDatabases = array(); /** @{ * Object cache settings * See Defines.php for types */ $wgMainCacheType = CACHE_NONE; $wgMessageCacheType = CACHE_ANYTHING; $wgParserCacheType = CACHE_ANYTHING; /**@}*/ $wgParserCacheExpireTime = 86400; $wgSessionsInMemcached = false; /** This is used for setting php's session.save_handler. In practice, you will * almost never need to change this ever. Other options might be 'user' or * 'session_mysql.' Setting to null skips setting this entirely (which might be * useful if you're doing cross-application sessions, see bug 11381) */ $wgSessionHandler = 'files'; /**@{ * Memcached-specific settings * See docs/memcached.txt */ $wgUseMemCached = false; $wgMemCachedDebug = false; ///< Will be set to false in Setup.php, if the server isn't working $wgMemCachedServers = array( '127.0.0.1:11000' ); $wgMemCachedPersistent = false; /**@}*/ /** * Set this to true to make a local copy of the message cache, for use in * addition to memcached. The files will be put in $wgCacheDirectory. */ $wgUseLocalMessageCache = false; /** * Defines format of local cache * true - Serialized object * false - PHP source file (Warning - security risk) */ $wgLocalMessageCacheSerialized = true; /** * Localisation cache configuration. Associative array with keys: * class: The class to use. May be overridden by extensions. * * store: The location to store cache data. May be 'files', 'db' or * 'detect'. If set to "files", data will be in CDB files. If set * to "db", data will be stored to the database. If set to * "detect", files will be used if $wgCacheDirectory is set, * otherwise the database will be used. * * storeClass: The class name for the underlying storage. If set to a class * name, it overrides the "store" setting. * * storeDirectory: If the store class puts its data in files, this is the * directory it will use. If this is false, $wgCacheDirectory * will be used. * * manualRecache: Set this to true to disable cache updates on web requests. * Use maintenance/rebuildLocalisationCache.php instead. */ $wgLocalisationCacheConf = array( 'class' => 'LocalisationCache', 'store' => 'detect', 'storeClass' => false, 'storeDirectory' => false, 'manualRecache' => false, ); # Language settings # /** Site language code, should be one of ./languages/Language(.*).php */ $wgLanguageCode = 'en'; /** * Some languages need different word forms, usually for different cases. * Used in Language::convertGrammar(). */ $wgGrammarForms = array(); #$wgGrammarForms['en']['genitive']['car'] = 'car\'s'; /** Treat language links as magic connectors, not inline links */ $wgInterwikiMagic = true; /** Hide interlanguage links from the sidebar */ $wgHideInterlanguageLinks = false; /** List of language names or overrides for default names in Names.php */ $wgExtraLanguageNames = array(); /** We speak UTF-8 all the time now, unless some oddities happen */ $wgInputEncoding = 'UTF-8'; $wgOutputEncoding = 'UTF-8'; $wgEditEncoding = ''; /** * Locale for LC_CTYPE, to work around http://bugs.php.net/bug.php?id=45132 * For Unix-like operating systems, set this to to a locale that has a UTF-8 * character set. Only the character set is relevant. */ $wgShellLocale = 'en_US.utf8'; /** * Set this to eg 'ISO-8859-1' to perform character set * conversion when loading old revisions not marked with * "utf-8" flag. Use this when converting wiki to UTF-8 * without the burdensome mass conversion of old text data. * * NOTE! This DOES NOT touch any fields other than old_text. * Titles, comments, user names, etc still must be converted * en masse in the database before continuing as a UTF-8 wiki. */ $wgLegacyEncoding = false; /** * If set to true, the MediaWiki 1.4 to 1.5 schema conversion will * create stub reference rows in the text table instead of copying * the full text of all current entries from 'cur' to 'text'. * * This will speed up the conversion step for large sites, but * requires that the cur table be kept around for those revisions * to remain viewable. * * maintenance/migrateCurStubs.php can be used to complete the * migration in the background once the wiki is back online. * * This option affects the updaters *only*. Any present cur stub * revisions will be readable at runtime regardless of this setting. */ $wgLegacySchemaConversion = false; $wgMimeType = 'text/html'; $wgJsMimeType = 'text/javascript'; $wgDocType = '-//W3C//DTD XHTML 1.0 Transitional//EN'; $wgDTD = 'http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd'; $wgXhtmlDefaultNamespace = 'http://www.w3.org/1999/xhtml'; /** * Should we output an HTML 5 doctype? This mode is still experimental, but * all indications are that it should be usable, so it's enabled by default. * If all goes well, it will be removed and become always true before the 1.16 * release. */ $wgHtml5 = true; /** * Should we try to make our HTML output well-formed XML? If set to false, * output will be a few bytes shorter, and the HTML will arguably be more * readable. If set to true, life will be much easier for the authors of * screen-scraping bots, and the HTML will arguably be more readable. * * Setting this to false may omit quotation marks on some attributes, omit * slashes from some self-closing tags, omit some ending tags, etc., where * permitted by HTML 5. Setting it to true will not guarantee that all pages * will be well-formed, although non-well-formed pages should be rare and it's * a bug if you find one. Conversely, setting it to false doesn't mean that * all XML-y constructs will be omitted, just that they might be. * * Because of compatibility with screen-scraping bots, and because it's * controversial, this is currently left to true by default. */ $wgWellFormedXml = true; /** * Permit other namespaces in addition to the w3.org default. * Use the prefix for the key and the namespace for the value. For * example: * $wgXhtmlNamespaces['svg'] = 'http://www.w3.org/2000/svg'; * Normally we wouldn't have to define this in the root * element, but IE needs it there in some circumstances. */ $wgXhtmlNamespaces = array(); /** Enable to allow rewriting dates in page text. * DOES NOT FORMAT CORRECTLY FOR MOST LANGUAGES */ $wgUseDynamicDates = false; /** Enable dates like 'May 12' instead of '12 May', this only takes effect if * the interface is set to English */ $wgAmericanDates = false; /** * For Hindi and Arabic use local numerals instead of Western style (0-9) * numerals in interface. */ $wgTranslateNumerals = true; /** * Translation using MediaWiki: namespace. * Interface messages will be loaded from the database. */ $wgUseDatabaseMessages = true; /** * Expiry time for the message cache key */ $wgMsgCacheExpiry = 86400; /** * Maximum entry size in the message cache, in bytes */ $wgMaxMsgCacheEntrySize = 10000; /** * If true, serialized versions of the messages arrays will be * read from the 'serialized' subdirectory if they are present. * Set to false to always use the Messages files, regardless of * whether they are up to date or not. */ $wgEnableSerializedMessages = true; /** * Set to false if you are thorough system admin who always remembers to keep * serialized files up to date to save few mtime calls. */ $wgCheckSerialized = true; /** Whether to enable language variant conversion. */ $wgDisableLangConversion = false; /** Whether to enable language variant conversion for links. */ $wgDisableTitleConversion = false; /** Default variant code, if false, the default will be the language code */ $wgDefaultLanguageVariant = false; /** * Show a bar of language selection links in the user login and user * registration forms; edit the "loginlanguagelinks" message to * customise these */ $wgLoginLanguageSelector = false; /** * Whether to use zhdaemon to perform Chinese text processing * zhdaemon is under developement, so normally you don't want to * use it unless for testing */ $wgUseZhdaemon = false; $wgZhdaemonHost="localhost"; $wgZhdaemonPort=2004; # Miscellaneous configuration settings # $wgLocalInterwiki = 'w'; $wgInterwikiExpiry = 10800; # Expiry time for cache of interwiki table /** Interwiki caching settings. $wgInterwikiCache specifies path to constant database file This cdb database is generated by dumpInterwiki from maintenance and has such key formats: dbname:key - a simple key (e.g. enwiki:meta) _sitename:key - site-scope key (e.g. wiktionary:meta) __global:key - global-scope key (e.g. __global:meta) __sites:dbname - site mapping (e.g. __sites:enwiki) Sites mapping just specifies site name, other keys provide "local url" data layout. $wgInterwikiScopes specify number of domains to check for messages: 1 - Just wiki(db)-level 2 - wiki and global levels 3 - site levels $wgInterwikiFallbackSite - if unable to resolve from cache */ $wgInterwikiCache = false; $wgInterwikiScopes = 3; $wgInterwikiFallbackSite = 'wiki'; /** * If local interwikis are set up which allow redirects, * set this regexp to restrict URLs which will be displayed * as 'redirected from' links. * * It might look something like this: * $wgRedirectSources = '!^https?://[a-z-]+\.wikipedia\.org/!'; * * Leave at false to avoid displaying any incoming redirect markers. * This does not affect intra-wiki redirects, which don't change * the URL. */ $wgRedirectSources = false; $wgShowIPinHeader = true; # For non-logged in users $wgMaxSigChars = 255; # Maximum number of Unicode characters in signature $wgMaxArticleSize = 2048; # Maximum article size in kilobytes # Maximum number of bytes in username. You want to run the maintenance # script ./maintenancecheckUsernames.php once you have changed this value $wgMaxNameChars = 255; $wgMaxPPNodeCount = 1000000; # A complexity limit on template expansion /** * Maximum recursion depth for templates within templates. * The current parser adds two levels to the PHP call stack for each template, * and xdebug limits the call stack to 100 by default. So this should hopefully * stop the parser before it hits the xdebug limit. */ $wgMaxTemplateDepth = 40; $wgMaxPPExpandDepth = 40; /** * If true, removes (substitutes) templates in "~~~~" signatures. */ $wgCleanSignatures = true; $wgExtraSubtitle = ''; $wgSiteSupportPage = ''; # A page where you users can receive donations /** * Set this to a string to put the wiki into read-only mode. The text will be * used as an explanation to users. * * This prevents most write operations via the web interface. Cache updates may * still be possible. To prevent database writes completely, use the read_only * option in MySQL. */ $wgReadOnly = null; /*** * If this lock file exists (size > 0), the wiki will be forced into read-only mode. * Its contents will be shown to users as part of the read-only warning * message. */ $wgReadOnlyFile = false; ///< defaults to "{$wgUploadDirectory}/lock_yBgMBwiR"; /** * Filename for debug logging. See http://www.mediawiki.org/wiki/How_to_debug * The debug log file should be not be publicly accessible if it is used, as it * may contain private data. */ $wgDebugLogFile = ''; /** * Prefix for debug log lines */ $wgDebugLogPrefix = ''; /** * If true, instead of redirecting, show a page with a link to the redirect * destination. This allows for the inspection of PHP error messages, and easy * resubmission of form data. For developer use only. */ $wgDebugRedirects = false; /** * If true, log debugging data from action=raw. * This is normally false to avoid overlapping debug entries due to gen=css and * gen=js requests. */ $wgDebugRawPage = false; /** * Send debug data to an HTML comment in the output. * * This may occasionally be useful when supporting a non-technical end-user. It's * more secure than exposing the debug log file to the web, since the output only * contains private data for the current user. But it's not ideal for development * use since data is lost on fatal errors and redirects. */ $wgDebugComments = false; /** Does nothing. Obsolete? */ $wgLogQueries = false; /** * Write SQL queries to the debug log */ $wgDebugDumpSql = false; /** * Set to an array of log group keys to filenames. * If set, wfDebugLog() output for that group will go to that file instead * of the regular $wgDebugLogFile. Useful for enabling selective logging * in production. */ $wgDebugLogGroups = array(); /** * Display debug data at the bottom of the main content area. * * Useful for developers and technical users trying to working on a closed wiki. */ $wgShowDebug = false; /** * Show the contents of $wgHooks in Special:Version */ $wgSpecialVersionShowHooks = false; /** * By default, only show the MediaWiki, PHP, Database versions. * Setting this to true will try and determine versions of all helper programs. */ $wgSpecialVersionExtended = false; /** * Whether to show "we're sorry, but there has been a database error" pages. * Displaying errors aids in debugging, but may display information useful * to an attacker. */ $wgShowSQLErrors = false; /** * If true, some error messages will be colorized when running scripts on the * command line; this can aid picking important things out when debugging. * Ignored when running on Windows or when output is redirected to a file. */ $wgColorErrors = true; /** * If set to true, uncaught exceptions will print a complete stack trace * to output. This should only be used for debugging, as it may reveal * private information in function parameters due to PHP's backtrace * formatting. */ $wgShowExceptionDetails = false; /** * If true, show a backtrace for database errors */ $wgShowDBErrorBacktrace = false; /** * Expose backend server host names through the API and various HTML comments */ $wgShowHostnames = false; /** * If set to true MediaWiki will throw notices for some possible error * conditions and for deprecated functions. */ $wgDevelopmentWarnings = false; /** * Use experimental, DMOZ-like category browser */ $wgUseCategoryBrowser = false; /** * Keep parsed pages in a cache (objectcache table, turck, or memcached) * to speed up output of the same page viewed by another user with the * same options. * * This can provide a significant speedup for medium to large pages, * so you probably want to keep it on. Extensions that conflict with the * parser cache should disable the cache on a per-page basis instead. */ $wgEnableParserCache = true; /** * Append a configured value to the parser cache and the sitenotice key so * that they can be kept separate for some class of activity. */ $wgRenderHashAppend = ''; /** * If on, the sidebar navigation links are cached for users with the * current language set. This can save a touch of load on a busy site * by shaving off extra message lookups. * * However it is also fragile: changing the site configuration, or * having a variable $wgArticlePath, can produce broken links that * don't update as expected. */ $wgEnableSidebarCache = false; /** * Expiry time for the sidebar cache, in seconds */ $wgSidebarCacheExpiry = 86400; /** * Under which condition should a page in the main namespace be counted * as a valid article? If $wgUseCommaCount is set to true, it will be * counted if it contains at least one comma. If it is set to false * (default), it will only be counted if it contains at least one [[wiki * link]]. See http://meta.wikimedia.org/wiki/Help:Article_count * * Retroactively changing this variable will not affect * the existing count (cf. maintenance/recount.sql). */ $wgUseCommaCount = false; /** * wgHitcounterUpdateFreq sets how often page counters should be updated, higher * values are easier on the database. A value of 1 causes the counters to be * updated on every hit, any higher value n cause them to update *on average* * every n hits. Should be set to either 1 or something largish, eg 1000, for * maximum efficiency. */ $wgHitcounterUpdateFreq = 1; # Basic user rights and block settings $wgSysopUserBans = true; # Allow sysops to ban logged-in users $wgSysopRangeBans = true; # Allow sysops to ban IP ranges $wgAutoblockExpiry = 86400; # Number of seconds before autoblock entries expire $wgBlockAllowsUTEdit = false; # Default setting for option on block form to allow self talkpage editing whilst blocked $wgSysopEmailBans = true; # Allow sysops to ban users from accessing Emailuser # Pages anonymous user may see as an array, e.g.: # array ( "Main Page", "Wikipedia:Help"); # Special:Userlogin and Special:Resetpass are always whitelisted. # NOTE: This will only work if $wgGroupPermissions['*']['read'] # is false -- see below. Otherwise, ALL pages are accessible, # regardless of this setting. # Also note that this will only protect _pages in the wiki_. # Uploaded files will remain readable. Make your upload # directory name unguessable, or use .htaccess to protect it. $wgWhitelistRead = false; /** * Should editors be required to have a validated e-mail * address before being allowed to edit? */ $wgEmailConfirmToEdit=false; /** * Permission keys given to users in each group. * All users are implicitly in the '*' group including anonymous visitors; * logged-in users are all implicitly in the 'user' group. These will be * combined with the permissions of all groups that a given user is listed * in in the user_groups table. * * Note: Don't set $wgGroupPermissions = array(); unless you know what you're * doing! This will wipe all permissions, and may mean that your users are * unable to perform certain essential tasks or access new functionality * when new permissions are introduced and default grants established. * * Functionality to make pages inaccessible has not been extensively tested * for security. Use at your own risk! * * This replaces wgWhitelistAccount and wgWhitelistEdit */ $wgGroupPermissions = array(); // Implicit group for all visitors $wgGroupPermissions['*']['createaccount'] = true; $wgGroupPermissions['*']['read'] = true; $wgGroupPermissions['*']['edit'] = true; $wgGroupPermissions['*']['createpage'] = true; $wgGroupPermissions['*']['createtalk'] = true; $wgGroupPermissions['*']['writeapi'] = true; //$wgGroupPermissions['*']['patrolmarks'] = false; // let anons see what was patrolled // Implicit group for all logged-in accounts $wgGroupPermissions['user']['move'] = true; $wgGroupPermissions['user']['move-subpages'] = true; $wgGroupPermissions['user']['move-rootuserpages'] = true; // can move root userpages //$wgGroupPermissions['user']['movefile'] = true; // Disabled for now due to possible bugs and security concerns $wgGroupPermissions['user']['read'] = true; $wgGroupPermissions['user']['edit'] = true; $wgGroupPermissions['user']['createpage'] = true; $wgGroupPermissions['user']['createtalk'] = true; $wgGroupPermissions['user']['writeapi'] = true; $wgGroupPermissions['user']['upload'] = true; $wgGroupPermissions['user']['reupload'] = true; $wgGroupPermissions['user']['reupload-shared'] = true; $wgGroupPermissions['user']['minoredit'] = true; $wgGroupPermissions['user']['purge'] = true; // can use ?action=purge without clicking "ok" // Implicit group for accounts that pass $wgAutoConfirmAge $wgGroupPermissions['autoconfirmed']['autoconfirmed'] = true; // Users with bot privilege can have their edits hidden // from various log pages by default $wgGroupPermissions['bot']['bot'] = true; $wgGroupPermissions['bot']['autoconfirmed'] = true; $wgGroupPermissions['bot']['nominornewtalk'] = true; $wgGroupPermissions['bot']['autopatrol'] = true; $wgGroupPermissions['bot']['suppressredirect'] = true; $wgGroupPermissions['bot']['apihighlimits'] = true; $wgGroupPermissions['bot']['writeapi'] = true; #$wgGroupPermissions['bot']['editprotected'] = true; // can edit all protected pages without cascade protection enabled // Most extra permission abilities go to this group $wgGroupPermissions['sysop']['block'] = true; $wgGroupPermissions['sysop']['createaccount'] = true; $wgGroupPermissions['sysop']['delete'] = true; $wgGroupPermissions['sysop']['bigdelete'] = true; // can be separately configured for pages with > $wgDeleteRevisionsLimit revs $wgGroupPermissions['sysop']['deletedhistory'] = true; // can view deleted history entries, but not see or restore the text $wgGroupPermissions['sysop']['undelete'] = true; $wgGroupPermissions['sysop']['editinterface'] = true; $wgGroupPermissions['sysop']['editusercss'] = true; $wgGroupPermissions['sysop']['edituserjs'] = true; $wgGroupPermissions['sysop']['import'] = true; $wgGroupPermissions['sysop']['importupload'] = true; $wgGroupPermissions['sysop']['move'] = true; $wgGroupPermissions['sysop']['move-subpages'] = true; $wgGroupPermissions['sysop']['move-rootuserpages'] = true; $wgGroupPermissions['sysop']['patrol'] = true; $wgGroupPermissions['sysop']['autopatrol'] = true; $wgGroupPermissions['sysop']['protect'] = true; $wgGroupPermissions['sysop']['proxyunbannable'] = true; $wgGroupPermissions['sysop']['rollback'] = true; $wgGroupPermissions['sysop']['trackback'] = true; $wgGroupPermissions['sysop']['upload'] = true; $wgGroupPermissions['sysop']['reupload'] = true; $wgGroupPermissions['sysop']['reupload-shared'] = true; $wgGroupPermissions['sysop']['unwatchedpages'] = true; $wgGroupPermissions['sysop']['autoconfirmed'] = true; $wgGroupPermissions['sysop']['upload_by_url'] = true; $wgGroupPermissions['sysop']['ipblock-exempt'] = true; $wgGroupPermissions['sysop']['blockemail'] = true; $wgGroupPermissions['sysop']['markbotedits'] = true; $wgGroupPermissions['sysop']['apihighlimits'] = true; $wgGroupPermissions['sysop']['browsearchive'] = true; $wgGroupPermissions['sysop']['noratelimit'] = true; $wgGroupPermissions['sysop']['versiondetail'] = true; $wgGroupPermissions['sysop']['movefile'] = true; #$wgGroupPermissions['sysop']['mergehistory'] = true; // Permission to change users' group assignments $wgGroupPermissions['bureaucrat']['userrights'] = true; $wgGroupPermissions['bureaucrat']['noratelimit'] = true; // Permission to change users' groups assignments across wikis #$wgGroupPermissions['bureaucrat']['userrights-interwiki'] = true; // Permission to export pages including linked pages regardless of $wgExportMaxLinkDepth #$wgGroupPermissions['bureaucrat']['override-export-depth'] = true; #$wgGroupPermissions['sysop']['deleterevision'] = true; // To hide usernames from users and Sysops #$wgGroupPermissions['suppress']['hideuser'] = true; // To hide revisions/log items from users and Sysops #$wgGroupPermissions['suppress']['suppressrevision'] = true; // For private suppression log access #$wgGroupPermissions['suppress']['suppressionlog'] = true; /** * The developer group is deprecated, but can be activated if need be * to use the 'lockdb' and 'unlockdb' special pages. Those require * that a lock file be defined and creatable/removable by the web * server. */ # $wgGroupPermissions['developer']['siteadmin'] = true; /** * Permission keys revoked from users in each group. * This acts the same way as wgGroupPermissions above, except that * if the user is in a group here, the permission will be removed from them. * * Improperly setting this could mean that your users will be unable to perform * certain essential tasks, so use at your own risk! */ $wgRevokePermissions = array(); /** * Implicit groups, aren't shown on Special:Listusers or somewhere else */ $wgImplicitGroups = array( '*', 'user', 'autoconfirmed' ); /** * A map of group names that the user is in, to group names that those users * are allowed to add or revoke. * * Setting the list of groups to add or revoke to true is equivalent to "any group". * * For example, to allow sysops to add themselves to the "bot" group: * * $wgGroupsAddToSelf = array( 'sysop' => array( 'bot' ) ); * * Implicit groups may be used for the source group, for instance: * * $wgGroupsRemoveFromSelf = array( '*' => true ); * * This allows users in the '*' group (i.e. any user) to remove themselves from * any group that they happen to be in. * */ $wgGroupsAddToSelf = array(); $wgGroupsRemoveFromSelf = array(); /** * Set of available actions that can be restricted via action=protect * You probably shouldn't change this. * Translated through restriction-* messages. */ $wgRestrictionTypes = array( 'edit', 'move' ); /** * Rights which can be required for each protection level (via action=protect) * * You can add a new protection level that requires a specific * permission by manipulating this array. The ordering of elements * dictates the order on the protection form's lists. * * '' will be ignored (i.e. unprotected) * 'sysop' is quietly rewritten to 'protect' for backwards compatibility */ $wgRestrictionLevels = array( '', 'autoconfirmed', 'sysop' ); /** * Set the minimum permissions required to edit pages in each * namespace. If you list more than one permission, a user must * have all of them to edit pages in that namespace. * * Note: NS_MEDIAWIKI is implicitly restricted to editinterface. */ $wgNamespaceProtection = array(); /** * Pages in namespaces in this array can not be used as templates. * Elements must be numeric namespace ids. * Among other things, this may be useful to enforce read-restrictions * which may otherwise be bypassed by using the template machanism. */ $wgNonincludableNamespaces = array(); /** * Number of seconds an account is required to age before * it's given the implicit 'autoconfirm' group membership. * This can be used to limit privileges of new accounts. * * Accounts created by earlier versions of the software * may not have a recorded creation date, and will always * be considered to pass the age test. * * When left at 0, all registered accounts will pass. */ $wgAutoConfirmAge = 0; //$wgAutoConfirmAge = 600; // ten minutes //$wgAutoConfirmAge = 3600*24; // one day # Number of edits an account requires before it is autoconfirmed # Passing both this AND the time requirement is needed $wgAutoConfirmCount = 0; //$wgAutoConfirmCount = 50; /** * Automatically add a usergroup to any user who matches certain conditions. * The format is * array( '&' or '|' or '^', cond1, cond2, ... ) * where cond1, cond2, ... are themselves conditions; *OR* * APCOND_EMAILCONFIRMED, *OR* * array( APCOND_EMAILCONFIRMED ), *OR* * array( APCOND_EDITCOUNT, number of edits ), *OR* * array( APCOND_AGE, seconds since registration ), *OR* * array( APCOND_INGROUPS, group1, group2, ... ), *OR* * array( APCOND_ISIP, ip ), *OR* * array( APCOND_IPINRANGE, range ), *OR* * array( APCOND_AGE_FROM_EDIT, seconds since first edit ), *OR* * array( APCOND_BLOCKED ), *OR* * similar constructs defined by extensions. * * If $wgEmailAuthentication is off, APCOND_EMAILCONFIRMED will be true for any * user who has provided an e-mail address. */ $wgAutopromote = array( 'autoconfirmed' => array( '&', array( APCOND_EDITCOUNT, &$wgAutoConfirmCount ), array( APCOND_AGE, &$wgAutoConfirmAge ), ), ); /** * These settings can be used to give finer control over who can assign which * groups at Special:Userrights. Example configuration: * * // Bureaucrat can add any group * $wgAddGroups['bureaucrat'] = true; * // Bureaucrats can only remove bots and sysops * $wgRemoveGroups['bureaucrat'] = array( 'bot', 'sysop' ); * // Sysops can make bots * $wgAddGroups['sysop'] = array( 'bot' ); * // Sysops can disable other sysops in an emergency, and disable bots * $wgRemoveGroups['sysop'] = array( 'sysop', 'bot' ); */ $wgAddGroups = array(); $wgRemoveGroups = array(); /** * A list of available rights, in addition to the ones defined by the core. * For extensions only. */ $wgAvailableRights = array(); /** * Optional to restrict deletion of pages with higher revision counts * to users with the 'bigdelete' permission. (Default given to sysops.) */ $wgDeleteRevisionsLimit = 0; # Proxy scanner settings # /** * If you enable this, every editor's IP address will be scanned for open HTTP * proxies. * * Don't enable this. Many sysops will report "hostile TCP port scans" to your * ISP and ask for your server to be shut down. * * You have been warned. */ $wgBlockOpenProxies = false; /** Port we want to scan for a proxy */ $wgProxyPorts = array( 80, 81, 1080, 3128, 6588, 8000, 8080, 8888, 65506 ); /** Script used to scan */ $wgProxyScriptPath = "$IP/includes/proxy_check.php"; /** */ $wgProxyMemcExpiry = 86400; /** This should always be customised in LocalSettings.php */ $wgSecretKey = false; /** big list of banned IP addresses, in the keys not the values */ $wgProxyList = array(); /** deprecated */ $wgProxyKey = false; /** Number of accounts each IP address may create, 0 to disable. * Requires memcached */ $wgAccountCreationThrottle = 0; # Client-side caching: /** Allow client-side caching of pages */ $wgCachePages = true; /** * Set this to current time to invalidate all prior cached pages. Affects both * client- and server-side caching. * You can get the current date on your server by using the command: * date +%Y%m%d%H%M%S */ $wgCacheEpoch = '20030516000000'; /** * Bump this number when changing the global style sheets and JavaScript. * It should be appended in the query string of static CSS and JS includes, * to ensure that client-side caches do not keep obsolete copies of global * styles. */ $wgStyleVersion = '239'; # Server-side caching: /** * This will cache static pages for non-logged-in users to reduce * database traffic on public sites. * Must set $wgShowIPinHeader = false */ $wgUseFileCache = false; /** Directory where the cached page will be saved */ $wgFileCacheDirectory = false; ///< defaults to "$wgCacheDirectory/html"; /** * When using the file cache, we can store the cached HTML gzipped to save disk * space. Pages will then also be served compressed to clients that support it. * THIS IS NOT COMPATIBLE with ob_gzhandler which is now enabled if supported in * the default LocalSettings.php! If you enable this, remove that setting first. * * Requires zlib support enabled in PHP. */ $wgUseGzip = false; /** Whether MediaWiki should send an ETag header */ $wgUseETag = false; # Email notification settings # /** For email notification on page changes */ $wgPasswordSender = $wgEmergencyContact; # true: from page editor if s/he opted-in # false: Enotif mails appear to come from $wgEmergencyContact $wgEnotifFromEditor = false; // TODO move UPO to preferences probably ? # If set to true, users get a corresponding option in their preferences and can choose to enable or disable at their discretion # If set to false, the corresponding input form on the user preference page is suppressed # It call this to be a "user-preferences-option (UPO)" $wgEmailAuthentication = true; # UPO (if this is set to false, texts referring to authentication are suppressed) $wgEnotifWatchlist = false; # UPO $wgEnotifUserTalk = false; # UPO $wgEnotifRevealEditorAddress = false; # UPO; reply-to address may be filled with page editor's address (if user allowed this in the preferences) $wgEnotifMinorEdits = true; # UPO; false: "minor edits" on pages do not trigger notification mails. # # Attention: _every_ change on a user_talk page trigger a notification mail (if the user is not yet notified) # Send a generic mail instead of a personalised mail for each user. This # always uses UTC as the time zone, and doesn't include the username. # # For pages with many users watching, this can significantly reduce mail load. # Has no effect when using sendmail rather than SMTP; $wgEnotifImpersonal = false; # Maximum number of users to mail at once when using impersonal mail. Should # match the limit on your mail server. $wgEnotifMaxRecips = 500; # Send mails via the job queue. $wgEnotifUseJobQ = false; # Use real name instead of username in e-mail "from" field $wgEnotifUseRealName = false; /** * Array of usernames who will be sent a notification email for every change which occurs on a wiki */ $wgUsersNotifiedOnAllChanges = array(); /** Show watching users in recent changes, watchlist and page history views */ $wgRCShowWatchingUsers = false; # UPO /** Show watching users in Page views */ $wgPageShowWatchingUsers = false; /** Show the amount of changed characters in recent changes */ $wgRCShowChangedSize = true; /** * If the difference between the character counts of the text * before and after the edit is below that value, the value will be * highlighted on the RC page. */ $wgRCChangedSizeThreshold = 500; /** * Show "Updated (since my last visit)" marker in RC view, watchlist and history * view for watched pages with new changes */ $wgShowUpdatedMarker = true; /** * Default cookie expiration time. Setting to 0 makes all cookies session-only. */ $wgCookieExpiration = 30*86400; /** Clock skew or the one-second resolution of time() can occasionally cause cache * problems when the user requests two pages within a short period of time. This * variable adds a given number of seconds to vulnerable timestamps, thereby giving * a grace period. */ $wgClockSkewFudge = 5; # Squid-related settings # /** Enable/disable Squid */ $wgUseSquid = false; /** If you run Squid3 with ESI support, enable this (default:false): */ $wgUseESI = false; /** Send X-Vary-Options header for better caching (requires patched Squid) */ $wgUseXVO = false; /** Internal server name as known to Squid, if different */ # $wgInternalServer = 'http://yourinternal.tld:8000'; $wgInternalServer = $wgServer; /** * Cache timeout for the squid, will be sent as s-maxage (without ESI) or * Surrogate-Control (with ESI). Without ESI, you should strip out s-maxage in * the Squid config. 18000 seconds = 5 hours, more cache hits with 2678400 = 31 * days */ $wgSquidMaxage = 18000; /** * Default maximum age for raw CSS/JS accesses */ $wgForcedRawSMaxage = 300; /** * List of proxy servers to purge on changes; default port is 80. Use IP addresses. * * When MediaWiki is running behind a proxy, it will trust X-Forwarded-For * headers sent/modified from these proxies when obtaining the remote IP address * * For a list of trusted servers which *aren't* purged, see $wgSquidServersNoPurge. */ $wgSquidServers = array(); /** * As above, except these servers aren't purged on page changes; use to set a * list of trusted proxies, etc. */ $wgSquidServersNoPurge = array(); /** Maximum number of titles to purge in any one client operation */ $wgMaxSquidPurgeTitles = 400; /** HTCP multicast purging */ $wgHTCPPort = 4827; $wgHTCPMulticastTTL = 1; # $wgHTCPMulticastAddress = "224.0.0.85"; $wgHTCPMulticastAddress = false; /** Should forwarded Private IPs be accepted? */ $wgUsePrivateIPs = false; # Cookie settings: # /** * Set to set an explicit domain on the login cookies eg, "justthis.domain. org" * or ".any.subdomain.net" */ $wgCookieDomain = ''; $wgCookiePath = '/'; $wgCookieSecure = ($wgProto == 'https'); $wgDisableCookieCheck = false; /** * Set $wgCookiePrefix to use a custom one. Setting to false sets the default of * using the database name. */ $wgCookiePrefix = false; /** * Set authentication cookies to HttpOnly to prevent access by JavaScript, * in browsers that support this feature. This can mitigates some classes of * XSS attack. * * Only supported on PHP 5.2 or higher. */ $wgCookieHttpOnly = version_compare("5.2", PHP_VERSION, "<"); /** * If the requesting browser matches a regex in this blacklist, we won't * send it cookies with HttpOnly mode, even if $wgCookieHttpOnly is on. */ $wgHttpOnlyBlacklist = array( // Internet Explorer for Mac; sometimes the cookies work, sometimes // they don't. It's difficult to predict, as combinations of path // and expiration options affect its parsing. '/^Mozilla\/4\.0 \(compatible; MSIE \d+\.\d+; Mac_PowerPC\)/', ); /** A list of cookies that vary the cache (for use by extensions) */ $wgCacheVaryCookies = array(); /** Override to customise the session name */ $wgSessionName = false; /** Whether to allow inline image pointing to other websites */ $wgAllowExternalImages = false; /** If the above is false, you can specify an exception here. Image URLs * that start with this string are then rendered, while all others are not. * You can use this to set up a trusted, simple repository of images. * You may also specify an array of strings to allow multiple sites * * Examples: * $wgAllowExternalImagesFrom = 'http://127.0.0.1/'; * $wgAllowExternalImagesFrom = array( 'http://127.0.0.1/', 'http://example.com' ); */ $wgAllowExternalImagesFrom = ''; /** If $wgAllowExternalImages is false, you can allow an on-wiki * whitelist of regular expression fragments to match the image URL * against. If the image matches one of the regular expression fragments, * The image will be displayed. * * Set this to true to enable the on-wiki whitelist (MediaWiki:External image whitelist) * Or false to disable it */ $wgEnableImageWhitelist = true; /** Allows to move images and other media files */ $wgAllowImageMoving = true; /** Disable database-intensive features */ $wgMiserMode = false; /** Disable all query pages if miser mode is on, not just some */ $wgDisableQueryPages = false; /** Number of rows to cache in 'querycache' table when miser mode is on */ $wgQueryCacheLimit = 1000; /** Number of links to a page required before it is deemed "wanted" */ $wgWantedPagesThreshold = 1; /** Enable slow parser functions */ $wgAllowSlowParserFunctions = false; /** * Maps jobs to their handling classes; extensions * can add to this to provide custom jobs */ $wgJobClasses = array( 'refreshLinks' => 'RefreshLinksJob', 'refreshLinks2' => 'RefreshLinksJob2', 'htmlCacheUpdate' => 'HTMLCacheUpdateJob', 'html_cache_update' => 'HTMLCacheUpdateJob', // backwards-compatible 'sendMail' => 'EmaillingJob', 'enotifNotify' => 'EnotifNotifyJob', 'fixDoubleRedirect' => 'DoubleRedirectJob', ); /** * Additional functions to be performed with updateSpecialPages. * Expensive Querypages are already updated. */ $wgSpecialPageCacheUpdates = array( 'Statistics' => array('SiteStatsUpdate','cacheUpdate') ); /** * To use inline TeX, you need to compile 'texvc' (in the 'math' subdirectory of * the MediaWiki package and have latex, dvips, gs (ghostscript), andconvert * (ImageMagick) installed and available in the PATH. * Please see math/README for more information. */ $wgUseTeX = false; /** Location of the texvc binary */ $wgTexvc = './math/texvc'; # # Profiling / debugging # # You have to create a 'profiling' table in your database before using # profiling see maintenance/archives/patch-profiling.sql . # # To enable profiling, edit StartProfiler.php /** Only record profiling info for pages that took longer than this */ $wgProfileLimit = 0.0; /** Don't put non-profiling info into log file */ $wgProfileOnly = false; /** Log sums from profiling into "profiling" table in db. */ $wgProfileToDatabase = false; /** If true, print a raw call tree instead of per-function report */ $wgProfileCallTree = false; /** Should application server host be put into profiling table */ $wgProfilePerHost = false; /** Settings for UDP profiler */ $wgUDPProfilerHost = '127.0.0.1'; $wgUDPProfilerPort = '3811'; /** Detects non-matching wfProfileIn/wfProfileOut calls */ $wgDebugProfiling = false; /** Output debug message on every wfProfileIn/wfProfileOut */ $wgDebugFunctionEntry = 0; /** Lots of debugging output from SquidUpdate.php */ $wgDebugSquid = false; /* * Destination for wfIncrStats() data... * 'cache' to go into the system cache, if enabled (memcached) * 'udp' to be sent to the UDP profiler (see $wgUDPProfilerHost) * false to disable */ $wgStatsMethod = 'cache'; /** Whereas to count the number of time an article is viewed. * Does not work if pages are cached (for example with squid). */ $wgDisableCounters = false; $wgDisableTextSearch = false; $wgDisableSearchContext = false; /** * Set to true to have nicer highligted text in search results, * by default off due to execution overhead */ $wgAdvancedSearchHighlighting = false; /** * Regexp to match word boundaries, defaults for non-CJK languages * should be empty for CJK since the words are not separate */ $wgSearchHighlightBoundaries = version_compare("5.1", PHP_VERSION, "<")? '[\p{Z}\p{P}\p{C}]' : '[ ,.;:!?~!@#$%\^&*\(\)+=\-\\|\[\]"\'<>\n\r\/{}]'; // PHP 5.0 workaround /** * Set to true to have the default MySQL search engine count total * search matches to present in the Special:Search UI. * * This could however be slow on larger wikis, and is pretty flaky * with the current title vs content split. Recommend avoiding until * that's been worked out cleanly; but this may aid in testing the * search UI and API to confirm that the result count works. */ $wgSearchMySQLTotalHits = false; /** * Template for OpenSearch suggestions, defaults to API action=opensearch * * Sites with heavy load would tipically have these point to a custom * PHP wrapper to avoid firing up mediawiki for every keystroke * * Placeholders: {searchTerms} * */ $wgOpenSearchTemplate = false; /** * Enable suggestions while typing in search boxes * (results are passed around in OpenSearch format) */ $wgEnableMWSuggest = false; /** * Template for internal MediaWiki suggestion engine, defaults to API action=opensearch * * Placeholders: {searchTerms}, {namespaces}, {dbname} * */ $wgMWSuggestTemplate = false; /** * If you've disabled search semi-permanently, this also disables updates to the * table. If you ever re-enable, be sure to rebuild the search table. */ $wgDisableSearchUpdate = false; /** Uploads have to be specially set up to be secure */ $wgEnableUploads = false; /** * Show EXIF data, on by default if available. * Requires PHP's EXIF extension: http://www.php.net/manual/en/ref.exif.php * * NOTE FOR WINDOWS USERS: * To enable EXIF functions, add the folloing lines to the * "Windows extensions" section of php.ini: * * extension=extensions/php_mbstring.dll * extension=extensions/php_exif.dll */ $wgShowEXIF = function_exists( 'exif_read_data' ); /** * Set to true to enable the upload _link_ while local uploads are disabled. * Assumes that the special page link will be bounced to another server where * uploads do work. */ $wgRemoteUploads = false; /** * Disable links to talk pages of anonymous users (IPs) in listings on special * pages like page history, Special:Recentchanges, etc. */ $wgDisableAnonTalk = false; /** * Do DELETE/INSERT for link updates instead of incremental */ $wgUseDumbLinkUpdate = false; /** * Anti-lock flags - bitfield * ALF_PRELOAD_LINKS * Preload links during link update for save * ALF_PRELOAD_EXISTENCE * Preload cur_id during replaceLinkHolders * ALF_NO_LINK_LOCK * Don't use locking reads when updating the link table. This is * necessary for wikis with a high edit rate for performance * reasons, but may cause link table inconsistency * ALF_NO_BLOCK_LOCK * As for ALF_LINK_LOCK, this flag is a necessity for high-traffic * wikis. */ $wgAntiLockFlags = 0; /** * Path to the GNU diff3 utility. If the file doesn't exist, edit conflicts will * fall back to the old behaviour (no merging). */ $wgDiff3 = '/usr/bin/diff3'; /** * Path to the GNU diff utility. */ $wgDiff = '/usr/bin/diff'; /** * We can also compress text stored in the 'text' table. If this is set on, new * revisions will be compressed on page save if zlib support is available. Any * compressed revisions will be decompressed on load regardless of this setting * *but will not be readable at all* if zlib support is not available. */ $wgCompressRevisions = false; /** * This is the list of preferred extensions for uploading files. Uploading files * with extensions not in this list will trigger a warning. */ $wgFileExtensions = array( 'png', 'gif', 'jpg', 'jpeg' ); /** Files with these extensions will never be allowed as uploads. */ $wgFileBlacklist = array( # HTML may contain cookie-stealing JavaScript and web bugs 'html', 'htm', 'js', 'jsb', 'mhtml', 'mht', 'xhtml', 'xht', # PHP scripts may execute arbitrary code on the server 'php', 'phtml', 'php3', 'php4', 'php5', 'phps', # Other types that may be interpreted by some servers 'shtml', 'jhtml', 'pl', 'py', 'cgi', # May contain harmful executables for Windows victims 'exe', 'scr', 'dll', 'msi', 'vbs', 'bat', 'com', 'pif', 'cmd', 'vxd', 'cpl' ); /** Files with these mime types will never be allowed as uploads * if $wgVerifyMimeType is enabled. */ $wgMimeTypeBlacklist= array( # HTML may contain cookie-stealing JavaScript and web bugs 'text/html', 'text/javascript', 'text/x-javascript', 'application/x-shellscript', # PHP scripts may execute arbitrary code on the server 'application/x-php', 'text/x-php', # Other types that may be interpreted by some servers 'text/x-python', 'text/x-perl', 'text/x-bash', 'text/x-sh', 'text/x-csh', # Client-side hazards on Internet Explorer 'text/scriptlet', 'application/x-msdownload', # Windows metafile, client-side vulnerability on some systems 'application/x-msmetafile', # A ZIP file may be a valid Java archive containing an applet which exploits the # same-origin policy to steal cookies 'application/zip', ); /** This is a flag to determine whether or not to check file extensions on upload. */ $wgCheckFileExtensions = true; /** * If this is turned off, users may override the warning for files not covered * by $wgFileExtensions. */ $wgStrictFileExtensions = true; /** Warn if uploaded files are larger than this (in bytes), or false to disable*/ $wgUploadSizeWarning = false; /** For compatibility with old installations set to false */ $wgPasswordSalt = true; /** Which namespaces should support subpages? * See Language.php for a list of namespaces. */ $wgNamespacesWithSubpages = array( NS_TALK => true, NS_USER => true, NS_USER_TALK => true, NS_PROJECT_TALK => true, NS_FILE_TALK => true, NS_MEDIAWIKI => true, NS_MEDIAWIKI_TALK => true, NS_TEMPLATE_TALK => true, NS_HELP_TALK => true, NS_CATEGORY_TALK => true ); $wgNamespacesToBeSearchedDefault = array( NS_MAIN => true, ); /** * Namespaces to be searched when user clicks the "Help" tab * on Special:Search * * Same format as $wgNamespacesToBeSearchedDefault */ $wgNamespacesToBeSearchedHelp = array( NS_PROJECT => true, NS_HELP => true, ); /** * If set to true the 'searcheverything' preference will be effective only for logged-in users. * Useful for big wikis to maintain different search profiles for anonymous and logged-in users. * */ $wgSearchEverythingOnlyLoggedIn = false; /** * Site notice shown at the top of each page * * MediaWiki:Sitenotice page, which will override this. You can also * provide a separate message for logged-out users using the * MediaWiki:Anonnotice page. */ $wgSiteNotice = ''; # # Images settings # /** * Plugins for media file type handling. * Each entry in the array maps a MIME type to a class name */ $wgMediaHandlers = array( 'image/jpeg' => 'BitmapHandler', 'image/png' => 'BitmapHandler', 'image/gif' => 'GIFHandler', 'image/tiff' => 'TiffHandler', 'image/x-ms-bmp' => 'BmpHandler', 'image/x-bmp' => 'BmpHandler', 'image/svg+xml' => 'SvgHandler', // official 'image/svg' => 'SvgHandler', // compat 'image/vnd.djvu' => 'DjVuHandler', // official 'image/x.djvu' => 'DjVuHandler', // compat 'image/x-djvu' => 'DjVuHandler', // compat ); /** * Resizing can be done using PHP's internal image libraries or using * ImageMagick or another third-party converter, e.g. GraphicMagick. * These support more file formats than PHP, which only supports PNG, * GIF, JPG, XBM and WBMP. * * Use Image Magick instead of PHP builtin functions. */ $wgUseImageMagick = false; /** The convert command shipped with ImageMagick */ $wgImageMagickConvertCommand = '/usr/bin/convert'; /** Sharpening parameter to ImageMagick */ $wgSharpenParameter = '0x0.4'; /** Reduction in linear dimensions below which sharpening will be enabled */ $wgSharpenReductionThreshold = 0.85; /** * Temporary directory used for ImageMagick. The directory must exist. Leave * this set to false to let ImageMagick decide for itself. */ $wgImageMagickTempDir = false; /** * Use another resizing converter, e.g. GraphicMagick * %s will be replaced with the source path, %d with the destination * %w and %h will be replaced with the width and height * * An example is provided for GraphicMagick * Leave as false to skip this */ #$wgCustomConvertCommand = "gm convert %s -resize %wx%h %d" $wgCustomConvertCommand = false; # Scalable Vector Graphics (SVG) may be uploaded as images. # Since SVG support is not yet standard in browsers, it is # necessary to rasterize SVGs to PNG as a fallback format. # # An external program is required to perform this conversion: $wgSVGConverters = array( 'ImageMagick' => '$path/convert -background white -thumbnail $widthx$height\! $input PNG:$output', 'sodipodi' => '$path/sodipodi -z -w $width -f $input -e $output', 'inkscape' => '$path/inkscape -z -w $width -f $input -e $output', 'batik' => 'java -Djava.awt.headless=true -jar $path/batik-rasterizer.jar -w $width -d $output $input', 'rsvg' => '$path/rsvg -w$width -h$height $input $output', 'imgserv' => '$path/imgserv-wrapper -i svg -o png -w$width $input $output', ); /** Pick one of the above */ $wgSVGConverter = 'ImageMagick'; /** If not in the executable PATH, specify */ $wgSVGConverterPath = ''; /** Don't scale a SVG larger than this */ $wgSVGMaxSize = 2048; /** * Don't thumbnail an image if it will use too much working memory * Default is 50 MB if decompressed to RGBA form, which corresponds to * 12.5 million pixels or 3500x3500 */ $wgMaxImageArea = 1.25e7; /** * Force thumbnailing of animated GIFs above this size to a single * frame instead of an animated thumbnail. ImageMagick seems to * get real unhappy and doesn't play well with resource limits. :P * Defaulting to 1 megapixel (1000x1000) */ $wgMaxAnimatedGifArea = 1.0e6; /** * Browsers don't support TIFF inline generally... * For inline display, we need to convert to PNG or JPEG. * Note scaling should work with ImageMagick, but may not with GD scaling. * // PNG is lossless, but inefficient for photos * $wgTiffThumbnailType = array( 'png', 'image/png' ); * // JPEG is good for photos, but has no transparency support. Bad for diagrams. * $wgTiffThumbnailType = array( 'jpg', 'image/jpeg' ); */ $wgTiffThumbnailType = false; /** * If rendered thumbnail files are older than this timestamp, they * will be rerendered on demand as if the file didn't already exist. * Update if there is some need to force thumbs and SVG rasterizations * to rerender, such as fixes to rendering bugs. */ $wgThumbnailEpoch = '20030516000000'; /** * If set, inline scaled images will still produce tags ready for * output instead of showing an error message. * * This may be useful if errors are transitory, especially if the site * is configured to automatically render thumbnails on request. * * On the other hand, it may obscure error conditions from debugging. * Enable the debug log or the 'thumbnail' log group to make sure errors * are logged to a file for review. */ $wgIgnoreImageErrors = false; /** * Allow thumbnail rendering on page view. If this is false, a valid * thumbnail URL is still output, but no file will be created at * the target location. This may save some time if you have a * thumb.php or 404 handler set up which is faster than the regular * webserver(s). */ $wgGenerateThumbnailOnParse = true; /** * Show thumbnails for old images on the image description page */ $wgShowArchiveThumbnails = true; /** Obsolete, always true, kept for compatibility with extensions */ $wgUseImageResize = true; /** Set $wgCommandLineMode if it's not set already, to avoid notices */ if( !isset( $wgCommandLineMode ) ) { $wgCommandLineMode = false; } /** For colorized maintenance script output, is your terminal background dark ? */ $wgCommandLineDarkBg = false; /** * Array for extensions to register their maintenance scripts with the * system. The key is the name of the class and the value is the full * path to the file */ $wgMaintenanceScripts = array(); # # Recent changes settings # /** Log IP addresses in the recentchanges table; can be accessed only by extensions (e.g. CheckUser) or a DB admin */ $wgPutIPinRC = true; /** * Recentchanges items are periodically purged; entries older than this many * seconds will go. * Default: 13 weeks = about three months */ $wgRCMaxAge = 13 * 7 * 24 * 3600; /** * Filter $wgRCLinkDays by $wgRCMaxAge to avoid showing links for numbers higher than what will be stored. * Note that this is disabled by default because we sometimes do have RC data which is beyond the limit * for some reason, and some users may use the high numbers to display that data which is still there. */ $wgRCFilterByAge = false; /** * List of Days and Limits options to list in the Special:Recentchanges and Special:Recentchangeslinked pages. */ $wgRCLinkLimits = array( 50, 100, 250, 500 ); $wgRCLinkDays = array( 1, 3, 7, 14, 30 ); /** * Send recent changes updates via UDP. The updates will be formatted for IRC. * Set this to the IP address of the receiver. */ $wgRC2UDPAddress = false; /** * Port number for RC updates */ $wgRC2UDPPort = false; /** * Prefix to prepend to each UDP packet. * This can be used to identify the wiki. A script is available called * mxircecho.py which listens on a UDP port, and uses a prefix ending in a * tab to identify the IRC channel to send the log line to. */ $wgRC2UDPPrefix = ''; /** * If this is set to true, $wgLocalInterwiki will be prepended to links in the * IRC feed. If this is set to a string, that string will be used as the prefix. */ $wgRC2UDPInterwikiPrefix = false; /** * Set to true to omit "bot" edits (by users with the bot permission) from the * UDP feed. */ $wgRC2UDPOmitBots = false; /** * Enable user search in Special:Newpages * This is really a temporary hack around an index install bug on some Wikipedias. * Kill it once fixed. */ $wgEnableNewpagesUserFilter = true; /** * Whether to use metadata edition * This will put categories, language links and allowed templates in a separate text box * while editing pages * EXPERIMENTAL */ $wgUseMetadataEdit = false; /** Full name (including namespace) of the page containing templates names that will be allowed as metadata */ $wgMetadataWhitelist = ''; # # Copyright and credits settings # /** RDF metadata toggles */ $wgEnableDublinCoreRdf = false; $wgEnableCreativeCommonsRdf = false; /** Override for copyright metadata. * TODO: these options need documentation */ $wgRightsPage = NULL; $wgRightsUrl = NULL; $wgRightsText = NULL; $wgRightsIcon = NULL; /** Set this to some HTML to override the rights icon with an arbitrary logo */ $wgCopyrightIcon = NULL; /** Set this to true if you want detailed copyright information forms on Upload. */ $wgUseCopyrightUpload = false; /** Set this to false if you want to disable checking that detailed copyright * information values are not empty. */ $wgCheckCopyrightUpload = true; /** * Set this to the number of authors that you want to be credited below an * article text. Set it to zero to hide the attribution block, and a negative * number (like -1) to show all authors. Note that this will require 2-3 extra * database hits, which can have a not insignificant impact on performance for * large wikis. */ $wgMaxCredits = 0; /** If there are more than $wgMaxCredits authors, show $wgMaxCredits of them. * Otherwise, link to a separate credits page. */ $wgShowCreditsIfMax = true; /** * Set this to false to avoid forcing the first letter of links to capitals. * WARNING: may break links! This makes links COMPLETELY case-sensitive. Links * appearing with a capital at the beginning of a sentence will *not* go to the * same place as links in the middle of a sentence using a lowercase initial. */ $wgCapitalLinks = true; /** * List of interwiki prefixes for wikis we'll accept as sources for * Special:Import (for sysops). Since complete page history can be imported, * these should be 'trusted'. * * If a user has the 'import' permission but not the 'importupload' permission, * they will only be able to run imports through this transwiki interface. */ $wgImportSources = array(); /** * Optional default target namespace for interwiki imports. * Can use this to create an incoming "transwiki"-style queue. * Set to numeric key, not the name. * * Users may override this in the Special:Import dialog. */ $wgImportTargetNamespace = null; /** * If set to false, disables the full-history option on Special:Export. * This is currently poorly optimized for long edit histories, so is * disabled on Wikimedia's sites. */ $wgExportAllowHistory = true; /** * If set nonzero, Special:Export requests for history of pages with * more revisions than this will be rejected. On some big sites things * could get bogged down by very very long pages. */ $wgExportMaxHistory = 0; /** * Return distinct author list (when not returning full history) */ $wgExportAllowListContributors = false ; /** * If non-zero, Special:Export accepts a "pagelink-depth" parameter * up to this specified level, which will cause it to include all * pages linked to from the pages you specify. Since this number * can become *insanely large* and could easily break your wiki, * it's disabled by default for now. * * There's a HARD CODED limit of 5 levels of recursion to prevent a * crazy-big export from being done by someone setting the depth * number too high. In other words, last resort safety net. */ $wgExportMaxLinkDepth = 0; /** * Whether to allow the "export all pages in namespace" option */ $wgExportFromNamespaces = false; /** * Edits matching these regular expressions in body text * will be recognised as spam and rejected automatically. * * There's no administrator override on-wiki, so be careful what you set. :) * May be an array of regexes or a single string for backwards compatibility. * * See http://en.wikipedia.org/wiki/Regular_expression * Note that each regex needs a beginning/end delimiter, eg: # or / */ $wgSpamRegex = array(); /** Same as the above except for edit summaries */ $wgSummarySpamRegex = array(); /** Similarly you can get a function to do the job. The function will be given * the following args: * - a Title object for the article the edit is made on * - the text submitted in the textarea (wpTextbox1) * - the section number. * The return should be boolean indicating whether the edit matched some evilness: * - true : block it * - false : let it through * * For a complete example, have a look at the SpamBlacklist extension. */ $wgFilterCallback = false; /** Go button goes straight to the edit screen if the article doesn't exist. */ $wgGoToEdit = false; /** Allow raw, unchecked HTML in ... sections. * THIS IS VERY DANGEROUS on a publically editable site, so USE wgGroupPermissions * TO RESTRICT EDITING to only those that you trust */ $wgRawHtml = false; /** * $wgUseTidy: use tidy to make sure HTML output is sane. * Tidy is a free tool that fixes broken HTML. * See http://www.w3.org/People/Raggett/tidy/ * $wgTidyBin should be set to the path of the binary and * $wgTidyConf to the path of the configuration file. * $wgTidyOpts can include any number of parameters. * * $wgTidyInternal controls the use of the PECL extension to use an in- * process tidy library instead of spawning a separate program. * Normally you shouldn't need to override the setting except for * debugging. To install, use 'pear install tidy' and add a line * 'extension=tidy.so' to php.ini. */ $wgUseTidy = false; $wgAlwaysUseTidy = false; $wgTidyBin = 'tidy'; $wgTidyConf = $IP.'/includes/tidy.conf'; $wgTidyOpts = ''; $wgTidyInternal = extension_loaded( 'tidy' ); /** * Put tidy warnings in HTML comments * Only works for internal tidy. */ $wgDebugTidy = false; /** * Validate the overall output using tidy and refuse * to display the page if it's not valid. */ $wgValidateAllHtml = false; /** See list of skins and their symbolic names in languages/Language.php */ $wgDefaultSkin = 'monobook'; /** * Should we allow the user's to select their own skin that will override the default? * @deprecated in 1.16, use $wgHiddenPrefs[] = 'skin' to disable it */ $wgAllowUserSkin = true; /** * Optionally, we can specify a stylesheet to use for media="handheld". * This is recognized by some, but not all, handheld/mobile/PDA browsers. * If left empty, compliant handheld browsers won't pick up the skin * stylesheet, which is specified for 'screen' media. * * Can be a complete URL, base-relative path, or $wgStylePath-relative path. * Try 'chick/main.css' to apply the Chick styles to the MonoBook HTML. * * Will also be switched in when 'handheld=yes' is added to the URL, like * the 'printable=yes' mode for print media. */ $wgHandheldStyle = false; /** * If set, 'screen' and 'handheld' media specifiers for stylesheets are * transformed such that they apply to the iPhone/iPod Touch Mobile Safari, * which doesn't recognize 'handheld' but does support media queries on its * screen size. * * Consider only using this if you have a *really good* handheld stylesheet, * as iPhone users won't have any way to disable it and use the "grown-up" * styles instead. */ $wgHandheldForIPhone = false; /** * Settings added to this array will override the default globals for the user * preferences used by anonymous visitors and newly created accounts. * For instance, to disable section editing links: * $wgDefaultUserOptions ['editsection'] = 0; * */ $wgDefaultUserOptions = array( 'quickbar' => 1, 'underline' => 2, 'cols' => 80, 'rows' => 25, 'searchlimit' => 20, 'contextlines' => 5, 'contextchars' => 50, 'disablesuggest' => 0, 'skin' => false, 'math' => 1, 'usenewrc' => 0, 'rcdays' => 7, 'rclimit' => 50, 'wllimit' => 250, 'hideminor' => 0, 'hidepatrolled' => 0, 'newpageshidepatrolled' => 0, 'highlightbroken' => 1, 'stubthreshold' => 0, 'previewontop' => 1, 'previewonfirst' => 0, 'editsection' => 1, 'editsectiononrightclick' => 0, 'editondblclick' => 0, 'editwidth' => 0, 'showtoc' => 1, 'showtoolbar' => 1, 'minordefault' => 0, 'date' => 'default', 'imagesize' => 2, 'thumbsize' => 2, 'rememberpassword' => 0, 'nocache' => 0, 'diffonly' => 0, 'showhiddencats' => 0, 'norollbackdiff' => 0, 'enotifwatchlistpages' => 0, 'enotifusertalkpages' => 1, 'enotifminoredits' => 0, 'enotifrevealaddr' => 0, 'shownumberswatching' => 1, 'fancysig' => 0, 'externaleditor' => 0, 'externaldiff' => 0, 'forceeditsummary' => 0, 'showjumplinks' => 1, 'justify' => 0, 'numberheadings' => 0, 'uselivepreview' => 0, 'watchlistdays' => 3.0, 'extendwatchlist' => 0, 'watchlisthideminor' => 0, 'watchlisthidebots' => 0, 'watchlisthideown' => 0, 'watchlisthideanons' => 0, 'watchlisthideliu' => 0, 'watchlisthidepatrolled' => 0, 'watchcreations' => 0, 'watchdefault' => 0, 'watchmoves' => 0, 'watchdeletion' => 0, 'noconvertlink' => 0, 'gender' => 'unknown', 'ccmeonemails' => 0, 'disablemail' => 0, 'editfont' => 'default', ); /** * Whether or not to allow and use real name fields. * @deprecated in 1.16, use $wgHiddenPrefs[] = 'realname' below to disable real * names */ $wgAllowRealName = true; /** An array of preferences to not show for the user */ $wgHiddenPrefs = array(); /***************************************************************************** * Extensions */ /** * A list of callback functions which are called once MediaWiki is fully initialised */ $wgExtensionFunctions = array(); /** * Extension functions for initialisation of skins. This is called somewhat earlier * than $wgExtensionFunctions. */ $wgSkinExtensionFunctions = array(); /** * Extension messages files. * * Associative array mapping extension name to the filename where messages can be * found. The file should contain variable assignments. Any of the variables * present in languages/messages/MessagesEn.php may be defined, but $messages * is the most common. * * Variables defined in extensions will override conflicting variables defined * in the core. * * Example: * $wgExtensionMessagesFiles['ConfirmEdit'] = dirname(__FILE__).'/ConfirmEdit.i18n.php'; * */ $wgExtensionMessagesFiles = array(); /** * Aliases for special pages provided by extensions. * @deprecated Use $specialPageAliases in a file referred to by $wgExtensionMessagesFiles */ $wgExtensionAliasesFiles = array(); /** * Parser output hooks. * This is an associative array where the key is an extension-defined tag * (typically the extension name), and the value is a PHP callback. * These will be called as an OutputPageParserOutput hook, if the relevant * tag has been registered with the parser output object. * * Registration is done with $pout->addOutputHook( $tag, $data ). * * The callback has the form: * function outputHook( $outputPage, $parserOutput, $data ) { ... } */ $wgParserOutputHooks = array(); /** * List of valid skin names. * The key should be the name in all lower case, the value should be a display name. * The default skins will be added later, by Skin::getSkinNames(). Use * Skin::getSkinNames() as an accessor if you wish to have access to the full list. */ $wgValidSkinNames = array(); /** * Special page list. * See the top of SpecialPage.php for documentation. */ $wgSpecialPages = array(); /** * Array mapping class names to filenames, for autoloading. */ $wgAutoloadClasses = array(); /* * Array mapping javascript class to web path for autoloading js * this var is populated in AutoLoader.php */ $wgJSAutoloadClasses = array(); /* * boolean; if the script loader should be used to group all javascript requests. * more about the script loader: http://www.mediawiki.org/wiki/ScriptLoader * * (its recommended you DO NOT enable the script loader without also enabling $wgUseFileCache * (or have mediaWiki behind a proxy) otherwise all new js requests will result in script server js processing. */ $wgEnableScriptLoader = false; /* * enable js2 Script System * if enabled we include jquery, mv_embed and js2 versions of editPage.js */ $wgEnableJS2system = false; /* * boolean; if relative file paths can be used (in addition to the autoload js classes listed in: $wgJSAutoloadClasses */ $wgEnableScriptLoaderJsFile = false; /* * boolean; if we should minify the output. (note if you send ?debug=true in the page request it will automatically not group and not minify) */ $wgEnableScriptMinify = true; /* * boolean; if we should enable javascript localization (it loads loadGM json call with mediaWiki msgs) */ $wgEnableScriptLocalization = true; /* * path for mwEmbed normally js2/mwEmbed/ */ $wgMwEmbedDirectory = "js2/mwEmbed/"; /* * wgDebugJavaScript used to turn on debuging for the javascript script-loader * & forces fresh copies of javascript */ $wgDebugJavaScript = false; /** * An array of extension types and inside that their names, versions, authors, * urls, descriptions and pointers to localized description msgs. Note that * the version, url, description and descriptionmsg key can be omitted. * * * $wgExtensionCredits[$type][] = array( * 'name' => 'Example extension', * 'version' => 1.9, * 'path' => __FILE__, * 'author' => 'Foo Barstein', * 'url' => 'http://wwww.example.com/Example%20Extension/', * 'description' => 'An example extension', * 'descriptionmsg' => 'exampleextension-desc', * ); * * * Where $type is 'specialpage', 'parserhook', 'variable', 'media' or 'other'. * Where 'descriptionmsg' can be an array with message key and parameters: * 'descriptionmsg' => array( 'exampleextension-desc', param1, param2, ... ), */ $wgExtensionCredits = array(); /* * end extensions ******************************************************************************/ /** * Allow user Javascript page? * This enables a lot of neat customizations, but may * increase security risk to users and server load. */ $wgAllowUserJs = false; /** * Allow user Cascading Style Sheets (CSS)? * This enables a lot of neat customizations, but may * increase security risk to users and server load. */ $wgAllowUserCss = false; /** Use the site's Javascript page? */ $wgUseSiteJs = true; /** Use the site's Cascading Style Sheets (CSS)? */ $wgUseSiteCss = true; /** * Filter for Special:Randompage. Part of a WHERE clause * @deprecated as of 1.16, use the SpecialRandomGetRandomTitle hook */ $wgExtraRandompageSQL = false; /** Allow the "info" action, very inefficient at the moment */ $wgAllowPageInfo = false; /** Maximum indent level of toc. */ $wgMaxTocLevel = 999; /** Name of the external diff engine to use */ $wgExternalDiffEngine = false; /** Whether to use inline diff */ $wgEnableHtmlDiff = false; /** Use RC Patrolling to check for vandalism */ $wgUseRCPatrol = true; /** Use new page patrolling to check new pages on Special:Newpages */ $wgUseNPPatrol = true; /** Provide syndication feeds (RSS, Atom) for, e.g., Recentchanges, Newpages */ $wgFeed = true; /** Set maximum number of results to return in syndication feeds (RSS, Atom) for * eg Recentchanges, Newpages. */ $wgFeedLimit = 50; /** _Minimum_ timeout for cached Recentchanges feed, in seconds. * A cached version will continue to be served out even if changes * are made, until this many seconds runs out since the last render. * * If set to 0, feed caching is disabled. Use this for debugging only; * feed generation can be pretty slow with diffs. */ $wgFeedCacheTimeout = 60; /** When generating Recentchanges RSS/Atom feed, diffs will not be generated for * pages larger than this size. */ $wgFeedDiffCutoff = 32768; /** Override the site's default RSS/ATOM feed for recentchanges that appears on * every page. Some sites might have a different feed they'd like to promote * instead of the RC feed (maybe like a "Recent New Articles" or "Breaking news" one). * Ex: $wgSiteFeed['format'] = "http://example.com/somefeed.xml"; Format can be one * of either 'rss' or 'atom'. */ $wgOverrideSiteFeed = array(); /** * Additional namespaces. If the namespaces defined in Language.php and * Namespace.php are insufficient, you can create new ones here, for example, * to import Help files in other languages. * PLEASE NOTE: Once you delete a namespace, the pages in that namespace will * no longer be accessible. If you rename it, then you can access them through * the new namespace name. * * Custom namespaces should start at 100 to avoid conflicting with standard * namespaces, and should always follow the even/odd main/talk pattern. */ #$wgExtraNamespaces = # array(100 => "Hilfe", # 101 => "Hilfe_Diskussion", # 102 => "Aide", # 103 => "Discussion_Aide" # ); $wgExtraNamespaces = NULL; /** * Namespace aliases * These are alternate names for the primary localised namespace names, which * are defined by $wgExtraNamespaces and the language file. If a page is * requested with such a prefix, the request will be redirected to the primary * name. * * Set this to a map from namespace names to IDs. * Example: * $wgNamespaceAliases = array( * 'Wikipedian' => NS_USER, * 'Help' => 100, * ); */ $wgNamespaceAliases = array(); /** * Limit images on image description pages to a user-selectable limit. In order * to reduce disk usage, limits can only be selected from a list. * The user preference is saved as an array offset in the database, by default * the offset is set with $wgDefaultUserOptions['imagesize']. Make sure you * change it if you alter the array (see bug 8858). * This is the list of settings the user can choose from: */ $wgImageLimits = array ( array(320,240), array(640,480), array(800,600), array(1024,768), array(1280,1024), array(10000,10000) ); /** * Adjust thumbnails on image pages according to a user setting. In order to * reduce disk usage, the values can only be selected from a list. This is the * list of settings the user can choose from: */ $wgThumbLimits = array( 120, 150, 180, 200, 250, 300 ); /** * Adjust width of upright images when parameter 'upright' is used * This allows a nicer look for upright images without the need to fix the width * by hardcoded px in wiki sourcecode. */ $wgThumbUpright = 0.75; /** * On category pages, show thumbnail gallery for images belonging to that * category instead of listing them as articles. */ $wgCategoryMagicGallery = true; /** * Paging limit for categories */ $wgCategoryPagingLimit = 200; /** * Should the default category sortkey be the prefixed title? * Run maintenance/refreshLinks.php after changing this. */ $wgCategoryPrefixedDefaultSortkey = true; /** * Browser Blacklist for unicode non compliant browsers * Contains a list of regexps : "/regexp/" matching problematic browsers */ $wgBrowserBlackList = array( /** * Netscape 2-4 detection * The minor version may contain strings such as "Gold" or "SGoldC-SGI" * Lots of non-netscape user agents have "compatible", so it's useful to check for that * with a negative assertion. The [UIN] identifier specifies the level of security * in a Netscape/Mozilla browser, checking for it rules out a number of fakers. * The language string is unreliable, it is missing on NS4 Mac. * * Reference: http://www.psychedelix.com/agents/index.shtml */ '/^Mozilla\/2\.[^ ]+ [^(]*?\((?!compatible).*; [UIN]/', '/^Mozilla\/3\.[^ ]+ [^(]*?\((?!compatible).*; [UIN]/', '/^Mozilla\/4\.[^ ]+ [^(]*?\((?!compatible).*; [UIN]/', /** * MSIE on Mac OS 9 is teh sux0r, converts þ to , ð to , Þ to and Ð to * * Known useragents: * - Mozilla/4.0 (compatible; MSIE 5.0; Mac_PowerPC) * - Mozilla/4.0 (compatible; MSIE 5.15; Mac_PowerPC) * - Mozilla/4.0 (compatible; MSIE 5.23; Mac_PowerPC) * - [...] * * @link http://en.wikipedia.org/w/index.php?title=User%3A%C6var_Arnfj%F6r%F0_Bjarmason%2Ftestme&diff=12356041&oldid=12355864 * @link http://en.wikipedia.org/wiki/Template%3AOS9 */ '/^Mozilla\/4\.0 \(compatible; MSIE \d+\.\d+; Mac_PowerPC\)/', /** * Google wireless transcoder, seems to eat a lot of chars alive * http://it.wikipedia.org/w/index.php?title=Luciano_Ligabue&diff=prev&oldid=8857361 */ '/^Mozilla\/4\.0 \(compatible; MSIE 6.0; Windows NT 5.0; Google Wireless Transcoder;\)/' ); /** * Fake out the timezone that the server thinks it's in. This will be used for * date display and not for what's stored in the DB. Leave to null to retain * your server's OS-based timezone value. This is the same as the timezone. * * This variable is currently used ONLY for signature formatting, not for * anything else. * * Timezones can be translated by editing MediaWiki messages of type * timezone-nameinlowercase like timezone-utc. */ # $wgLocaltimezone = 'GMT'; # $wgLocaltimezone = 'PST8PDT'; # $wgLocaltimezone = 'Europe/Sweden'; # $wgLocaltimezone = 'CET'; $wgLocaltimezone = null; /** * Set an offset from UTC in minutes to use for the default timezone setting * for anonymous users and new user accounts. * * This setting is used for most date/time displays in the software, and is * overrideable in user preferences. It is *not* used for signature timestamps. * * You can set it to match the configured server timezone like this: * $wgLocalTZoffset = date("Z") / 60; * * If your server is not configured for the timezone you want, you can set * this in conjunction with the signature timezone and override the TZ * environment variable like so: * $wgLocaltimezone="Europe/Berlin"; * putenv("TZ=$wgLocaltimezone"); * $wgLocalTZoffset = date("Z") / 60; * * Leave at NULL to show times in universal time (UTC/GMT). */ $wgLocalTZoffset = null; /** * When translating messages with wfMsg(), it is not always clear what should * be considered UI messages and what should be content messages. * * For example, for the English Wikipedia, there should be only one 'mainpage', * so when getting the link for 'mainpage', we should treat it as site content * and call wfMsgForContent(), but for rendering the text of the link, we call * wfMsg(). The code behaves this way by default. However, sites like the * Wikimedia Commons do offer different versions of 'mainpage' and the like for * different languages. This array provides a way to override the default * behavior. For example, to allow language-specific main page and community * portal, set * * $wgForceUIMsgAsContentMsg = array( 'mainpage', 'portal-url' ); */ $wgForceUIMsgAsContentMsg = array(); /** * Authentication plugin. */ $wgAuth = null; /** * Global list of hooks. * Add a hook by doing: * $wgHooks['event_name'][] = $function; * or: * $wgHooks['event_name'][] = array($function, $data); * or: * $wgHooks['event_name'][] = array($object, 'method'); */ $wgHooks = array(); /** * The logging system has two levels: an event type, which describes the * general category and can be viewed as a named subset of all logs; and * an action, which is a specific kind of event that can exist in that * log type. */ $wgLogTypes = array( '', 'block', 'protect', 'rights', 'delete', 'upload', 'move', 'import', 'patrol', 'merge', 'suppress', ); /** * This restricts log access to those who have a certain right * Users without this will not see it in the option menu and can not view it * Restricted logs are not added to recent changes * Logs should remain non-transcludable * Format: logtype => permissiontype */ $wgLogRestrictions = array( 'suppress' => 'suppressionlog' ); /** * Show/hide links on Special:Log will be shown for these log types. * * This is associative array of log type => boolean "hide by default" * * See $wgLogTypes for a list of available log types. * * For example: * $wgFilterLogTypes => array( * 'move' => true, * 'import' => false, * ); * * Will display show/hide links for the move and import logs. Move logs will be * hidden by default unless the link is clicked. Import logs will be shown by * default, and hidden when the link is clicked. * * A message of the form log-show-hide- should be added, and will be used * for the link text. */ $wgFilterLogTypes = array( 'patrol' => true ); /** * Lists the message key string for each log type. The localized messages * will be listed in the user interface. * * Extensions with custom log types may add to this array. */ $wgLogNames = array( '' => 'all-logs-page', 'block' => 'blocklogpage', 'protect' => 'protectlogpage', 'rights' => 'rightslog', 'delete' => 'dellogpage', 'upload' => 'uploadlogpage', 'move' => 'movelogpage', 'import' => 'importlogpage', 'patrol' => 'patrol-log-page', 'merge' => 'mergelog', 'suppress' => 'suppressionlog', ); /** * Lists the message key string for descriptive text to be shown at the * top of each log type. * * Extensions with custom log types may add to this array. */ $wgLogHeaders = array( '' => 'alllogstext', 'block' => 'blocklogtext', 'protect' => 'protectlogtext', 'rights' => 'rightslogtext', 'delete' => 'dellogpagetext', 'upload' => 'uploadlogpagetext', 'move' => 'movelogpagetext', 'import' => 'importlogpagetext', 'patrol' => 'patrol-log-header', 'merge' => 'mergelogpagetext', 'suppress' => 'suppressionlogtext', ); /** * Lists the message key string for formatting individual events of each * type and action when listed in the logs. * * Extensions with custom log types may add to this array. */ $wgLogActions = array( 'block/block' => 'blocklogentry', 'block/unblock' => 'unblocklogentry', 'block/reblock' => 'reblock-logentry', 'protect/protect' => 'protectedarticle', 'protect/modify' => 'modifiedarticleprotection', 'protect/unprotect' => 'unprotectedarticle', 'protect/move_prot' => 'movedarticleprotection', 'rights/rights' => 'rightslogentry', 'delete/delete' => 'deletedarticle', 'delete/restore' => 'undeletedarticle', 'delete/revision' => 'revdelete-logentry', 'delete/event' => 'logdelete-logentry', 'upload/upload' => 'uploadedimage', 'upload/overwrite' => 'overwroteimage', 'upload/revert' => 'uploadedimage', 'move/move' => '1movedto2', 'move/move_redir' => '1movedto2_redir', 'import/upload' => 'import-logentry-upload', 'import/interwiki' => 'import-logentry-interwiki', 'merge/merge' => 'pagemerge-logentry', 'suppress/revision' => 'revdelete-logentry', 'suppress/file' => 'revdelete-logentry', 'suppress/event' => 'logdelete-logentry', 'suppress/delete' => 'suppressedarticle', 'suppress/block' => 'blocklogentry', 'suppress/reblock' => 'reblock-logentry', ); /** * The same as above, but here values are names of functions, * not messages */ $wgLogActionsHandlers = array(); /** * Maintain a log of newusers at Log/newusers? */ $wgNewUserLog = true; /** * List of special pages, followed by what subtitle they should go under * at Special:SpecialPages */ $wgSpecialPageGroups = array( 'DoubleRedirects' => 'maintenance', 'BrokenRedirects' => 'maintenance', 'Lonelypages' => 'maintenance', 'Uncategorizedpages' => 'maintenance', 'Uncategorizedcategories' => 'maintenance', 'Uncategorizedimages' => 'maintenance', 'Uncategorizedtemplates' => 'maintenance', 'Unusedcategories' => 'maintenance', 'Unusedimages' => 'maintenance', 'Protectedpages' => 'maintenance', 'Protectedtitles' => 'maintenance', 'Unusedtemplates' => 'maintenance', 'Withoutinterwiki' => 'maintenance', 'Longpages' => 'maintenance', 'Shortpages' => 'maintenance', 'Ancientpages' => 'maintenance', 'Deadendpages' => 'maintenance', 'Wantedpages' => 'maintenance', 'Wantedcategories' => 'maintenance', 'Wantedfiles' => 'maintenance', 'Wantedtemplates' => 'maintenance', 'Unwatchedpages' => 'maintenance', 'Fewestrevisions' => 'maintenance', 'Userlogin' => 'login', 'Userlogout' => 'login', 'CreateAccount' => 'login', 'Recentchanges' => 'changes', 'Recentchangeslinked' => 'changes', 'Watchlist' => 'changes', 'Newimages' => 'changes', 'Newpages' => 'changes', 'Log' => 'changes', 'Tags' => 'changes', 'Upload' => 'media', 'Listfiles' => 'media', 'MIMEsearch' => 'media', 'FileDuplicateSearch' => 'media', 'Filepath' => 'media', 'Listusers' => 'users', 'Activeusers' => 'users', 'Listgrouprights' => 'users', 'Ipblocklist' => 'users', 'Contributions' => 'users', 'Emailuser' => 'users', 'Listadmins' => 'users', 'Listbots' => 'users', 'Userrights' => 'users', 'Blockip' => 'users', 'Preferences' => 'users', 'Resetpass' => 'users', 'DeletedContributions' => 'users', 'Mostlinked' => 'highuse', 'Mostlinkedcategories' => 'highuse', 'Mostlinkedtemplates' => 'highuse', 'Mostcategories' => 'highuse', 'Mostimages' => 'highuse', 'Mostrevisions' => 'highuse', 'Allpages' => 'pages', 'Prefixindex' => 'pages', 'Listredirects' => 'pages', 'Categories' => 'pages', 'Disambiguations' => 'pages', 'Randompage' => 'redirects', 'Randomredirect' => 'redirects', 'Mypage' => 'redirects', 'Mytalk' => 'redirects', 'Mycontributions' => 'redirects', 'Search' => 'redirects', 'LinkSearch' => 'redirects', 'Movepage' => 'pagetools', 'MergeHistory' => 'pagetools', 'Revisiondelete' => 'pagetools', 'Undelete' => 'pagetools', 'Export' => 'pagetools', 'Import' => 'pagetools', 'Whatlinkshere' => 'pagetools', 'Statistics' => 'wiki', 'Version' => 'wiki', 'Lockdb' => 'wiki', 'Unlockdb' => 'wiki', 'Allmessages' => 'wiki', 'Popularpages' => 'wiki', 'Specialpages' => 'other', 'Blockme' => 'other', 'Booksources' => 'other', ); /** * Experimental preview feature to fetch rendered text * over an XMLHttpRequest from JavaScript instead of * forcing a submit and reload of the whole page. * Leave disabled unless you're testing it. * Needs JS2 ($wgEnableJS2) to be activated. */ $wgLivePreview = false; /** * Disable the internal MySQL-based search, to allow it to be * implemented by an extension instead. */ $wgDisableInternalSearch = false; /** * Set this to a URL to forward search requests to some external location. * If the URL includes '$1', this will be replaced with the URL-encoded * search term. * * For example, to forward to Google you'd have something like: * $wgSearchForwardUrl = 'http://www.google.com/search?q=$1' . * '&domains=http://example.com' . * '&sitesearch=http://example.com' . * '&ie=utf-8&oe=utf-8'; */ $wgSearchForwardUrl = null; /** * Set a default target for external links, e.g. _blank to pop up a new window */ $wgExternalLinkTarget = false; /** * If true, external URL links in wiki text will be given the * rel="nofollow" attribute as a hint to search engines that * they should not be followed for ranking purposes as they * are user-supplied and thus subject to spamming. */ $wgNoFollowLinks = true; /** * Namespaces in which $wgNoFollowLinks doesn't apply. * See Language.php for a list of namespaces. */ $wgNoFollowNsExceptions = array(); /** * If this is set to an array of domains, external links to these domain names * (or any subdomains) will not be set to rel="nofollow" regardless of the * value of $wgNoFollowLinks. For instance: * * $wgNoFollowDomainExceptions = array( 'en.wikipedia.org', 'wiktionary.org' ); * * This would add rel="nofollow" to links to de.wikipedia.org, but not * en.wikipedia.org, wiktionary.org, en.wiktionary.org, us.en.wikipedia.org, * etc. */ $wgNoFollowDomainExceptions = array(); /** * Default robot policy. The default policy is to encourage indexing and fol- * lowing of links. It may be overridden on a per-namespace and/or per-page * basis. */ $wgDefaultRobotPolicy = 'index,follow'; /** * Robot policies per namespaces. The default policy is given above, the array * is made of namespace constants as defined in includes/Defines.php. You can- * not specify a different default policy for NS_SPECIAL: it is always noindex, * nofollow. This is because a number of special pages (e.g., ListPages) have * many permutations of options that display the same data under redundant * URLs, so search engine spiders risk getting lost in a maze of twisty special * pages, all alike, and never reaching your actual content. * * Example: * $wgNamespaceRobotPolicies = array( NS_TALK => 'noindex' ); */ $wgNamespaceRobotPolicies = array(); /** * Robot policies per article. These override the per-namespace robot policies. * Must be in the form of an array where the key part is a properly canonical- * ised text form title and the value is a robot policy. * Example: * $wgArticleRobotPolicies = array( 'Main Page' => 'noindex,follow', * 'User:Bob' => 'index,follow' ); * Example that DOES NOT WORK because the names are not canonical text forms: * $wgArticleRobotPolicies = array( * # Underscore, not space! * 'Main_Page' => 'noindex,follow', * # "Project", not the actual project name! * 'Project:X' => 'index,follow', * # Needs to be "Abc", not "abc" (unless $wgCapitalLinks is false)! * 'abc' => 'noindex,nofollow' * ); */ $wgArticleRobotPolicies = array(); /** * An array of namespace keys in which the __INDEX__/__NOINDEX__ magic words * will not function, so users can't decide whether pages in that namespace are * indexed by search engines. If set to null, default to $wgContentNamespaces. * Example: * $wgExemptFromUserRobotsControl = array( NS_MAIN, NS_TALK, NS_PROJECT ); */ $wgExemptFromUserRobotsControl = null; /** * Specifies the minimal length of a user password. If set to 0, empty pass- * words are allowed. */ $wgMinimalPasswordLength = 1; /** * Activate external editor interface for files and pages * See http://meta.wikimedia.org/wiki/Help:External_editors */ $wgUseExternalEditor = true; /** Whether or not to sort special pages in Special:Specialpages */ $wgSortSpecialPages = true; /** * Specify the name of a skin that should not be presented in the list of a- * vailable skins. Use for blacklisting a skin which you do not want to remove * from the .../skins/ directory */ $wgSkipSkin = ''; $wgSkipSkins = array(); # More of the same /** * Array of disabled article actions, e.g. view, edit, dublincore, delete, etc. */ $wgDisabledActions = array(); /** * Disable redirects to special pages and interwiki redirects, which use a 302 * and have no "redirected from" link. */ $wgDisableHardRedirects = false; /** * Use http.dnsbl.sorbs.net to check for open proxies */ $wgEnableSorbs = false; $wgSorbsUrl = 'http.dnsbl.sorbs.net.'; /** * Proxy whitelist, list of addresses that are assumed to be non-proxy despite * what the other methods might say. */ $wgProxyWhitelist = array(); /** * Simple rate limiter options to brake edit floods. Maximum number actions * allowed in the given number of seconds; after that the violating client re- * ceives HTTP 500 error pages until the period elapses. * * array( 4, 60 ) for a maximum of 4 hits in 60 seconds. * * This option set is experimental and likely to change. Requires memcached. */ $wgRateLimits = array( 'edit' => array( 'anon' => null, // for any and all anonymous edits (aggregate) 'user' => null, // for each logged-in user 'newbie' => null, // for each recent (autoconfirmed) account; overrides 'user' 'ip' => null, // for each anon and recent account 'subnet' => null, // ... with final octet removed ), 'move' => array( 'user' => null, 'newbie' => null, 'ip' => null, 'subnet' => null, ), 'mailpassword' => array( 'anon' => NULL, ), 'emailuser' => array( 'user' => null, ), ); /** * Set to a filename to log rate limiter hits. */ $wgRateLimitLog = null; /** * Array of groups which should never trigger the rate limiter * * @deprecated as of 1.13.0, the preferred method is using * $wgGroupPermissions[]['noratelimit']. However, this will still * work if desired. * * $wgRateLimitsExcludedGroups = array( 'sysop', 'bureaucrat' ); */ $wgRateLimitsExcludedGroups = array(); /** * On Special:Unusedimages, consider images "used", if they are put * into a category. Default (false) is not to count those as used. */ $wgCountCategorizedImagesAsUsed = false; /** * External stores allow including content * from non database sources following URL links * * Short names of ExternalStore classes may be specified in an array here: * $wgExternalStores = array("http","file","custom")... * * CAUTION: Access to database might lead to code execution */ $wgExternalStores = false; /** * An array of external mysql servers, e.g. * $wgExternalServers = array( 'cluster1' => array( 'srv28', 'srv29', 'srv30' ) ); * Used by LBFactory_Simple, may be ignored if $wgLBFactoryConf is set to another class. */ $wgExternalServers = array(); /** * The place to put new revisions, false to put them in the local text table. * Part of a URL, e.g. DB://cluster1 * * Can be an array instead of a single string, to enable data distribution. Keys * must be consecutive integers, starting at zero. Example: * * $wgDefaultExternalStore = array( 'DB://cluster1', 'DB://cluster2' ); * */ $wgDefaultExternalStore = false; /** * Revision text may be cached in $wgMemc to reduce load on external storage * servers and object extraction overhead for frequently-loaded revisions. * * Set to 0 to disable, or number of seconds before cache expiry. */ $wgRevisionCacheExpiry = 0; /** * list of trusted media-types and mime types. * Use the MEDIATYPE_xxx constants to represent media types. * This list is used by Image::isSafeFile * * Types not listed here will have a warning about unsafe content * displayed on the images description page. It would also be possible * to use this for further restrictions, like disabling direct * [[media:...]] links for non-trusted formats. */ $wgTrustedMediaFormats= array( MEDIATYPE_BITMAP, //all bitmap formats MEDIATYPE_AUDIO, //all audio formats MEDIATYPE_VIDEO, //all plain video formats "image/svg+xml", //svg (only needed if inline rendering of svg is not supported) "application/pdf", //PDF files #"application/x-shockwave-flash", //flash/shockwave movie ); /** * Allow special page inclusions such as {{Special:Allpages}} */ $wgAllowSpecialInclusion = true; /** * Timeout for HTTP requests done at script execution time * default is (default php.ini script time 30s - 5s for everything else) */ $wgSyncHTTPTimeout = 25; /** * Timeout for asynchronous http request that run in a background php proccess * default set to 20 min */ $wgAsyncHTTPTimeout = 60*20; /* * if AsyncDownload is enabled (works on unix platforms) * fix for windows is pending. */ $wgEnableAsyncDownload = false; /** * Proxy to use for CURL requests. */ $wgHTTPProxy = false; /** * Enable interwiki transcluding. Only when iw_trans=1. */ $wgEnableScaryTranscluding = false; /** * Expiry time for interwiki transclusion */ $wgTranscludeCacheExpiry = 3600; /** * Support blog-style "trackbacks" for articles. See * http://www.sixapart.com/pronet/docs/trackback_spec for details. */ $wgUseTrackbacks = false; /** * Enable filtering of categories in Recentchanges */ $wgAllowCategorizedRecentChanges = false ; /** * Number of jobs to perform per request. May be less than one in which case * jobs are performed probabalistically. If this is zero, jobs will not be done * during ordinary apache requests. In this case, maintenance/runJobs.php should * be run periodically. */ $wgJobRunRate = 1; /** * Number of rows to update per job */ $wgUpdateRowsPerJob = 500; /** * Number of rows to update per query */ $wgUpdateRowsPerQuery = 100; /** * Enable AJAX framework */ $wgUseAjax = true; /** * List of Ajax-callable functions. * Extensions acting as Ajax callbacks must register here */ $wgAjaxExportList = array( 'wfAjaxGetThumbnailUrl', 'wfAjaxGetFileUrl' ); /** * Enable watching/unwatching pages using AJAX. * Requires $wgUseAjax to be true too. * Causes wfAjaxWatch to be added to $wgAjaxExportList */ $wgAjaxWatch = true; /** * Enable AJAX check for file overwrite, pre-upload */ $wgAjaxUploadDestCheck = true; /** * Enable AJAX upload interface (need for large http uploads & to display progress on uploads for browsers that support it) */ $wgAjaxUploadInterface = true; /** * Enable previewing licences via AJAX */ $wgAjaxLicensePreview = true; /** * Allow DISPLAYTITLE to change title display */ $wgAllowDisplayTitle = true; /** * for consistency, restrict DISPLAYTITLE to titles that normalize to the same canonical DB key */ $wgRestrictDisplayTitle = true; /** * Array of usernames which may not be registered or logged in from * Maintenance scripts can still use these */ $wgReservedUsernames = array( 'MediaWiki default', // Default 'Main Page' and MediaWiki: message pages 'Conversion script', // Used for the old Wikipedia software upgrade 'Maintenance script', // Maintenance scripts which perform editing, image import script 'Template namespace initialisation script', // Used in 1.2->1.3 upgrade 'msg:double-redirect-fixer', // Automatic double redirect fix ); /** * MediaWiki will reject HTMLesque tags in uploaded files due to idiotic browsers which can't * perform basic stuff like MIME detection and which are vulnerable to further idiots uploading * crap files as images. When this directive is on, will be allowed in files with * an "image/svg+xml" MIME type. You should leave this disabled if your web server is misconfigured * and doesn't send appropriate MIME types for SVG images. */ $wgAllowTitlesInSVG = false; /** * Array of namespaces which can be deemed to contain valid "content", as far * as the site statistics are concerned. Useful if additional namespaces also * contain "content" which should be considered when generating a count of the * number of articles in the wiki. */ $wgContentNamespaces = array( NS_MAIN ); /** * Maximum amount of virtual memory available to shell processes under linux, in KB. */ $wgMaxShellMemory = 102400; /** * Maximum file size created by shell processes under linux, in KB * ImageMagick convert for example can be fairly hungry for scratch space */ $wgMaxShellFileSize = 102400; /** * Maximum CPU time in seconds for shell processes under linux */ $wgMaxShellTime = 180; /** * Executable Path of PHP cli client (php/php5) (should be setup on install) */ $wgPhpCli = '/usr/bin/php'; /** * DJVU settings * Path of the djvudump executable * Enable this and $wgDjvuRenderer to enable djvu rendering */ # $wgDjvuDump = 'djvudump'; $wgDjvuDump = null; /** * Path of the ddjvu DJVU renderer * Enable this and $wgDjvuDump to enable djvu rendering */ # $wgDjvuRenderer = 'ddjvu'; $wgDjvuRenderer = null; /** * Path of the djvutxt DJVU text extraction utility * Enable this and $wgDjvuDump to enable text layer extraction from djvu files */ # $wgDjvuTxt = 'djvutxt'; $wgDjvuTxt = null; /** * Path of the djvutoxml executable * This works like djvudump except much, much slower as of version 3.5. * * For now I recommend you use djvudump instead. The djvuxml output is * probably more stable, so we'll switch back to it as soon as they fix * the efficiency problem. * http://sourceforge.net/tracker/index.php?func=detail&aid=1704049&group_id=32953&atid=406583 */ # $wgDjvuToXML = 'djvutoxml'; $wgDjvuToXML = null; /** * Shell command for the DJVU post processor * Default: pnmtopng, since ddjvu generates ppm output * Set this to false to output the ppm file directly. */ $wgDjvuPostProcessor = 'pnmtojpeg'; /** * File extension for the DJVU post processor output */ $wgDjvuOutputExtension = 'jpg'; /** * Enable the MediaWiki API for convenient access to * machine-readable data via api.php * * See http://www.mediawiki.org/wiki/API */ $wgEnableAPI = true; /** * Allow the API to be used to perform write operations * (page edits, rollback, etc.) when an authorised user * accesses it */ $wgEnableWriteAPI = true; /** * API module extensions * Associative array mapping module name to class name. * Extension modules may override the core modules. */ $wgAPIModules = array(); $wgAPIMetaModules = array(); $wgAPIPropModules = array(); $wgAPIListModules = array(); /** * Maximum amount of rows to scan in a DB query in the API * The default value is generally fine */ $wgAPIMaxDBRows = 5000; /** * The maximum size (in bytes) of an API result. * Don't set this lower than $wgMaxArticleSize*1024 */ $wgAPIMaxResultSize = 8388608; /** * The maximum number of uncached diffs that can be retrieved in one API * request. Set this to 0 to disable API diffs altogether */ $wgAPIMaxUncachedDiffs = 1; /** * Log file or URL (TCP or UDP) to log API requests to, or false to disable * API request logging */ $wgAPIRequestLog = false; /** * Parser test suite files to be run by parserTests.php when no specific * filename is passed to it. * * Extensions may add their own tests to this array, or site-local tests * may be added via LocalSettings.php * * Use full paths. */ $wgParserTestFiles = array( "$IP/maintenance/parserTests.txt", ); /** * If configured, specifies target CodeReview installation to send test * result data from 'parserTests.php --upload' * * Something like this: * $wgParserTestRemote = array( * 'api-url' => 'http://www.mediawiki.org/w/api.php', * 'repo' => 'MediaWiki', * 'suite' => 'ParserTests', * 'path' => '/trunk/phase3', // not used client-side; for reference * 'secret' => 'qmoicj3mc4mcklmqw', // Shared secret used in HMAC validation * ); */ $wgParserTestRemote = false; /** * Break out of framesets. This can be used to prevent external sites from * framing your site with ads. */ $wgBreakFrames = false; /** * Set this to an array of special page names to prevent * maintenance/updateSpecialPages.php from updating those pages. */ $wgDisableQueryPageUpdate = false; /** * Disable output compression (enabled by default if zlib is available) */ $wgDisableOutputCompression = false; /** * If lag is higher than $wgSlaveLagWarning, show a warning in some special * pages (like watchlist). If the lag is higher than $wgSlaveLagCritical, * show a more obvious warning. */ $wgSlaveLagWarning = 10; $wgSlaveLagCritical = 30; /** * Parser configuration. Associative array with the following members: * * class The class name * * preprocessorClass The preprocessor class. Two classes are currently available: * Preprocessor_Hash, which uses plain PHP arrays for tempoarary * storage, and Preprocessor_DOM, which uses the DOM module for * temporary storage. Preprocessor_DOM generally uses less memory; * the speed of the two is roughly the same. * * If this parameter is not given, it uses Preprocessor_DOM if the * DOM module is available, otherwise it uses Preprocessor_Hash. * * The entire associative array will be passed through to the constructor as * the first parameter. Note that only Setup.php can use this variable -- * the configuration will change at runtime via $wgParser member functions, so * the contents of this variable will be out-of-date. The variable can only be * changed during LocalSettings.php, in particular, it can't be changed during * an extension setup function. */ $wgParserConf = array( 'class' => 'Parser', #'preprocessorClass' => 'Preprocessor_Hash', ); /** * LinkHolderArray batch size * For debugging */ $wgLinkHolderBatchSize = 1000; /** * By default MediaWiki does not register links pointing to same server in externallinks dataset, * use this value to override: */ $wgRegisterInternalExternals = false; /** * Hooks that are used for outputting exceptions. Format is: * $wgExceptionHooks[] = $funcname * or: * $wgExceptionHooks[] = array( $class, $funcname ) * Hooks should return strings or false */ $wgExceptionHooks = array(); /** * Page property link table invalidation lists. When a page property * changes, this may require other link tables to be updated (eg * adding __HIDDENCAT__ means the hiddencat tracking category will * have been added, so the categorylinks table needs to be rebuilt). * This array can be added to by extensions. */ $wgPagePropLinkInvalidations = array( 'hiddencat' => 'categorylinks', ); /** * Maximum number of links to a redirect page listed on * Special:Whatlinkshere/RedirectDestination */ $wgMaxRedirectLinksRetrieved = 500; /** * Maximum number of calls per parse to expensive parser functions such as * PAGESINCATEGORY. */ $wgExpensiveParserFunctionLimit = 100; /** * Maximum number of pages to move at once when moving subpages with a page. */ $wgMaximumMovedPages = 100; /** * Fix double redirects after a page move. * Tends to conflict with page move vandalism, use only on a private wiki. */ $wgFixDoubleRedirects = false; /** * Max number of redirects to follow when resolving redirects. * 1 means only the first redirect is followed (default behavior). * 0 or less means no redirects are followed. */ $wgMaxRedirects = 1; /** * Array of invalid page redirect targets. * Attempting to create a redirect to any of the pages in this array * will make the redirect fail. * Userlogout is hard-coded, so it does not need to be listed here. * (bug 10569) Disallow Mypage and Mytalk as well. * * As of now, this only checks special pages. Redirects to pages in * other namespaces cannot be invalidated by this variable. */ $wgInvalidRedirectTargets = array( 'Filepath', 'Mypage', 'Mytalk' ); /** * Array of namespaces to generate a sitemap for when the * maintenance/generateSitemap.php script is run, or false if one is to be ge- * nerated for all namespaces. */ $wgSitemapNamespaces = false; /** * If user doesn't specify any edit summary when making a an edit, MediaWiki * will try to automatically create one. This feature can be disabled by set- * ting this variable false. */ $wgUseAutomaticEditSummaries = true; /** * Limit password attempts to X attempts per Y seconds per IP per account. * Requires memcached. */ $wgPasswordAttemptThrottle = array( 'count' => 5, 'seconds' => 300 ); /** * Display user edit counts in various prominent places. */ $wgEdititis = false; /** * Enable the UniversalEditButton for browsers that support it * (currently only Firefox with an extension) * See http://universaleditbutton.org for more background information */ $wgUniversalEditButton = true; /** * Allow id's that don't conform to HTML4 backward compatibility requirements. * This is currently for testing; if all goes well, this option will be removed * and the functionality will be enabled universally. */ $wgEnforceHtmlIds = true; /** * Search form behavior * true = use Go & Search buttons * false = use Go button & Advanced search link */ $wgUseTwoButtonsSearchForm = true; /** * Search form behavior for Vector skin only * true = use an icon search button * false = use Go & Search buttons */ $wgVectorUseSimpleSearch = false; /** * Preprocessor caching threshold */ $wgPreprocessorCacheThreshold = 1000; /** * Allow filtering by change tag in recentchanges, history, etc * Has no effect if no tags are defined in valid_tag. */ $wgUseTagFilter = true; /** * Allow redirection to another page when a user logs in. * To enable, set to a string like 'Main Page' */ $wgRedirectOnLogin = null; /** * Characters to prevent during new account creations. * This is used in a regular expression character class during * registration (regex metacharacters like / are escaped). */ $wgInvalidUsernameCharacters = '@'; /** * Character used as a delimiter when testing for interwiki userrights * (In Special:UserRights, it is possible to modify users on different * databases if the delimiter is used, e.g. Someuser@enwiki). * * It is recommended that you have this delimiter in * $wgInvalidUsernameCharacters above, or you will not be able to * modify the user rights of those users via Special:UserRights */ $wgUserrightsInterwikiDelimiter = '@'; /** * Configuration for processing pool control, for use in high-traffic wikis. * An implementation is provided in the PoolCounter extension. * * This configuration array maps pool types to an associative array. The only * defined key in the associative array is "class", which gives the class name. * The remaining elements are passed through to the class as constructor * parameters. Example: * * $wgPoolCounterConf = array( 'Article::view' => array( * 'class' => 'PoolCounter_Client', * ... any extension-specific options... * ); */ $wgPoolCounterConf = null; /** * Use some particular type of external authentication. The specific * authentication module you use will normally require some extra settings to * be specified. * * null indicates no external authentication is to be used. Otherwise, * "ExternalUser_$wgExternalAuthType" must be the name of a non-abstract class * that extends ExternalUser. * * Core authentication modules can be found in includes/extauth/. */ $wgExternalAuthType = null; /** * Configuration for the external authentication. This may include arbitrary * keys that depend on the authentication mechanism. For instance, * authentication against another web app might require that the database login * info be provided. Check the file where your auth mechanism is defined for * info on what to put here. */ $wgExternalAuthConfig = array(); /** * When should we automatically create local accounts when external accounts * already exist, if using ExternalAuth? Can have three values: 'never', * 'login', 'view'. 'view' requires the external database to support cookies, * and implies 'login'. * * TODO: Implement 'view' (currently behaves like 'login'). */ $wgAutocreatePolicy = 'login'; /** * Policies for how each preference is allowed to be changed, in the presence * of external authentication. The keys are preference keys, e.g., 'password' * or 'emailaddress' (see Preferences.php et al.). The value can be one of the * following: * * - local: Allow changes to this pref through the wiki interface but only * apply them locally (default). * - semiglobal: Allow changes through the wiki interface and try to apply them * to the foreign database, but continue on anyway if that fails. * - global: Allow changes through the wiki interface, but only let them go * through if they successfully update the foreign database. * - message: Allow no local changes for linked accounts; replace the change * form with a message provided by the auth plugin, telling the user how to * change the setting externally (maybe providing a link, etc.). If the auth * plugin provides no message for this preference, hide it entirely. * * Accounts that are not linked to an external account are never affected by * this setting. You may want to look at $wgHiddenPrefs instead. * $wgHiddenPrefs supersedes this option. * * TODO: Implement message, global. */ $wgAllowPrefChange = array(); /** * Settings for incoming cross-site AJAX requests: * Newer browsers support cross-site AJAX when the target resource allows requests * from the origin domain by the Access-Control-Allow-Origin header. * This is currently only used by the API (requests to api.php) * $wgCrossSiteAJAXdomains can be set using a wildcard syntax: * * '*' matches any number of characters * '?' matches any 1 character * * Example: $wgCrossSiteAJAXdomains = array( 'www.mediawiki.org', '*.wikipedia.org', '*.wikimedia.org', '*.wiktionary.org', ); * */ $wgCrossSiteAJAXdomains = array(); /** * Domains that should not be allowed to make AJAX requests, * even if they match one of the domains allowed by $wgCrossSiteAJAXdomains * Uses the same syntax as $wgCrossSiteAJAXdomains */ $wgCrossSiteAJAXdomainExceptions = array(); /** * The minimum amount of memory that MediaWiki "needs"; MediaWiki will try to raise PHP's memory limit if it's below this amount. */ $wgMemoryLimit = "50M"; Index: trunk/phase3/languages/messages/MessagesEn.php =================================================================== --- trunk/phase3/languages/messages/MessagesEn.php (revision 55799) +++ trunk/phase3/languages/messages/MessagesEn.php (revision 55800) @@ -1,4174 +1,4187 @@ <?php /** * This is the default English localisation file * * END USERS: DO NOT EDIT THIS FILE DIRECTLY! * * Changes in this file will be lost during software upgrades. * You can make your customizations on the wiki. * While logged in as administrator, go to [[Special:Allmessages]] * and edit the MediaWiki:* pages listed there. * * See MessagesQqq.php for message documentation incl. usage of parameters */ /** * Fallback language, used for all unspecified messages and behaviour. This * is English by default, for all files other than this one. * * Do NOT set this to false in any other message file! Leave the line out to * accept the default fallback to "en". */ $fallback = false; /** * Is the language written right-to-left? * Note that right-to-left languages generally also specify * $defaultUserOptionOverrides = array( 'quickbar' => 2 ); */ $rtl = false; /** * Should all nouns (not just proper ones) be capitalized? * Enabling this property will add the capitalize-all-nouns class to the <body> tag */ $capitalizeAllNouns = false; /** * Optional array mapping ASCII digits 0-9 to local digits. */ $digitTransformTable = null; /** * Transform table for decimal point '.' and thousands separator ',' */ $separatorTransformTable = null; /** * Overrides for the default user options. This is mainly used by RTL languages. */ $defaultUserOptionOverrides = array(); /** * Extra user preferences which will be shown in Special:Preferences as * checkboxes. Extra settings in derived languages will automatically be * appended to the array of the fallback languages. */ $extraUserToggles = array(); /** * URLs do not specify their encoding. UTF-8 is used by default, but if the * URL is not a valid UTF-8 sequence, we have to try to guess what the real * encoding is. The encoding used in this case is defined below, and must be * supported by iconv(). */ $fallback8bitEncoding = 'windows-1252'; /** * To allow "foo[[bar]]" to extend the link over the whole word "foobar" */ $linkPrefixExtension = false; /** * Namespace names. NS_PROJECT is always set to $wgMetaNamespace after the * settings are loaded, it will be ignored even if you specify it here. * * NS_PROJECT_TALK will be set to $wgMetaNamespaceTalk if that variable is * set, otherwise the string specified here will be used. The string may * contain "$1", which will be replaced by the name of NS_PROJECT. It may * also contain a grammatical transformation, e.g. * * NS_PROJECT_TALK => 'Keskustelu_{{grammar:elative|$1}}' * * Only one grammatical transform may be specified in the string. For * performance reasons, this transformation is done locally by the language * module rather than by the full wikitext parser. As a result, no other * parser features are available. */ $namespaceNames = array( NS_MEDIA => 'Media', NS_SPECIAL => 'Special', NS_MAIN => '', NS_TALK => 'Talk', NS_USER => 'User', NS_USER_TALK => 'User_talk', # NS_PROJECT set by $wgMetaNamespace NS_PROJECT_TALK => '$1_talk', NS_FILE => 'File', NS_FILE_TALK => 'File_talk', NS_MEDIAWIKI => 'MediaWiki', NS_MEDIAWIKI_TALK => 'MediaWiki_talk', NS_TEMPLATE => 'Template', NS_TEMPLATE_TALK => 'Template_talk', NS_HELP => 'Help', NS_HELP_TALK => 'Help_talk', NS_CATEGORY => 'Category', NS_CATEGORY_TALK => 'Category_talk', ); /** * Array of namespace aliases, mapping from name to NS_xxx index */ $namespaceAliases = array(); /** * Deprecated, use the message array */ $mathNames = array( MW_MATH_PNG => 'mw_math_png', MW_MATH_SIMPLE => 'mw_math_simple', MW_MATH_HTML => 'mw_math_html', MW_MATH_SOURCE => 'mw_math_source', MW_MATH_MODERN => 'mw_math_modern', MW_MATH_MATHML => 'mw_math_mathml' ); /** * A list of date format preference keys which can be selected in user * preferences. New preference keys can be added, provided they are supported * by the language class's timeanddate(). Only the 5 keys listed below are * supported by the wikitext converter (DateFormatter.php). * * The special key "default" is an alias for either dmy or mdy depending on * $wgAmericanDates */ $datePreferences = array( 'default', 'mdy', 'dmy', 'ymd', 'ISO 8601', ); /** * The date format to use for generated dates in the user interface. * This may be one of the above date preferences, or the special value * "dmy or mdy", which uses mdy if $wgAmericanDates is true, and dmy * if $wgAmericanDates is false. */ $defaultDateFormat = 'dmy or mdy'; /** * Associative array mapping old numeric date formats, which may still be * stored in user preferences, to the new string formats. */ $datePreferenceMigrationMap = array( 'default', 'mdy', 'dmy', 'ymd' ); /** * These are formats for dates generated by MediaWiki (as opposed to the wikitext * DateFormatter). Documentation for the format string can be found in * Language.php, search for sprintfDate. * * This array is automatically inherited by all subclasses. Individual keys can be * overridden. */ $dateFormats = array( 'mdy time' => 'H:i', 'mdy date' => 'F j, Y', 'mdy both' => 'H:i, F j, Y', 'dmy time' => 'H:i', 'dmy date' => 'j F Y', 'dmy both' => 'H:i, j F Y', 'ymd time' => 'H:i', 'ymd date' => 'Y F j', 'ymd both' => 'H:i, Y F j', 'ISO 8601 time' => 'xnH:xni:xns', 'ISO 8601 date' => 'xnY-xnm-xnd', 'ISO 8601 both' => 'xnY-xnm-xnd"T"xnH:xni:xns', ); /** * Default list of book sources */ $bookstoreList = array( 'AddALL' => 'http://www.addall.com/New/Partner.cgi?query=$1&type=ISBN', 'PriceSCAN' => 'http://www.pricescan.com/books/bookDetail.asp?isbn=$1', 'Barnes & Noble' => 'http://search.barnesandnoble.com/bookSearch/isbnInquiry.asp?isbn=$1', 'Amazon.com' => 'http://www.amazon.com/exec/obidos/ISBN=$1' ); /** * Magic words * Customisable syntax for wikitext and elsewhere. * * IDs must be valid identifiers, they cannot contain hyphens. * * Note to translators: * Please include the English words as synonyms. This allows people * from other wikis to contribute more easily. * * This array can be modified at runtime with the LanguageGetMagic hook */ $magicWords = array( # ID CASE SYNONYMS 'redirect' => array( 0, '#REDIRECT' ), 'notoc' => array( 0, '__NOTOC__' ), 'nogallery' => array( 0, '__NOGALLERY__' ), 'forcetoc' => array( 0, '__FORCETOC__' ), 'toc' => array( 0, '__TOC__' ), 'noeditsection' => array( 0, '__NOEDITSECTION__' ), 'noheader' => array( 0, '__NOHEADER__' ), 'currentmonth' => array( 1, 'CURRENTMONTH', 'CURRENTMONTH2' ), 'currentmonth1' => array( 1, 'CURRENTMONTH1' ), 'currentmonthname' => array( 1, 'CURRENTMONTHNAME' ), 'currentmonthnamegen' => array( 1, 'CURRENTMONTHNAMEGEN' ), 'currentmonthabbrev' => array( 1, 'CURRENTMONTHABBREV' ), 'currentday' => array( 1, 'CURRENTDAY' ), 'currentday2' => array( 1, 'CURRENTDAY2' ), 'currentdayname' => array( 1, 'CURRENTDAYNAME' ), 'currentyear' => array( 1, 'CURRENTYEAR' ), 'currenttime' => array( 1, 'CURRENTTIME' ), 'currenthour' => array( 1, 'CURRENTHOUR' ), 'localmonth' => array( 1, 'LOCALMONTH', 'LOCALMONTH2' ), 'localmonth1' => array( 1, 'LOCALMONTH1' ), 'localmonthname' => array( 1, 'LOCALMONTHNAME' ), 'localmonthnamegen' => array( 1, 'LOCALMONTHNAMEGEN' ), 'localmonthabbrev' => array( 1, 'LOCALMONTHABBREV' ), 'localday' => array( 1, 'LOCALDAY' ), 'localday2' => array( 1, 'LOCALDAY2' ), 'localdayname' => array( 1, 'LOCALDAYNAME' ), 'localyear' => array( 1, 'LOCALYEAR' ), 'localtime' => array( 1, 'LOCALTIME' ), 'localhour' => array( 1, 'LOCALHOUR' ), 'numberofpages' => array( 1, 'NUMBEROFPAGES' ), 'numberofarticles' => array( 1, 'NUMBEROFARTICLES' ), 'numberoffiles' => array( 1, 'NUMBEROFFILES' ), 'numberofusers' => array( 1, 'NUMBEROFUSERS' ), 'numberofactiveusers' => array( 1, 'NUMBEROFACTIVEUSERS' ), 'numberofedits' => array( 1, 'NUMBEROFEDITS' ), 'numberofviews' => array( 1, 'NUMBEROFVIEWS' ), 'pagename' => array( 1, 'PAGENAME' ), 'pagenamee' => array( 1, 'PAGENAMEE' ), 'namespace' => array( 1, 'NAMESPACE' ), 'namespacee' => array( 1, 'NAMESPACEE' ), 'talkspace' => array( 1, 'TALKSPACE' ), 'talkspacee' => array( 1, 'TALKSPACEE' ), 'subjectspace' => array( 1, 'SUBJECTSPACE', 'ARTICLESPACE' ), 'subjectspacee' => array( 1, 'SUBJECTSPACEE', 'ARTICLESPACEE' ), 'fullpagename' => array( 1, 'FULLPAGENAME' ), 'fullpagenamee' => array( 1, 'FULLPAGENAMEE' ), 'subpagename' => array( 1, 'SUBPAGENAME' ), 'subpagenamee' => array( 1, 'SUBPAGENAMEE' ), 'basepagename' => array( 1, 'BASEPAGENAME' ), 'basepagenamee' => array( 1, 'BASEPAGENAMEE' ), 'talkpagename' => array( 1, 'TALKPAGENAME' ), 'talkpagenamee' => array( 1, 'TALKPAGENAMEE' ), 'subjectpagename' => array( 1, 'SUBJECTPAGENAME', 'ARTICLEPAGENAME' ), 'subjectpagenamee' => array( 1, 'SUBJECTPAGENAMEE', 'ARTICLEPAGENAMEE' ), 'msg' => array( 0, 'MSG:' ), 'subst' => array( 0, 'SUBST:' ), 'msgnw' => array( 0, 'MSGNW:' ), 'img_thumbnail' => array( 1, 'thumbnail', 'thumb' ), 'img_manualthumb' => array( 1, 'thumbnail=$1', 'thumb=$1'), 'img_right' => array( 1, 'right' ), 'img_left' => array( 1, 'left' ), 'img_none' => array( 1, 'none' ), 'img_width' => array( 1, '$1px' ), 'img_center' => array( 1, 'center', 'centre' ), 'img_framed' => array( 1, 'framed', 'enframed', 'frame' ), 'img_frameless' => array( 1, 'frameless' ), 'img_page' => array( 1, 'page=$1', 'page $1' ), 'img_upright' => array( 1, 'upright', 'upright=$1', 'upright $1' ), 'img_border' => array( 1, 'border' ), 'img_baseline' => array( 1, 'baseline' ), 'img_sub' => array( 1, 'sub' ), 'img_super' => array( 1, 'super', 'sup' ), 'img_top' => array( 1, 'top' ), 'img_text_top' => array( 1, 'text-top' ), 'img_middle' => array( 1, 'middle' ), 'img_bottom' => array( 1, 'bottom' ), 'img_text_bottom' => array( 1, 'text-bottom' ), 'img_link' => array( 1, 'link=$1' ), 'img_alt' => array( 1, 'alt=$1' ), 'int' => array( 0, 'INT:' ), 'sitename' => array( 1, 'SITENAME' ), 'ns' => array( 0, 'NS:' ), 'nse' => array( 0, 'NSE:' ), 'localurl' => array( 0, 'LOCALURL:' ), 'localurle' => array( 0, 'LOCALURLE:' ), 'server' => array( 0, 'SERVER' ), 'servername' => array( 0, 'SERVERNAME' ), 'scriptpath' => array( 0, 'SCRIPTPATH' ), 'grammar' => array( 0, 'GRAMMAR:' ), 'gender' => array( 0, 'GENDER:' ), 'notitleconvert' => array( 0, '__NOTITLECONVERT__', '__NOTC__'), 'nocontentconvert' => array( 0, '__NOCONTENTCONVERT__', '__NOCC__'), 'currentweek' => array( 1, 'CURRENTWEEK' ), 'currentdow' => array( 1, 'CURRENTDOW' ), 'localweek' => array( 1, 'LOCALWEEK' ), 'localdow' => array( 1, 'LOCALDOW' ), 'revisionid' => array( 1, 'REVISIONID' ), 'revisionday' => array( 1, 'REVISIONDAY' ), 'revisionday2' => array( 1, 'REVISIONDAY2' ), 'revisionmonth' => array( 1, 'REVISIONMONTH' ), 'revisionyear' => array( 1, 'REVISIONYEAR' ), 'revisiontimestamp' => array( 1, 'REVISIONTIMESTAMP' ), 'revisionuser' => array( 1, 'REVISIONUSER' ), 'plural' => array( 0, 'PLURAL:' ), 'fullurl' => array( 0, 'FULLURL:' ), 'fullurle' => array( 0, 'FULLURLE:' ), 'lcfirst' => array( 0, 'LCFIRST:' ), 'ucfirst' => array( 0, 'UCFIRST:' ), 'lc' => array( 0, 'LC:' ), 'uc' => array( 0, 'UC:' ), 'raw' => array( 0, 'RAW:' ), 'displaytitle' => array( 1, 'DISPLAYTITLE' ), 'rawsuffix' => array( 1, 'R' ), 'newsectionlink' => array( 1, '__NEWSECTIONLINK__' ), 'nonewsectionlink' => array( 1, '__NONEWSECTIONLINK__' ), 'currentversion' => array( 1, 'CURRENTVERSION' ), 'urlencode' => array( 0, 'URLENCODE:' ), 'anchorencode' => array( 0, 'ANCHORENCODE' ), 'currenttimestamp' => array( 1, 'CURRENTTIMESTAMP' ), 'localtimestamp' => array( 1, 'LOCALTIMESTAMP' ), 'directionmark' => array( 1, 'DIRECTIONMARK', 'DIRMARK' ), 'language' => array( 0, '#LANGUAGE:' ), 'contentlanguage' => array( 1, 'CONTENTLANGUAGE', 'CONTENTLANG' ), 'pagesinnamespace' => array( 1, 'PAGESINNAMESPACE:', 'PAGESINNS:' ), 'numberofadmins' => array( 1, 'NUMBEROFADMINS' ), 'formatnum' => array( 0, 'FORMATNUM' ), 'padleft' => array( 0, 'PADLEFT' ), 'padright' => array( 0, 'PADRIGHT' ), 'special' => array( 0, 'special', ), 'defaultsort' => array( 1, 'DEFAULTSORT:', 'DEFAULTSORTKEY:', 'DEFAULTCATEGORYSORT:' ), 'filepath' => array( 0, 'FILEPATH:' ), 'tag' => array( 0, 'tag' ), 'hiddencat' => array( 1, '__HIDDENCAT__' ), 'pagesincategory' => array( 1, 'PAGESINCATEGORY', 'PAGESINCAT' ), 'pagesize' => array( 1, 'PAGESIZE' ), 'index' => array( 1, '__INDEX__' ), 'noindex' => array( 1, '__NOINDEX__' ), 'numberingroup' => array( 1, 'NUMBERINGROUP', 'NUMINGROUP' ), 'staticredirect' => array( 1, '__STATICREDIRECT__' ), 'protectionlevel' => array( 1, 'PROTECTIONLEVEL' ), 'formatdate' => array( 0, 'formatdate', 'dateformat' ), ); /** * Alternate names of special pages. All names are case-insensitive. The first * listed alias will be used as the default. Aliases from the fallback * localisation (usually English) will be included by default. * * This array may be altered at runtime using the LanguageGetSpecialPageAliases * hook. */ $specialPageAliases = array( 'DoubleRedirects' => array( 'DoubleRedirects' ), 'BrokenRedirects' => array( 'BrokenRedirects' ), 'Disambiguations' => array( 'Disambiguations' ), 'Userlogin' => array( 'UserLogin' ), 'Userlogout' => array( 'UserLogout' ), 'CreateAccount' => array( 'CreateAccount' ), 'Preferences' => array( 'Preferences' ), 'Watchlist' => array( 'Watchlist' ), 'Recentchanges' => array( 'RecentChanges' ), 'Upload' => array( 'Upload' ), 'Listfiles' => array( 'ListFiles', 'FileList', 'ImageList' ), 'Newimages' => array( 'NewFiles', 'NewImages' ), 'Listusers' => array( 'ListUsers', 'UserList' ), 'Listgrouprights' => array( 'ListGroupRights', 'UserGroupRights' ), 'Statistics' => array( 'Statistics' ), 'Randompage' => array( 'Random', 'RandomPage' ), 'Lonelypages' => array( 'LonelyPages', 'OrphanedPages' ), 'Uncategorizedpages' => array( 'UncategorizedPages' ), 'Uncategorizedcategories' => array( 'UncategorizedCategories' ), 'Uncategorizedimages' => array( 'UncategorizedFiles', 'UncategorizedImages' ), 'Uncategorizedtemplates' => array( 'UncategorizedTemplates' ), 'Unusedcategories' => array( 'UnusedCategories' ), 'Unusedimages' => array( 'UnusedFiles', 'UnusedImages' ), 'Wantedpages' => array( 'WantedPages', 'BrokenLinks' ), 'Wantedcategories' => array( 'WantedCategories' ), 'Wantedfiles' => array( 'WantedFiles' ), 'Wantedtemplates' => array( 'WantedTemplates' ), 'Mostlinked' => array( 'MostLinkedPages', 'MostLinked' ), 'Mostlinkedcategories' => array( 'MostLinkedCategories', 'MostUsedCategories' ), 'Mostlinkedtemplates' => array( 'MostLinkedTemplates', 'MostUsedTemplates' ), 'Mostimages' => array( 'MostLinkedFiles', 'MostFiles', 'MostImages' ), 'Mostcategories' => array( 'MostCategories' ), 'Mostrevisions' => array( 'MostRevisions' ), 'Fewestrevisions' => array( 'FewestRevisions' ), 'Shortpages' => array( 'ShortPages' ), 'Longpages' => array( 'LongPages' ), 'Newpages' => array( 'NewPages' ), 'Ancientpages' => array( 'AncientPages' ), 'Deadendpages' => array( 'DeadendPages' ), 'Protectedpages' => array( 'ProtectedPages' ), 'Protectedtitles' => array( 'ProtectedTitles' ), 'Allpages' => array( 'AllPages' ), 'Prefixindex' => array( 'PrefixIndex' ) , 'Ipblocklist' => array( 'BlockList', 'ListBlocks', 'IPBlockList' ), 'Specialpages' => array( 'SpecialPages' ), 'Contributions' => array( 'Contributions' ), 'Emailuser' => array( 'EmailUser' ), 'Confirmemail' => array( 'ConfirmEmail' ), 'Whatlinkshere' => array( 'WhatLinksHere' ), 'Recentchangeslinked' => array( 'RecentChangesLinked', 'RelatedChanges' ), 'Movepage' => array( 'MovePage' ), 'Blockme' => array( 'BlockMe' ), 'Booksources' => array( 'BookSources' ), 'Categories' => array( 'Categories' ), 'Export' => array( 'Export' ), 'Version' => array( 'Version' ), 'Allmessages' => array( 'AllMessages' ), 'Log' => array( 'Log', 'Logs' ), 'Blockip' => array( 'Block', 'BlockIP', 'BlockUser' ), 'Undelete' => array( 'Undelete' ), 'Import' => array( 'Import' ), 'Lockdb' => array( 'LockDB' ), 'Unlockdb' => array( 'UnlockDB' ), 'Userrights' => array( 'UserRights', 'MakeSysop', 'MakeBot' ), 'MIMEsearch' => array( 'MIMESearch' ), 'FileDuplicateSearch' => array( 'FileDuplicateSearch' ), 'Unwatchedpages' => array( 'UnwatchedPages' ), 'Listredirects' => array( 'ListRedirects' ), 'Revisiondelete' => array( 'RevisionDelete' ), 'Unusedtemplates' => array( 'UnusedTemplates' ), 'Randomredirect' => array( 'RandomRedirect' ), 'Mypage' => array( 'MyPage' ), 'Mytalk' => array( 'MyTalk' ), 'Mycontributions' => array( 'MyContributions' ), 'Listadmins' => array( 'ListAdmins' ), 'Listbots' => array( 'ListBots' ), 'Popularpages' => array( 'PopularPages' ), 'Search' => array( 'Search' ), 'Resetpass' => array( 'ChangePassword', 'ResetPass', 'ResetPassword' ), 'Withoutinterwiki' => array( 'WithoutInterwiki' ), 'MergeHistory' => array( 'MergeHistory' ), 'Filepath' => array( 'FilePath' ), 'Invalidateemail' => array( 'InvalidateEmail' ), 'Blankpage' => array( 'BlankPage' ), 'LinkSearch' => array( 'LinkSearch' ), 'DeletedContributions' => array( 'DeletedContributions' ), 'Tags' => array( 'Tags' ), 'Activeusers' => array( 'ActiveUsers' ), ); /** * Regular expression matching the "link trail", e.g. "ed" in [[Toast]]ed, as * the first group, and the remainder of the string as the second group. */ $linkTrail = '/^([a-z]+)(.*)$/sD'; /** * List of filenames for some ui images that can be overridden per language * basis if needed. */ $imageFiles = array( 'button-bold' => 'button_bold.png', 'button-italic' => 'button_italic.png', 'button-link' => 'button_link.png', 'button-extlink' => 'button_extlink.png', 'button-headline' => 'button_headline.png', 'button-image' => 'button_image.png', 'button-media' => 'button_media.png', 'button-math' => 'button_math.png', 'button-nowiki' => 'button_nowiki.png', 'button-sig' => 'button_sig.png', 'button-hr' => 'button_hr.png', ); /** * A list of messages to preload for each request. * We add messages here which are needed for a typical anonymous parser cache hit. */ $preloadedMessages = array( 'aboutpage', 'aboutsite', 'accesskey-ca-edit', 'accesskey-ca-history', 'accesskey-ca-nstab-main', 'accesskey-ca-talk', 'accesskey-n-currentevents', 'accesskey-n-help', 'accesskey-n-mainpage-description', 'accesskey-n-portal', 'accesskey-n-randompage', 'accesskey-n-recentchanges', 'accesskey-n-sitesupport', 'accesskey-p-logo', 'accesskey-pt-login', 'accesskey-search', 'accesskey-search-fulltext', 'accesskey-search-go', 'accesskey-t-permalink', 'accesskey-t-print', 'accesskey-t-recentchangeslinked', 'accesskey-t-specialpages', 'accesskey-t-whatlinkshere', 'anonnotice', 'catseparator', 'colon-separator', 'currentevents', 'currentevents-url', 'disclaimerpage', 'disclaimers', 'edit', 'help', 'helppage', 'history_short', 'jumpto', 'jumptonavigation', 'jumptosearch', 'lastmodifiedat', 'mainpage', 'mainpage-description', 'nav-login-createaccount', 'navigation', 'nstab-main', 'opensearch-desc', 'pagecategories', 'pagecategorieslink', 'pagetitle', 'pagetitle-view-mainpage', 'permalink', 'personaltools', 'portal', 'portal-url', 'printableversion', 'privacy', 'privacypage', 'randompage', 'randompage-url', 'recentchanges', 'recentchanges-url', 'recentchangeslinked-toolbox', 'retrievedfrom', 'search', 'searcharticle', 'searchbutton', 'sidebar', 'site-atom-feed', 'site-rss-feed', 'sitenotice', 'specialpages', 'tagline', 'talk', 'toolbox', 'tooltip-ca-edit', 'tooltip-ca-history', 'tooltip-ca-nstab-main', 'tooltip-ca-talk', 'tooltip-n-currentevents', 'tooltip-n-help', 'tooltip-n-mainpage-description', 'tooltip-n-portal', 'tooltip-n-randompage', 'tooltip-n-recentchanges', 'tooltip-n-sitesupport', 'tooltip-p-logo', 'tooltip-p-navigation', 'tooltip-pt-login', 'tooltip-search', 'tooltip-search-fulltext', 'tooltip-search-go', 'tooltip-t-permalink', 'tooltip-t-print', 'tooltip-t-recentchangeslinked', 'tooltip-t-specialpages', 'tooltip-t-whatlinkshere', 'views', 'whatlinkshere', ); #------------------------------------------------------------------- # Default messages #------------------------------------------------------------------- # Allowed characters in keys are: A-Z, a-z, 0-9, underscore (_) and # hyphen (-). If you need more characters, you may be able to change # the regex in MagicWord::initRegex $messages = array( /* The sidebar for MonoBook is generated from this message, lines that do not begin with * or ** are discarded, furthermore lines that do begin with ** and do not contain | are also discarded, but do not depend on this behaviour for future releases. Also note that since each list value is wrapped in a unique XHTML id it should only appear once and include characters that are legal XHTML id names. */ 'sidebar' => ' * navigation ** mainpage|mainpage-description ** portal-url|portal ** currentevents-url|currentevents ** recentchanges-url|recentchanges ** randompage-url|randompage ** helppage|help * SEARCH * TOOLBOX * LANGUAGES', # do not translate or duplicate this message to other languages # User preference toggles 'tog-underline' => 'Link underlining:', 'tog-highlightbroken' => 'Format broken links <a href="" class="new">like this</a> (alternative: like this<a href="" class="internal">?</a>)', 'tog-justify' => 'Justify paragraphs', 'tog-hideminor' => 'Hide minor edits in recent changes', 'tog-hidepatrolled' => 'Hide patrolled edits in recent changes', 'tog-newpageshidepatrolled' => 'Hide patrolled pages from new page list', 'tog-extendwatchlist' => 'Expand watchlist to show all changes, not just the most recent', 'tog-usenewrc' => 'Use enhanced recent changes (requires JavaScript)', 'tog-numberheadings' => 'Auto-number headings', 'tog-showtoolbar' => 'Show edit toolbar (requires JavaScript)', 'tog-editondblclick' => 'Edit pages on double click (requires JavaScript)', 'tog-editsection' => 'Enable section editing via [edit] links', 'tog-editsectiononrightclick' => 'Enable section editing by right clicking on section titles (requires JavaScript)', 'tog-showtoc' => 'Show table of contents (for pages with more than 3 headings)', 'tog-rememberpassword' => 'Remember my login on this computer', 'tog-editwidth' => 'Widen the edit box to fill the entire screen', 'tog-watchcreations' => 'Add pages I create to my watchlist', 'tog-watchdefault' => 'Add pages I edit to my watchlist', 'tog-watchmoves' => 'Add pages I move to my watchlist', 'tog-watchdeletion' => 'Add pages I delete to my watchlist', 'tog-minordefault' => 'Mark all edits minor by default', 'tog-previewontop' => 'Show preview before edit box', 'tog-previewonfirst' => 'Show preview on first edit', 'tog-nocache' => 'Disable page caching', 'tog-enotifwatchlistpages' => 'E-mail me when a page on my watchlist is changed', 'tog-enotifusertalkpages' => 'E-mail me when my user talk page is changed', 'tog-enotifminoredits' => 'E-mail me also for minor edits of pages', 'tog-enotifrevealaddr' => 'Reveal my e-mail address in notification e-mails', 'tog-shownumberswatching' => 'Show the number of watching users', 'tog-oldsig' => 'Preview of existing signature:', 'tog-fancysig' => 'Treat signature as wikitext (without an automatic link)', 'tog-externaleditor' => 'Use external editor by default (for experts only, needs special settings on your computer)', 'tog-externaldiff' => 'Use external diff by default (for experts only, needs special settings on your computer)', 'tog-showjumplinks' => 'Enable "jump to" accessibility links', 'tog-uselivepreview' => 'Use live preview (requires JavaScript) (Experimental)', 'tog-forceeditsummary' => 'Prompt me when entering a blank edit summary', 'tog-watchlisthideown' => 'Hide my edits from the watchlist', 'tog-watchlisthidebots' => 'Hide bot edits from the watchlist', 'tog-watchlisthideminor' => 'Hide minor edits from the watchlist', 'tog-watchlisthideliu' => 'Hide edits by logged in users from the watchlist', 'tog-watchlisthideanons' => 'Hide edits by anonymous users from the watchlist', 'tog-watchlisthidepatrolled' => 'Hide patrolled edits from the watchlist', 'tog-nolangconversion' => 'Disable variants conversion', # only translate this message to other languages if you have to change it 'tog-ccmeonemails' => 'Send me copies of e-mails I send to other users', 'tog-diffonly' => 'Do not show page content below diffs', 'tog-showhiddencats' => 'Show hidden categories', 'tog-noconvertlink' => 'Disable link title conversion', # only translate this message to other languages if you have to change it 'tog-norollbackdiff' => 'Omit diff after performing a rollback', 'underline-always' => 'Always', 'underline-never' => 'Never', 'underline-default' => 'Browser default', # Font style option in Special:Preferences 'editfont-style' => 'Edit area font style:', 'editfont-default' => 'Browser default', 'editfont-monospace' => 'Monospaced font', 'editfont-sansserif' => 'Sans-serif font', 'editfont-serif' => 'Serif font', # Dates 'sunday' => 'Sunday', 'monday' => 'Monday', 'tuesday' => 'Tuesday', 'wednesday' => 'Wednesday', 'thursday' => 'Thursday', 'friday' => 'Friday', 'saturday' => 'Saturday', 'sun' => 'Sun', 'mon' => 'Mon', 'tue' => 'Tue', 'wed' => 'Wed', 'thu' => 'Thu', 'fri' => 'Fri', 'sat' => 'Sat', 'january' => 'January', 'february' => 'February', 'march' => 'March', 'april' => 'April', 'may_long' => 'May', 'june' => 'June', 'july' => 'July', 'august' => 'August', 'september' => 'September', 'october' => 'October', 'november' => 'November', 'december' => 'December', 'january-gen' => 'January', 'february-gen' => 'February', 'march-gen' => 'March', 'april-gen' => 'April', 'may-gen' => 'May', 'june-gen' => 'June', 'july-gen' => 'July', 'august-gen' => 'August', 'september-gen' => 'September', 'october-gen' => 'October', 'november-gen' => 'November', 'december-gen' => 'December', 'jan' => 'Jan', 'feb' => 'Feb', 'mar' => 'Mar', 'apr' => 'Apr', 'may' => 'May', 'jun' => 'Jun', 'jul' => 'Jul', 'aug' => 'Aug', 'sep' => 'Sep', 'oct' => 'Oct', 'nov' => 'Nov', 'dec' => 'Dec', # Categories related messages 'pagecategories' => '{{PLURAL:$1|Category|Categories}}', 'pagecategorieslink' => 'Special:Categories', # do not translate or duplicate this message to other languages 'category_header' => 'Pages in category "$1"', 'subcategories' => 'Subcategories', 'category-media-header' => 'Media in category "$1"', 'category-empty' => "''This category currently contains no pages or media.''", 'hidden-categories' => '{{PLURAL:$1|Hidden category|Hidden categories}}', 'hidden-category-category' => 'Hidden categories', 'category-subcat-count' => '{{PLURAL:$2|This category has only the following subcategory.|This category has the following {{PLURAL:$1|subcategory|$1 subcategories}}, out of $2 total.}}', 'category-subcat-count-limited' => 'This category has the following {{PLURAL:$1|subcategory|$1 subcategories}}.', 'category-article-count' => '{{PLURAL:$2|This category contains only the following page.|The following {{PLURAL:$1|page is|$1 pages are}} in this category, out of $2 total.}}', 'category-article-count-limited' => 'The following {{PLURAL:$1|page is|$1 pages are}} in the current category.', 'category-file-count' => '{{PLURAL:$2|This category contains only the following file.|The following {{PLURAL:$1|file is|$1 files are}} in this category, out of $2 total.}}', 'category-file-count-limited' => 'The following {{PLURAL:$1|file is|$1 files are}} in the current category.', 'listingcontinuesabbrev' => 'cont.', 'linkprefix' => '/^(.*?)([a-zA-Z\\x80-\\xff]+)$/sD', # only translate this message to other languages if you have to change it 'mainpagetext' => "<big>'''MediaWiki has been successfully installed.'''</big>", 'mainpagedocfooter' => "Consult the [http://meta.wikimedia.org/wiki/Help:Contents User's Guide] for information on using the wiki software. == Getting started == * [http://www.mediawiki.org/wiki/Manual:Configuration_settings Configuration settings list] * [http://www.mediawiki.org/wiki/Manual:FAQ MediaWiki FAQ] * [https://lists.wikimedia.org/mailman/listinfo/mediawiki-announce MediaWiki release mailing list]", 'about' => 'About', 'article' => 'Content page', 'newwindow' => '(opens in new window)', 'cancel' => 'Cancel', 'moredotdotdot' => 'More...', 'mypage' => 'My page', 'mytalk' => 'My talk', 'anontalk' => 'Talk for this IP', 'navigation' => 'Navigation', 'and' => ' and', # Cologne Blue skin 'qbfind' => 'Find', 'qbbrowse' => 'Browse', 'qbedit' => 'Edit', 'qbpageoptions' => 'This page', 'qbpageinfo' => 'Context', 'qbmyoptions' => 'My pages', 'qbspecialpages' => 'Special pages', 'faq' => 'FAQ', 'faqpage' => 'Project:FAQ', 'sitetitle' => '{{SITENAME}}', # do not translate or duplicate this message to other languages 'sitesubtitle' => '', # do not translate or duplicate this message to other languages # Vector skin 'vector-action-addsection' => 'Add topic', 'vector-action-delete' => 'Delete', 'vector-action-move' => 'Move', 'vector-action-protect' => 'Protect', 'vector-action-undelete' => 'Undelete', 'vector-action-unprotect' => 'Unprotect', 'vector-namespace-category' => 'Category', 'vector-namespace-help' => 'Help page', 'vector-namespace-image' => 'File', 'vector-namespace-main' => 'Page', 'vector-namespace-media' => 'Media page', 'vector-namespace-mediawiki' => 'Message', 'vector-namespace-project' => 'Project page', 'vector-namespace-special' => 'Special page', 'vector-namespace-talk' => 'Discussion', 'vector-namespace-template' => 'Template', 'vector-namespace-user' => 'User page', 'vector-view-create' => 'Create', 'vector-view-edit' => 'Edit', 'vector-view-history' => 'View history', 'vector-view-view' => 'Read', 'vector-view-viewsource' => 'View source', 'actions' => 'Actions', 'namespaces' => 'Namespaces', 'variants' => 'Variants', # Metadata in edit box 'metadata_help' => 'Metadata:', 'errorpagetitle' => 'Error', 'returnto' => 'Return to $1.', 'tagline' => 'From {{SITENAME}}', 'help' => 'Help', 'search' => 'Search', 'searchbutton' => 'Search', 'go' => 'Go', 'searcharticle' => 'Go', 'history' => 'Page history', 'history_short' => 'History', 'updatedmarker' => 'updated since my last visit', 'info_short' => 'Information', 'printableversion' => 'Printable version', 'permalink' => 'Permanent link', 'print' => 'Print', 'edit' => 'Edit', 'create' => 'Create', 'editthispage' => 'Edit this page', 'create-this-page' => 'Create this page', 'delete' => 'Delete', 'deletethispage' => 'Delete this page', 'undelete_short' => 'Undelete {{PLURAL:$1|one edit|$1 edits}}', 'protect' => 'Protect', 'protect_change' => 'change', 'protectthispage' => 'Protect this page', 'unprotect' => 'Unprotect', 'unprotectthispage' => 'Unprotect this page', 'newpage' => 'New page', 'talkpage' => 'Discuss this page', 'talkpagelinktext' => 'Talk', 'specialpage' => 'Special Page', 'personaltools' => 'Personal tools', 'postcomment' => 'New section', 'addsection' => '+', # do not translate or duplicate this message to other languages 'articlepage' => 'View content page', 'talk' => 'Discussion', 'views' => 'Views', 'toolbox' => 'Toolbox', 'userpage' => 'View user page', 'projectpage' => 'View project page', 'imagepage' => 'View file page', 'mediawikipage' => 'View message page', 'templatepage' => 'View template page', 'viewhelppage' => 'View help page', 'categorypage' => 'View category page', 'viewtalkpage' => 'View discussion', 'otherlanguages' => 'In other languages', 'redirectedfrom' => '(Redirected from $1)', 'redirectpagesub' => 'Redirect page', 'talkpageheader' => '-', # do not translate or duplicate this message to other languages 'lastmodifiedat' => 'This page was last modified on $1, at $2.', 'viewcount' => 'This page has been accessed {{PLURAL:$1|once|$1 times}}.', 'protectedpage' => 'Protected page', 'jumpto' => 'Jump to:', 'jumptonavigation' => 'navigation', 'jumptosearch' => 'search', 'view-pool-error' => 'Sorry, the servers are overloaded at the moment. Too many users are trying to view this page. Please wait a while before you try to access this page again. $1', # All link text and link target definitions of links into project namespace that get used by other message strings, with the exception of user group pages (see grouppage) and the disambiguation template definition (see disambiguations). 'aboutsite' => 'About {{SITENAME}}', 'aboutpage' => 'Project:About', 'copyright' => 'Content is available under $1.', 'copyrightpage' => '{{ns:project}}:Copyrights', 'currentevents' => 'Current events', 'currentevents-url' => 'Project:Current events', 'disclaimers' => 'Disclaimers', 'disclaimerpage' => 'Project:General disclaimer', 'edithelp' => 'Editing help', 'edithelppage' => 'Help:Editing', 'helppage' => 'Help:Contents', 'mainpage' => 'Main Page', 'mainpage-description' => 'Main Page', 'policy-url' => 'Project:Policy', 'portal' => 'Community portal', 'portal-url' => 'Project:Community Portal', 'privacy' => 'Privacy policy', 'privacypage' => 'Project:Privacy policy', 'badaccess' => 'Permission error', 'badaccess-group0' => 'You are not allowed to execute the action you have requested.', 'badaccess-groups' => 'The action you have requested is limited to users in {{PLURAL:$2|the group|one of the groups}}: $1.', 'versionrequired' => 'Version $1 of MediaWiki required', 'versionrequiredtext' => 'Version $1 of MediaWiki is required to use this page. See [[Special:Version|version page]].', 'ok' => 'OK', 'pagetitle' => '$1 - {{SITENAME}}', # only translate this message to other languages if you have to change it 'pagetitle-view-mainpage' => '{{SITENAME}}', # only translate this message to other languages if you have to change it 'retrievedfrom' => 'Retrieved from "$1"', 'youhavenewmessages' => 'You have $1 ($2).', 'newmessageslink' => 'new messages', 'newmessagesdifflink' => 'last change', 'youhavenewmessagesmulti' => 'You have new messages on $1', 'newtalkseparator' => ', ', # do not translate or duplicate this message to other languages 'editsection' => 'edit', 'editsection-brackets' => '[$1]', # only translate this message to other languages if you have to change it 'editold' => 'edit', 'viewsourceold' => 'view source', 'editlink' => 'edit', 'viewsourcelink' => 'view source', 'editsectionhint' => 'Edit section: $1', 'toc' => 'Contents', 'showtoc' => 'show', 'hidetoc' => 'hide', 'thisisdeleted' => 'View or restore $1?', 'viewdeleted' => 'View $1?', 'restorelink' => '{{PLURAL:$1|one deleted edit|$1 deleted edits}}', 'feedlinks' => 'Feed:', 'feed-invalid' => 'Invalid subscription feed type.', 'feed-unavailable' => 'Syndication feeds are not available', 'site-rss-feed' => '$1 RSS Feed', 'site-atom-feed' => '$1 Atom Feed', 'page-rss-feed' => '"$1" RSS Feed', 'page-atom-feed' => '"$1" Atom Feed', 'feed-atom' => 'Atom', # only translate this message to other languages if you have to change it 'feed-rss' => 'RSS', # only translate this message to other languages if you have to change it 'sitenotice' => '-', # do not translate or duplicate this message to other languages 'anonnotice' => '-', # do not translate or duplicate this message to other languages 'newsectionheaderdefaultlevel' => '== $1 ==', # do not translate or duplicate this message to other languages 'red-link-title' => '$1 (page does not exist)', # Short words for each namespace, by default used in the namespace tab in monobook 'nstab-main' => 'Page', 'nstab-user' => 'User page', 'nstab-media' => 'Media page', 'nstab-special' => 'Special page', 'nstab-project' => 'Project page', 'nstab-image' => 'File', 'nstab-mediawiki' => 'Message', 'nstab-template' => 'Template', 'nstab-help' => 'Help page', 'nstab-category' => 'Category', # Main script and global functions 'nosuchaction' => 'No such action', 'nosuchactiontext' => 'The action specified by the URL is invalid. You might have mistyped the URL, or followed an incorrect link. This might also indicate a bug in the software used by {{SITENAME}}.', 'nosuchspecialpage' => 'No such special page', 'nospecialpagetext' => "<big>'''You have requested an invalid special page.'''</big> A list of valid special pages can be found at [[Special:SpecialPages|{{int:specialpages}}]].", # General errors 'error' => 'Error', 'databaseerror' => 'Database error', 'dberrortext' => 'A database query syntax error has occurred. This may indicate a bug in the software. The last attempted database query was: <blockquote><tt>$1</tt></blockquote> from within function "<tt>$2</tt>". Database returned error "<tt>$3: $4</tt>".', 'dberrortextcl' => 'A database query syntax error has occurred. The last attempted database query was: "$1" from within function "$2". Database returned error "$3: $4"', 'laggedslavemode' => "'''Warning:''' Page may not contain recent updates.", 'readonly' => 'Database locked', 'enterlockreason' => 'Enter a reason for the lock, including an estimate of when the lock will be released', 'readonlytext' => 'The database is currently locked to new entries and other modifications, probably for routine database maintenance, after which it will be back to normal. The administrator who locked it offered this explanation: $1', 'missing-article' => 'The database did not find the text of a page that it should have found, named "$1" $2. This is usually caused by following an outdated diff or history link to a page that has been deleted. If this is not the case, you may have found a bug in the software. Please report this to an [[Special:ListUsers/sysop|administrator]], making note of the URL.', 'missingarticle-rev' => '(revision#: $1)', 'missingarticle-diff' => '(Diff: $1, $2)', 'readonly_lag' => 'The database has been automatically locked while the slave database servers catch up to the master', 'internalerror' => 'Internal error', 'internalerror_info' => 'Internal error: $1', 'fileappenderror' => 'Could not append "$1" to "$2".', 'filecopyerror' => 'Could not copy file "$1" to "$2".', 'filerenameerror' => 'Could not rename file "$1" to "$2".', 'filedeleteerror' => 'Could not delete file "$1".', 'directorycreateerror' => 'Could not create directory "$1".', 'filenotfound' => 'Could not find file "$1".', 'fileexistserror' => 'Unable to write to file "$1": file exists', 'unexpected' => 'Unexpected value: "$1"="$2".', 'formerror' => 'Error: could not submit form', 'badarticleerror' => 'This action cannot be performed on this page.', 'cannotdelete' => 'Could not delete the page or file specified. It may have already been deleted by someone else.', 'badtitle' => 'Bad title', 'badtitletext' => 'The requested page title was invalid, empty, or an incorrectly linked inter-language or inter-wiki title. It may contain one or more characters which cannot be used in titles.', 'perfcached' => 'The following data is cached and may not be up to date.', 'perfcachedts' => 'The following data is cached, and was last updated $1.', 'querypage-no-updates' => 'Updates for this page are currently disabled. Data here will not presently be refreshed.', 'wrong_wfQuery_params' => 'Incorrect parameters to wfQuery()<br /> Function: $1<br /> Query: $2', 'viewsource' => 'View source', 'viewsourcefor' => 'for $1', 'actionthrottled' => 'Action throttled', 'actionthrottledtext' => 'As an anti-spam measure, you are limited from performing this action too many times in a short space of time, and you have exceeded this limit. Please try again in a few minutes.', 'protectedpagetext' => 'This page has been locked to prevent editing.', 'viewsourcetext' => 'You can view and copy the source of this page:', 'protectedinterface' => 'This page provides interface text for the software, and is locked to prevent abuse.', 'editinginterface' => "'''Warning:''' You are editing a page which is used to provide interface text for the software. Changes to this page will affect the appearance of the user interface for other users. For translations, please consider using [http://translatewiki.net/wiki/Main_Page?setlang=en translatewiki.net], the MediaWiki localisation project.", 'sqlhidden' => '(SQL query hidden)', 'cascadeprotected' => 'This page has been protected from editing, because it is included in the following {{PLURAL:$1|page, which is|pages, which are}} protected with the "cascading" option turned on: $2', 'namespaceprotected' => "You do not have permission to edit pages in the '''$1''' namespace.", 'customcssjsprotected' => "You do not have permission to edit this page, because it contains another user's personal settings.", 'ns-specialprotected' => 'Special pages cannot be edited.', 'titleprotected' => 'This title has been protected from creation by [[User:$1|$1]]. The reason given is "\'\'$2\'\'".', # Virus scanner 'virus-badscanner' => "Bad configuration: unknown virus scanner: ''$1''", 'virus-scanfailed' => 'scan failed (code $1)', 'virus-unknownscanner' => 'unknown antivirus:', # Login and logout pages 'logouttext' => "'''You are now logged out.''' You can continue to use {{SITENAME}} anonymously, or you can [[Special:UserLogin|log in again]] as the same or as a different user. Note that some pages may continue to be displayed as if you were still logged in, until you clear your browser cache.", 'welcomecreation' => '== Welcome, $1! == Your account has been created. Do not forget to change your [[Special:Preferences|{{SITENAME}} preferences]].', 'yourname' => 'Username:', 'yourpassword' => 'Password:', 'yourpasswordagain' => 'Retype password:', 'remembermypassword' => 'Remember my login on this computer', 'yourdomainname' => 'Your domain:', 'externaldberror' => 'There was either an authentication database error or you are not allowed to update your external account.', 'login' => 'Log in', 'nav-login-createaccount' => 'Log in / create account', 'loginprompt' => 'You must have cookies enabled to log in to {{SITENAME}}.', 'userlogin' => 'Log in / create account', 'logout' => 'Log out', 'userlogout' => 'Log out', 'notloggedin' => 'Not logged in', 'nologin' => "Don't have an account? $1.", 'nologinlink' => 'Create an account', 'createaccount' => 'Create account', 'gotaccount' => 'Already have an account? $1.', 'gotaccountlink' => 'Log in', 'createaccountmail' => 'by e-mail', 'badretype' => 'The passwords you entered do not match.', 'userexists' => 'Username entered already in use. Please choose a different name.', 'loginerror' => 'Login error', 'nocookiesnew' => 'The user account was created, but you are not logged in. {{SITENAME}} uses cookies to log in users. You have cookies disabled. Please enable them, then log in with your new username and password.', 'nocookieslogin' => '{{SITENAME}} uses cookies to log in users. You have cookies disabled. Please enable them and try again.', 'noname' => 'You have not specified a valid user name.', 'loginsuccesstitle' => 'Login successful', 'loginsuccess' => "'''You are now logged in to {{SITENAME}} as \"\$1\".'''", 'nosuchuser' => 'There is no user by the name "$1". User names are case sensitive. Check your spelling, or [[Special:UserLogin/signup|create a new account]].', 'nosuchusershort' => 'There is no user by the name "<nowiki>$1</nowiki>". Check your spelling.', 'nouserspecified' => 'You have to specify a username.', 'wrongpassword' => 'Incorrect password entered. Please try again.', 'wrongpasswordempty' => 'Password entered was blank. Please try again.', 'passwordtooshort' => 'Passwords must be at least {{PLURAL:$1|1 character|$1 characters}}.', 'password-name-match' => 'Your password must be different from your username.', 'mailmypassword' => 'E-mail new password', 'passwordremindertitle' => 'New temporary password for {{SITENAME}}', 'passwordremindertext' => 'Someone (probably you, from IP address $1) requested a new password for {{SITENAME}} ($4). A temporary password for user "$2" has been created and was set to "$3". If this was your intent, you will need to log in and choose a new password now. Your temporary password will expire in {{PLURAL:$5|one day|$5 days}}. If someone else made this request, or if you have remembered your password, and you no longer wish to change it, you may ignore this message and continue using your old password.', 'noemail' => 'There is no e-mail address recorded for user "$1".', 'passwordsent' => 'A new password has been sent to the e-mail address registered for "$1". Please log in again after you receive it.', 'blocked-mailpassword' => 'Your IP address is blocked from editing, and so is not allowed to use the password recovery function to prevent abuse.', 'eauthentsent' => 'A confirmation e-mail has been sent to the nominated e-mail address. Before any other e-mail is sent to the account, you will have to follow the instructions in the e-mail, to confirm that the account is actually yours.', 'throttled-mailpassword' => 'A password reminder has already been sent, within the last {{PLURAL:$1|hour|$1 hours}}. To prevent abuse, only one password reminder will be sent per {{PLURAL:$1|hour|$1 hours}}.', 'loginstart' => '', # do not translate or duplicate this message to other languages 'loginend' => '', # do not translate or duplicate this message to other languages 'signupend' => '{{int:loginend}}', # do not translate or duplicate this message to other languages 'mailerror' => 'Error sending mail: $1', 'acct_creation_throttle_hit' => 'Visitors to this wiki using your IP address have created {{PLURAL:$1|1 account|$1 accounts}} in the last day, which is the maximum allowed in this time period. As a result, visitors using this IP address cannot create any more accounts at the moment.', 'emailauthenticated' => 'Your e-mail address was authenticated on $2 at $3.', 'emailnotauthenticated' => 'Your e-mail address is not yet authenticated. No e-mail will be sent for any of the following features.', 'noemailprefs' => 'Specify an e-mail address in your preferences for these features to work.', 'emailconfirmlink' => 'Confirm your e-mail address', 'invalidemailaddress' => 'The e-mail address cannot be accepted as it appears to have an invalid format. Please enter a well-formatted address or empty that field.', 'accountcreated' => 'Account created', 'accountcreatedtext' => 'The user account for $1 has been created.', 'createaccount-title' => 'Account creation for {{SITENAME}}', 'createaccount-text' => 'Someone created an account for your e-mail address on {{SITENAME}} ($4) named "$2", with password "$3". You should log in and change your password now. You may ignore this message, if this account was created in error.', 'login-throttled' => "You have made too many recent attempts on this account's password. Please wait before trying again.", 'loginlanguagelabel' => 'Language: $1', 'loginlanguagelinks' => '* Deutsch|de * English|en * Esperanto|eo * Français|fr * Español|es * Italiano|it * Nederlands|nl', # do not translate or duplicate this message to other languages # Password reset dialog 'resetpass' => 'Change password', 'resetpass_announce' => 'You logged in with a temporary e-mailed code. To finish logging in, you must set a new password here:', 'resetpass_text' => '<!-- Add text here -->', # only translate this message to other languages if you have to change it 'resetpass_header' => 'Change account password', 'oldpassword' => 'Old password:', 'newpassword' => 'New password:', 'retypenew' => 'Retype new password:', 'resetpass_submit' => 'Set password and log in', 'resetpass_success' => 'Your password has been changed successfully! Now logging you in...', 'resetpass_forbidden' => 'Passwords cannot be changed', 'resetpass-no-info' => 'You must be logged in to access this page directly.', 'resetpass-submit-loggedin' => 'Change password', 'resetpass-wrong-oldpass' => 'Invalid temporary or current password. You may have already successfully changed your password or requested a new temporary password.', 'resetpass-temp-password' => 'Temporary password:', # Edit page toolbar 'bold_sample' => 'Bold text', 'bold_tip' => 'Bold text', 'italic_sample' => 'Italic text', 'italic_tip' => 'Italic text', 'link_sample' => 'Link title', 'link_tip' => 'Internal link', 'extlink_sample' => 'http://www.example.com link title', 'extlink_tip' => 'External link (remember http:// prefix)', 'headline_sample' => 'Headline text', 'headline_tip' => 'Level 2 headline', 'math_sample' => 'Insert formula here', 'math_tip' => 'Mathematical formula (LaTeX)', 'nowiki_sample' => 'Insert non-formatted text here', 'nowiki_tip' => 'Ignore wiki formatting', 'image_sample' => 'Example.jpg', # only translate this message to other languages if you have to change it 'image_tip' => 'Embedded file', 'media_sample' => 'Example.ogg', # only translate this message to other languages if you have to change it 'media_tip' => 'File link', 'sig_tip' => 'Your signature with timestamp', 'hr_tip' => 'Horizontal line (use sparingly)', # Edit pages 'summary' => 'Summary:', 'subject' => 'Subject/headline:', 'minoredit' => 'This is a minor edit', 'watchthis' => 'Watch this page', 'savearticle' => 'Save page', 'preview' => 'Preview', 'showpreview' => 'Show preview', 'showlivepreview' => 'Live preview', 'showdiff' => 'Show changes', 'anoneditwarning' => "'''Warning:''' You are not logged in. Your IP address will be recorded in this page's edit history.", 'missingsummary' => "'''Reminder:''' You have not provided an edit summary. If you click Save again, your edit will be saved without one.", 'missingcommenttext' => 'Please enter a comment below.', 'missingcommentheader' => "'''Reminder:''' You have not provided a subject/headline for this comment. If you click Save again, your edit will be saved without one.", 'summary-preview' => 'Summary preview:', 'subject-preview' => 'Subject/headline preview:', 'blockedtitle' => 'User is blocked', 'blockedtext' => "<big>'''Your user name or IP address has been blocked.'''</big> The block was made by $1. The reason given is ''$2''. * Start of block: $8 * Expiry of block: $6 * Intended blockee: $7 You can contact $1 or another [[{{MediaWiki:Grouppage-sysop}}|administrator]] to discuss the block. You cannot use the 'e-mail this user' feature unless a valid e-mail address is specified in your [[Special:Preferences|account preferences]] and you have not been blocked from using it. Your current IP address is $3, and the block ID is #$5. Please include all above details in any queries you make.", 'autoblockedtext' => 'Your IP address has been automatically blocked because it was used by another user, who was blocked by $1. The reason given is this: :\'\'$2\'\' * Start of block: $8 * Expiry of block: $6 * Intended blockee: $7 You may contact $1 or one of the other [[{{MediaWiki:Grouppage-sysop}}|administrators]] to discuss the block. Note that you may not use the "e-mail this user" feature unless you have a valid e-mail address registered in your [[Special:Preferences|user preferences]] and you have not been blocked from using it. Your current IP address is $3, and the block ID is #$5. Please include all above details in any queries you make.', 'blockednoreason' => 'no reason given', 'blockedoriginalsource' => "The source of '''$1''' is shown below:", 'blockededitsource' => "The text of '''your edits''' to '''$1''' is shown below:", 'whitelistedittitle' => 'Login required to edit', 'whitelistedittext' => 'You have to $1 to edit pages.', 'confirmedittext' => 'You must confirm your e-mail address before editing pages. Please set and validate your e-mail address through your [[Special:Preferences|user preferences]].', 'nosuchsectiontitle' => 'No such section', 'nosuchsectiontext' => 'You tried to edit a section that does not exist. Since there is no section $1, there is no place to save your edit.', 'loginreqtitle' => 'Login required', 'loginreqlink' => 'log in', 'loginreqpagetext' => 'You must $1 to view other pages.', 'accmailtitle' => 'Password sent.', 'accmailtext' => "A randomly generated password for [[User talk:$1|$1]] has been sent to $2. The password for this new account can be changed on the ''[[Special:ChangePassword|change password]]'' page upon logging in.", 'newarticle' => '(New)', 'newarticletext' => "You have followed a link to a page that does not exist yet. To create the page, start typing in the box below (see the [[{{MediaWiki:Helppage}}|help page]] for more info). If you are here by mistake, click your browser's '''back''' button.", 'newarticletextanon' => '{{int:newarticletext}}', # do not translate or duplicate this message to other languages 'talkpagetext' => '<!-- MediaWiki:talkpagetext -->', # do not translate or duplicate this message to other languages 'anontalkpagetext' => "----''This is the discussion page for an anonymous user who has not created an account yet, or who does not use it. We therefore have to use the numerical IP address to identify him/her. Such an IP address can be shared by several users. If you are an anonymous user and feel that irrelevant comments have been directed at you, please [[Special:UserLogin/signup|create an account]] or [[Special:UserLogin|log in]] to avoid future confusion with other anonymous users.''", 'noarticletext' => 'There is currently no text in this page. You can [[Special:Search/{{PAGENAME}}|search for this page title]] in other pages, <span class="plainlinks">[{{fullurl:Special:Log|page={{urlencode:{{FULLPAGENAME}}}}}} search the related logs], or [{{fullurl:{{FULLPAGENAME}}|action=edit}} edit this page]</span>.', 'noarticletextanon' => '{{int:noarticletext}}', # do not translate or duplicate this message to other languages 'userpage-userdoesnotexist' => 'User account "$1" is not registered. Please check if you want to create/edit this page.', 'clearyourcache' => "'''Note - After saving, you may have to bypass your browser's cache to see the changes.''' '''Mozilla / Firefox / Safari:''' hold ''Shift'' while clicking ''Reload'', or press either ''Ctrl-F5'' or ''Ctrl-R'' (''Command-R'' on a Macintosh); '''Konqueror: '''click ''Reload'' or press ''F5''; '''Opera:''' clear the cache in ''Tools → Preferences''; '''Internet Explorer:''' hold ''Ctrl'' while clicking ''Refresh,'' or press ''Ctrl-F5''.", 'usercssyoucanpreview' => "'''Tip:''' Use the 'Show preview' button to test your new CSS before saving.", 'userjsyoucanpreview' => "'''Tip:''' Use the 'Show preview' button to test your new JS before saving.", 'usercsspreview' => "'''Remember that you are only previewing your user CSS.''' '''It has not yet been saved!'''", 'userjspreview' => "'''Remember that you are only testing/previewing your user JavaScript.''' '''It has not yet been saved!'''", 'userinvalidcssjstitle' => "'''Warning:''' There is no skin \"\$1\". Remember that custom .css and .js pages use a lowercase title, e.g. {{ns:user}}:Foo/monobook.css as opposed to {{ns:user}}:Foo/Monobook.css.", 'updated' => '(Updated)', 'note' => "'''Note:'''", 'previewnote' => "'''Remember that this is only a preview.''' Your changes have not yet been saved!", 'previewconflict' => 'This preview reflects the text in the upper text editing area as it will appear if you choose to save.', 'session_fail_preview' => "'''Sorry! We could not process your edit due to a loss of session data.''' Please try again. If it still does not work, try [[Special:UserLogout|logging out]] and logging back in.", 'session_fail_preview_html' => "'''Sorry! We could not process your edit due to a loss of session data.''' ''Because {{SITENAME}} has raw HTML enabled, the preview is hidden as a precaution against JavaScript attacks.'' '''If this is a legitimate edit attempt, please try again.''' If it still does not work, try [[Special:UserLogout|logging out]] and logging back in.", 'token_suffix_mismatch' => "'''Your edit has been rejected because your client mangled the punctuation characters in the edit token.''' The edit has been rejected to prevent corruption of the page text. This sometimes happens when you are using a buggy web-based anonymous proxy service.", 'editing' => 'Editing $1', 'editingsection' => 'Editing $1 (section)', 'editingcomment' => 'Editing $1 (new section)', 'editconflict' => 'Edit conflict: $1', 'explainconflict' => "Someone else has changed this page since you started editing it. The upper text area contains the page text as it currently exists. Your changes are shown in the lower text area. You will have to merge your changes into the existing text. '''Only''' the text in the upper text area will be saved when you press \"Save page\".", 'yourtext' => 'Your text', 'storedversion' => 'Stored revision', 'nonunicodebrowser' => "'''Warning: Your browser is not unicode compliant.''' A workaround is in place to allow you to safely edit pages: non-ASCII characters will appear in the edit box as hexadecimal codes.", 'editingold' => "'''Warning: You are editing an out-of-date revision of this page.''' If you save it, any changes made since this revision will be lost.", 'yourdiff' => 'Differences', 'copyrightwarning' => "Please note that all contributions to {{SITENAME}} are considered to be released under the $2 (see $1 for details). If you do not want your writing to be edited mercilessly and redistributed at will, then do not submit it here.<br /> You are also promising us that you wrote this yourself, or copied it from a public domain or similar free resource. '''Do not submit copyrighted work without permission!'''", 'copyrightwarning2' => "Please note that all contributions to {{SITENAME}} may be edited, altered, or removed by other contributors. If you do not want your writing to be edited mercilessly, then do not submit it here.<br /> You are also promising us that you wrote this yourself, or copied it from a public domain or similar free resource (see $1 for details). '''Do not submit copyrighted work without permission!'''", 'editpage-tos-summary' => '-', # do not translate or duplicate this message to other languages 'longpagewarning' => "'''Warning:''' This page is $1 kilobytes long; some browsers may have problems editing pages approaching or longer than 32kb. Please consider breaking the page into smaller sections.", 'longpageerror' => "'''Error: The text you have submitted is $1 kilobytes long, which is longer than the maximum of $2 kilobytes.''' It cannot be saved.", 'readonlywarning' => "'''Warning: The database has been locked for maintenance, so you will not be able to save your edits right now.''' You may wish to cut-n-paste the text into a text file and save it for later. The administrator who locked it offered this explanation: $1", 'protectedpagewarning' => "'''Warning: This page has been locked so that only users with administrator privileges can edit it.'''", 'semiprotectedpagewarning' => "'''Note:''' This page has been locked so that only registered users can edit it.", 'cascadeprotectedwarning' => "'''Warning:''' This page has been locked so that only users with administrator privileges can edit it, because it is included in the following cascade-protected {{PLURAL:$1|page|pages}}:", 'titleprotectedwarning' => "'''Warning: This page has been locked so that [[Special:ListGroupRights|specific rights]] are needed to create it.'''", 'templatesused' => 'Templates used on this page:', 'templatesusedpreview' => 'Templates used in this preview:', 'templatesusedsection' => 'Templates used in this section:', 'template-protected' => '(protected)', 'template-semiprotected' => '(semi-protected)', 'hiddencategories' => 'This page is a member of {{PLURAL:$1|1 hidden category|$1 hidden categories}}:', 'edittools' => '<!-- Text here will be shown below edit and upload forms. -->', # only translate this message to other languages if you have to change it 'nocreatetitle' => 'Page creation limited', 'nocreatetext' => '{{SITENAME}} has restricted the ability to create new pages. You can go back and edit an existing page, or [[Special:UserLogin|log in or create an account]].', 'nocreate-loggedin' => 'You do not have permission to create new pages.', 'permissionserrors' => 'Permissions Errors', 'permissionserrorstext' => 'You do not have permission to do that, for the following {{PLURAL:$1|reason|reasons}}:', 'permissionserrorstext-withaction' => 'You do not have permission to $2, for the following {{PLURAL:$1|reason|reasons}}:', 'recreate-moveddeleted-warn' => "'''Warning: You are recreating a page that was previously deleted.''' You should consider whether it is appropriate to continue editing this page. The deletion and move log for this page are provided here for convenience:", 'moveddeleted-notice' => 'This page has been deleted. The deletion and move log for the page are provided below for reference.', 'log-fulllog' => 'View full log', 'edit-hook-aborted' => 'Edit aborted by hook. It gave no explanation.', 'edit-gone-missing' => 'Could not update the page. It appears to have been deleted.', 'edit-conflict' => 'Edit conflict.', 'edit-no-change' => 'Your edit was ignored, because no change was made to the text.', 'edit-already-exists' => 'Could not create a new page. It already exists.', # Parser/template warnings 'expensive-parserfunction-warning' => "'''Warning:''' This page contains too many expensive parser function calls. It should have less than $2 {{PLURAL:$2|call|calls}}, there {{PLURAL:$1|is now $1 call|are now $1 calls}}.", 'expensive-parserfunction-category' => 'Pages with too many expensive parser function calls', 'post-expand-template-inclusion-warning' => "'''Warning:''' Template include size is too large. Some templates will not be included.", 'post-expand-template-inclusion-category' => 'Pages where template include size is exceeded', 'post-expand-template-argument-warning' => "'''Warning:''' This page contains at least one template argument which has a too large expansion size. These arguments have been omitted.", 'post-expand-template-argument-category' => 'Pages containing omitted template arguments', 'parser-template-loop-warning' => 'Template loop detected: [[$1]]', 'parser-template-recursion-depth-warning' => 'Template recursion depth limit exceeded ($1)', # "Undo" feature 'undo-success' => 'The edit can be undone. Please check the comparison below to verify that this is what you want to do, and then save the changes below to finish undoing the edit.', 'undo-failure' => 'The edit could not be undone due to conflicting intermediate edits.', 'undo-norev' => 'The edit could not be undone because it does not exist or was deleted.', 'undo-summary' => 'Undo revision $1 by [[Special:Contributions/$2|$2]] ([[User talk:$2|Talk]])', # Account creation failure 'cantcreateaccounttitle' => 'Cannot create account', 'cantcreateaccount-text' => "Account creation from this IP address ('''$1''') has been blocked by [[User:$3|$3]]. The reason given by $3 is ''$2''", 'cantcreateaccount-nonblock-text' => '', # do not translate or duplicate this message to other languages # History pages 'viewpagelogs' => 'View logs for this page', 'nohistory' => 'There is no edit history for this page.', 'currentrev' => 'Current revision', 'currentrev-asof' => 'Current revision as of $1', 'revisionasof' => 'Revision as of $1', 'revision-info' => 'Revision as of $1 by $2', 'revision-info-current' => '-', # do not translate or duplicate this message to other languages 'revision-nav' => '($1) $2{{int:pipe-separator}}$3 ($4){{int:pipe-separator}}$5 ($6)', # do not translate or duplicate this message to other languages 'previousrevision' => '← Older revision', 'nextrevision' => 'Newer revision →', 'currentrevisionlink' => 'Current revision', 'cur' => 'cur', 'next' => 'next', 'last' => 'prev', 'page_first' => 'first', 'page_last' => 'last', 'histlegend' => "Diff selection: mark the radio boxes of the revisions to compare and hit enter or the button at the bottom.<br /> Legend: '''({{int:cur}})''' = difference with current revision, '''({{int:last}})''' = difference with preceding revision, '''{{int:minoreditletter}}''' = minor edit.", 'history-fieldset-title' => 'Browse history', 'history_copyright' => '-', # do not translate or duplicate this message to other languages 'histfirst' => 'Earliest', 'histlast' => 'Latest', 'historysize' => '({{PLURAL:$1|1 byte|$1 bytes}})', 'historyempty' => '(empty)', # Revision feed 'history-feed-title' => 'Revision history', 'history-feed-description' => 'Revision history for this page on the wiki', 'history-feed-item-nocomment' => '$1 at $2', 'history-feed-empty' => 'The requested page does not exist. It may have been deleted from the wiki, or renamed. Try [[Special:Search|searching on the wiki]] for relevant new pages.', # Revision deletion 'rev-deleted-comment' => '(comment removed)', 'rev-deleted-user' => '(username removed)', 'rev-deleted-event' => '(log action removed)', 'rev-deleted-text-permission' => "This page revision has been '''deleted'''. There may be details in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} deletion log].", 'rev-deleted-text-unhide' => "This page revision has been '''deleted'''. There may be details in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} deletion log]. As an administrator you can still [$1 view this revision] if you wish to proceed.", 'rev-suppressed-text-unhide' => "This page revision has been '''suppressed'''. There may be details in the [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} suppression log]. As an administrator you can still [$1 view this revision] if you wish to proceed.", 'rev-deleted-text-view' => "This page revision has been '''deleted'''. As an administrator you can view it; there may be details in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} deletion log].", 'rev-suppressed-text-view' => "This page revision has been '''suppressed'''. As an administrator you can view it; there may be details in the [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} suppression log].", 'rev-deleted-no-diff' => "You cannot view this diff because one of the revisions has been '''deleted'''. There may be details in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} deletion log].", 'rev-deleted-unhide-diff' => "One of the revisions of this diff has been '''deleted'''. There may be details in the [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} deletion log]. As an administrator you can still [$1 view this diff] if you wish to proceed.", 'rev-delundel' => 'show/hide', 'revisiondelete' => 'Delete/undelete revisions', 'revdelete-nooldid-title' => 'Invalid target revision', 'revdelete-nooldid-text' => 'You have either not specified a target revision(s) to perform this function, the specified revision does not exist, or you are attempting to hide the current revision.', 'revdelete-nologtype-title' => 'No log type given', 'revdelete-nologtype-text' => 'You have not specified a log type to perform this action on.', 'revdelete-nologid-title' => 'Invalid log entry', 'revdelete-nologid-text' => 'You have either not specified a target log event to perform this function or the specified entry does not exist.', 'revdelete-no-file' => 'The file specified does not exist.', 'revdelete-show-file-confirm' => 'Are you sure you want to view a deleted revision of the file "<nowiki>$1</nowiki>" from $2 at $3?', 'revdelete-show-file-submit' => 'Yes', 'revdelete-selected' => "'''{{PLURAL:$2|Selected revision|Selected revisions}} of [[:$1]]:'''", 'logdelete-selected' => "'''{{PLURAL:$1|Selected log event|Selected log events}}:'''", 'revdelete-text' => "'''Deleted revisions and events will still appear in the page history and logs, but parts of their content will be inaccessible to the public.''' Other administrators on {{SITENAME}} will still be able to access the hidden content and can undelete it again through this same interface, unless additional restrictions are set. Please confirm that you intend to do this, that you understand the consequences, and that you are doing this in accordance with [[{{MediaWiki:Policy-url}}|the policy]].", 'revdelete-suppress-text' => "Suppression should '''only''' be used for the following cases: * Inappropriate personal information *: ''home addresses and telephone numbers, social security numbers, etc.''", 'revdelete-legend' => 'Set visibility restrictions', 'revdelete-hide-text' => 'Hide revision text', 'revdelete-hide-name' => 'Hide action and target', 'revdelete-hide-comment' => 'Hide edit comment', 'revdelete-hide-user' => "Hide editor's username/IP", 'revdelete-hide-restricted' => 'Suppress data from administrators as well as others', 'revdelete-suppress' => 'Suppress data from administrators as well as others', 'revdelete-hide-image' => 'Hide file content', 'revdelete-unsuppress' => 'Remove restrictions on restored revisions', 'revdelete-log' => 'Reason for deletion:', 'revdelete-submit' => 'Apply to selected revision', 'revdelete-logentry' => 'changed revision visibility of [[$1]]', 'logdelete-logentry' => 'changed event visibility of [[$1]]', 'revdelete-success' => "'''Revision visibility successfully set.'''", 'revdelete-failure' => "'''Revision visibility could not be set:''' $1", 'logdelete-success' => "'''Log visibility successfully set.'''", 'logdelete-failure' => "'''Log visibility could not be set:''' $1", 'revdel-restore' => 'change visibility', 'pagehist' => 'Page history', 'deletedhist' => 'Deleted history', 'revdelete-content' => 'content', 'revdelete-summary' => 'edit summary', 'revdelete-uname' => 'username', 'revdelete-restricted' => 'applied restrictions to administrators', 'revdelete-unrestricted' => 'removed restrictions for administrators', 'revdelete-hid' => 'hid $1', 'revdelete-unhid' => 'unhid $1', 'revdelete-log-message' => '$1 for $2 {{PLURAL:$2|revision|revisions}}', 'logdelete-log-message' => '$1 for $2 {{PLURAL:$2|event|events}}', 'revdelete-hide-current' => 'Error hiding the item dated $2, $1: this is the current revision. It cannot be hidden.', 'revdelete-show-no-access' => 'Error showing the item dated $2, $1: this item has been marked "restricted". You do not have access to it.', 'revdelete-modify-no-access' => 'Error modifying the item dated $2, $1: this item has been marked "restricted". You do not have access to it.', 'revdelete-modify-missing' => 'Error modifying item ID $1: it is missing from the database!', 'revdelete-no-change' => "'''Warning:''' the item dated $2, $1 already had the requested visibility settings.", 'revdelete-concurrent-change' => 'Error modifying the item dated $2, $1: its status appears to have been changed by someone else while you attempted to modify it. Please check the logs.', 'revdelete-only-restricted' => 'You cannot suppress items from view by administrators without also selecting one of the other suppression options.', 'revdelete-reason-dropdown' => '*Common delete reasons ** Copyright violation ** Inappropriate personal information', 'revdelete-otherreason' => 'Other/additional reason:', 'revdelete-reasonotherlist' => 'Other reason', # Suppression log 'suppressionlog' => 'Suppression log', 'suppressionlogtext' => 'Below is a list of deletions and blocks involving content hidden from administrators. See the [[Special:IPBlockList|IP block list]] for the list of currently operational bans and blocks.', # History merging 'mergehistory' => 'Merge page histories', 'mergehistory-header' => 'This page lets you merge revisions of the history of one source page into a newer page. Make sure that this change will maintain historical page continuity.', 'mergehistory-box' => 'Merge revisions of two pages:', 'mergehistory-from' => 'Source page:', 'mergehistory-into' => 'Destination page:', 'mergehistory-list' => 'Mergeable edit history', 'mergehistory-merge' => 'The following revisions of [[:$1]] can be merged into [[:$2]]. Use the radio button column to merge in only the revisions created at and before the specified time. Note that using the navigation links will reset this column.', 'mergehistory-go' => 'Show mergeable edits', 'mergehistory-submit' => 'Merge revisions', 'mergehistory-empty' => 'No revisions can be merged.', 'mergehistory-success' => '$3 {{PLURAL:$3|revision|revisions}} of [[:$1]] successfully merged into [[:$2]].', 'mergehistory-fail' => 'Unable to perform history merge, please recheck the page and time parameters.', 'mergehistory-no-source' => 'Source page $1 does not exist.', 'mergehistory-no-destination' => 'Destination page $1 does not exist.', 'mergehistory-invalid-source' => 'Source page must be a valid title.', 'mergehistory-invalid-destination' => 'Destination page must be a valid title.', 'mergehistory-autocomment' => 'Merged [[:$1]] into [[:$2]]', 'mergehistory-comment' => 'Merged [[:$1]] into [[:$2]]: $3', 'mergehistory-same-destination' => 'Source and destination pages cannot be the same', 'mergehistory-reason' => 'Reason:', # Merge log 'mergelog' => 'Merge log', 'pagemerge-logentry' => 'merged [[$1]] into [[$2]] (revisions up to $3)', 'revertmerge' => 'Unmerge', 'mergelogpagetext' => 'Below is a list of the most recent merges of one page history into another.', # Diffs 'history-title' => 'Revision history of "$1"', 'difference' => '(Difference between revisions)', 'lineno' => 'Line $1:', 'compareselectedversions' => 'Compare selected revisions', 'showhideselectedversions' => 'Show/hide selected revisions', 'visualcomparison' => 'Visual comparison', 'wikicodecomparison' => 'Wikitext comparison', 'editundo' => 'undo', 'diff-multi' => '({{PLURAL:$1|One intermediate revision|$1 intermediate revisions}} not shown)', 'diff-movedto' => 'moved to $1', 'diff-styleadded' => '$1 style added', 'diff-added' => '$1 added', 'diff-changedto' => 'changed to $1', 'diff-movedoutof' => 'moved out of $1', 'diff-styleremoved' => '$1 style removed', 'diff-removed' => '$1 removed', 'diff-changedfrom' => 'changed from $1', 'diff-src' => 'source', 'diff-withdestination' => 'with destination $1', 'diff-with' => ' with $1 $2', 'diff-with-additional' => '$1 $2', # only translate this message to other languages if you have to change it 'diff-with-final' => ' and $1 $2', 'diff-width' => 'width', 'diff-height' => 'height', 'diff-p' => "a '''paragraph'''", 'diff-blockquote' => "a '''quote'''", 'diff-h1' => "a '''heading (level 1)'''", 'diff-h2' => "a '''heading (level 2)'''", 'diff-h3' => "a '''heading (level 3)'''", 'diff-h4' => "a '''heading (level 4)'''", 'diff-h5' => "a '''heading (level 5)'''", 'diff-pre' => "a '''preformatted block'''", 'diff-div' => "a '''division'''", 'diff-ul' => "an '''unordered list'''", 'diff-ol' => "an '''ordered list'''", 'diff-li' => "a '''list item'''", 'diff-table' => "a '''table'''", 'diff-tbody' => "a '''table's content'''", 'diff-tr' => "a '''row'''", 'diff-td' => "a '''cell'''", 'diff-th' => "a '''header'''", 'diff-br' => "a '''break'''", 'diff-hr' => "a '''horizontal rule'''", 'diff-code' => "a '''computer code block'''", 'diff-dl' => "a '''definition list'''", 'diff-dt' => "a '''definition term'''", 'diff-dd' => "a '''definition'''", 'diff-input' => "an '''input'''", 'diff-form' => "a '''form'''", 'diff-img' => "an '''image'''", 'diff-span' => "a '''span'''", 'diff-a' => "a '''link'''", 'diff-i' => "'''italics'''", 'diff-b' => "'''bold'''", 'diff-strong' => "'''strong'''", 'diff-em' => "'''emphasis'''", 'diff-font' => "'''font'''", 'diff-big' => "'''big'''", 'diff-del' => "'''deleted'''", 'diff-tt' => "'''fixed width'''", 'diff-sub' => "'''subscript'''", 'diff-sup' => "'''superscript'''", 'diff-strike' => "'''strikethrough'''", # Search results 'searchresults' => 'Search results', 'searchresults-title' => 'Search results for "$1"', 'searchresulttext' => 'For more information about searching {{SITENAME}}, see [[{{MediaWiki:Helppage}}|{{int:help}}]].', 'searchsubtitle' => 'You searched for \'\'\'[[:$1]]\'\'\' ([[Special:Prefixindex/$1|all pages starting with "$1"]]{{int:pipe-separator}}[[Special:WhatLinksHere/$1|all pages that link to "$1"]])', 'searchsubtitleinvalid' => "You searched for '''$1'''", 'noexactmatch' => "'''There is no page titled \"\$1\".''' You can [[:\$1|create this page]].", 'noexactmatch-nocreate' => "'''There is no page titled \"\$1\".'''", 'toomanymatches' => 'Too many matches were returned, please try a different query', 'titlematches' => 'Page title matches', 'notitlematches' => 'No page title matches', 'textmatches' => 'Page text matches', 'notextmatches' => 'No page text matches', 'prevn' => 'previous {{PLURAL:$1|$1}}', 'nextn' => 'next {{PLURAL:$1|$1}}', 'prevn-title' => 'Previous $1 {{PLURAL:$1|result|results}}', 'nextn-title' => 'Next $1 {{PLURAL:$1|result|results}}', 'shown-title' => 'Show $1 {{PLURAL:$1|result|results}} per page', 'viewprevnext' => 'View ($1) ($2) ($3)', 'searchmenu-legend' => 'Search options', 'searchmenu-exists' => "'''There is a page named \"[[:\$1]]\" on this wiki'''", 'searchmenu-new' => "'''Create the page \"[[:\$1]]\" on this wiki!'''", 'searchhelp-url' => 'Help:Contents', 'searchmenu-prefix' => '[[Special:PrefixIndex/$1|Browse pages with this prefix]]', 'searchmenu-help' => '[[{{MediaWiki:Searchhelp-url}}|{{int:help}}]]?', # do not translate or duplicate this message to other languages 'searchprofile-articles' => 'Content pages', 'searchprofile-project' => 'Help and Project pages', 'searchprofile-images' => 'Multimedia', 'searchprofile-everything' => 'Everything', 'searchprofile-advanced' => 'Advanced', 'searchprofile-articles-tooltip' => 'Search in $1', 'searchprofile-project-tooltip' => 'Search in $1', 'searchprofile-images-tooltip' => 'Search for files', 'searchprofile-everything-tooltip' => 'Search all of content (including talk pages)', 'searchprofile-advanced-tooltip' => 'Search in custom namespaces', 'search-result-size' => '$1 ({{PLURAL:$2|1 word|$2 words}})', 'search-result-score' => 'Relevance: $1%', 'search-redirect' => '(redirect $1)', 'search-section' => '(section $1)', 'search-suggest' => 'Did you mean: $1', 'search-interwiki-caption' => 'Sister projects', 'search-interwiki-default' => '$1 results:', 'search-interwiki-custom' => '', # do not translate or duplicate this message to other languages 'search-interwiki-more' => '(more)', 'search-mwsuggest-enabled' => 'with suggestions', 'search-mwsuggest-disabled' => 'no suggestions', 'search-relatedarticle' => 'Related', 'mwsuggest-disable' => 'Disable AJAX suggestions', 'searcheverything-enable' => 'Search in all namespaces', 'searchrelated' => 'related', 'searchall' => 'all', 'showingresults' => "Showing below up to {{PLURAL:$1|'''1''' result|'''$1''' results}} starting with #'''$2'''.", 'showingresultsnum' => "Showing below {{PLURAL:$3|'''1''' result|'''$3''' results}} starting with #'''$2'''.", 'showingresultsheader' => "{{PLURAL:$5|Result '''$1''' of '''$3'''|Results '''$1 - $2''' of '''$3'''}} for '''$4'''", 'nonefound' => "'''Note''': Only some namespaces are searched by default. Try prefixing your query with ''all:'' to search all content (including talk pages, templates, etc), or use the desired namespace as prefix.", 'search-nonefound' => 'There were no results matching the query.', 'powersearch' => 'Advanced search', 'powersearch-legend' => 'Advanced search', 'powersearch-ns' => 'Search in namespaces:', 'powersearch-redir' => 'List redirects', 'powersearch-field' => 'Search for', 'powersearch-togglelabel' => 'Check:', 'powersearch-toggleall' => 'All', 'powersearch-togglenone' => 'None', 'search-external' => 'External search', 'searchdisabled' => '{{SITENAME}} search is disabled. You can search via Google in the meantime. Note that their indexes of {{SITENAME}} content may be out of date.', 'googlesearch' => '<form method="get" action="http://www.google.com/search" id="googlesearch"> <input type="hidden" name="domains" value="{{SERVER}}" /> <input type="hidden" name="num" value="50" /> <input type="hidden" name="ie" value="$2" /> <input type="hidden" name="oe" value="$2" /> <input type="text" name="q" size="31" maxlength="255" value="$1" /> <input type="submit" name="btnG" value="$3" /> <div> <input type="radio" name="sitesearch" id="gwiki" value="{{SERVER}}" checked="checked" /><label for="gwiki">{{SITENAME}}</label> <input type="radio" name="sitesearch" id="gWWW" value="" /><label for="gWWW">WWW</label> </div> </form>', # do not translate or duplicate this message to other languages # OpenSearch description 'opensearch-desc' => '{{SITENAME}} ({{CONTENTLANGUAGE}})', # do not translate or duplicate this message to other languages # Quickbar 'qbsettings' => 'Quickbar', 'qbsettings-none' => 'None', 'qbsettings-fixedleft' => 'Fixed left', 'qbsettings-fixedright' => 'Fixed right', 'qbsettings-floatingleft' => 'Floating left', 'qbsettings-floatingright' => 'Floating right', # Preferences page 'preferences' => 'Preferences', 'preferences-summary' => '', # do not translate or duplicate this message to other languages 'mypreferences' => 'My preferences', 'prefs-edits' => 'Number of edits:', 'prefsnologin' => 'Not logged in', 'prefsnologintext' => 'You must be <span class="plainlinks">[{{fullurl:{{#Special:UserLogin}}|returnto=$1}} logged in]</span> to set user preferences.', 'changepassword' => 'Change password', 'prefs-skin' => 'Skin', 'skin-preview' => 'Preview', 'prefs-math' => 'Math', 'datedefault' => 'No preference', 'prefs-datetime' => 'Date and time', 'prefs-personal' => 'User profile', 'prefs-rc' => 'Recent changes', 'prefs-watchlist' => 'Watchlist', 'prefs-watchlist-days' => 'Days to show in watchlist:', 'prefs-watchlist-days-max' => 'Maximum 7 days', 'prefs-watchlist-edits' => 'Maximum number of changes to show in expanded watchlist:', 'prefs-watchlist-edits-max' => 'Maximum number: 1000', 'prefs-watchlist-token' => 'Watchlist token', 'prefs-misc' => 'Misc', 'prefs-resetpass' => 'Change password', 'prefs-email' => 'E-mail options', 'prefs-rendering' => 'Appearance', 'saveprefs' => 'Save', 'resetprefs' => 'Clear unsaved changes', 'restoreprefs' => 'Restore all default settings', 'prefs-editing' => 'Editing', 'prefs-edit-boxsize' => 'Size of the edit window.', 'rows' => 'Rows:', 'columns' => 'Columns:', 'searchresultshead' => 'Search', 'resultsperpage' => 'Hits per page:', 'contextlines' => 'Lines per hit:', 'contextchars' => 'Context per line:', 'stub-threshold' => 'Threshold for <a href="#" class="stub">stub link</a> formatting (bytes):', 'recentchangesdays' => 'Days to show in recent changes:', 'recentchangesdays-max' => 'Maximum $1 {{PLURAL:$1|day|days}}', 'recentchangescount' => 'Number of edits to show by default:', 'prefs-help-recentchangescount' => 'This includes recent changes, page histories, and logs.', 'prefs-help-watchlist-token' => "Filling in this field with a secret key will generate an RSS feed for your watchlist. Anyone who knows the key in this field will be able to read your watchlist, so choose a secure value. Here's a randomly-generated value you can use: $1", 'savedprefs' => 'Your preferences have been saved.', 'timezonelegend' => 'Time zone:', 'localtime' => 'Local time:', 'timezoneuseserverdefault' => 'Use server default', 'timezoneuseoffset' => 'Other (specify offset)', 'timezoneoffset' => 'Offset¹:', 'servertime' => 'Server time:', 'guesstimezone' => 'Fill in from browser', 'timezoneregion-africa' => 'Africa', 'timezoneregion-america' => 'America', 'timezoneregion-antarctica' => 'Antarctica', 'timezoneregion-arctic' => 'Arctic', 'timezoneregion-asia' => 'Asia', 'timezoneregion-atlantic' => 'Atlantic Ocean', 'timezoneregion-australia' => 'Australia', 'timezoneregion-europe' => 'Europe', 'timezoneregion-indian' => 'Indian Ocean', 'timezoneregion-pacific' => 'Pacific Ocean', 'allowemail' => 'Enable e-mail from other users', 'prefs-searchoptions' => 'Search options', 'prefs-namespaces' => 'Namespaces', 'defaultns' => 'Otherwise search in these namespaces:', 'default' => 'default', 'prefs-files' => 'Files', 'prefs-custom-css' => 'Custom CSS', 'prefs-custom-js' => 'Custom JS', 'prefs-reset-intro' => 'You can use this page to reset your preferences to the site defaults. This cannot be undone.', 'prefs-emailconfirm-label' => 'E-mail confirmation:', 'prefs-textboxsize' => 'Size of editing window', 'youremail' => 'E-mail:', 'username' => 'Username:', 'uid' => 'User ID:', 'prefs-memberingroups' => 'Member of {{PLURAL:$1|group|groups}}:', 'prefs-memberingroups-type' => '$1', # only translate this message to other languages if you have to change it 'prefs-registration' => 'Registration time:', 'prefs-registration-date-time' => '$1', # only translate this message to other languages if you have to change it 'yourrealname' => 'Real name:', 'yourlanguage' => 'Language:', 'yourvariant' => 'Variant:', # only translate this message to other languages if you have to change it 'yournick' => 'New signature:', 'prefs-help-signature' => 'Comments on talk pages should be signed with "<nowiki>~~~~</nowiki>" which will be converted into your signature and a timestamp.', 'badsig' => 'Invalid raw signature. Check HTML tags.', 'badsiglength' => 'Your signature is too long. It must not be more than $1 {{PLURAL:$1|character|characters}} long.', 'yourgender' => 'Gender:', 'gender-unknown' => 'Unspecified', 'gender-male' => 'Male', 'gender-female' => 'Female', 'prefs-help-gender' => 'Optional: used for gender-correct addressing by the software. This information will be public.', 'email' => 'E-mail', 'prefs-help-realname' => 'Real name is optional. If you choose to provide it, this will be used for giving you attribution for your work.', 'prefs-help-email' => 'E-mail address is optional, but allows a new password to be e-mailed to you if you forget your password. You can also choose to let others contact you through your user or talk page without needing to reveal your identity.', 'prefs-help-email-required' => 'E-mail address is required.', 'prefs-info' => 'Basic information', 'prefs-i18n' => 'Internationalisation', 'prefs-signature' => 'Signature', 'prefs-dateformat' => 'Date format', 'prefs-timeoffset' => 'Time offset', 'prefs-advancedediting' => 'Advanced options', 'prefs-advancedrc' => 'Advanced options', 'prefs-advancedrendering' => 'Advanced options', 'prefs-advancedsearchoptions' => 'Advanced options', 'prefs-advancedwatchlist' => 'Advanced options', 'prefs-display' => 'Display options', 'prefs-diffs' => 'Diffs', # User rights 'userrights' => 'User rights management', 'userrights-summary' => '', # do not translate or duplicate this message to other languages 'userrights-lookup-user' => 'Manage user groups', 'userrights-user-editname' => 'Enter a username:', 'editusergroup' => 'Edit user groups', 'editinguser' => "Changing user rights of user '''[[User:$1|$1]]''' ([[User talk:$1|{{int:talkpagelinktext}}]]{{int:pipe-separator}}[[Special:Contributions/$1|{{int:contribslink}}]])", 'userrights-editusergroup' => 'Edit user groups', 'saveusergroups' => 'Save user groups', 'userrights-groupsmember' => 'Member of:', 'userrights-groups-help' => 'You may alter the groups this user is in: * A checked box means the user is in that group. * An unchecked box means the user is not in that group. * A * indicates that you cannot remove the group once you have added it, or vice versa.', 'userrights-reason' => 'Reason for change:', 'userrights-no-interwiki' => 'You do not have permission to edit user rights on other wikis.', 'userrights-nodatabase' => 'Database $1 does not exist or is not local.', 'userrights-nologin' => 'You must [[Special:UserLogin|log in]] with an administrator account to assign user rights.', 'userrights-notallowed' => 'Your account does not have permission to assign user rights.', 'userrights-changeable-col' => 'Groups you can change', 'userrights-unchangeable-col' => 'Groups you cannot change', 'userrights-irreversible-marker' => '$1*', # only translate this message to other languages if you have to change it # Groups 'group' => 'Group:', 'group-user' => 'Users', 'group-autoconfirmed' => 'Autoconfirmed users', 'group-bot' => 'Bots', 'group-sysop' => 'Administrators', 'group-bureaucrat' => 'Bureaucrats', 'group-suppress' => 'Oversights', 'group-all' => '(all)', 'group-user-member' => 'User', 'group-autoconfirmed-member' => 'Autoconfirmed user', 'group-bot-member' => 'Bot', 'group-sysop-member' => 'Administrator', 'group-bureaucrat-member' => 'Bureaucrat', 'group-suppress-member' => 'Oversight', 'grouppage-user' => '{{ns:project}}:Users', 'grouppage-autoconfirmed' => '{{ns:project}}:Autoconfirmed users', 'grouppage-bot' => '{{ns:project}}:Bots', 'grouppage-sysop' => '{{ns:project}}:Administrators', 'grouppage-bureaucrat' => '{{ns:project}}:Bureaucrats', 'grouppage-suppress' => '{{ns:project}}:Oversight', # Rights 'right-read' => 'Read pages', 'right-edit' => 'Edit pages', 'right-createpage' => 'Create pages (which are not discussion pages)', 'right-createtalk' => 'Create discussion pages', 'right-createaccount' => 'Create new user accounts', 'right-minoredit' => 'Mark edits as minor', 'right-move' => 'Move pages', 'right-move-subpages' => 'Move pages with their subpages', 'right-move-rootuserpages' => 'Move root user pages', 'right-movefile' => 'Move files', 'right-suppressredirect' => 'Not create redirects from source pages when moving pages', 'right-upload' => 'Upload files', 'right-reupload' => 'Overwrite existing files', 'right-reupload-own' => 'Overwrite existing files uploaded by oneself', 'right-reupload-shared' => 'Override files on the shared media repository locally', 'right-upload_by_url' => 'Upload files from a URL', 'right-purge' => 'Purge the site cache for a page without confirmation', 'right-autoconfirmed' => 'Edit semi-protected pages', 'right-bot' => 'Be treated as an automated process', 'right-nominornewtalk' => 'Not have minor edits to discussion pages trigger the new messages prompt', 'right-apihighlimits' => 'Use higher limits in API queries', 'right-writeapi' => 'Use of the write API', 'right-delete' => 'Delete pages', 'right-bigdelete' => 'Delete pages with large histories', 'right-deleterevision' => 'Delete and undelete specific revisions of pages', 'right-deletedhistory' => 'View deleted history entries, without their associated text', 'right-browsearchive' => 'Search deleted pages', 'right-undelete' => 'Undelete a page', 'right-suppressrevision' => 'Review and restore revisions hidden from administrators', 'right-suppressionlog' => 'View private logs', 'right-block' => 'Block other users from editing', 'right-blockemail' => 'Block a user from sending e-mail', 'right-hideuser' => 'Block a username, hiding it from the public', 'right-ipblock-exempt' => 'Bypass IP blocks, auto-blocks and range blocks', 'right-proxyunbannable' => 'Bypass automatic blocks of proxies', 'right-protect' => 'Change protection levels and edit protected pages', 'right-editprotected' => 'Edit protected pages (without cascading protection)', 'right-editinterface' => 'Edit the user interface', 'right-editusercssjs' => "Edit other users' CSS and JS files", 'right-editusercss' => "Edit other users' CSS files", 'right-edituserjs' => "Edit other users' JS files", 'right-rollback' => 'Quickly rollback the edits of the last user who edited a particular page', 'right-markbotedits' => 'Mark rolled-back edits as bot edits', 'right-noratelimit' => 'Not be affected by rate limits', 'right-import' => 'Import pages from other wikis', 'right-importupload' => 'Import pages from a file upload', 'right-patrol' => "Mark others' edits as patrolled", 'right-autopatrol' => "Have one's own edits automatically marked as patrolled", 'right-patrolmarks' => 'View recent changes patrol marks', 'right-unwatchedpages' => 'View a list of unwatched pages', 'right-trackback' => 'Submit a trackback', 'right-mergehistory' => 'Merge the history of pages', 'right-userrights' => 'Edit all user rights', 'right-userrights-interwiki' => 'Edit user rights of users on other wikis', 'right-siteadmin' => 'Lock and unlock the database', 'right-reset-passwords' => "Reset other users' passwords", 'right-override-export-depth' => 'Export pages including linked pages up to a depth of 5', 'right-versiondetail' => 'Show the extended software version information', # User rights log 'rightslog' => 'User rights log', 'rightslogtext' => 'This is a log of changes to user rights.', 'rightslogentry' => 'changed group membership for $1 from $2 to $3', 'rightsnone' => '(none)', # Associated actions - in the sentence "You do not have permission to X" 'action-read' => 'read this page', 'action-edit' => 'edit this page', 'action-createpage' => 'create pages', 'action-createtalk' => 'create discussion pages', 'action-createaccount' => 'create this user account', 'action-minoredit' => 'mark this edit as minor', 'action-move' => 'move this page', 'action-move-subpages' => 'move this page, and its subpages', 'action-move-rootuserpages' => 'move root user pages', 'action-movefile' => 'move this file', 'action-upload' => 'upload this file', 'action-reupload' => 'overwrite this existing file', 'action-reupload-shared' => 'override this file on a shared repository', 'action-upload_by_url' => 'upload this file from a URL', 'action-writeapi' => 'use the write API', 'action-delete' => 'delete this page', 'action-deleterevision' => 'delete this revision', 'action-deletedhistory' => "view this page's deleted history", 'action-browsearchive' => 'search deleted pages', 'action-undelete' => 'undelete this page', 'action-suppressrevision' => 'review and restore this hidden revision', 'action-suppressionlog' => 'view this private log', 'action-block' => 'block this user from editing', 'action-protect' => 'change protection levels for this page', 'action-import' => 'import this page from another wiki', 'action-importupload' => 'import this page from a file upload', 'action-patrol' => "mark others' edit as patrolled", 'action-autopatrol' => 'have your edit marked as patrolled', 'action-unwatchedpages' => 'view the list of unwatched pages', 'action-trackback' => 'submit a trackback', 'action-mergehistory' => 'merge the history of this page', 'action-userrights' => 'edit all user rights', 'action-userrights-interwiki' => 'edit user rights of users on other wikis', 'action-siteadmin' => 'lock or unlock the database', # Recent changes 'nchanges' => '$1 {{PLURAL:$1|change|changes}}', 'recentchanges' => 'Recent changes', 'recentchanges-url' => 'Special:RecentChanges', # do not translate or duplicate this message to other languages 'recentchanges-legend' => 'Recent changes options', 'recentchangestext' => 'Track the most recent changes to the wiki on this page.', 'recentchanges-feed-description' => 'Track the most recent changes to the wiki in this feed.', 'recentchanges-label-legend' => 'Legend: $1.', 'recentchanges-legend-newpage' => '$1 - new page', 'recentchanges-label-newpage' => 'This edit created a new page', 'recentchanges-legend-minor' => '$1 - minor edit', 'recentchanges-label-minor' => 'This is a minor edit', 'recentchanges-legend-bot' => '$1 - bot edit', 'recentchanges-label-bot' => 'This edit was performed by a bot', 'recentchanges-legend-unpatrolled' => '$1 - unpatrolled edit', 'recentchanges-label-unpatrolled' => 'This edit has not yet been patrolled', 'rcnote' => "Below {{PLURAL:$1|is '''1''' change|are the last '''$1''' changes}} in the last {{PLURAL:$2|day|'''$2''' days}}, as of $5, $4.", 'rcnotefrom' => "Below are the changes since '''$2''' (up to '''$1''' shown).", 'rclistfrom' => 'Show new changes starting from $1', 'rcshowhideminor' => '$1 minor edits', 'rcshowhidebots' => '$1 bots', 'rcshowhideliu' => '$1 logged-in users', 'rcshowhideanons' => '$1 anonymous users', 'rcshowhidepatr' => '$1 patrolled edits', 'rcshowhidemine' => '$1 my edits', 'rclinks' => 'Show last $1 changes in last $2 days<br />$3', 'diff' => 'diff', 'hist' => 'hist', 'hide' => 'Hide', 'show' => 'Show', 'minoreditletter' => 'm', 'newpageletter' => 'N', 'boteditletter' => 'b', 'unpatrolledletter' => '!', # only translate this message to other languages if you have to change it 'sectionlink' => '→', # only translate this message to other languages if you have to change it 'number_of_watching_users_RCview' => '[$1]', # do not translate or duplicate this message to other languages 'number_of_watching_users_pageview' => '[$1 watching {{PLURAL:$1|user|users}}]', 'rc_categories' => 'Limit to categories (separate with "|")', 'rc_categories_any' => 'Any', 'rc-change-size' => '$1', # only translate this message to other languages if you have to change it 'newsectionsummary' => '/* $1 */ new section', 'rc-enhanced-expand' => 'Show details (requires JavaScript)', 'rc-enhanced-hide' => 'Hide details', # Recent changes linked 'recentchangeslinked' => 'Related changes', 'recentchangeslinked-feed' => 'Related changes', 'recentchangeslinked-toolbox' => 'Related changes', 'recentchangeslinked-title' => 'Changes related to "$1"', 'recentchangeslinked-backlink' => '← $1', # only translate this message to other languages if you have to change it 'recentchangeslinked-noresult' => 'No changes on linked pages during the given period.', 'recentchangeslinked-summary' => "This is a list of changes made recently to pages linked from a specified page (or to members of a specified category). Pages on [[Special:Watchlist|your watchlist]] are '''bold'''.", 'recentchangeslinked-page' => 'Page name:', 'recentchangeslinked-to' => 'Show changes to pages linked to the given page instead', # Upload 'upload' => 'Upload file', 'uploadbtn' => 'Upload file', 'reupload' => 'Re-upload', 'reuploaddesc' => 'Cancel upload and return to the upload form', 'uploadnologin' => 'Not logged in', 'uploadnologintext' => 'You must be [[Special:UserLogin|logged in]] to upload files.', 'upload_directory_missing' => 'The upload directory ($1) is missing and could not be created by the webserver.', 'upload_directory_read_only' => 'The upload directory ($1) is not writable by the webserver.', 'uploaderror' => 'Upload error', 'upload-summary' => '', # do not translate or duplicate this message to other languages 'uploadtext' => "Use the form below to upload files. To view or search previously uploaded files go to the [[Special:FileList|list of uploaded files]], (re)uploads are also logged in the [[Special:Log/upload|upload log]], deletions in the [[Special:Log/delete|deletion log]]. To include a file in a page, use a link in one of the following forms: * '''<tt><nowiki>[[</nowiki>{{ns:file}}<nowiki>:File.jpg]]</nowiki></tt>''' to use the full version of the file * '''<tt><nowiki>[[</nowiki>{{ns:file}}<nowiki>:File.png|200px|thumb|left|alt text]]</nowiki></tt>''' to use a 200 pixel wide rendition in a box in the left margin with 'alt text' as description * '''<tt><nowiki>[[</nowiki>{{ns:media}}<nowiki>:File.ogg]]</nowiki></tt>''' for directly linking to the file without displaying the file", 'upload-permitted' => 'Permitted file types: $1.', 'upload-preferred' => 'Preferred file types: $1.', 'upload-prohibited' => 'Prohibited file types: $1.', 'uploadfooter' => '-', # do not translate or duplicate this message to other languages 'uploadlog' => 'upload log', 'uploadlogpage' => 'Upload log', 'uploadlogpagetext' => 'Below is a list of the most recent file uploads. See the [[Special:NewFiles|gallery of new files]] for a more visual overview.', 'filename' => 'Filename', 'filedesc' => 'Summary', 'fileuploadsummary' => 'Summary:', 'filereuploadsummary' => 'File changes:', 'filestatus' => 'Copyright status:', 'filesource' => 'Source:', 'uploadedfiles' => 'Uploaded files', 'ignorewarning' => 'Ignore warning and save file anyway', 'ignorewarnings' => 'Ignore any warnings', 'minlength1' => 'File names must be at least one letter.', 'illegalfilename' => 'The filename "$1" contains characters that are not allowed in page titles. Please rename the file and try uploading it again.', 'badfilename' => 'File name has been changed to "$1".', 'filetype-badmime' => 'Files of the MIME type "$1" are not allowed to be uploaded.', 'filetype-bad-ie-mime' => 'Cannot upload this file because Internet Explorer would detect it as "$1", which is a disallowed and potentially dangerous file type.', 'filetype-unwanted-type' => "'''\".\$1\"''' is an unwanted file type. Preferred {{PLURAL:\$3|file type is|file types are}} \$2.", 'filetype-banned-type' => "'''\".\$1\"''' is not a permitted file type. Permitted {{PLURAL:\$3|file type is|file types are}} \$2.", 'filetype-missing' => 'The file has no extension (like ".jpg").', 'large-file' => 'It is recommended that files are no larger than $1; this file is $2.', 'largefileserver' => 'This file is bigger than the server is configured to allow.', 'emptyfile' => 'The file you uploaded seems to be empty. This might be due to a typo in the file name. Please check whether you really want to upload this file.', 'fileexists' => "A file with this name exists already, please check '''<tt>$1</tt>''' if you are not sure if you want to change it.", 'filepageexists' => "The description page for this file has already been created at '''<tt>$1</tt>''', but no file with this name currently exists. The summary you enter will not appear on the description page. To make your summary appear there, you will need to manually edit it", 'fileexists-extension' => "A file with a similar name exists:<br /> Name of the uploading file: '''<tt>$1</tt>'''<br /> Name of the existing file: '''<tt>$2</tt>'''<br /> Please choose a different name.", 'fileexists-thumb' => "<center>'''Existing file'''</center>", 'fileexists-thumbnail-yes' => "The file seems to be an image of reduced size ''(thumbnail)''. Please check the file '''<tt>$1</tt>'''.<br /> If the checked file is the same image of original size it is not necessary to upload an extra thumbnail.", 'file-thumbnail-no' => "The filename begins with '''<tt>$1</tt>'''. It seems to be an image of reduced size ''(thumbnail)''. If you have this image in full resolution upload this one, otherwise change the file name please.", 'fileexists-forbidden' => 'A file with this name already exists, and cannot be overwritten. If you still want to upload your file, please go back and use a new name. [[File:$1|thumb|center|$1]]', 'fileexists-shared-forbidden' => 'A file with this name exists already in the shared file repository. If you still want to upload your file, please go back and use a new name. [[File:$1|thumb|center|$1]]', 'file-exists-duplicate' => 'This file is a duplicate of the following {{PLURAL:$1|file|files}}:', 'file-deleted-duplicate' => "A file identical to this file ([[$1]]) has previously been deleted. You should check that file's deletion history before proceeding to re-upload it.", 'successfulupload' => 'Successful upload', 'uploadwarning' => 'Upload warning', 'savefile' => 'Save file', 'uploadedimage' => 'uploaded "[[$1]]"', 'overwroteimage' => 'uploaded a new version of "[[$1]]"', 'uploaddisabled' => 'Uploads disabled', 'uploaddisabledtext' => 'File uploads are disabled.', 'php-uploaddisabledtext' => 'File uploads are disabled in PHP. Please check the file_uploads setting.', 'uploadscripted' => 'This file contains HTML or script code that may be erroneously interpreted by a web browser.', 'uploadcorrupt' => 'The file is corrupt or has an incorrect extension. Please check the file and upload again.', 'uploadvirus' => 'The file contains a virus! Details: $1', 'sourcefilename' => 'Source filename:', 'destfilename' => 'Destination filename:', 'upload-maxfilesize' => 'Maximum file size: $1', 'watchthisupload' => 'Watch this file', 'filewasdeleted' => 'A file of this name has been previously uploaded and subsequently deleted. You should check the $1 before proceeding to upload it again.', 'upload-wasdeleted' => "'''Warning: You are uploading a file that was previously deleted.''' You should consider whether it is appropriate to continue uploading this file. The deletion log for this file is provided here for convenience:", 'filename-bad-prefix' => "The name of the file you are uploading begins with '''\"\$1\"''', which is a non-descriptive name typically assigned automatically by digital cameras. Please choose a more descriptive name for your file.", 'filename-prefix-blacklist' => ' #<!-- leave this line exactly as it is --> <pre> # Syntax is as follows: # * Everything from a "#" character to the end of the line is a comment # * Every non-blank line is a prefix for typical file names assigned automatically by digital cameras CIMG # Casio DSC_ # Nikon DSCF # Fuji DSCN # Nikon DUW # some mobile phones IMG # generic JD # Jenoptik MGP # Pentax PICT # misc. #</pre> <!-- leave this line exactly as it is -->', # only translate this message to other languages if you have to change it 'upload-proto-error' => 'Incorrect protocol', 'upload-proto-error-text' => 'Remote upload requires URLs beginning with <code>http://</code> or <code>ftp://</code>.', 'upload-file-error' => 'Internal error', 'upload-file-error-text' => 'An internal error occurred when attempting to create a temporary file on the server. Please contact an [[Special:ListUsers/sysop|administrator]].', 'upload-misc-error' => 'Unknown upload error', 'upload-misc-error-text' => 'An unknown error occurred during the upload. Please verify that the URL is valid and accessible and try again. If the problem persists, contact an [[Special:ListUsers/sysop|administrator]].', 'upload-too-many-redirects' => 'The URL contained too many redirects', 'upload-unknown-size' => 'Unknown size', 'upload-http-error' => 'An HTTP error occured: $1', +#img_auth script messages +'img-auth-accessdenied' => "Access Denied", +'img-auth-desc' => 'Image authorisation script', +'img-auth-nopathinfo' => "Missing PATH_INFO. Your server is not set up to pass this information - may be CGI-based and can't support img_auth. See http://www.mediawiki.org/wiki/Manual:Image_Authorization.", +'img-auth-notindir' => "Requested path is not in the configured upload directory.", +'img-auth-badtitle' => "Unable to construct a valid title from `$1`.", +'img-auth-nologinnWL' => "You are not logged in and `$1` not in whitelist.", +'img-auth-nofile' => "File `$1` does not exist.", +'img-auth-isdir' => "you are trying to access a directory`$1`. Only file access is allowed.", +'img-auth-streaming' => "Streaming `$1`.", +'img-auth-public' => "The function of img_auth.php is to output files from a private wiki. This wiki is configured as a public wiki. For optimal security, img_auth.php is disabled for this case.", +'img-auth-noread' => "User does not have access to read `$1`.", + # Some likely curl errors. More could be added from <http://curl.haxx.se/libcurl/c/libcurl-errors.html> 'upload-curl-error6' => 'Could not reach URL', 'upload-curl-error6-text' => 'The URL provided could not be reached. Please double-check that the URL is correct and the site is up.', 'upload-curl-error28' => 'Upload timeout', 'upload-curl-error28-text' => 'The site took too long to respond. Please check the site is up, wait a short while and try again. You may want to try at a less busy time.', 'license' => 'Licensing:', 'license-header' => 'Licensing', 'nolicense' => 'None selected', 'licenses' => '-', # do not translate or duplicate this message to other languages 'license-nopreview' => '(Preview not available)', 'upload_source_url' => ' (a valid, publicly accessible URL)', 'upload_source_file' => ' (a file on your computer)', # Special:ListFiles 'listfiles-summary' => 'This special page shows all uploaded files. By default the last uploaded files are shown at top of the list. A click on a column header changes the sorting.', 'listfiles_search_for' => 'Search for media name:', 'imgfile' => 'file', 'listfiles' => 'File list', 'listfiles_date' => 'Date', 'listfiles_name' => 'Name', 'listfiles_user' => 'User', 'listfiles_size' => 'Size', 'listfiles_description' => 'Description', 'listfiles_count' => 'Versions', # File description page 'file-anchor-link' => 'File', 'filehist' => 'File history', 'filehist-help' => 'Click on a date/time to view the file as it appeared at that time.', 'filehist-deleteall' => 'delete all', 'filehist-deleteone' => 'delete', 'filehist-revert' => 'revert', 'filehist-current' => 'current', 'filehist-datetime' => 'Date/Time', 'filehist-thumb' => 'Thumbnail', 'filehist-thumbtext' => 'Thumbnail for version as of $1', 'filehist-nothumb' => 'No thumbnail', 'filehist-user' => 'User', 'filehist-dimensions' => 'Dimensions', 'filehist-filesize' => 'File size', 'filehist-comment' => 'Comment', 'filehist-missing' => 'File missing', 'imagelinks' => 'File links', 'linkstoimage' => 'The following {{PLURAL:$1|page links|$1 pages link}} to this file:', 'linkstoimage-more' => 'More than $1 {{PLURAL:$1|page links|pages link}} to this file. The following list shows the {{PLURAL:$1|first page link|first $1 page links}} to this file only. A [[Special:WhatLinksHere/$2|full list]] is available.', 'nolinkstoimage' => 'There are no pages that link to this file.', 'morelinkstoimage' => 'View [[Special:WhatLinksHere/$1|more links]] to this file.', 'redirectstofile' => 'The following {{PLURAL:$1|file redirects|$1 files redirect}} to this file:', 'duplicatesoffile' => 'The following {{PLURAL:$1|file is a duplicate|$1 files are duplicates}} of this file ([[Special:FileDuplicateSearch/$2|more details]]):', 'sharedupload' => 'This file is from $1 and may be used by other projects.', 'sharedupload-desc-there' => 'This file is from $1 and may be used by other projects. Please see the [$2 file description page] for further information.', 'sharedupload-desc-here' => 'This file is from $1 and may be used by other projects. The description on its [$2 file description page] there is shown below.', 'shareddescriptionfollows' => '-', # do not translate or duplicate this message to other languages 'filepage-nofile' => 'No file by this name exists.', 'filepage-nofile-link' => 'No file by this name exists, but you can [$1 upload it].', 'uploadnewversion-linktext' => 'Upload a new version of this file', 'shared-repo-from' => 'from $1', 'shared-repo' => 'a shared repository', # File reversion 'filerevert' => 'Revert $1', 'filerevert-backlink' => '← $1', # only translate this message to other languages if you have to change it 'filerevert-legend' => 'Revert file', 'filerevert-intro' => "You are about to revert the file '''[[Media:$1|$1]]''' to the [$4 version as of $3, $2].", 'filerevert-comment' => 'Comment:', 'filerevert-defaultcomment' => 'Reverted to version as of $2, $1', 'filerevert-submit' => 'Revert', 'filerevert-success' => "'''[[Media:$1|$1]]''' has been reverted to the [$4 version as of $3, $2].", 'filerevert-badversion' => 'There is no previous local version of this file with the provided timestamp.', # File deletion 'filedelete' => 'Delete $1', 'filedelete-backlink' => '← $1', # only translate this message to other languages if you have to change it 'filedelete-legend' => 'Delete file', 'filedelete-intro' => "You are about to delete the file '''[[Media:$1|$1]]''' along with all of its history.", 'filedelete-intro-old' => "You are deleting the version of '''[[Media:$1|$1]]''' as of [$4 $3, $2].", 'filedelete-comment' => 'Reason for deletion:', 'filedelete-submit' => 'Delete', 'filedelete-success' => "'''$1''' has been deleted.", 'filedelete-success-old' => "The version of '''[[Media:$1|$1]]''' as of $3, $2 has been deleted.", 'filedelete-nofile' => "'''$1''' does not exist.", 'filedelete-nofile-old' => "There is no archived version of '''$1''' with the specified attributes.", 'filedelete-otherreason' => 'Other/additional reason:', 'filedelete-reason-otherlist' => 'Other reason', 'filedelete-reason-dropdown' => '*Common delete reasons ** Copyright violation ** Duplicated file', 'filedelete-edit-reasonlist' => 'Edit delete reasons', # MIME search 'mimesearch' => 'MIME search', 'mimesearch-summary' => 'This page enables the filtering of files for its MIME-type. Input: contenttype/subtype, e.g. <tt>image/jpeg</tt>.', 'mimetype' => 'MIME type:', 'download' => 'download', # Unwatched pages 'unwatchedpages' => 'Unwatched pages', 'unwatchedpages-summary' => '', # do not translate or duplicate this message to other languages # List redirects 'listredirects' => 'List of redirects', 'listredirects-summary' => '', # do not translate or duplicate this message to other languages # Unused templates 'unusedtemplates' => 'Unused templates', 'unusedtemplates-summary' => '', # do not translate or duplicate this message to other languages 'unusedtemplatestext' => 'This page lists all pages in the {{ns:template}} namespace which are not included in another page. Remember to check for other links to the templates before deleting them.', 'unusedtemplateswlh' => 'other links', # Random page 'randompage' => 'Random page', 'randompage-nopages' => 'There are no pages in the following {{PLURAL:$2|namespace|namespaces}}: $1.', 'randompage-url' => 'Special:Random', # do not translate or duplicate this message to other languages # Random redirect 'randomredirect' => 'Random redirect', 'randomredirect-nopages' => 'There are no redirects in the namespace "$1".', # Statistics 'statistics' => 'Statistics', 'statistics-summary' => '', # do not translate or duplicate this message to other languages 'statistics-header-pages' => 'Page statistics', 'statistics-header-edits' => 'Edit statistics', 'statistics-header-views' => 'View statistics', 'statistics-header-users' => 'User statistics', 'statistics-header-hooks' => 'Other statistics', 'statistics-articles' => 'Content pages', 'statistics-pages' => 'Pages', 'statistics-pages-desc' => 'All pages in the wiki, including talk pages, redirects, etc.', 'statistics-files' => 'Uploaded files', 'statistics-edits' => 'Page edits since {{SITENAME}} was set up', 'statistics-edits-average' => 'Average edits per page', 'statistics-views-total' => 'Views total', 'statistics-views-peredit' => 'Views per edit', 'statistics-jobqueue' => '[http://www.mediawiki.org/wiki/Manual:Job_queue Job queue] length', 'statistics-users' => 'Registered [[Special:ListUsers|users]]', 'statistics-users-active' => 'Active users', 'statistics-users-active-desc' => 'Users who have performed an action in the last {{PLURAL:$1|day|$1 days}}', 'statistics-mostpopular' => 'Most viewed pages', 'statistics-footer' => '', # do not translate or duplicate this message to other languages 'disambiguations' => 'Disambiguation pages', 'disambiguations-summary' => '', # do not translate or duplicate this message to other languages 'disambiguationspage' => 'Template:disambig', 'disambiguations-text' => "The following pages link to a '''disambiguation page'''. They should link to the appropriate topic instead.<br /> A page is treated as disambiguation page if it uses a template which is linked from [[MediaWiki:Disambiguationspage]]", 'doubleredirects' => 'Double redirects', 'doubleredirects-summary' => '', # do not translate or duplicate this message to other languages 'doubleredirectstext' => 'This page lists pages which redirect to other redirect pages. Each row contains links to the first and second redirect, as well as the target of the second redirect, which is usually the "real" target page, which the first redirect should point to. <s>Crossed out</s> entries have been solved.', 'double-redirect-fixed-move' => '[[$1]] has been moved. It now redirects to [[$2]].', 'double-redirect-fixer' => 'Redirect fixer', 'brokenredirects' => 'Broken redirects', 'brokenredirects-summary' => '', # do not translate or duplicate this message to other languages 'brokenredirectstext' => 'The following redirects link to non-existent pages:', 'brokenredirects-edit' => 'edit', 'brokenredirects-delete' => 'delete', 'withoutinterwiki' => 'Pages without language links', 'withoutinterwiki-summary' => 'The following pages do not link to other language versions.', 'withoutinterwiki-legend' => 'Prefix', 'withoutinterwiki-submit' => 'Show', 'fewestrevisions' => 'Pages with the fewest revisions', 'fewestrevisions-summary' => '', # do not translate or duplicate this message to other languages # Miscellaneous special pages 'nbytes' => '$1 {{PLURAL:$1|byte|bytes}}', 'ncategories' => '$1 {{PLURAL:$1|category|categories}}', 'nlinks' => '$1 {{PLURAL:$1|link|links}}', 'nmembers' => '$1 {{PLURAL:$1|member|members}}', 'nrevisions' => '$1 {{PLURAL:$1|revision|revisions}}', 'nviews' => '$1 {{PLURAL:$1|view|views}}', 'specialpage-empty' => 'There are no results for this report.', 'lonelypages' => 'Orphaned pages', 'lonelypages-summary' => '', # do not translate or duplicate this message to other languages 'lonelypagestext' => 'The following pages are not linked from or transcluded into other pages in {{SITENAME}}.', 'uncategorizedpages' => 'Uncategorized pages', 'uncategorizedpages-summary' => '', # do not translate or duplicate this message to other languages 'uncategorizedcategories' => 'Uncategorized categories', 'uncategorizedcategories-summary' => '', # do not translate or duplicate this message to other languages 'uncategorizedimages' => 'Uncategorized files', 'uncategorizedimages-summary' => '', # do not translate or duplicate this message to other languages 'uncategorizedtemplates' => 'Uncategorized templates', 'uncategorizedtemplates-summary' => '', # do not translate or duplicate this message to other languages 'unusedcategories' => 'Unused categories', 'unusedimages' => 'Unused files', 'popularpages' => 'Popular pages', 'popularpages-summary' => '', # do not translate or duplicate this message to other languages 'wantedcategories' => 'Wanted categories', 'wantedcategories-summary' => '', # do not translate or duplicate this message to other languages 'wantedpages' => 'Wanted pages', 'wantedpages-summary' => '', # do not translate or duplicate this message to other languages 'wantedpages-badtitle' => 'Invalid title in result set: $1', 'wantedfiles' => 'Wanted files', 'wantedfiles-summary' => '', # do not translate or duplicate this message to other languages 'wantedtemplates' => 'Wanted templates', 'wantedtemplates-summary' => '', # do not translate or duplicate this message to other languages 'mostlinked' => 'Most linked-to pages', 'mostlinked-summary' => '', # do not translate or duplicate this message to other languages 'mostlinkedcategories' => 'Most linked-to categories', 'mostlinkedcategories-summary' => '', # do not translate or duplicate this message to other languages 'mostlinkedtemplates' => 'Most linked-to templates', 'mostlinkedtemplates-summary' => '', # do not translate or duplicate this message to other languages 'mostcategories' => 'Pages with the most categories', 'mostcategories-summary' => '', # do not translate or duplicate this message to other languages 'mostimages' => 'Most linked-to files', 'mostimages-summary' => '', # do not translate or duplicate this message to other languages 'mostrevisions' => 'Pages with the most revisions', 'mostrevisions-summary' => '', # do not translate or duplicate this message to other languages 'prefixindex' => 'All pages with prefix', 'prefixindex-summary' => '', # do not translate or duplicate this message to other languages 'shortpages' => 'Short pages', 'shortpages-summary' => '', # do not translate or duplicate this message to other languages 'longpages' => 'Long pages', 'longpages-summary' => '', # do not translate or duplicate this message to other languages 'deadendpages' => 'Dead-end pages', 'deadendpages-summary' => '', # do not translate or duplicate this message to other languages 'deadendpagestext' => 'The following pages do not link to other pages in {{SITENAME}}.', 'protectedpages' => 'Protected pages', 'protectedpages-indef' => 'Indefinite protections only', 'protectedpages-summary' => '', # do not translate or duplicate this message to other languages 'protectedpages-cascade' => 'Cascading protections only', 'protectedpagestext' => 'The following pages are protected from moving or editing', 'protectedpagesempty' => 'No pages are currently protected with these parameters.', 'protectedtitles' => 'Protected titles', 'protectedtitles-summary' => '', # do not translate or duplicate this message to other languages 'protectedtitlestext' => 'The following titles are protected from creation', 'protectedtitlesempty' => 'No titles are currently protected with these parameters.', 'listusers' => 'User list', 'listusers-summary' => '', # do not translate or duplicate this message to other languages 'listusers-editsonly' => 'Show only users with edits', 'listusers-creationsort' => 'Sort by creation date', 'usereditcount' => '$1 {{PLURAL:$1|edit|edits}}', 'usercreated' => 'Created on $1 at $2', 'newpages' => 'New pages', 'newpages-summary' => '', # do not translate or duplicate this message to other languages 'newpages-username' => 'Username:', 'ancientpages' => 'Oldest pages', 'ancientpages-summary' => '', # do not translate or duplicate this message to other languages 'move' => 'Move', 'movethispage' => 'Move this page', 'unusedimagestext' => 'Please note that other web sites may link to a file with a direct URL, and so may still be listed here despite being in active use.', 'unusedcategoriestext' => 'The following category pages exist, although no other page or category makes use of them.', 'notargettitle' => 'No target', 'notargettext' => 'You have not specified a target page or user to perform this function on.', 'nopagetitle' => 'No such target page', 'nopagetext' => 'The target page you have specified does not exist.', 'pager-newer-n' => '{{PLURAL:$1|newer 1|newer $1}}', 'pager-older-n' => '{{PLURAL:$1|older 1|older $1}}', 'suppress' => 'Oversight', # Book sources 'booksources' => 'Book sources', 'booksources-summary' => '', # do not translate or duplicate this message to other languages 'booksources-search-legend' => 'Search for book sources', 'booksources-isbn' => 'ISBN:', # only translate this message to other languages if you have to change it 'booksources-go' => 'Go', 'booksources-text' => 'Below is a list of links to other sites that sell new and used books, and may also have further information about books you are looking for:', 'booksources-invalid-isbn' => 'The given ISBN does not appear to be valid; check for errors copying from the original source.', # Magic words 'rfcurl' => 'http://tools.ietf.org/html/rfc$1', # do not translate or duplicate this message to other languages 'pubmedurl' => 'http://www.ncbi.nlm.nih.gov/pubmed/$1?dopt=Abstract', # do not translate or duplicate this message to other languages # Special:Log 'specialloguserlabel' => 'User:', 'speciallogtitlelabel' => 'Title:', 'log' => 'Logs', 'all-logs-page' => 'All public logs', 'alllogstext' => 'Combined display of all available logs of {{SITENAME}}. You can narrow down the view by selecting a log type, the user name (case-sensitive), or the affected page (also case-sensitive).', 'logempty' => 'No matching items in log.', 'log-title-wildcard' => 'Search titles starting with this text', # Special:AllPages 'allpages' => 'All pages', 'allpages-summary' => '', # do not translate or duplicate this message to other languages 'alphaindexline' => '$1 to $2', 'nextpage' => 'Next page ($1)', 'prevpage' => 'Previous page ($1)', 'allpagesfrom' => 'Display pages starting at:', 'allpagesto' => 'Display pages ending at:', 'allarticles' => 'All pages', 'allinnamespace' => 'All pages ($1 namespace)', 'allnotinnamespace' => 'All pages (not in $1 namespace)', 'allpagesprev' => 'Previous', 'allpagesnext' => 'Next', 'allpagessubmit' => 'Go', 'allpagesprefix' => 'Display pages with prefix:', 'allpagesbadtitle' => 'The given page title was invalid or had an inter-language or inter-wiki prefix. It may contain one or more characters which cannot be used in titles.', 'allpages-bad-ns' => '{{SITENAME}} does not have namespace "$1".', # Special:Categories 'categories' => 'Categories', 'categories-summary' => '', # do not translate or duplicate this message to other languages 'categoriespagetext' => 'The following {{PLURAL:$1|category contains|categories contain}} pages or media. [[Special:UnusedCategories|Unused categories]] are not shown here. Also see [[Special:WantedCategories|wanted categories]].', 'categoriesfrom' => 'Display categories starting at:', 'special-categories-sort-count' => 'sort by count', 'special-categories-sort-abc' => 'sort alphabetically', # Special:DeletedContributions 'deletedcontributions' => 'Deleted user contributions', 'deletedcontributions-title' => 'Deleted user contributions', 'sp-deletedcontributions-contribs' => 'contributions', # Special:LinkSearch 'linksearch' => 'External links', 'linksearch-pat' => 'Search pattern:', 'linksearch-ns' => 'Namespace:', 'linksearch-ok' => 'Search', 'linksearch-text' => 'Wildcards such as "*.wikipedia.org" may be used.<br /> Supported protocols: <tt>$1</tt>', 'linksearch-line' => '$1 is linked from $2', 'linksearch-error' => 'Wildcards may appear only at the start of the hostname.', # Special:ListUsers 'listusersfrom' => 'Display users starting at:', 'listusers-submit' => 'Show', 'listusers-noresult' => 'No user found.', 'listusers-blocked' => '(blocked)', # Special:ActiveUsers 'activeusers' => 'Active users list', 'activeusers-summary' => '', # do not translate or duplicate this message to other languages 'activeusers-count' => '$1 recent {{PLURAL:$1|edit|edits}}', 'activeusers-from' => 'Display users starting at:', 'activeusers-noresult' => 'No users found.', # Special:Log/newusers 'newuserlogpage' => 'User creation log', 'newuserlogpagetext' => 'This is a log of user creations.', 'newuserlogentry' => '', # do not translate or duplicate this message to other languages 'newuserlog-byemail' => 'password sent by e-mail', 'newuserlog-create-entry' => 'New user account', 'newuserlog-create2-entry' => 'created new account $1', 'newuserlog-autocreate-entry' => 'Account created automatically', # Special:ListGroupRights 'listgrouprights' => 'User group rights', 'listgrouprights-summary' => 'The following is a list of user groups defined on this wiki, with their associated access rights. There may be [[{{MediaWiki:Listgrouprights-helppage}}|additional information]] about individual rights.', 'listgrouprights-key' => '* <span class="listgrouprights-granted">Granted right</span> * <span class="listgrouprights-revoked">Revoked right</span>', 'listgrouprights-group' => 'Group', 'listgrouprights-rights' => 'Rights', 'listgrouprights-helppage' => 'Help:Group rights', 'listgrouprights-members' => '(list of members)', 'listgrouprights-right-display' => '<span class="listgrouprights-granted">$1 ($2)</span>', # only translate this message to other languages if you have to change it 'listgrouprights-right-revoked' => '<span class="listgrouprights-revoked">$1 ($2)</span>', # only translate this message to other languages if you have to change it 'listgrouprights-addgroup' => 'Add {{PLURAL:$2|group|groups}}: $1', 'listgrouprights-removegroup' => 'Remove {{PLURAL:$2|group|groups}}: $1', 'listgrouprights-addgroup-all' => 'Add all groups', 'listgrouprights-removegroup-all' => 'Remove all groups', 'listgrouprights-addgroup-self' => 'Add {{PLURAL:$2|group|groups}} to own account: $1', 'listgrouprights-removegroup-self' => 'Remove {{PLURAL:$2|group|groups}} from own account: $1', 'listgrouprights-addgroup-self-all' => 'Add all groups to own account', 'listgrouprights-removegroup-self-all' => 'Remove all groups from own account', # E-mail user 'mailnologin' => 'No send address', 'mailnologintext' => 'You must be [[Special:UserLogin|logged in]] and have a valid e-mail address in your [[Special:Preferences|preferences]] to send e-mail to other users.', 'emailuser' => 'E-mail this user', 'emailpage' => 'E-mail user', 'emailpagetext' => 'You can use the form below to send an e-mail message to this user. The e-mail address you entered in [[Special:Preferences|your user preferences]] will appear as the "From" address of the e-mail, so the recipient will be able to reply directly to you.', 'usermailererror' => 'Mail object returned error:', 'defemailsubject' => '{{SITENAME}} e-mail', 'noemailtitle' => 'No e-mail address', 'noemailtext' => 'This user has not specified a valid e-mail address.', 'nowikiemailtitle' => 'No e-mail allowed', 'nowikiemailtext' => 'This user has chosen not to receive e-mail from other users.', 'email-legend' => 'Send an e-mail to another {{SITENAME}} user', 'emailfrom' => 'From:', 'emailto' => 'To:', 'emailsubject' => 'Subject:', 'emailmessage' => 'Message:', 'emailsend' => 'Send', 'emailccme' => 'E-mail me a copy of my message.', 'emailccsubject' => 'Copy of your message to $1: $2', 'emailsent' => 'E-mail sent', 'emailsenttext' => 'Your e-mail message has been sent.', 'emailuserfooter' => 'This e-mail was sent by $1 to $2 by the "E-mail user" function at {{SITENAME}}.', # Watchlist 'watchlist' => 'My watchlist', 'mywatchlist' => 'My watchlist', 'watchlistfor' => "(for '''$1''')", 'nowatchlist' => 'You have no items on your watchlist.', 'watchlistanontext' => 'Please $1 to view or edit items on your watchlist.', 'watchnologin' => 'Not logged in', 'watchnologintext' => 'You must be [[Special:UserLogin|logged in]] to modify your watchlist.', 'addedwatch' => 'Added to watchlist', 'addedwatchtext' => "The page \"[[:\$1]]\" has been added to your [[Special:Watchlist|watchlist]]. Future changes to this page and its associated talk page will be listed there, and the page will appear '''bolded''' in the [[Special:RecentChanges|list of recent changes]] to make it easier to pick out.", 'removedwatch' => 'Removed from watchlist', 'removedwatchtext' => 'The page "[[:$1]]" has been removed from [[Special:Watchlist|your watchlist]].', 'watch' => 'Watch', 'watchthispage' => 'Watch this page', 'unwatch' => 'Unwatch', 'unwatchthispage' => 'Stop watching', 'notanarticle' => 'Not a content page', 'notvisiblerev' => 'The last revision by a different user has been deleted', 'watchnochange' => 'None of your watched items were edited in the time period displayed.', 'watchlist-details' => '{{PLURAL:$1|$1 page|$1 pages}} on your watchlist, not counting talk pages.', 'wlheader-enotif' => '* E-mail notification is enabled.', 'wlheader-showupdated' => "* Pages which have been changed since you last visited them are shown in '''bold'''", 'watchmethod-recent' => 'checking recent edits for watched pages', 'watchmethod-list' => 'checking watched pages for recent edits', 'watchlistcontains' => 'Your watchlist contains $1 {{PLURAL:$1|page|pages}}.', 'iteminvalidname' => "Problem with item '$1', invalid name...", 'wlnote' => "Below {{PLURAL:$1|is the last change|are the last '''$1''' changes}} in the last {{PLURAL:$2|hour|'''$2''' hours}}.", 'wlshowlast' => 'Show last $1 hours $2 days $3', 'watchlist-options' => 'Watchlist options', # Displayed when you click the "watch" button and it is in the process of watching 'watching' => 'Watching...', 'unwatching' => 'Unwatching...', 'enotif_mailer' => '{{SITENAME}} Notification Mailer', 'enotif_reset' => 'Mark all pages visited', 'enotif_newpagetext' => 'This is a new page.', 'enotif_impersonal_salutation' => '{{SITENAME}} user', 'changed' => 'changed', 'created' => 'created', 'deleted' => 'deleted', 'enotif_deletedpagetext' => 'This page is no longer available.', 'enotif_subject' => '{{SITENAME}} page $PAGETITLE has been $CHANGEDORCREATED by $PAGEEDITOR', 'enotif_lastvisited' => 'See $1 for all changes since your last visit.', 'enotif_lastdiff' => 'See $1 to view this change.', 'enotif_anon_editor' => 'anonymous user $1', 'enotif_rev_info' => 'See $1 for the current revision.', 'enotif_body' => 'Dear $WATCHINGUSERNAME, The {{SITENAME}} page $PAGETITLE has been $CHANGEDORCREATED on $PAGEEDITDATEANDTIME by $PAGEEDITOR. $REVINFO $NEWPAGE Editor\'s summary: $PAGESUMMARY $PAGEMINOREDIT Contact the editor: mail: $PAGEEDITOR_EMAIL wiki: $PAGEEDITOR_WIKI There will be no other notifications in case of further changes unless you visit this page. You could also reset the notification flags for all your watched pages on your watchlist. Your friendly {{SITENAME}} notification system -- To change your watchlist settings, visit {{fullurl:{{#special:Watchlist}}/edit}} Feedback and further assistance: {{fullurl:{{MediaWiki:Helppage}}}}', # Delete 'deletepage' => 'Delete page', 'confirm' => 'Confirm', 'excontent' => "content was: '$1'", 'excontentauthor' => "content was: '$1' (and the only contributor was '[[Special:Contributions/$2|$2]]')", 'exbeforeblank' => "content before blanking was: '$1'", 'exblank' => 'page was empty', 'delete-confirm' => 'Delete "$1"', 'delete-backlink' => '← $1', # only translate this message to other languages if you have to change it 'delete-legend' => 'Delete', 'historywarning' => "'''Warning:''' The page you are about to delete has a history:", 'confirmdeletetext' => 'You are about to delete a page along with all of its history. Please confirm that you intend to do this, that you understand the consequences, and that you are doing this in accordance with [[{{MediaWiki:Policy-url}}|the policy]].', 'actioncomplete' => 'Action complete', 'actionfailed' => 'Action failed', 'deletedtext' => '"<nowiki>$1</nowiki>" has been deleted. See $2 for a record of recent deletions.', 'deletedarticle' => 'deleted "[[$1]]"', 'suppressedarticle' => 'suppressed "[[$1]]"', 'dellogpage' => 'Deletion log', 'dellogpagetext' => 'Below is a list of the most recent deletions.', 'deletionlog' => 'deletion log', 'reverted' => 'Reverted to earlier revision', 'deletecomment' => 'Reason for deletion:', 'deleteotherreason' => 'Other/additional reason:', 'deletereasonotherlist' => 'Other reason', 'deletereason-dropdown' => '*Common delete reasons ** Author request ** Copyright violation ** Vandalism', 'delete-edit-reasonlist' => 'Edit deletion reasons', 'delete-toobig' => 'This page has a large edit history, over $1 {{PLURAL:$1|revision|revisions}}. Deletion of such pages has been restricted to prevent accidental disruption of {{SITENAME}}.', 'delete-warning-toobig' => 'This page has a large edit history, over $1 {{PLURAL:$1|revision|revisions}}. Deleting it may disrupt database operations of {{SITENAME}}; proceed with caution.', # Rollback 'rollback' => 'Roll back edits', 'rollback_short' => 'Rollback', 'rollbacklink' => 'rollback', 'rollbackfailed' => 'Rollback failed', 'cantrollback' => 'Cannot revert edit; last contributor is only author of this page.', 'alreadyrolled' => 'Cannot rollback last edit of [[:$1]] by [[User:$2|$2]] ([[User talk:$2|Talk]]{{int:pipe-separator}}[[Special:Contributions/$2|{{int:contribslink}}]]); someone else has edited or rolled back the page already. The last edit to the page was by [[User:$3|$3]] ([[User talk:$3|Talk]]{{int:pipe-separator}}[[Special:Contributions/$3|{{int:contribslink}}]]).', 'editcomment' => "The edit summary was: \"''\$1''\".", 'revertpage' => 'Reverted edits by [[Special:Contributions/$2|$2]] ([[User talk:$2|Talk]]) to last revision by [[User:$1|$1]]', 'revertpage-nouser' => 'Reverted edits by (username removed) to last revision by [[User:$1|$1]]', 'rollback-success' => 'Reverted edits by $1; changed back to last revision by $2.', 'sessionfailure' => 'There seems to be a problem with your login session; this action has been canceled as a precaution against session hijacking. Please hit "back" and reload the page you came from, then try again.', # Protect 'protectlogpage' => 'Protection log', 'protectlogtext' => 'Below is a list of page locks and unlocks. See the [[Special:ProtectedPages|protected pages list]] for the list of currently operational page protections.', 'protectedarticle' => 'protected "[[$1]]"', 'modifiedarticleprotection' => 'changed protection level for "[[$1]]"', 'unprotectedarticle' => 'unprotected "[[$1]]"', 'movedarticleprotection' => 'moved protection settings from "[[$2]]" to "[[$1]]"', 'protect-title' => 'Change protection level for "$1"', 'prot_1movedto2' => '[[$1]] moved to [[$2]]', 'protect-backlink' => '← $1', # only translate this message to other languages if you have to change it 'protect-legend' => 'Confirm protection', 'protectcomment' => 'Reason:', 'protectexpiry' => 'Expires:', 'protect_expiry_invalid' => 'Expiry time is invalid.', 'protect_expiry_old' => 'Expiry time is in the past.', 'protect-unchain' => 'Unlock move permissions', 'protect-text' => "You may view and change the protection level here for the page '''<nowiki>$1</nowiki>'''.", 'protect-locked-blocked' => "You cannot change protection levels while blocked. Here are the current settings for the page '''$1''':", 'protect-locked-dblock' => "Protection levels cannot be changed due to an active database lock. Here are the current settings for the page '''$1''':", 'protect-locked-access' => "Your account does not have permission to change page protection levels. Here are the current settings for the page '''$1''':", 'protect-cascadeon' => "This page is currently protected because it is included in the following {{PLURAL:$1|page, which has|pages, which have}} cascading protection turned on. You can change this page's protection level, but it will not affect the cascading protection.", 'protect-default' => 'Allow all users', 'protect-fallback' => 'Require "$1" permission', 'protect-level-autoconfirmed' => 'Block new and unregistered users', 'protect-level-sysop' => 'Administrators only', 'protect-summary-cascade' => 'cascading', 'protect-expiring' => 'expires $1 (UTC)', 'protect-expiry-indefinite' => 'indefinite', 'protect-cascade' => 'Protect pages included in this page (cascading protection)', 'protect-cantedit' => 'You cannot change the protection levels of this page, because you do not have permission to edit it.', 'protect-othertime' => 'Other time:', 'protect-othertime-op' => 'other time', 'protect-existing-expiry' => 'Existing expiry time: $3, $2', 'protect-otherreason' => 'Other/additional reason:', 'protect-otherreason-op' => 'other/additional reason', 'protect-dropdown' => '*Common protection reasons ** Excessive vandalism ** Excessive spamming ** Counter-productive edit warring ** High traffic page', 'protect-edit-reasonlist' => 'Edit protection reasons', 'protect-expiry-options' => '1 hour:1 hour,1 day:1 day,1 week:1 week,2 weeks:2 weeks,1 month:1 month,3 months:3 months,6 months:6 months,1 year:1 year,infinite:infinite', 'restriction-type' => 'Permission:', 'restriction-level' => 'Restriction level:', 'minimum-size' => 'Min size', 'maximum-size' => 'Max size:', 'pagesize' => '(bytes)', # Restrictions (nouns) 'restriction-edit' => 'Edit', 'restriction-move' => 'Move', 'restriction-create' => 'Create', 'restriction-upload' => 'Upload', # Restriction levels 'restriction-level-sysop' => 'fully protected', 'restriction-level-autoconfirmed' => 'semi protected', 'restriction-level-all' => 'any level', # Undelete 'undelete' => 'View deleted pages', 'undeletepage' => 'View and restore deleted pages', 'undeletepagetitle' => "'''The following consists of deleted revisions of [[:$1|$1]]'''.", 'viewdeletedpage' => 'View deleted pages', 'undeletepagetext' => 'The following {{PLURAL:$1|page has been deleted but is|$1 pages have been deleted but are}} still in the archive and can be restored. The archive may be periodically cleaned out.', 'undelete-fieldset-title' => 'Restore revisions', 'undeleteextrahelp' => "To restore the page's entire history, leave all checkboxes deselected and click '''''Restore'''''. To perform a selective restoration, check the boxes corresponding to the revisions to be restored, and click '''''Restore'''''. Clicking '''''Reset''''' will clear the comment field and all checkboxes.", 'undeleterevisions' => '$1 {{PLURAL:$1|revision|revisions}} archived', 'undeletehistory' => 'If you restore the page, all revisions will be restored to the history. If a new page with the same name has been created since the deletion, the restored revisions will appear in the prior history.', 'undeleterevdel' => 'Undeletion will not be performed if it will result in the top page or file revision being partially deleted. In such cases, you must uncheck or unhide the newest deleted revision.', 'undeletehistorynoadmin' => 'This page has been deleted. The reason for deletion is shown in the summary below, along with details of the users who had edited this page before deletion. The actual text of these deleted revisions is only available to administrators.', 'undelete-revision' => 'Deleted revision of $1 (as of $4, at $5) by $3:', 'undeleterevision-missing' => 'Invalid or missing revision. You may have a bad link, or the revision may have been restored or removed from the archive.', 'undelete-nodiff' => 'No previous revision found.', 'undeletebtn' => 'Restore', 'undeletelink' => 'view/restore', 'undeleteviewlink' => 'view', 'undeletereset' => 'Reset', 'undeleteinvert' => 'Invert selection', 'undeletecomment' => 'Comment:', 'undeletedarticle' => 'restored "[[$1]]"', 'undeletedrevisions' => '{{PLURAL:$1|1 revision|$1 revisions}} restored', 'undeletedrevisions-files' => '{{PLURAL:$1|1 revision|$1 revisions}} and {{PLURAL:$2|1 file|$2 files}} restored', 'undeletedfiles' => '{{PLURAL:$1|1 file|$1 files}} restored', 'cannotundelete' => 'Undelete failed; someone else may have undeleted the page first.', 'undeletedpage' => "<big>'''$1 has been restored'''</big> Consult the [[Special:Log/delete|deletion log]] for a record of recent deletions and restorations.", 'undelete-header' => 'See [[Special:Log/delete|the deletion log]] for recently deleted pages.', 'undelete-search-box' => 'Search deleted pages', 'undelete-search-prefix' => 'Show pages starting with:', 'undelete-search-submit' => 'Search', 'undelete-no-results' => 'No matching pages found in the deletion archive.', 'undelete-filename-mismatch' => 'Cannot undelete file revision with timestamp $1: filename mismatch', 'undelete-bad-store-key' => 'Cannot undelete file revision with timestamp $1: file was missing before deletion.', 'undelete-cleanup-error' => 'Error deleting unused archive file "$1".', 'undelete-missing-filearchive' => 'Unable to restore file archive ID $1 because it is not in the database. It may have already been undeleted.', 'undelete-error-short' => 'Error undeleting file: $1', 'undelete-error-long' => 'Errors were encountered while undeleting the file: $1', 'undelete-show-file-confirm' => 'Are you sure you want to view the deleted revision of the file "<nowiki>$1</nowiki>" from $2 at $3?', 'undelete-show-file-submit' => 'Yes', # Namespace form on various pages 'namespace' => 'Namespace:', 'invert' => 'Invert selection', 'blanknamespace' => '(Main)', # Contributions 'contributions' => 'User contributions', 'contributions-title' => 'User contributions for $1', 'mycontris' => 'My contributions', 'contribsub2' => 'For $1 ($2)', 'nocontribs' => 'No changes were found matching these criteria.', 'uctop' => '(top)', 'month' => 'From month (and earlier):', 'year' => 'From year (and earlier):', 'sp-contributions-newbies' => 'Show contributions of new accounts only', 'sp-contributions-newbies-sub' => 'For new accounts', 'sp-contributions-newbies-title' => 'User contributions for new accounts', 'sp-contributions-blocklog' => 'block log', 'sp-contributions-deleted' => 'deleted user contributions', 'sp-contributions-logs' => 'logs', 'sp-contributions-talk' => 'talk', 'sp-contributions-userrights' => 'user rights management', 'sp-contributions-search' => 'Search for contributions', 'sp-contributions-username' => 'IP Address or username:', 'sp-contributions-submit' => 'Search', 'sp-contributions-explain' => '', # only translate this message to other languages if you have to change it 'sp-contributions-footer' => '-', # do not translate or duplicate this message to other languages 'sp-contributions-footer-anon' => '-', # do not translate or duplicate this message to other languages # What links here 'whatlinkshere' => 'What links here', 'whatlinkshere-title' => 'Pages that link to "$1"', 'whatlinkshere-summary' => '', # do not translate or duplicate this message to other languages 'whatlinkshere-page' => 'Page:', 'whatlinkshere-backlink' => '← $1', # only translate this message to other languages if you have to change it 'linkshere' => "The following pages link to '''[[:$1]]''':", 'nolinkshere' => "No pages link to '''[[:$1]]'''.", 'nolinkshere-ns' => "No pages link to '''[[:$1]]''' in the chosen namespace.", 'isredirect' => 'redirect page', 'istemplate' => 'transclusion', 'isimage' => 'image link', 'whatlinkshere-prev' => '{{PLURAL:$1|previous|previous $1}}', 'whatlinkshere-next' => '{{PLURAL:$1|next|next $1}}', 'whatlinkshere-links' => '← links', 'whatlinkshere-hideredirs' => '$1 redirects', 'whatlinkshere-hidetrans' => '$1 transclusions', 'whatlinkshere-hidelinks' => '$1 links', 'whatlinkshere-hideimages' => '$1 image links', 'whatlinkshere-filters' => 'Filters', # Block/unblock 'blockip' => 'Block user', 'blockip-legend' => 'Block user', 'blockiptext' => 'Use the form below to block write access from a specific IP address or username. This should be done only to prevent vandalism, and in accordance with [[{{MediaWiki:Policy-url}}|policy]]. Fill in a specific reason below (for example, citing particular pages that were vandalized).', 'ipaddress' => 'IP Address:', 'ipadressorusername' => 'IP Address or username:', 'ipbexpiry' => 'Expiry:', 'ipbreason' => 'Reason:', 'ipbreasonotherlist' => 'Other reason', 'ipbreason-dropdown' => '*Common block reasons ** Inserting false information ** Removing content from pages ** Spamming links to external sites ** Inserting nonsense/gibberish into pages ** Intimidating behaviour/harassment ** Abusing multiple accounts ** Unacceptable username', 'ipbanononly' => 'Block anonymous users only', 'ipbcreateaccount' => 'Prevent account creation', 'ipbemailban' => 'Prevent user from sending e-mail', 'ipbenableautoblock' => 'Automatically block the last IP address used by this user, and any subsequent IPs they try to edit from', 'ipbsubmit' => 'Block this user', 'ipbother' => 'Other time:', 'ipboptions' => '2 hours:2 hours,1 day:1 day,3 days:3 days,1 week:1 week,2 weeks:2 weeks,1 month:1 month,3 months:3 months,6 months:6 months,1 year:1 year,infinite:infinite', 'ipbotheroption' => 'other', 'ipbotherreason' => 'Other/additional reason:', 'ipbhidename' => 'Hide username from edits and lists', 'ipbwatchuser' => "Watch this user's user and talk pages", 'ipballowusertalk' => 'Allow this user to edit own talk page while blocked', 'ipb-change-block' => 'Re-block the user with these settings', 'badipaddress' => 'Invalid IP address', 'blockipsuccesssub' => 'Block succeeded', 'blockipsuccesstext' => '[[Special:Contributions/$1|$1]] has been blocked.<br /> See [[Special:IPBlockList|IP block list]] to review blocks.', 'ipb-edit-dropdown' => 'Edit block reasons', 'ipb-unblock-addr' => 'Unblock $1', 'ipb-unblock' => 'Unblock a username or IP address', 'ipb-blocklist-addr' => 'Existing blocks for $1', 'ipb-blocklist' => 'View existing blocks', 'ipb-blocklist-contribs' => 'Contributions for $1', 'unblockip' => 'Unblock user', 'unblockiptext' => 'Use the form below to restore write access to a previously blocked IP address or username.', 'ipusubmit' => 'Remove this block', 'unblocked' => '[[User:$1|$1]] has been unblocked', 'unblocked-id' => 'Block $1 has been removed', 'ipblocklist' => 'Blocked IP addresses and usernames', 'ipblocklist-legend' => 'Find a blocked user', 'ipblocklist-username' => 'Username or IP address:', 'ipblocklist-sh-userblocks' => '$1 account blocks', 'ipblocklist-sh-tempblocks' => '$1 temporary blocks', 'ipblocklist-sh-addressblocks' => '$1 single IP blocks', 'ipblocklist-summary' => '', # do not translate or duplicate this message to other languages 'ipblocklist-submit' => 'Search', 'blocklistline' => '$1, $2 blocked $3 ($4)', 'infiniteblock' => 'infinite', 'expiringblock' => 'expires on $1 at $2', 'anononlyblock' => 'anon. only', 'noautoblockblock' => 'autoblock disabled', 'createaccountblock' => 'account creation blocked', 'emailblock' => 'e-mail blocked', 'blocklist-nousertalk' => 'cannot edit own talk page', 'ipblocklist-empty' => 'The blocklist is empty.', 'ipblocklist-no-results' => 'The requested IP address or username is not blocked.', 'blocklink' => 'block', 'unblocklink' => 'unblock', 'change-blocklink' => 'change block', 'contribslink' => 'contribs', 'autoblocker' => 'Autoblocked because your IP address has been recently used by "[[User:$1|$1]]". The reason given for $1\'s block is: "$2"', 'blocklogpage' => 'Block log', 'blocklog-fulllog' => 'Full block log', 'blocklogentry' => 'blocked [[$1]] with an expiry time of $2 $3', 'reblock-logentry' => 'changed block settings for [[$1]] with an expiry time of $2 $3', 'blocklogtext' => 'This is a log of user blocking and unblocking actions. Automatically blocked IP addresses are not listed. See the [[Special:IPBlockList|IP block list]] for the list of currently operational bans and blocks.', 'unblocklogentry' => 'unblocked $1', 'block-log-flags-anononly' => 'anonymous users only', 'block-log-flags-nocreate' => 'account creation disabled', 'block-log-flags-noautoblock' => 'autoblock disabled', 'block-log-flags-noemail' => 'e-mail blocked', 'block-log-flags-nousertalk' => 'cannot edit own talk page', 'block-log-flags-angry-autoblock' => 'enhanced autoblock enabled', 'block-log-flags-hiddenname' => 'username hidden', 'range_block_disabled' => 'The administrator ability to create range blocks is disabled.', 'ipb_expiry_invalid' => 'Expiry time invalid.', 'ipb_expiry_temp' => 'Hidden username blocks must be permanent.', 'ipb_hide_invalid' => 'Unable to suppress this account; it may have too many edits.', 'ipb_already_blocked' => '"$1" is already blocked', 'ipb-needreblock' => '== Already blocked == $1 is already blocked. Do you want to change the settings?', 'ipb_cant_unblock' => 'Error: Block ID $1 not found. It may have been unblocked already.', 'ipb_blocked_as_range' => 'Error: The IP $1 is not blocked directly and cannot be unblocked. It is, however, blocked as part of the range $2, which can be unblocked.', 'ip_range_invalid' => 'Invalid IP range.', 'blockme' => 'Block me', 'proxyblocker' => 'Proxy blocker', 'proxyblocker-disabled' => 'This function is disabled.', 'proxyblockreason' => 'Your IP address has been blocked because it is an open proxy. Please contact your Internet service provider or tech support and inform them of this serious security problem.', 'proxyblocksuccess' => 'Done.', 'sorbs' => 'DNSBL', # only translate this message to other languages if you have to change it 'sorbsreason' => 'Your IP address is listed as an open proxy in the DNSBL used by {{SITENAME}}.', 'sorbs_create_account_reason' => 'Your IP address is listed as an open proxy in the DNSBL used by {{SITENAME}}. You cannot create an account', 'cant-block-while-blocked' => 'You cannot block other users while you are blocked.', # Developer tools 'lockdb' => 'Lock database', 'unlockdb' => 'Unlock database', 'lockdbtext' => 'Locking the database will suspend the ability of all users to edit pages, change their preferences, edit their watchlists, and other things requiring changes in the database. Please confirm that this is what you intend to do, and that you will unlock the database when your maintenance is done.', 'unlockdbtext' => 'Unlocking the database will restore the ability of all users to edit pages, change their preferences, edit their watchlists, and other things requiring changes in the database. Please confirm that this is what you intend to do.', 'lockconfirm' => 'Yes, I really want to lock the database.', 'unlockconfirm' => 'Yes, I really want to unlock the database.', 'lockbtn' => 'Lock database', 'unlockbtn' => 'Unlock database', 'locknoconfirm' => 'You did not check the confirmation box.', 'lockdbsuccesssub' => 'Database lock succeeded', 'unlockdbsuccesssub' => 'Database lock removed', 'lockdbsuccesstext' => 'The database has been locked.<br /> Remember to [[Special:UnlockDB|remove the lock]] after your maintenance is complete.', 'unlockdbsuccesstext' => 'The database has been unlocked.', 'lockfilenotwritable' => 'The database lock file is not writable. To lock or unlock the database, this needs to be writable by the web server.', 'databasenotlocked' => 'The database is not locked.', # Move page 'move-page' => 'Move $1', 'move-page-backlink' => '← $1', # only translate this message to other languages if you have to change it 'move-page-legend' => 'Move page', 'movepagetext' => "Using the form below will rename a page, moving all of its history to the new name. The old title will become a redirect page to the new title. You can update redirects that point to the original title automatically. If you choose not to, be sure to check for [[Special:DoubleRedirects|double]] or [[Special:BrokenRedirects|broken redirects]]. You are responsible for making sure that links continue to point where they are supposed to go. Note that the page will '''not''' be moved if there is already a page at the new title, unless it is empty or a redirect and has no past edit history. This means that you can rename a page back to where it was renamed from if you make a mistake, and you cannot overwrite an existing page. '''Warning!''' This can be a drastic and unexpected change for a popular page; please be sure you understand the consequences of this before proceeding.", 'movepagetalktext' => "The associated talk page will be automatically moved along with it '''unless:''' *A non-empty talk page already exists under the new name, or *You uncheck the box below. In those cases, you will have to move or merge the page manually if desired.", 'movearticle' => 'Move page:', 'movenologin' => 'Not logged in', 'movenologintext' => 'You must be a registered user and [[Special:UserLogin|logged in]] to move a page.', 'movenotallowed' => 'You do not have permission to move pages.', 'movenotallowedfile' => 'You do not have permission to move files.', 'cant-move-user-page' => 'You do not have permission to move user pages (apart from subpages).', 'cant-move-to-user-page' => 'You do not have permission to move a page to a user page (except to a user subpage).', 'newtitle' => 'To new title:', 'move-watch' => 'Watch this page', 'movepagebtn' => 'Move page', 'pagemovedsub' => 'Move succeeded', 'movepage-moved' => '<big>\'\'\'"$1" has been moved to "$2"\'\'\'</big>', 'movepage-moved-redirect' => 'A redirect has been created.', 'movepage-moved-noredirect' => 'The creation of a redirect has been suppressed.', 'articleexists' => 'A page of that name already exists, or the name you have chosen is not valid. Please choose another name.', 'cantmove-titleprotected' => 'You cannot move a page to this location, because the new title has been protected from creation', 'talkexists' => "'''The page itself was moved successfully, but the talk page could not be moved because one already exists at the new title. Please merge them manually.'''", 'movedto' => 'moved to', 'movetalk' => 'Move associated talk page', 'move-subpages' => 'Move subpages (up to $1)', 'move-talk-subpages' => 'Move subpages of talk page (up to $1)', 'movepage-page-exists' => 'The page $1 already exists and cannot be automatically overwritten.', 'movepage-page-moved' => 'The page $1 has been moved to $2.', 'movepage-page-unmoved' => 'The page $1 could not be moved to $2.', 'movepage-max-pages' => 'The maximum of $1 {{PLURAL:$1|page|pages}} has been moved and no more will be moved automatically.', '1movedto2' => 'moved [[$1]] to [[$2]]', '1movedto2_redir' => 'moved [[$1]] to [[$2]] over redirect', 'move-redirect-suppressed' => 'redirect suppressed', 'movelogpage' => 'Move log', 'movelogpagetext' => 'Below is a list of all page moves.', 'movesubpage' => '{{PLURAL:$1|Subpage|Subpages}}', 'movesubpagetext' => 'This page has $1 {{PLURAL:$1|subpage|subpages}} shown below.', 'movenosubpage' => 'This page has no subpages.', 'movereason' => 'Reason:', 'revertmove' => 'revert', 'delete_and_move' => 'Delete and move', 'delete_and_move_text' => '== Deletion required == The destination page "[[:$1]]" already exists. Do you want to delete it to make way for the move?', 'delete_and_move_confirm' => 'Yes, delete the page', 'delete_and_move_reason' => 'Deleted to make way for move', 'selfmove' => 'Source and destination titles are the same; cannot move a page over itself.', 'immobile-source-namespace' => 'Cannot move pages in namespace "$1"', 'immobile-target-namespace' => 'Cannot move pages into namespace "$1"', 'immobile-target-namespace-iw' => 'Interwiki link is not a valid target for page move.', 'immobile-source-page' => 'This page is not movable.', 'immobile-target-page' => 'Cannot move to that destination title.', 'imagenocrossnamespace' => 'Cannot move file to non-file namespace', 'imagetypemismatch' => 'The new file extension does not match its type', 'imageinvalidfilename' => 'The target file name is invalid', 'fix-double-redirects' => 'Update any redirects that point to the original title', 'move-leave-redirect' => 'Leave a redirect behind', 'protectedpagemovewarning' => "'''Warning:''' This page has been locked so that only users with administrator privileges can move it.", 'semiprotectedpagemovewarning' => "'''Note:''' This page has been locked so that only registered users can move it.", # Export 'export' => 'Export pages', 'exporttext' => 'You can export the text and editing history of a particular page or set of pages wrapped in some XML. This can be imported into another wiki using MediaWiki via the [[Special:Import|import page]]. To export pages, enter the titles in the text box below, one title per line, and select whether you want the current revision as well as all old revisions, with the page history lines, or the current revision with the info about the last edit. In the latter case you can also use a link, for example [[{{#Special:Export}}/{{MediaWiki:Mainpage}}]] for the page "[[{{MediaWiki:Mainpage}}]]".', 'exportcuronly' => 'Include only the current revision, not the full history', 'exportnohistory' => "---- '''Note:''' Exporting the full history of pages through this form has been disabled due to performance reasons.", 'export-submit' => 'Export', 'export-addcattext' => 'Add pages from category:', 'export-addcat' => 'Add', 'export-addnstext' => 'Add pages from namespace:', 'export-addns' => 'Add', 'export-download' => 'Save as file', 'export-templates' => 'Include templates', 'export-pagelinks' => 'Include linked pages to a depth of:', # Namespace 8 related 'allmessages' => 'System messages', 'allmessagesname' => 'Name', 'allmessagesdefault' => 'Default message text', 'allmessagescurrent' => 'Current message text', 'allmessagestext' => 'This is a list of system messages available in the MediaWiki namespace. Please visit [http://www.mediawiki.org/wiki/Localisation MediaWiki Localisation] and [http://translatewiki.net translatewiki.net] if you wish to contribute to the generic MediaWiki localisation.', 'allmessagesnotsupportedDB' => "This page cannot be used because '''\$wgUseDatabaseMessages''' has been disabled.", 'allmessages-filter-legend' => 'Filter', 'allmessages-filter' => 'Filter by customisation state:', 'allmessages-filter-unmodified' => 'Unmodified', 'allmessages-filter-all' => 'All', 'allmessages-filter-modified' => 'Modified', 'allmessages-prefix' => 'Filter by prefix:', 'allmessages-language' => 'Language:', 'allmessages-filter-submit' => 'Go', # Thumbnails 'thumbnail-more' => 'Enlarge', 'filemissing' => 'File missing', 'thumbnail_error' => 'Error creating thumbnail: $1', 'djvu_page_error' => 'DjVu page out of range', 'djvu_no_xml' => 'Unable to fetch XML for DjVu file', 'thumbnail_invalid_params' => 'Invalid thumbnail parameters', 'thumbnail_dest_directory' => 'Unable to create destination directory', 'thumbnail_image-type' => 'Image type not supported', 'thumbnail_gd-library' => 'Incomplete GD library configuration: missing function $1', 'thumbnail_image-missing' => 'File seems to be missing: $1', # Special:Import 'import' => 'Import pages', 'importinterwiki' => 'Transwiki import', 'import-interwiki-text' => "Select a wiki and page title to import. Revision dates and editors' names will be preserved. All transwiki import actions are logged at the [[Special:Log/import|import log]].", 'import-interwiki-source' => 'Source wiki/page:', 'import-interwiki-history' => 'Copy all history revisions for this page', 'import-interwiki-templates' => 'Include all templates', 'import-interwiki-submit' => 'Import', 'import-interwiki-namespace' => 'Destination namespace:', 'import-upload-filename' => 'Filename:', 'import-comment' => 'Comment:', 'importtext' => 'Please export the file from the source wiki using the [[Special:Export|export utility]]. Save it to your computer and upload it here.', 'importstart' => 'Importing pages...', 'import-revision-count' => '$1 {{PLURAL:$1|revision|revisions}}', 'importnopages' => 'No pages to import.', 'importfailed' => 'Import failed: <nowiki>$1</nowiki>', 'importunknownsource' => 'Unknown import source type', 'importcantopen' => 'Could not open import file', 'importbadinterwiki' => 'Bad interwiki link', 'importnotext' => 'Empty or no text', 'importsuccess' => 'Import finished!', 'importhistoryconflict' => 'Conflicting history revision exists (may have imported this page before)', 'importnosources' => 'No transwiki import sources have been defined and direct history uploads are disabled.', 'importnofile' => 'No import file was uploaded.', 'importuploaderrorsize' => 'Upload of import file failed. The file is bigger than the allowed upload size.', 'importuploaderrorpartial' => 'Upload of import file failed. The file was only partially uploaded.', 'importuploaderrortemp' => 'Upload of import file failed. A temporary folder is missing.', 'import-parse-failure' => 'XML import parse failure', 'import-noarticle' => 'No page to import!', 'import-nonewrevisions' => 'All revisions were previously imported.', 'xml-error-string' => '$1 at line $2, col $3 (byte $4): $5', 'import-upload' => 'Upload XML data', 'import-token-mismatch' => 'Loss of session data. Please try again.', 'import-invalid-interwiki' => 'Cannot import from the specified wiki.', # Import log 'importlogpage' => 'Import log', 'importlogpagetext' => 'Administrative imports of pages with edit history from other wikis.', 'import-logentry-upload' => 'imported [[$1]] by file upload', 'import-logentry-upload-detail' => '$1 {{PLURAL:$1|revision|revisions}}', 'import-logentry-interwiki' => 'transwikied $1', 'import-logentry-interwiki-detail' => '$1 {{PLURAL:$1|revision|revisions}} from $2', # Keyboard access keys for power users 'accesskey-pt-userpage' => '.', # do not translate or duplicate this message to other languages 'accesskey-pt-anonuserpage' => '.', # do not translate or duplicate this message to other languages 'accesskey-pt-mytalk' => 'n', # do not translate or duplicate this message to other languages 'accesskey-pt-anontalk' => 'n', # do not translate or duplicate this message to other languages 'accesskey-pt-preferences' => '', # do not translate or duplicate this message to other languages 'accesskey-pt-watchlist' => 'l', # do not translate or duplicate this message to other languages 'accesskey-pt-mycontris' => 'y', # do not translate or duplicate this message to other languages 'accesskey-pt-login' => 'o', # do not translate or duplicate this message to other languages 'accesskey-pt-anonlogin' => 'o', # do not translate or duplicate this message to other languages 'accesskey-pt-logout' => '', # do not translate or duplicate this message to other languages 'accesskey-ca-talk' => 't', # do not translate or duplicate this message to other languages 'accesskey-ca-edit' => 'e', # do not translate or duplicate this message to other languages 'accesskey-ca-addsection' => '+', # do not translate or duplicate this message to other languages 'accesskey-ca-viewsource' => 'e', # do not translate or duplicate this message to other languages 'accesskey-ca-history' => 'h', # do not translate or duplicate this message to other languages 'accesskey-ca-protect' => '=', # do not translate or duplicate this message to other languages 'accesskey-ca-unprotect' => '=', # do not translate or duplicate this message to other languages 'accesskey-ca-delete' => 'd', # do not translate or duplicate this message to other languages 'accesskey-ca-undelete' => 'd', # do not translate or duplicate this message to other languages 'accesskey-ca-move' => 'm', # do not translate or duplicate this message to other languages 'accesskey-ca-watch' => 'w', # do not translate or duplicate this message to other languages 'accesskey-ca-unwatch' => 'w', # do not translate or duplicate this message to other languages 'accesskey-search' => 'f', # do not translate or duplicate this message to other languages 'accesskey-search-go' => '', # do not translate or duplicate this message to other languages 'accesskey-search-fulltext' => '', # do not translate or duplicate this message to other languages 'accesskey-p-logo' => '', # do not translate or duplicate this message to other languages 'accesskey-n-mainpage' => 'z', # do not translate or duplicate this message to other languages 'accesskey-n-mainpage-description' => 'z', # do not translate or duplicate this message to other languages 'accesskey-n-portal' => '', # do not translate or duplicate this message to other languages 'accesskey-n-currentevents' => '', # do not translate or duplicate this message to other languages 'accesskey-n-recentchanges' => 'r', # do not translate or duplicate this message to other languages 'accesskey-n-randompage' => 'x', # do not translate or duplicate this message to other languages 'accesskey-n-help' => '', # do not translate or duplicate this message to other languages 'accesskey-t-whatlinkshere' => 'j', # do not translate or duplicate this message to other languages 'accesskey-t-recentchangeslinked' => 'k', # do not translate or duplicate this message to other languages 'accesskey-feed-rss' => '', # do not translate or duplicate this message to other languages 'accesskey-feed-atom' => '', # do not translate or duplicate this message to other languages 'accesskey-t-contributions' => '', # do not translate or duplicate this message to other languages 'accesskey-t-emailuser' => '', # do not translate or duplicate this message to other languages 'accesskey-t-permalink' => '', # do not translate or duplicate this message to other languages 'accesskey-t-print' => 'p', # do not translate or duplicate this message to other languages 'accesskey-t-upload' => 'u', # do not translate or duplicate this message to other languages 'accesskey-t-specialpages' => 'q', # do not translate or duplicate this message to other languages 'accesskey-ca-nstab-main' => 'c', # do not translate or duplicate this message to other languages 'accesskey-ca-nstab-user' => 'c', # do not translate or duplicate this message to other languages 'accesskey-ca-nstab-media' => 'c', # do not translate or duplicate this message to other languages 'accesskey-ca-nstab-special' => '', # do not translate or duplicate this message to other languages 'accesskey-ca-nstab-project' => 'a', # do not translate or duplicate this message to other languages 'accesskey-ca-nstab-image' => 'c', # do not translate or duplicate this message to other languages 'accesskey-ca-nstab-mediawiki' => 'c', # do not translate or duplicate this message to other languages 'accesskey-ca-nstab-template' => 'c', # do not translate or duplicate this message to other languages 'accesskey-ca-nstab-help' => 'c', # do not translate or duplicate this message to other languages 'accesskey-ca-nstab-category' => 'c', # do not translate or duplicate this message to other languages 'accesskey-minoredit' => 'i', # do not translate or duplicate this message to other languages 'accesskey-save' => 's', # do not translate or duplicate this message to other languages 'accesskey-preview' => 'p', # do not translate or duplicate this message to other languages 'accesskey-diff' => 'v', # do not translate or duplicate this message to other languages 'accesskey-compareselectedversions' => 'v', # do not translate or duplicate this message to other languages 'accesskey-visualcomparison' => 'b', # do not translate or duplicate this message to other languages 'accesskey-watch' => 'w', # do not translate or duplicate this message to other languages 'accesskey-upload' => 's', # do not translate or duplicate this message to other languages # Tooltip help for the actions 'tooltip-pt-userpage' => 'Your user page', 'tooltip-pt-anonuserpage' => "The user page for the ip you're editing as", 'tooltip-pt-mytalk' => 'Your talk page', 'tooltip-pt-anontalk' => 'Discussion about edits from this IP address', 'tooltip-pt-preferences' => 'Your preferences', 'tooltip-pt-watchlist' => 'The list of pages you are monitoring for changes', 'tooltip-pt-mycontris' => 'List of your contributions', 'tooltip-pt-login' => 'You are encouraged to log in; however, it is not mandatory', 'tooltip-pt-anonlogin' => 'You are encouraged to log in; however, it is not mandatory', 'tooltip-pt-logout' => 'Log out', 'tooltip-ca-talk' => 'Discussion about the content page', 'tooltip-ca-edit' => 'You can edit this page. Please use the preview button before saving', 'tooltip-ca-addsection' => 'Start a new section', 'tooltip-ca-viewsource' => 'This page is protected. You can view its source', 'tooltip-ca-history' => 'Past revisions of this page', 'tooltip-ca-protect' => 'Protect this page', 'tooltip-ca-unprotect' => 'Unprotect this page', 'tooltip-ca-delete' => 'Delete this page', 'tooltip-ca-undelete' => 'Restore the edits done to this page before it was deleted', 'tooltip-ca-move' => 'Move this page', 'tooltip-ca-watch' => 'Add this page to your watchlist', 'tooltip-ca-unwatch' => 'Remove this page from your watchlist', 'tooltip-search' => 'Search {{SITENAME}}', 'tooltip-search-go' => 'Go to a page with this exact name if exists', 'tooltip-search-fulltext' => 'Search the pages for this text', 'tooltip-p-logo' => 'Visit the main page', 'tooltip-n-mainpage' => 'Visit the main page', 'tooltip-n-mainpage-description' => 'Visit the main page', 'tooltip-n-portal' => 'About the project, what you can do, where to find things', 'tooltip-n-currentevents' => 'Find background information on current events', 'tooltip-n-recentchanges' => 'The list of recent changes in the wiki', 'tooltip-n-randompage' => 'Load a random page', 'tooltip-n-help' => 'The place to find out', 'tooltip-t-whatlinkshere' => 'List of all wiki pages that link here', 'tooltip-t-recentchangeslinked' => 'Recent changes in pages linked from this page', 'tooltip-feed-rss' => 'RSS feed for this page', 'tooltip-feed-atom' => 'Atom feed for this page', 'tooltip-t-contributions' => 'View the list of contributions of this user', 'tooltip-t-emailuser' => 'Send an e-mail to this user', 'tooltip-t-upload' => 'Upload files', 'tooltip-t-specialpages' => 'List of all special pages', 'tooltip-t-print' => 'Printable version of this page', 'tooltip-t-permalink' => 'Permanent link to this revision of the page', 'tooltip-ca-nstab-main' => 'View the content page', 'tooltip-ca-nstab-user' => 'View the user page', 'tooltip-ca-nstab-media' => 'View the media page', 'tooltip-ca-nstab-special' => 'This is a special page, you cannot edit the page itself', 'tooltip-ca-nstab-project' => 'View the project page', 'tooltip-ca-nstab-image' => 'View the file page', 'tooltip-ca-nstab-mediawiki' => 'View the system message', 'tooltip-ca-nstab-template' => 'View the template', 'tooltip-ca-nstab-help' => 'View the help page', 'tooltip-ca-nstab-category' => 'View the category page', 'tooltip-minoredit' => 'Mark this as a minor edit', 'tooltip-save' => 'Save your changes', 'tooltip-preview' => 'Preview your changes, please use this before saving!', 'tooltip-diff' => 'Show which changes you made to the text', 'tooltip-compareselectedversions' => 'See the differences between the two selected revisions of this page', 'tooltip-watch' => 'Add this page to your watchlist', 'tooltip-recreate' => 'Recreate the page even though it has been deleted', 'tooltip-upload' => 'Start upload', 'tooltip-rollback' => '"Rollback" reverts edit(s) to this page of the last contributor in one click', 'tooltip-undo' => '"Undo" reverts this edit and opens the edit form in preview mode. It allows adding a reason in the summary.', # Stylesheets 'common.css' => '/* CSS placed here will be applied to all skins */', # only translate this message to other languages if you have to change it 'standard.css' => '/* CSS placed here will affect users of the Standard skin */', # only translate this message to other languages if you have to change it 'nostalgia.css' => '/* CSS placed here will affect users of the Nostalgia skin */', # only translate this message to other languages if you have to change it 'cologneblue.css' => '/* CSS placed here will affect users of the Cologne Blue skin */', # only translate this message to other languages if you have to change it 'monobook.css' => '/* CSS placed here will affect users of the Monobook skin */', # only translate this message to other languages if you have to change it 'myskin.css' => '/* CSS placed here will affect users of the Myskin skin */', # only translate this message to other languages if you have to change it 'chick.css' => '/* CSS placed here will affect users of the Chick skin */', # only translate this message to other languages if you have to change it 'simple.css' => '/* CSS placed here will affect users of the Simple skin */', # only translate this message to other languages if you have to change it 'modern.css' => '/* CSS placed here will affect users of the Modern skin */', # only translate this message to other languages if you have to change it 'vector.css' => '/* CSS placed here will affect users of the Vector skin */', # only translate this message to other languages if you have to change it 'print.css' => '/* CSS placed here will affect the print output */', # only translate this message to other languages if you have to change it 'handheld.css' => '/* CSS placed here will affect handheld devices based on the skin configured in $wgHandheldStyle */', # only translate this message to other languages if you have to change it # Scripts 'common.js' => '/* Any JavaScript here will be loaded for all users on every page load. */', # only translate this message to other languages if you have to change it 'standard.js' => '/* Any JavaScript here will be loaded for users using the Standard skin */', # only translate this message to other languages if you have to change it 'nostalgia.js' => '/* Any JavaScript here will be loaded for users using the Nostalgia skin */', # only translate this message to other languages if you have to change it 'cologneblue.js' => '/* Any JavaScript here will be loaded for users using the Cologne Blue skin */', # only translate this message to other languages if you have to change it 'monobook.js' => '/* Any JavaScript here will be loaded for users using the MonoBook skin */', # only translate this message to other languages if you have to change it 'myskin.js' => '/* Any JavaScript here will be loaded for users using the Myskin skin */', # only translate this message to other languages if you have to change it 'chick.js' => '/* Any JavaScript here will be loaded for users using the Chick skin */', # only translate this message to other languages if you have to change it 'simple.js' => '/* Any JavaScript here will be loaded for users using the Simple skin */', # only translate this message to other languages if you have to change it 'modern.js' => '/* Any JavaScript here will be loaded for users using the Modern skin */', # only translate this message to other languages if you have to change it 'vector.js' => '/* Any JavaScript here will be loaded for users using the Vector skin */', # only translate this message to other languages if you have to change it # Metadata 'nodublincore' => 'Dublin Core RDF metadata disabled for this server.', 'nocreativecommons' => 'Creative Commons RDF metadata disabled for this server.', 'notacceptable' => 'The wiki server cannot provide data in a format your client can read.', # Attribution 'anonymous' => 'Anonymous {{PLURAL:$1|user|users}} of {{SITENAME}}', 'siteuser' => '{{SITENAME}} user $1', 'lastmodifiedatby' => 'This page was last modified $2, $1 by $3.', 'othercontribs' => 'Based on work by $1.', 'others' => 'others', 'siteusers' => '{{SITENAME}} {{PLURAL:$2|user|users}} $1', 'creditspage' => 'Page credits', 'nocredits' => 'There is no credits info available for this page.', # Spam protection 'spamprotectiontitle' => 'Spam protection filter', 'spamprotectiontext' => 'The page you wanted to save was blocked by the spam filter. This is probably caused by a link to a blacklisted external site.', 'spamprotectionmatch' => 'The following text is what triggered our spam filter: $1', 'spambot_username' => 'MediaWiki spam cleanup', 'spam_reverting' => 'Reverting to last revision not containing links to $1', 'spam_blanking' => 'All revisions contained links to $1, blanking', # Info page 'infosubtitle' => 'Information for page', 'numedits' => 'Number of edits (page): $1', 'numtalkedits' => 'Number of edits (discussion page): $1', 'numwatchers' => 'Number of watchers: $1', 'numauthors' => 'Number of distinct authors (page): $1', 'numtalkauthors' => 'Number of distinct authors (discussion page): $1', # Skin names 'skinname-standard' => 'Classic', # only translate this message to other languages if you have to change it 'skinname-nostalgia' => 'Nostalgia', # only translate this message to other languages if you have to change it 'skinname-cologneblue' => 'Cologne Blue', # only translate this message to other languages if you have to change it 'skinname-monobook' => 'MonoBook', # only translate this message to other languages if you have to change it 'skinname-myskin' => 'MySkin', # only translate this message to other languages if you have to change it 'skinname-chick' => 'Chick', # only translate this message to other languages if you have to change it 'skinname-simple' => 'Simple', # only translate this message to other languages if you have to change it 'skinname-modern' => 'Modern', # only translate this message to other languages if you have to change it 'skinname-vector' => 'Vector', # only translate this message to other languages if you have to change it # Math options 'mw_math_png' => 'Always render PNG', 'mw_math_simple' => 'HTML if very simple or else PNG', 'mw_math_html' => 'HTML if possible or else PNG', 'mw_math_source' => 'Leave it as TeX (for text browsers)', 'mw_math_modern' => 'Recommended for modern browsers', 'mw_math_mathml' => 'MathML if possible (experimental)', # Math errors 'math_failure' => 'Failed to parse', 'math_unknown_error' => 'unknown error', 'math_unknown_function' => 'unknown function', 'math_lexing_error' => 'lexing error', 'math_syntax_error' => 'syntax error', 'math_image_error' => 'PNG conversion failed; check for correct installation of latex, dvips, gs, and convert', 'math_bad_tmpdir' => 'Cannot write to or create math temp directory', 'math_bad_output' => 'Cannot write to or create math output directory', 'math_notexvc' => 'Missing texvc executable; please see math/README to configure.', # Patrolling 'markaspatrolleddiff' => 'Mark as patrolled', 'markaspatrolledlink' => '[$1]', # do not translate or duplicate this message to other languages 'markaspatrolledtext' => 'Mark this page as patrolled', 'markedaspatrolled' => 'Marked as patrolled', 'markedaspatrolledtext' => 'The selected revision has been marked as patrolled.', 'rcpatroldisabled' => 'Recent Changes Patrol disabled', 'rcpatroldisabledtext' => 'The Recent Changes Patrol feature is currently disabled.', 'markedaspatrollederror' => 'Cannot mark as patrolled', 'markedaspatrollederrortext' => 'You need to specify a revision to mark as patrolled.', 'markedaspatrollederror-noautopatrol' => 'You are not allowed to mark your own changes as patrolled.', # Patrol log 'patrol-log-page' => 'Patrol log', 'patrol-log-header' => 'This is a log of patrolled revisions.', 'patrol-log-line' => 'marked $1 of $2 patrolled $3', 'patrol-log-auto' => '(automatic)', 'patrol-log-diff' => 'revision $1', 'log-show-hide-patrol' => '$1 patrol log', # Image deletion 'deletedrevision' => 'Deleted old revision $1', 'filedeleteerror-short' => 'Error deleting file: $1', 'filedeleteerror-long' => 'Errors were encountered while deleting the file: $1', 'filedelete-missing' => 'The file "$1" cannot be deleted, because it does not exist.', 'filedelete-old-unregistered' => 'The specified file revision "$1" is not in the database.', 'filedelete-current-unregistered' => 'The specified file "$1" is not in the database.', 'filedelete-archive-read-only' => 'The archive directory "$1" is not writable by the webserver.', # Browsing diffs 'previousdiff' => '← Older edit', 'nextdiff' => 'Newer edit →', # Visual comparison 'visual-comparison' => 'Visual comparison', # Media information 'mediawarning' => "'''Warning''': This file may contain malicious code, by executing it your system may be compromised.<hr />", 'imagemaxsize' => "Image size limit:<br />''(for file description pages)''", 'thumbsize' => 'Thumbnail size:', 'widthheight' => '$1×$2', # only translate this message to other languages if you have to change it 'widthheightpage' => '$1×$2, $3 {{PLURAL:$3|page|pages}}', 'file-info' => '(file size: $1, MIME type: $2)', 'file-info-size' => '($1 × $2 pixels, file size: $3, MIME type: $4)', 'file-nohires' => '<small>No higher resolution available.</small>', 'svg-long-desc' => '(SVG file, nominally $1 × $2 pixels, file size: $3)', 'show-big-image' => 'Full resolution', 'show-big-image-thumb' => '<small>Size of this preview: $1 × $2 pixels</small>', 'file-info-gif-looped' => 'looped', 'file-info-gif-frames' => '$1 {{PLURAL:$1|frame|frames}}', # Special:NewFiles 'newimages' => 'Gallery of new files', 'imagelisttext' => "Below is a list of '''$1''' {{PLURAL:$1|file|files}} sorted $2.", 'newimages-summary' => 'This special page shows the last uploaded files.', 'newimages-legend' => 'Filter', 'newimages-label' => 'Filename (or a part of it):', 'showhidebots' => '($1 bots)', 'noimages' => 'Nothing to see.', 'ilsubmit' => 'Search', 'bydate' => 'by date', 'sp-newimages-showfrom' => 'Show new files starting from $2, $1', # Video information, used by Language::formatTimePeriod() to format lengths in the above messages 'video-dims' => '$1, $2×$3', # only translate this message to other languages if you have to change it 'seconds-abbrev' => 's', # only translate this message to other languages if you have to change it 'minutes-abbrev' => 'm', # only translate this message to other languages if you have to change it 'hours-abbrev' => 'h', # only translate this message to other languages if you have to change it # Bad image list 'bad_image_list' => 'The format is as follows: Only list items (lines starting with *) are considered. The first link on a line must be a link to a bad file. Any subsequent links on the same line are considered to be exceptions, i.e. pages where the file may occur inline.', /* Short names for language variants used for language conversion links. To disable showing a particular link, set it to 'disable', e.g. 'variantname-zh-sg' => 'disable', Variants for Chinese language */ 'variantname-zh-hans' => 'hans', # only translate this message to other languages if you have to change it 'variantname-zh-hant' => 'hant', # only translate this message to other languages if you have to change it 'variantname-zh-cn' => 'cn', # only translate this message to other languages if you have to change it 'variantname-zh-tw' => 'tw', # only translate this message to other languages if you have to change it 'variantname-zh-hk' => 'hk', # only translate this message to other languages if you have to change it 'variantname-zh-mo' => 'mo', # only translate this message to other languages if you have to change it 'variantname-zh-sg' => 'sg', # only translate this message to other languages if you have to change it 'variantname-zh-my' => 'my', # only translate this message to other languages if you have to change it 'variantname-zh' => 'zh', # only translate this message to other languages if you have to change it # Variants for Gan language 'variantname-gan-hans' => 'hans', # only translate this message to other languages if you have to change it 'variantname-gan-hant' => 'hant', # only translate this message to other languages if you have to change it 'variantname-gan' => 'gan', # only translate this message to other languages if you have to change it # Variants for Serbian language 'variantname-sr-ec' => 'sr-ec', # only translate this message to other languages if you have to change it 'variantname-sr-el' => 'sr-el', # only translate this message to other languages if you have to change it 'variantname-sr' => 'sr', # only translate this message to other languages if you have to change it # Variants for Kazakh language 'variantname-kk-kz' => 'kk-kz', # only translate this message to other languages if you have to change it 'variantname-kk-tr' => 'kk-tr', # only translate this message to other languages if you have to change it 'variantname-kk-cn' => 'kk-cn', # only translate this message to other languages if you have to change it 'variantname-kk-cyrl' => 'kk-cyrl', # only translate this message to other languages if you have to change it 'variantname-kk-latn' => 'kk-latn', # only translate this message to other languages if you have to change it 'variantname-kk-arab' => 'kk-arab', # only translate this message to other languages if you have to change it 'variantname-kk' => 'kk', # only translate this message to other languages if you have to change it # Variants for Kurdish language 'variantname-ku-arab' => 'ku-Arab', # only translate this message to other languages if you have to change it 'variantname-ku-latn' => 'ku-Latn', # only translate this message to other languages if you have to change it 'variantname-ku' => 'ku', # only translate this message to other languages if you have to change it # Variants for Tajiki language 'variantname-tg-cyrl' => 'tg-Cyrl', # only translate this message to other languages if you have to change it 'variantname-tg-latn' => 'tg-Latn', # only translate this message to other languages if you have to change it 'variantname-tg' => 'tg', # only translate this message to other languages if you have to change it # Metadata 'metadata' => 'Metadata', 'metadata-help' => 'This file contains additional information, probably added from the digital camera or scanner used to create or digitize it. If the file has been modified from its original state, some details may not fully reflect the modified file.', 'metadata-expand' => 'Show extended details', 'metadata-collapse' => 'Hide extended details', 'metadata-fields' => 'EXIF metadata fields listed in this message will be included on image page display when the metadata table is collapsed. Others will be hidden by default. * make * model * datetimeoriginal * exposuretime * fnumber * isospeedratings * focallength', # EXIF tags 'exif-imagewidth' => 'Width', 'exif-imagelength' => 'Height', 'exif-bitspersample' => 'Bits per component', 'exif-compression' => 'Compression scheme', 'exif-photometricinterpretation' => 'Pixel composition', 'exif-orientation' => 'Orientation', 'exif-samplesperpixel' => 'Number of components', 'exif-planarconfiguration' => 'Data arrangement', 'exif-ycbcrsubsampling' => 'Subsampling ratio of Y to C', 'exif-ycbcrpositioning' => 'Y and C positioning', 'exif-xresolution' => 'Horizontal resolution', 'exif-yresolution' => 'Vertical resolution', 'exif-resolutionunit' => 'Unit of X and Y resolution', 'exif-stripoffsets' => 'Image data location', 'exif-rowsperstrip' => 'Number of rows per strip', 'exif-stripbytecounts' => 'Bytes per compressed strip', 'exif-jpeginterchangeformat' => 'Offset to JPEG SOI', 'exif-jpeginterchangeformatlength' => 'Bytes of JPEG data', 'exif-transferfunction' => 'Transfer function', 'exif-whitepoint' => 'White point chromaticity', 'exif-primarychromaticities' => 'Chromaticities of primarities', 'exif-ycbcrcoefficients' => 'Color space transformation matrix coefficients', 'exif-referenceblackwhite' => 'Pair of black and white reference values', 'exif-datetime' => 'File change date and time', 'exif-imagedescription' => 'Image title', 'exif-make' => 'Camera manufacturer', 'exif-model' => 'Camera model', 'exif-software' => 'Software used', 'exif-artist' => 'Author', 'exif-copyright' => 'Copyright holder', 'exif-exifversion' => 'Exif version', 'exif-flashpixversion' => 'Supported Flashpix version', 'exif-colorspace' => 'Color space', 'exif-componentsconfiguration' => 'Meaning of each component', 'exif-compressedbitsperpixel' => 'Image compression mode', 'exif-pixelydimension' => 'Valid image width', 'exif-pixelxdimension' => 'Valid image height', 'exif-makernote' => 'Manufacturer notes', 'exif-usercomment' => 'User comments', 'exif-relatedsoundfile' => 'Related audio file', 'exif-datetimeoriginal' => 'Date and time of data generation', 'exif-datetimedigitized' => 'Date and time of digitizing', 'exif-subsectime' => 'DateTime subseconds', 'exif-subsectimeoriginal' => 'DateTimeOriginal subseconds', 'exif-subsectimedigitized' => 'DateTimeDigitized subseconds', 'exif-exposuretime' => 'Exposure time', 'exif-exposuretime-format' => '$1 sec ($2)', 'exif-fnumber' => 'F Number', 'exif-fnumber-format' => 'f/$1', # only translate this message to other languages if you have to change it 'exif-exposureprogram' => 'Exposure Program', 'exif-spectralsensitivity' => 'Spectral sensitivity', 'exif-isospeedratings' => 'ISO speed rating', 'exif-oecf' => 'Optoelectronic conversion factor', 'exif-shutterspeedvalue' => 'Shutter speed', 'exif-aperturevalue' => 'Aperture', 'exif-brightnessvalue' => 'Brightness', 'exif-exposurebiasvalue' => 'Exposure bias', 'exif-maxaperturevalue' => 'Maximum land aperture', 'exif-subjectdistance' => 'Subject distance', 'exif-meteringmode' => 'Metering mode', 'exif-lightsource' => 'Light source', 'exif-flash' => 'Flash', 'exif-focallength' => 'Lens focal length', 'exif-focallength-format' => '$1 mm', # only translate this message to other languages if you have to change it 'exif-subjectarea' => 'Subject area', 'exif-flashenergy' => 'Flash energy', 'exif-spatialfrequencyresponse' => 'Spatial frequency response', 'exif-focalplanexresolution' => 'Focal plane X resolution', 'exif-focalplaneyresolution' => 'Focal plane Y resolution', 'exif-focalplaneresolutionunit' => 'Focal plane resolution unit', 'exif-subjectlocation' => 'Subject location', 'exif-exposureindex' => 'Exposure index', 'exif-sensingmethod' => 'Sensing method', 'exif-filesource' => 'File source', 'exif-scenetype' => 'Scene type', 'exif-cfapattern' => 'CFA pattern', 'exif-customrendered' => 'Custom image processing', 'exif-exposuremode' => 'Exposure mode', 'exif-whitebalance' => 'White Balance', 'exif-digitalzoomratio' => 'Digital zoom ratio', 'exif-focallengthin35mmfilm' => 'Focal length in 35 mm film', 'exif-scenecapturetype' => 'Scene capture type', 'exif-gaincontrol' => 'Scene control', 'exif-contrast' => 'Contrast', 'exif-saturation' => 'Saturation', 'exif-sharpness' => 'Sharpness', 'exif-devicesettingdescription' => 'Device settings description', 'exif-subjectdistancerange' => 'Subject distance range', 'exif-imageuniqueid' => 'Unique image ID', 'exif-gpsversionid' => 'GPS tag version', 'exif-gpslatituderef' => 'North or South Latitude', 'exif-gpslatitude' => 'Latitude', 'exif-gpslongituderef' => 'East or West Longitude', 'exif-gpslongitude' => 'Longitude', 'exif-gpsaltituderef' => 'Altitude reference', 'exif-gpsaltitude' => 'Altitude', 'exif-gpstimestamp' => 'GPS time (atomic clock)', 'exif-gpssatellites' => 'Satellites used for measurement', 'exif-gpsstatus' => 'Receiver status', 'exif-gpsmeasuremode' => 'Measurement mode', 'exif-gpsdop' => 'Measurement precision', 'exif-gpsspeedref' => 'Speed unit', 'exif-gpsspeed' => 'Speed of GPS receiver', 'exif-gpstrackref' => 'Reference for direction of movement', 'exif-gpstrack' => 'Direction of movement', 'exif-gpsimgdirectionref' => 'Reference for direction of image', 'exif-gpsimgdirection' => 'Direction of image', 'exif-gpsmapdatum' => 'Geodetic survey data used', 'exif-gpsdestlatituderef' => 'Reference for latitude of destination', 'exif-gpsdestlatitude' => 'Latitude destination', 'exif-gpsdestlongituderef' => 'Reference for longitude of destination', 'exif-gpsdestlongitude' => 'Longitude of destination', 'exif-gpsdestbearingref' => 'Reference for bearing of destination', 'exif-gpsdestbearing' => 'Bearing of destination', 'exif-gpsdestdistanceref' => 'Reference for distance to destination', 'exif-gpsdestdistance' => 'Distance to destination', 'exif-gpsprocessingmethod' => 'Name of GPS processing method', 'exif-gpsareainformation' => 'Name of GPS area', 'exif-gpsdatestamp' => 'GPS date', 'exif-gpsdifferential' => 'GPS differential correction', # Make & model, can be wikified in order to link to the camera and model name 'exif-make-value' => '$1', # do not translate or duplicate this message to other languages 'exif-model-value' => '$1', # do not translate or duplicate this message to other languages 'exif-software-value' => '$1', # do not translate or duplicate this message to other languages # EXIF attributes 'exif-compression-1' => 'Uncompressed', 'exif-compression-6' => 'JPEG', # only translate this message to other languages if you have to change it 'exif-photometricinterpretation-2' => 'RGB', # only translate this message to other languages if you have to change it 'exif-photometricinterpretation-6' => 'YCbCr', # only translate this message to other languages if you have to change it 'exif-unknowndate' => 'Unknown date', 'exif-orientation-1' => 'Normal', 'exif-orientation-2' => 'Flipped horizontally', 'exif-orientation-3' => 'Rotated 180°', 'exif-orientation-4' => 'Flipped vertically', 'exif-orientation-5' => 'Rotated 90° CCW and flipped vertically', 'exif-orientation-6' => 'Rotated 90° CW', 'exif-orientation-7' => 'Rotated 90° CW and flipped vertically', 'exif-orientation-8' => 'Rotated 90° CCW', 'exif-planarconfiguration-1' => 'chunky format', 'exif-planarconfiguration-2' => 'planar format', 'exif-xyresolution-i' => '$1 dpi', # only translate this message to other languages if you have to change it 'exif-xyresolution-c' => '$1 dpc', # only translate this message to other languages if you have to change it 'exif-colorspace-1' => 'sRGB', # only translate this message to other languages if you have to change it 'exif-colorspace-ffff.h' => 'FFFF.H', # only translate this message to other languages if you have to change it 'exif-componentsconfiguration-0' => 'does not exist', 'exif-componentsconfiguration-1' => 'Y', # only translate this message to other languages if you have to change it 'exif-componentsconfiguration-2' => 'Cb', # only translate this message to other languages if you have to change it 'exif-componentsconfiguration-3' => 'Cr', # only translate this message to other languages if you have to change it 'exif-componentsconfiguration-4' => 'R', # only translate this message to other languages if you have to change it 'exif-componentsconfiguration-5' => 'G', # only translate this message to other languages if you have to change it 'exif-componentsconfiguration-6' => 'B', # only translate this message to other languages if you have to change it 'exif-exposureprogram-0' => 'Not defined', 'exif-exposureprogram-1' => 'Manual', 'exif-exposureprogram-2' => 'Normal program', 'exif-exposureprogram-3' => 'Aperture priority', 'exif-exposureprogram-4' => 'Shutter priority', 'exif-exposureprogram-5' => 'Creative program (biased toward depth of field)', 'exif-exposureprogram-6' => 'Action program (biased toward fast shutter speed)', 'exif-exposureprogram-7' => 'Portrait mode (for closeup photos with the background out of focus)', 'exif-exposureprogram-8' => 'Landscape mode (for landscape photos with the background in focus)', 'exif-subjectdistance-value' => '$1 meters', 'exif-meteringmode-0' => 'Unknown', 'exif-meteringmode-1' => 'Average', 'exif-meteringmode-2' => 'CenterWeightedAverage', 'exif-meteringmode-3' => 'Spot', 'exif-meteringmode-4' => 'MultiSpot', 'exif-meteringmode-5' => 'Pattern', 'exif-meteringmode-6' => 'Partial', 'exif-meteringmode-255' => 'Other', 'exif-lightsource-0' => 'Unknown', 'exif-lightsource-1' => 'Daylight', 'exif-lightsource-2' => 'Fluorescent', 'exif-lightsource-3' => 'Tungsten (incandescent light)', 'exif-lightsource-4' => 'Flash', 'exif-lightsource-9' => 'Fine weather', 'exif-lightsource-10' => 'Cloudy weather', 'exif-lightsource-11' => 'Shade', 'exif-lightsource-12' => 'Daylight fluorescent (D 5700 – 7100K)', 'exif-lightsource-13' => 'Day white fluorescent (N 4600 – 5400K)', 'exif-lightsource-14' => 'Cool white fluorescent (W 3900 – 4500K)', 'exif-lightsource-15' => 'White fluorescent (WW 3200 – 3700K)', 'exif-lightsource-17' => 'Standard light A', 'exif-lightsource-18' => 'Standard light B', 'exif-lightsource-19' => 'Standard light C', 'exif-lightsource-20' => 'D55', # only translate this message to other languages if you have to change it 'exif-lightsource-21' => 'D65', # only translate this message to other languages if you have to change it 'exif-lightsource-22' => 'D75', # only translate this message to other languages if you have to change it 'exif-lightsource-23' => 'D50', # only translate this message to other languages if you have to change it 'exif-lightsource-24' => 'ISO studio tungsten', 'exif-lightsource-255' => 'Other light source', # Flash modes 'exif-flash-fired-0' => 'Flash did not fire', 'exif-flash-fired-1' => 'Flash fired', 'exif-flash-return-0' => 'no strobe return detection function', 'exif-flash-return-2' => 'strobe return light not detected', 'exif-flash-return-3' => 'strobe return light detected', 'exif-flash-mode-1' => 'compulsory flash firing', 'exif-flash-mode-2' => 'compulsory flash suppression', 'exif-flash-mode-3' => 'auto mode', 'exif-flash-function-1' => 'No flash function', 'exif-flash-redeye-1' => 'red-eye reduction mode', 'exif-focalplaneresolutionunit-2' => 'inches', 'exif-sensingmethod-1' => 'Undefined', 'exif-sensingmethod-2' => 'One-chip color area sensor', 'exif-sensingmethod-3' => 'Two-chip color area sensor', 'exif-sensingmethod-4' => 'Three-chip color area sensor', 'exif-sensingmethod-5' => 'Color sequential area sensor', 'exif-sensingmethod-7' => 'Trilinear sensor', 'exif-sensingmethod-8' => 'Color sequential linear sensor', 'exif-filesource-3' => 'DSC', # only translate this message to other languages if you have to change it 'exif-scenetype-1' => 'A directly photographed image', 'exif-customrendered-0' => 'Normal process', 'exif-customrendered-1' => 'Custom process', 'exif-exposuremode-0' => 'Auto exposure', 'exif-exposuremode-1' => 'Manual exposure', 'exif-exposuremode-2' => 'Auto bracket', 'exif-whitebalance-0' => 'Auto white balance', 'exif-whitebalance-1' => 'Manual white balance', 'exif-scenecapturetype-0' => 'Standard', 'exif-scenecapturetype-1' => 'Landscape', 'exif-scenecapturetype-2' => 'Portrait', 'exif-scenecapturetype-3' => 'Night scene', 'exif-gaincontrol-0' => 'None', 'exif-gaincontrol-1' => 'Low gain up', 'exif-gaincontrol-2' => 'High gain up', 'exif-gaincontrol-3' => 'Low gain down', 'exif-gaincontrol-4' => 'High gain down', 'exif-contrast-0' => 'Normal', 'exif-contrast-1' => 'Soft', 'exif-contrast-2' => 'Hard', 'exif-saturation-0' => 'Normal', 'exif-saturation-1' => 'Low saturation', 'exif-saturation-2' => 'High saturation', 'exif-sharpness-0' => 'Normal', 'exif-sharpness-1' => 'Soft', 'exif-sharpness-2' => 'Hard', 'exif-subjectdistancerange-0' => 'Unknown', 'exif-subjectdistancerange-1' => 'Macro', 'exif-subjectdistancerange-2' => 'Close view', 'exif-subjectdistancerange-3' => 'Distant view', # Pseudotags used for GPSLatitudeRef and GPSDestLatitudeRef 'exif-gpslatitude-n' => 'North latitude', 'exif-gpslatitude-s' => 'South latitude', # Pseudotags used for GPSLongitudeRef and GPSDestLongitudeRef 'exif-gpslongitude-e' => 'East longitude', 'exif-gpslongitude-w' => 'West longitude', 'exif-gpsstatus-a' => 'Measurement in progress', 'exif-gpsstatus-v' => 'Measurement interoperability', 'exif-gpsmeasuremode-2' => '2-dimensional measurement', 'exif-gpsmeasuremode-3' => '3-dimensional measurement', # Pseudotags used for GPSSpeedRef 'exif-gpsspeed-k' => 'Kilometers per hour', 'exif-gpsspeed-m' => 'Miles per hour', 'exif-gpsspeed-n' => 'Knots', # Pseudotags used for GPSTrackRef, GPSImgDirectionRef and GPSDestBearingRef 'exif-gpsdirection-t' => 'True direction', 'exif-gpsdirection-m' => 'Magnetic direction', # External editor support 'edit-externally' => 'Edit this file using an external application', 'edit-externally-help' => '(See the [http://www.mediawiki.org/wiki/Manual:External_editors setup instructions] for more information)', # 'all' in various places, this might be different for inflected languages 'recentchangesall' => 'all', 'imagelistall' => 'all', 'watchlistall2' => 'all', 'namespacesall' => 'all', 'monthsall' => 'all', 'limitall' => 'all', # E-mail address confirmation 'confirmemail' => 'Confirm e-mail address', 'confirmemail_noemail' => 'You do not have a valid e-mail address set in your [[Special:Preferences|user preferences]].', 'confirmemail_text' => '{{SITENAME}} requires that you validate your e-mail address before using e-mail features. Activate the button below to send a confirmation mail to your address. The mail will include a link containing a code; load the link in your browser to confirm that your e-mail address is valid.', 'confirmemail_pending' => 'A confirmation code has already been e-mailed to you; if you recently created your account, you may wish to wait a few minutes for it to arrive before trying to request a new code.', 'confirmemail_send' => 'Mail a confirmation code', 'confirmemail_sent' => 'Confirmation e-mail sent.', 'confirmemail_oncreate' => 'A confirmation code was sent to your e-mail address. This code is not required to log in, but you will need to provide it before enabling any e-mail-based features in the wiki.', 'confirmemail_sendfailed' => '{{SITENAME}} could not send your confirmation mail. Please check your e-mail address for invalid characters. Mailer returned: $1', 'confirmemail_invalid' => 'Invalid confirmation code. The code may have expired.', 'confirmemail_needlogin' => 'You need to $1 to confirm your e-mail address.', 'confirmemail_success' => 'Your e-mail address has been confirmed. You may now [[Special:UserLogin|log in]] and enjoy the wiki.', 'confirmemail_loggedin' => 'Your e-mail address has now been confirmed.', 'confirmemail_error' => 'Something went wrong saving your confirmation.', 'confirmemail_subject' => '{{SITENAME}} e-mail address confirmation', 'confirmemail_body' => 'Someone, probably you, from IP address $1, has registered an account "$2" with this e-mail address on {{SITENAME}}. To confirm that this account really does belong to you and activate e-mail features on {{SITENAME}}, open this link in your browser: $3 If you did *not* register the account, follow this link to cancel the e-mail address confirmation: $5 This confirmation code will expire at $4.', 'confirmemail_invalidated' => 'E-mail address confirmation canceled', 'invalidateemail' => 'Cancel e-mail confirmation', # Scary transclusion 'scarytranscludedisabled' => '[Interwiki transcluding is disabled]', 'scarytranscludefailed' => '[Template fetch failed for $1]', 'scarytranscludetoolong' => '[URL is too long]', # Trackbacks 'trackbackbox' => 'Trackbacks for this page:<br /> $1', 'trackback' => '; $4 $5: [$2 $1]', # only translate this message to other languages if you have to change it 'trackbackexcerpt' => '; $4 $5: [$2 $1]: <nowiki>$3</nowiki>', # only translate this message to other languages if you have to change it 'trackbackremove' => '([$1 Delete])', 'trackbacklink' => 'Trackback', 'trackbackdeleteok' => 'The trackback was successfully deleted.', # Delete conflict 'deletedwhileediting' => "'''Warning''': This page was deleted after you started editing!", 'confirmrecreate' => "User [[User:$1|$1]] ([[User talk:$1|talk]]) deleted this page after you started editing with reason: : ''$2'' Please confirm that you really want to recreate this page.", 'recreate' => 'Recreate', 'unit-pixel' => 'px', # only translate this message to other languages if you have to change it # action=purge 'confirm_purge_button' => 'OK', 'confirm-purge-top' => 'Clear the cache of this page?', 'confirm-purge-bottom' => 'Purging a page clears the cache and forces the most current revision to appear.', # Separators for various lists, etc. 'catseparator' => '|', # only translate this message to other languages if you have to change it 'semicolon-separator' => '; ', # only translate this message to other languages if you have to change it 'comma-separator' => ', ', # only translate this message to other languages if you have to change it 'colon-separator' => ': ', # only translate this message to other languages if you have to change it 'autocomment-prefix' => '- ', # only translate this message to other languages if you have to change it 'pipe-separator' => ' | ', # only translate this message to other languages if you have to change it 'word-separator' => ' ', # only translate this message to other languages if you have to change it 'ellipsis' => '...', # only translate this message to other languages if you have to change it 'percent' => '$1%', # only translate this message to other languages if you have to change it 'parentheses' => '($1)', # only translate this message to other languages if you have to change it # Multipage image navigation 'imgmultipageprev' => '← previous page', 'imgmultipagenext' => 'next page →', 'imgmultigo' => 'Go!', 'imgmultigoto' => 'Go to page $1', # Table pager 'ascending_abbrev' => 'asc', 'descending_abbrev' => 'desc', 'table_pager_next' => 'Next page', 'table_pager_prev' => 'Previous page', 'table_pager_first' => 'First page', 'table_pager_last' => 'Last page', 'table_pager_limit' => 'Show $1 items per page', 'table_pager_limit_submit' => 'Go', 'table_pager_empty' => 'No results', # Auto-summaries 'autosumm-blank' => 'Blanked the page', 'autosumm-replace' => "Replaced content with '$1'", 'autoredircomment' => 'Redirected page to [[$1]]', 'autosumm-new' => "Created page with '$1'", # Autoblock whitelist 'autoblock_whitelist' => 'AOL http://webmaster.info.aol.com/proxyinfo.html *64.12.96.0/19 *149.174.160.0/20 *152.163.240.0/21 *152.163.248.0/22 *152.163.252.0/23 *152.163.96.0/22 *152.163.100.0/23 *195.93.32.0/22 *195.93.48.0/22 *195.93.64.0/19 *195.93.96.0/19 *195.93.16.0/20 *198.81.0.0/22 *198.81.16.0/20 *198.81.8.0/23 *202.67.64.128/25 *205.188.192.0/20 *205.188.208.0/23 *205.188.112.0/20 *205.188.146.144/30 *207.200.112.0/21', # do not translate or duplicate this message to other languages # Size units 'size-bytes' => '$1 B', # only translate this message to other languages if you have to change it 'size-kilobytes' => '$1 KB', # only translate this message to other languages if you have to change it 'size-megabytes' => '$1 MB', # only translate this message to other languages if you have to change it 'size-gigabytes' => '$1 GB', # only translate this message to other languages if you have to change it # Live preview 'livepreview-loading' => 'Loading...', 'livepreview-ready' => 'Loading... Ready!', 'livepreview-failed' => 'Live preview failed! Try normal preview.', 'livepreview-error' => 'Failed to connect: $1 "$2". Try normal preview.', # Friendlier slave lag warnings 'lag-warn-normal' => 'Changes newer than $1 {{PLURAL:$1|second|seconds}} may not be shown in this list.', 'lag-warn-high' => 'Due to high database server lag, changes newer than $1 {{PLURAL:$1|second|seconds}} may not be shown in this list.', # Watchlist editor 'watchlistedit-numitems' => 'Your watchlist contains {{PLURAL:$1|1 title|$1 titles}}, excluding talk pages.', 'watchlistedit-noitems' => 'Your watchlist contains no titles.', 'watchlistedit-normal-title' => 'Edit watchlist', 'watchlistedit-normal-legend' => 'Remove titles from watchlist', 'watchlistedit-normal-explain' => 'Titles on your watchlist are shown below. To remove a title, check the box next to it, and click Remove Titles. You can also [[Special:Watchlist/raw|edit the raw list]].', 'watchlistedit-normal-submit' => 'Remove titles', 'watchlistedit-normal-done' => '{{PLURAL:$1|1 title was|$1 titles were}} removed from your watchlist:', 'watchlistedit-raw-title' => 'Edit raw watchlist', 'watchlistedit-raw-legend' => 'Edit raw watchlist', 'watchlistedit-raw-explain' => 'Titles on your watchlist are shown below, and can be edited by adding to and removing from the list; one title per line. When finished, click Update Watchlist. You can also [[Special:Watchlist/edit|use the standard editor]].', 'watchlistedit-raw-titles' => 'Titles:', 'watchlistedit-raw-submit' => 'Update Watchlist', 'watchlistedit-raw-done' => 'Your watchlist has been updated.', 'watchlistedit-raw-added' => '{{PLURAL:$1|1 title was|$1 titles were}} added:', 'watchlistedit-raw-removed' => '{{PLURAL:$1|1 title was|$1 titles were}} removed:', # Watchlist editing tools 'watchlisttools-view' => 'View relevant changes', 'watchlisttools-edit' => 'View and edit watchlist', 'watchlisttools-raw' => 'Edit raw watchlist', # Iranian month names 'iranian-calendar-m1' => 'Farvardin', # only translate this message to other languages if you have to change it 'iranian-calendar-m2' => 'Ordibehesht', # only translate this message to other languages if you have to change it 'iranian-calendar-m3' => 'Khordad', # only translate this message to other languages if you have to change it 'iranian-calendar-m4' => 'Tir', # only translate this message to other languages if you have to change it 'iranian-calendar-m5' => 'Mordad', # only translate this message to other languages if you have to change it 'iranian-calendar-m6' => 'Shahrivar', # only translate this message to other languages if you have to change it 'iranian-calendar-m7' => 'Mehr', # only translate this message to other languages if you have to change it 'iranian-calendar-m8' => 'Aban', # only translate this message to other languages if you have to change it 'iranian-calendar-m9' => 'Azar', # only translate this message to other languages if you have to change it 'iranian-calendar-m10' => 'Dey', # only translate this message to other languages if you have to change it 'iranian-calendar-m11' => 'Bahman', # only translate this message to other languages if you have to change it 'iranian-calendar-m12' => 'Esfand', # only translate this message to other languages if you have to change it # Hijri month names 'hijri-calendar-m1' => 'Muharram', # only translate this message to other languages if you have to change it 'hijri-calendar-m2' => 'Safar', # only translate this message to other languages if you have to change it 'hijri-calendar-m3' => "Rabi' al-awwal", # only translate this message to other languages if you have to change it 'hijri-calendar-m4' => "Rabi' al-thani", # only translate this message to other languages if you have to change it 'hijri-calendar-m5' => 'Jumada al-awwal', # only translate this message to other languages if you have to change it 'hijri-calendar-m6' => 'Jumada al-thani', # only translate this message to other languages if you have to change it 'hijri-calendar-m7' => 'Rajab', # only translate this message to other languages if you have to change it 'hijri-calendar-m8' => "Sha'aban", # only translate this message to other languages if you have to change it 'hijri-calendar-m9' => 'Ramadan', # only translate this message to other languages if you have to change it 'hijri-calendar-m10' => 'Shawwal', # only translate this message to other languages if you have to change it 'hijri-calendar-m11' => "Dhu al-Qi'dah", # only translate this message to other languages if you have to change it 'hijri-calendar-m12' => 'Dhu al-Hijjah', # only translate this message to other languages if you have to change it # Hebrew month names 'hebrew-calendar-m1' => 'Tishrei', # only translate this message to other languages if you have to change it 'hebrew-calendar-m2' => 'Cheshvan', # only translate this message to other languages if you have to change it 'hebrew-calendar-m3' => 'Kislev', # only translate this message to other languages if you have to change it 'hebrew-calendar-m4' => 'Tevet', # only translate this message to other languages if you have to change it 'hebrew-calendar-m5' => 'Shevat', # only translate this message to other languages if you have to change it 'hebrew-calendar-m6' => 'Adar', # only translate this message to other languages if you have to change it 'hebrew-calendar-m6a' => 'Adar I', # only translate this message to other languages if you have to change it 'hebrew-calendar-m6b' => 'Adar II', # only translate this message to other languages if you have to change it 'hebrew-calendar-m7' => 'Nisan', # only translate this message to other languages if you have to change it 'hebrew-calendar-m8' => 'Iyar', # only translate this message to other languages if you have to change it 'hebrew-calendar-m9' => 'Sivan', # only translate this message to other languages if you have to change it 'hebrew-calendar-m10' => 'Tamuz', # only translate this message to other languages if you have to change it 'hebrew-calendar-m11' => 'Av', # only translate this message to other languages if you have to change it 'hebrew-calendar-m12' => 'Elul', # only translate this message to other languages if you have to change it 'hebrew-calendar-m1-gen' => 'Tishrei', # only translate this message to other languages if you have to change it 'hebrew-calendar-m2-gen' => 'Cheshvan', # only translate this message to other languages if you have to change it 'hebrew-calendar-m3-gen' => 'Kislev', # only translate this message to other languages if you have to change it 'hebrew-calendar-m4-gen' => 'Tevet', # only translate this message to other languages if you have to change it 'hebrew-calendar-m5-gen' => 'Shevat', # only translate this message to other languages if you have to change it 'hebrew-calendar-m6-gen' => 'Adar', # only translate this message to other languages if you have to change it 'hebrew-calendar-m6a-gen' => 'Adar I', # only translate this message to other languages if you have to change it 'hebrew-calendar-m6b-gen' => 'Adar II', # only translate this message to other languages if you have to change it 'hebrew-calendar-m7-gen' => 'Nisan', # only translate this message to other languages if you have to change it 'hebrew-calendar-m8-gen' => 'Iyar', # only translate this message to other languages if you have to change it 'hebrew-calendar-m9-gen' => 'Sivan', # only translate this message to other languages if you have to change it 'hebrew-calendar-m10-gen' => 'Tamuz', # only translate this message to other languages if you have to change it 'hebrew-calendar-m11-gen' => 'Av', # only translate this message to other languages if you have to change it 'hebrew-calendar-m12-gen' => 'Elul', # only translate this message to other languages if you have to change it # Signatures 'signature' => '[[{{ns:user}}:$1|$2]]', # do not translate or duplicate this message to other languages 'signature-anon' => '[[{{#special:Contributions}}/$1|$2]]', # do not translate or duplicate this message to other languages 'timezone-utc' => 'UTC', # only translate this message to other languages if you have to change it # Core parser functions 'unknown_extension_tag' => 'Unknown extension tag "$1"', 'duplicate-defaultsort' => '\'\'\'Warning:\'\'\' Default sort key "$2" overrides earlier default sort key "$1".', # Special:Version 'version' => 'Version', 'version-extensions' => 'Installed extensions', 'version-specialpages' => 'Special pages', 'version-parserhooks' => 'Parser hooks', 'version-variables' => 'Variables', 'version-other' => 'Other', 'version-mediahandlers' => 'Media handlers', 'version-hooks' => 'Hooks', 'version-extension-functions' => 'Extension functions', 'version-parser-extensiontags' => 'Parser extension tags', 'version-parser-function-hooks' => 'Parser function hooks', 'version-skin-extension-functions' => 'Skin extension functions', 'version-hook-name' => 'Hook name', 'version-hook-subscribedby' => 'Subscribed by', 'version-version' => '(Version $1)', 'version-svn-revision' => '(r$2)', # only translate this message to other languages if you have to change it 'version-license' => 'License', 'version-software' => 'Installed software', 'version-software-product' => 'Product', 'version-software-version' => 'Version', # Special:FilePath 'filepath' => 'File path', 'filepath-page' => 'File:', 'filepath-submit' => 'Path', 'filepath-summary' => 'This special page returns the complete path for a file. Images are shown in full resolution, other file types are started with their associated program directly. Enter the file name without the "{{ns:file}}:" prefix.', # Special:FileDuplicateSearch 'fileduplicatesearch' => 'Search for duplicate files', 'fileduplicatesearch-summary' => 'Search for duplicate files on base of its hash value. Enter the filename without the "{{ns:file}}:" prefix.', 'fileduplicatesearch-legend' => 'Search for a duplicate', 'fileduplicatesearch-filename' => 'Filename:', 'fileduplicatesearch-submit' => 'Search', 'fileduplicatesearch-info' => '$1 × $2 pixel<br />File size: $3<br />MIME type: $4', 'fileduplicatesearch-result-1' => 'The file "$1" has no identical duplication.', 'fileduplicatesearch-result-n' => 'The file "$1" has {{PLURAL:$2|1 identical duplication|$2 identical duplications}}.', # Special:SpecialPages 'specialpages' => 'Special pages', 'specialpages-summary' => '', # do not translate or duplicate this message to other languages 'specialpages-note' => '---- * Normal special pages. * <strong class="mw-specialpagerestricted">Restricted special pages.</strong>', 'specialpages-group-maintenance' => 'Maintenance reports', 'specialpages-group-other' => 'Other special pages', 'specialpages-group-login' => 'Login / sign up', 'specialpages-group-changes' => 'Recent changes and logs', 'specialpages-group-media' => 'Media reports and uploads', 'specialpages-group-users' => 'Users and rights', 'specialpages-group-highuse' => 'High use pages', 'specialpages-group-pages' => 'Lists of pages', 'specialpages-group-pagetools' => 'Page tools', 'specialpages-group-wiki' => 'Wiki data and tools', 'specialpages-group-redirects' => 'Redirecting special pages', 'specialpages-group-spam' => 'Spam tools', # Special:BlankPage 'blankpage' => 'Blank page', 'intentionallyblankpage' => 'This page is intentionally left blank.', # External image whitelist 'external_image_whitelist' => ' #Leave this line exactly as it is<pre> #Put regular expression fragments (just the part that goes between the //) below #These will be matched with the URLs of external (hotlinked) images #Those that match will be displayed as images, otherwise only a link to the image will be shown #Lines beginning with # are treated as comments #This is case-insensitive #Put all regex fragments above this line. Leave this line exactly as it is</pre>', # Special:Tags 'tags' => 'Valid change tags', 'tag-filter' => '[[Special:Tags|Tag]] filter:', 'tag-filter-submit' => 'Filter', 'tags-title' => 'Tags', 'tags-intro' => 'This page lists the tags that the software may mark an edit with, and their meaning.', 'tags-tag' => 'Tag name', 'tags-display-header' => 'Appearance on change lists', 'tags-description-header' => 'Full description of meaning', 'tags-hitcount-header' => 'Tagged changes', 'tags-edit' => 'edit', 'tags-hitcount' => '$1 {{PLURAL:$1|change|changes}}', # Database error messages 'dberr-header' => 'This wiki has a problem', 'dberr-problems' => 'Sorry! This site is experiencing technical difficulties.', 'dberr-again' => 'Try waiting a few minutes and reloading.', 'dberr-info' => '(Cannot contact the database server: $1)', 'dberr-usegoogle' => 'You can try searching via Google in the meantime.', 'dberr-outofdate' => 'Note that their indexes of our content may be out of date.', 'dberr-cachederror' => 'This is a cached copy of the requested page, and may not be up to date.', # HTML forms 'htmlform-invalid-input' => 'There are problems with some of your input', 'htmlform-select-badoption' => 'The value you specified is not a valid option.', 'htmlform-int-invalid' => 'The value you specified is not an integer.', 'htmlform-float-invalid' => 'The value you specified is not a number.', 'htmlform-int-toolow' => 'The value you specified is below the minimum of $1', 'htmlform-int-toohigh' => 'The value you specified is above the maximum of $1', 'htmlform-submit' => 'Submit', 'htmlform-reset' => 'Undo changes', 'htmlform-selectorother-other' => 'Other', ); Index: trunk/phase3/languages/messages/MessagesQqq.php =================================================================== --- trunk/phase3/languages/messages/MessagesQqq.php (revision 55799) +++ trunk/phase3/languages/messages/MessagesQqq.php (revision 55800) @@ -1,3284 +1,3297 @@ <?php /** Message documentation (Message documentation) * * See MessagesQqq.php for message documentation incl. usage of parameters * To improve a translation please visit http://translatewiki.net * * @ingroup Language * @file * * @author Ahonc * @author Aleator * @author AlexSm * @author AnakngAraw * @author Ans * @author Aotake * @author Bangin * @author Bennylin * @author Boivie * @author Brest * @author BrokenArrow * @author Byrial * @author Codex Sinaiticus * @author Dalibor Bosits * @author Darth Kule * @author Dsvyas * @author Erwin85 * @author EugeneZelenko * @author Fryed-peach * @author Garas * @author GerardM * @author Helix84 * @author Huji * @author IAlex * @author INkubusse * @author Jon Harald Søby * @author Karduelis * @author Kizito * @author Klenje * @author Klutzy * @author Kwj2772 * @author Leinad * @author Lejonel * @author Li-sung * @author Lloffiwr * @author Malafaya * @author McDutchie * @author Meno25 * @author MichaelFrey * @author Mihai * @author Mormegil * @author Mpradeep * @author Najami * @author Nemo bis * @author Niels * @author Nike * @author Node ue * @author Octahedron80 * @author PhiLiP * @author Platonides * @author Purodha * @author Raymond * @author Ryan Schmidt * @author SPQRobin * @author Sanbec * @author Sborsody * @author Seb35 * @author Sherbrooke * @author Shushruth * @author Siebrand * @author Singularity * @author Sionnach * @author Slomox * @author Sp5uhe * @author Srhat * @author Tgr * @author UV * @author Umherirrender * @author Urhixidur * @author Verdy p * @author Vinhtantran * @author Waldir * @author Yyy * @author פוילישער */ $messages = array( # User preference toggles 'tog-underline' => "[[Special:Preferences]], tab 'Misc'. Offers user a choice how to underline links.", 'tog-highlightbroken' => "[[Special:Preferences]], tab 'Appearance'. Offers user a choice how format internal links to non-existing pages. As red links or with a trailing question mark.", 'tog-justify' => "[[Special:Preferences]], tab 'Appearance'. Offers user a choice to justify paragraphs or not.", 'tog-hideminor' => "[[Special:Preferences]], tab 'Recent changes'. Offers user to hide minor edits in recent changes or not.", 'tog-hidepatrolled' => 'Option in Recent changes tab of [[Special:Preferences]] (if [[mw:Manual:$wgUseRCPatrol|$wgUseRCPatrol]] is enabled)', 'tog-newpageshidepatrolled' => 'Toggle in [[Special:Preferences]], section "Recent changes" (if [[mw:Manual:$wgUseRCPatrol|$wgUseRCPatrol]] is enabled)', 'tog-extendwatchlist' => "[[Special:Preferences]], tab 'Watchlist'. Offers user to show all applicable changes in watchlist (by default only the last change to a page on the watchlist is shown).", 'tog-usenewrc' => "[[Special:Preferences]], tab 'Recent changes'. Offers user to use alternative reprsentation of [[Special:RecentChanges]].", 'tog-numberheadings' => "[[Special:Preferences]], tab 'Misc'. Offers numbered headings on content pages to user.", 'tog-showtoolbar' => "[[Special:Preferences]], tab 'Edit'. Offers user to show edit toolbar in page edit screen. This is the toolbar: [[Image:Toolbar.png]]", 'tog-editondblclick' => "[[Special:Preferences]], tab 'Edit'. Offers user to open edit page on double click.", 'tog-editsection' => "[[Special:Preferences]], tab 'Edit'. Offers user to add links in sub headings for editing sections.", 'tog-editsectiononrightclick' => "[[Special:Preferences]], tab 'Edit'. Offers user to edit a section by clicking on a section title.", 'tog-showtoc' => "[[Special:Preferences]], tab 'Misc'. Offers user to show a table of contents automatically if a page has more than three headings.", 'tog-rememberpassword' => "[[Special:Preferences]], tab 'User profile', section 'Change password'. Offers user remember login details. {{Identical|Remember my login on this computer}}", 'tog-editwidth' => "[[Special:Preferences]], tab 'Edit'. Offers user make give edit box full width in browser.", 'tog-watchcreations' => "[[Special:Preferences]], tab 'Watchlist'. Offers user to add created pages to watchlist.", 'tog-watchdefault' => "[[Special:Preferences]], tab 'Watchlist'. Offers user to add edited pages to watchlist.", 'tog-watchmoves' => "[[Special:Preferences]], tab 'Watchlist'. Offers user to add moved pages to watchlist.", 'tog-watchdeletion' => "[[Special:Preferences]], tab 'Watchlist'. Offers user to add deleted pages to watchlist.", 'tog-minordefault' => "[[Special:Preferences]], tab 'Edit'. Offers user to mark all edits minor by default.", 'tog-previewontop' => 'Toggle option used in [[Special:Preferences]].', 'tog-previewonfirst' => 'Toggle option used in [[Special:Preferences]].', 'tog-nocache' => "[[Special:Preferences]], tab 'Misc.'. Offers the user the option of disabling caching of pages in the browser", 'tog-enotifwatchlistpages' => 'In user preferences', 'tog-enotifusertalkpages' => 'In user preferences', 'tog-enotifminoredits' => 'In user preferences', 'tog-enotifrevealaddr' => 'Toggle option used in [[Special:Preferences]].', 'tog-shownumberswatching' => 'Toggle option used in [[Special:Preferences]], in the section for recent changes. When this option is activated, the entries in recent changes includes the number of users who watch pages.', 'tog-oldsig' => 'Used in [[Special:Preferences]], tab User profile.', 'tog-fancysig' => 'In user preferences under the signature box', 'tog-externaleditor' => "[[Special:Preferences]], tab 'Edit'. Offers user to use an external editor by default.", 'tog-externaldiff' => "[[Special:Preferences]], tab 'Edit'. Offers user to use an external diff program by default.", 'tog-showjumplinks' => 'Toggle option used in [[Special:Preferences]]. The "jump to" part should be the same with {{msg-mw|jumpto}} (or you can use <nowiki>{{int:jumpto}}</nowiki>). Thess links are shown in some of the older skins as "jump to: navigation, search" but they are hidden by default (you can enable them with this option).', 'tog-uselivepreview' => 'Toggle option used in [[Special:Preferences]]. Live preview is an experimental feature (unavailable by default) to use edit preview without loading the page again.', 'tog-forceeditsummary' => 'Toggle option used in [[Special:Preferences]].', 'tog-watchlisthideown' => "[[Special:Preferences]], tab 'Watchlist'. Offers user to hide own edits from watchlist.", 'tog-watchlisthidebots' => "[[Special:Preferences]], tab 'Watchlist'. Offers user to hide bot edits from watchlist.", 'tog-watchlisthideminor' => "[[Special:Preferences]], tab 'Watchlist'. Offers user to hide minor edits from watchlist.", 'tog-watchlisthideliu' => "Option in tab 'Watchlist' of [[Special:Preferences]]", 'tog-watchlisthideanons' => "Option in tab 'Watchlist' of [[Special:Preferences]]", 'tog-watchlisthidepatrolled' => 'Option in Watchlist tab of [[Special:Preferences]]', 'tog-nolangconversion' => 'In user preferences.', 'tog-ccmeonemails' => 'In user preferences', 'tog-diffonly' => 'Toggle option used in [[Special:Preferences]].', 'tog-showhiddencats' => 'Toggle option used in [[Special:Preferences]].', 'tog-noconvertlink' => '{{optional}}', 'tog-norollbackdiff' => "Option in [[Special:Preferences]], 'Misc' tab. Only shown for users with the rollback right. By default a diff is shown below the return screen of a rollback. Checking this preference toggle will suppress that. {{Identical|Rollback}}", 'underline-always' => 'Used in [[Special:Preferences]] (under "Misc"). This option means "always underline links", there are also options "never" and "browser default".', 'underline-never' => 'Used in [[Special:Preferences]] (under "Misc"). This option means "never underline links", there are also options "always" and "browser default". {{Identical|Never}}', 'underline-default' => 'Used in [[Special:Preferences]] (under "Misc"). This option means "underline links as in your browser", there are also options "never" and "always". {{Identical|Browser default}}', # Font style option in Special:Preferences 'editfont-style' => 'Used in [[Special:Preferences]], tab Editing.', 'editfont-default' => 'Option used in [[Special:Preferences]], tab Editing. {{identical|Browser default}}', 'editfont-monospace' => 'Option used in [[Special:Preferences]], tab Editing.', 'editfont-sansserif' => 'Option used in [[Special:Preferences]], tab Editing.', 'editfont-serif' => 'Option used in [[Special:Preferences]], tab Editing.', # Dates 'sunday' => 'Name of the day of the week.', 'monday' => 'Name of the day of the week.', 'tuesday' => 'Name of the day of the week.', 'wednesday' => 'Name of the day of the week.', 'thursday' => 'Name of the day of the week.', 'friday' => 'Name of the day of the week.', 'saturday' => 'Name of the day of the week.', 'sun' => 'Abbreviation for Sunday, a day of the week.', 'mon' => 'Abbreviation for Monday, a day of the week.', 'tue' => 'Abbreviation for Tuesday, a day of the week.', 'wed' => 'Abbreviation for Wednesday, a day of the week.', 'thu' => 'Abbreviation for Thursday, a day of the week.', 'fri' => 'Abbreviation for Friday, a day of the week.', 'sat' => 'Abbreviation for Saturday, a day of the week.', 'january' => 'The first month of the Gregorian calendar', 'february' => 'The second month of the Gregorian calendar', 'march' => 'The third month of the Gregorian calendar', 'april' => 'The fourth month of the Gregorian calendar', 'may_long' => 'The fifth month of the Gregorian calendar', 'june' => 'The sixth month of the Gregorian calendar', 'july' => 'The seventh month of the Gregorian calendar', 'august' => 'The eighth month of the Gregorian calendar', 'september' => 'The ninth month of the Gregorian calendar', 'october' => 'The tenth month of the Gregorian calendar', 'november' => 'The eleventh month of the Gregorian calendar', 'december' => 'The twelfth month of the Gregorian calendar', 'january-gen' => 'The first month of the Gregorian calendar. Must be in genitive, if the language has a genitive case.', 'february-gen' => 'The second month of the Gregorian calendar. Must be in genitive, if the language has a genitive case.', 'march-gen' => 'The third month of the Gregorian calendar. Must be in genitive, if the language has a genitive case.', 'april-gen' => 'The fourth month of the Gregorian calendar. Must be in genitive, if the language has a genitive case.', 'may-gen' => 'The fifth month of the Gregorian calendar. Must be in genitive, if the language has a genitive case.', 'june-gen' => 'The sixth month of the Gregorian calendar. Must be in genitive, if the language has a genitive case.', 'july-gen' => 'The seventh month of the Gregorian calendar. Must be in genitive, if the language has a genitive case.', 'august-gen' => 'The eighth month of the Gregorian calendar. Must be in genitive, if the language has a genitive case.', 'september-gen' => 'The nineth month of the Gregorian calendar. Must be in genitive, if the language has a genitive case.', 'october-gen' => 'The tenth month of the Gregorian calendar. Must be in genitive, if the language has a genitive case.', 'november-gen' => 'The eleventh month of the Gregorian calendar. Must be in genitive, if the language has a genitive case.', 'december-gen' => 'The twelfth month of the Gregorian calendar. Must be in genitive, if the language has a genitive case.', 'jan' => 'Abbreviation of January, the first month of the Gregorian calendar', 'feb' => 'Abbreviation of February, the second month of the Gregorian calendar', 'mar' => 'Abbreviation of March, the thrird month of the Gregorian calendar', 'apr' => 'Abbreviation of April, the fourth month of the Gregorian calendar', 'may' => 'Abbreviation of May, the fifth month of the Gregorian calendar', 'jun' => 'Abbreviation of June, the sixth month of the Gregorian calendar', 'jul' => 'Abbreviation of July, the seventh month of the Gregorian calendar', 'aug' => 'Abbreviation of August, the eighth month of the Gregorian calendar', 'sep' => 'Abbreviation of September, the nineth month of the Gregorian calendar', 'oct' => 'Abbreviation of October, the tenth month of the Gregorian calendar', 'nov' => 'Abbreviation of November, the eleventh month of the Gregorian calendar', 'dec' => 'Abbreviation of December, the twelfth month of the Gregorian calendar', # Categories related messages 'category_header' => 'In category description page', 'category-media-header' => 'In category description page', 'category-empty' => 'The text displayed in category page when that category is empty', 'hidden-category-category' => 'Name of the category where hidden categories will be listed.', 'category-subcat-count' => 'This message is displayed at the top of a category page showing the number of pages in the category. * $1: number of subcategories shown * $2: total number of subcategories in category', 'category-subcat-count-limited' => 'This message is displayed at the top of a category page showing the number of pages in the category when not all pages in a category are counted. * $1: number of subcategories shown', 'category-article-count' => 'This message is used on category pages. * $1: number of pages shown * $2: total number of pages in category', 'category-article-count-limited' => 'This message is displayed at the top of a category page showing the number of pages in the category when not all pages in a category are counted. * $1: number of pages shown', 'category-file-count' => 'This message is displayed at the top of a category page showing the number of pages in the category. * $1: number of files shown * $2: total number of files in category', 'category-file-count-limited' => 'This message is displayed at the top of a category page showing the number of pages in the category when not all pages in a category are counted. * $1: number of files shown', 'listingcontinuesabbrev' => 'Shown in contiuation of each first letter group. See http://test.wikipedia.org/wiki/Category:Test_ko?uselang={{SUBPAGENAME}}, for example.', 'linkprefix' => '{{optional}}', 'mainpagetext' => 'Along with {{msg|mainpagedocfooter}}, the text you will see on the Main Page when your wiki is installed.', 'mainpagedocfooter' => 'Along with {{msg|mainpagetext}}, the text you will see on the Main Page when your wiki is installed. This might be a good place to put information about <nowiki>{{GRAMMAR:}}</nowiki>. See [[{{NAMESPACE}}:{{BASEPAGENAME}}/fi]] for an example. For languages having grammatical distinctions and not having an appropriate <nowiki>{{GRAMMAR:}}</nowiki> software available, a suggestion to check and possibly amend the messages having <nowiki>{{SITENAME}}</nowiki> may be valuable. See [[{{NAMESPACE}}:{{BASEPAGENAME}}/ksh]] for an example.', 'about' => '{{Identical|About}}', 'article' => '{{Identical|Content page}}', 'newwindow' => 'Below the edit form, next to "[[MediaWiki:Edithelp/{{SUBPAGENAME}}|Editing help]]".', 'cancel' => 'Message shown below the edit form, and if you click on it, you stop with editing the page and go back to the normal page view. {{Identical|Cancel}}', 'moredotdotdot' => '{{Identical|More...}}', 'mytalk' => 'In the personal urls page section - right upper corner.', 'anontalk' => 'Link to the talk page appearing in [[mw:Help:Navigation#User_Links|user links]] for each anonymous users when [[mw:Manual:$wgShowIPinHeader|$wgShowIPinHeader]] is true.', 'navigation' => '{{Identical|Navigation}}', 'and' => 'The translation for "and" appears in the [[Special:Version]] page, between the last two items of a list. If a comma is needed, add it at the beginning without a gap between it and the "&". <nowiki> </nowiki> is a blank space, one character long. Please leave it as it is. This can also appear in the credits page if the credits feature is enabled,for example [http://translatewiki.net/wiki/Support&action=credits the credits of the support page]. (To view any credits page type <nowiki>&action=credits</nowiki> at the end of any URL in the address bar.) {{Identical|And}}', # Cologne Blue skin 'qbfind' => 'Alternative for "search" as used in Cologne Blue skin.', 'qbedit' => '{{Identical|Edit}}', 'qbmyoptions' => '{{Identical|My pages}}', 'qbspecialpages' => '{{Identical|Special pages}}', 'faqpage' => "FAQ is short for ''frequently asked questions''. This page is only linked on some of the old skins, not in Monobook or Modern. {{doc-important|Do not translate <tt>Project:</tt> part.}}", # Vector skin 'vector-action-addsection' => 'Used in the Vector skin. See for example http://translatewiki.net/wiki/Talk:Main_Page?useskin=vector', 'vector-action-delete' => 'Used in the Vector skin, as the name of a tab at the top of the page. See for example http://translatewiki.net/wiki/Main_Page?useskin=vector {{Identical|Delete}}', 'vector-action-move' => 'Used in the Vector skin, on the tabs at the top of the page. See for example http://translatewiki.net/wiki/Talk:Main_Page?useskin=vector {{Identical|Move}}', 'vector-action-protect' => 'Tab at top of page, in vector skin {{Identical|Protect}}', 'vector-action-undelete' => 'Tab at top of page, in vector skin.', 'vector-action-unprotect' => 'Tab at top of page, in vector skin. {{Identical|Unprotect}}', 'vector-namespace-category' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/Category:Translatewiki.net?useskin=vector {{Identical|Category}}', 'vector-namespace-help' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/Help:Rollback?useskin=vector', 'vector-namespace-image' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/File:Tournesol.png?useskin=vector {{Identical|File}}', 'vector-namespace-main' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/Main_Page?useskin=vector {{Identical|Page}}', 'vector-namespace-mediawiki' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/MediaWiki:Vector-namespace-mediawiki?useskin=vector {{Identical|Message}}', 'vector-namespace-project' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/Project:About?useskin=vector', 'vector-namespace-special' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/Special:SpecialPages?useskin=vector', 'vector-namespace-talk' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/Talk:Main_Page?useskin=vector {{Identical|Discussion}}', 'vector-namespace-template' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/Template:Identical?useskin=vector {{Identical|Template}}', 'vector-namespace-user' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/User:FuzzyBot?useskin=vector {{Identical|User page}}', 'vector-view-create' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/Foo?useskin=vector {{Identical|Create}}', 'vector-view-edit' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/Main_Page?useskin=vector {{Identical|Edit}}', 'vector-view-history' => 'Tab label in the Vector skin. See for example http://translatewiki.net/wiki/Main_Page?useskin=vector', 'vector-view-view' => 'Tab label in the Vector skin (verb). See for example http://translatewiki.net/w/i.php?title=Main_Page&useskin=vector', 'vector-view-viewsource' => 'Tab label in the Vector skin. {{Identical|View source}}', 'actions' => '{{Identical|Action}}', 'namespaces' => '{{Identical|Namespace}}', 'variants' => 'Used by the Vector skin.', # Metadata in edit box 'metadata_help' => '{{Identical|Metadata}}', 'errorpagetitle' => 'Message shown in browser title bar when encountering error operation. {{Identical|Error}}', 'returnto' => '{{Identical|Return to $1}}', 'tagline' => 'Used to idenify the source of copied information. Do not change <nowiki>{{SITENAME}}</nowiki>.', 'help' => 'General text (noun) used in the sidebar (by default). See also [[MediaWiki:Helppage/{{SUBPAGENAME}}|{{int:helppage}}]] and [[MediaWiki:Edithelp/{{SUBPAGENAME}}|{{int:edithelp}}]]. {{Identical|Help}}', 'search' => 'Noun. Text of menu section shown on every page of the wiki above the search form. {{Identical|Search}}', 'searchbutton' => 'The button you can see in the sidebar, below the search input box. The "Go" button is [[MediaWiki:Searcharticle/{{SUBPAGENAME}}]]. {{Identical|Search}}', 'go' => '{{Identical|Go}}', 'searcharticle' => 'Button description in the search menu displayed on every page. The "Search" button is [[MediaWiki:Searchbutton/{{SUBPAGENAME}}]]. {{Identical|Go}}', 'history_short' => 'Text used on the history tab. {{Identical|History}}', 'updatedmarker' => 'Displayed in the page history (of a page you are [[Special:Watchlist|watching]]), when the page has been edited since the last time you visited it.', 'printableversion' => 'Display name for link in wiki menu that leads to a printable version of a content page. Example: see one but last menu item on [[Main Page]].', 'permalink' => 'Display name for a permanent link to the current revision of a page. When the page is edited, permalink will still link to this revision. Example: Last menu link on [[{{MediaWiki:Mainpage}}]]', 'edit' => 'The text of the tab going to the edit form. When the page is protected, you will see "[[MediaWiki:Viewsource/{{SUBPAGENAME}}|{{int:viewsource}}]]". Should be in the infinitive mood. {{Identical|Edit}}', 'create' => 'The text on the tab for to the edit form on unexisting pages. {{Identical|Create}}', 'editthispage' => 'This is the "edit" link as used in the skins Classic/Standard, Cologne Blue and Nostalgia. See {{msg|create-this-page}} for when the page does not exist.', 'create-this-page' => 'In the skins Classic/Standard, Cologne Blue and Nostalgia this is the text for the link leading to the edit form on pages that have not yet been created. See {{msg|editthispage}} for when the page already exists. {{Identical|Createpage}}', 'delete' => 'Name of the Delete tab shown for admins. Should be in the imperative mood. {{Identical|Delete}}', 'deletethispage' => '{{Identical|Delete this page}}', 'undelete_short' => "It is tab label. It's really can be named ''nstab-undelete''.", 'protect' => 'Name of protect tab displayed for admins {{Identical|Protect}}', 'protect_change' => 'Text on links for each entry in [[Special:ProtectedPages]] to change the protection of pages (only displayed to admins).', 'protectthispage' => '{{Identical|Protect this page}}', 'unprotect' => 'Name of unprotect tab displayed for admins {{Identical|Unprotect}}', 'unprotectthispage' => '{{Identical|Unprotect this page}}', 'talkpagelinktext' => 'Used as name of links going to talk page in some places, like in the subheading of [[Special:Mycontributions|Special:Contributions]], in [[Special:RecentChanges]], and in [[Special:Watchlist]]. {{Identical|Talk}}', 'personaltools' => 'Heading for a group of links to your user page, talk page, preferences, watchlist, and contributions. This heading is visible in the sidebar in some skins. For an example, see [http://translatewiki.net/wiki/Main_Page?useskin=simple Main Page using simple skin].', 'articlepage' => '{{Identical|Content page}}', 'talk' => 'Used as display name for the tab to all talk pages. These pages accompany all content pages and can be used for discussing the content page. Example: [[Talk:Example]]. {{Identical|Discussion}}', 'views' => 'Subtitle for the list of available views, for the current page. In "monobook" skin the list of views are shown as tabs, so this sub-title is not shown. To check when and where this message is displayed switch to "simple" skin. \'\'\'Note:\'\'\' This is "views" as in "appearances"/"representations", \'\'\'not\'\'\' as in "visits"/"accesses".', 'toolbox' => 'The title of the toolbox below the search menu.', 'otherlanguages' => 'This message is shown under the toolbox. It is used if there are interwiki links added to the page, like <tt><nowiki>[[</nowiki>en:Interwiki article]]</tt>.', 'redirectedfrom' => 'The text displayed when a certain page is redirected to another page. Variable <tt>$1</tt> contains the name of the page user came from.', 'redirectpagesub' => 'Displayed under the page title of a page which is a redirect to another page, see [{{fullurl:Project:Translators|redirect=no}} Project:Translators] for example. {{Identical|Redirect page}}', 'lastmodifiedat' => 'This message is shown below each page, in the footer with the logos and links. * $1: date * $2: time See also [[MediaWiki:Lastmodifiedatby/{{SUBPAGENAME}}]].', 'jumpto' => '"Jump to" navigation links. Hidden by default in monobook skin. The format is: {{int:jumpto}} [[MediaWiki:Jumptonavigation/{{SUBPAGENAME}}|{{int:jumptonavigation}}]], [[MediaWiki:Jumptosearch/{{SUBPAGENAME}}|{{int:jumptosearch}}]].', 'jumptonavigation' => 'Part of the "jump to" navigation links. Hidden by default in monobook skin. The format is: [[MediaWiki:Jumpto/{{SUBPAGENAME}}|{{int:jumpto}}]] {{int:jumptonavigation}}, [[MediaWiki:Jumptosearch/{{SUBPAGENAME}}|{{int:jumptosearch}}]]. {{Identical|Navigation}}', 'jumptosearch' => 'Part of the "jump to" navigation links. Hidden by default in monobook skin. The format is: [[MediaWiki:Jumpto/{{SUBPAGENAME}}|{{int:jumpto}}]] [[MediaWiki:Jumptonavigation/{{SUBPAGENAME}}|{{int:jumptonavigation}}]], {{int:jumptosearch}}. {{Identical|Search}}', # All link text and link target definitions of links into project namespace that get used by other message strings, with the exception of user group pages (see grouppage) and the disambiguation template definition (see disambiguations). 'aboutsite' => 'Used as the label of the link that appears at the footer of every page on the wiki (in most of the skins) and leads to the page that contains the site description. The link target is {{msg-mw|aboutpage}}. [[mw:Manual:Interface/Aboutsite|MediaWiki manual]]. {{doc-important|Do not change <nowiki>{{SITENAME}}</nowiki>.}} {{Identical|About}}', 'aboutpage' => 'Used as the target of the link that appears at the footer of every page on the wiki (in most of the skins) and leads to the page that contains the site description. Therefore the content should be the same with the page name of the site description page. Only the message in the [[mw:Manual:$wgLanguageCode|site language]] ([[MediaWiki:Aboutpage]]) is used. The link label is {{msg-mw|aboutsite}}. {{doc-important|Do not translate "Project:" part, for this is the namespace prefix.}}', 'copyrightpage' => '{{doc-important|Do not change <nowiki>{{ns:project}}</nowiki>}}', 'currentevents' => 'Standard link in the sidebar, for news. See also {{msg|currentevents-url}} for the link url.', 'currentevents-url' => "Target page of ''{{Mediawiki:currentevents}}'' in the sidebar. See also {{msg|currentevents}}. {{doc-important|Do not translate <tt>Project:</tt> part.}}", 'disclaimers' => 'Used as display name for the link to [[{{MediaWiki:Disclaimerpage}}]] shown at the bottom of every page on the wiki. Example [[{{MediaWiki:Disclaimerpage}}|{{MediaWiki:Disclaimers}}]].', 'disclaimerpage' => 'Used as page for that contains the site disclaimer. Used at the bottom of every page on the wiki. Example: [[{{MediaWiki:Disclaimerpage}}|{{MediaWiki:Disclaimers}}]]. {{doc-important|Do not change <tt>Project:</tt> part.}}', 'edithelp' => 'This is the text that appears on the editing help link that is near the bottom of the editing page', 'edithelppage' => 'The help page displayed when a user clicks on editing help link which is present on the right of Show changes button. {{doc-important|Do not change <tt>Help:</tt> part.}}', 'helppage' => 'The link destination used by default in the sidebar, and in {{msg|noarticletext}}. {{doc-important|Do not change <tt>Help:</tt> part.}} {{Identical|HelpContent}}', 'mainpage' => 'Defines the link and display name of the main page of the wiki. Shown as the top link in the navigation part of the interface. Please do not change it too often, that could break things! {{Identical|Main page}}', 'mainpage-description' => 'The same as {{msg|mainpage|pl=yes}}, used as link text on [[MediaWiki:Sidebar]]. This makes it possible to the change the link destination (the message "mainpage") without changing the link text or without disabling translations.', 'policy-url' => 'Description: The URL of the project page describing the policies of the wiki. This is shown below every page (the left link). {{doc-important|Do not change "Project:" part.}}', 'portal' => "Display name for the 'Community portal', shown in the sidebar menu of all pages. The target page is meant to be a portal for users where useful links are to be found about the wiki's operation.", 'portal-url' => 'Description: The URL of the community portal. This is shown in the sidebar by default (removed on translatewiki.net). {{doc-important|Do not change "Project:" part.}}', 'privacy' => 'Used as page name and link at the bottom of each wiki page. The page contains a legal notice providing information about the use of personal information by the website owner.of the site. Example: [[Privacy policy]].', 'privacypage' => 'Used as page for that contains the privacy policy. Used at the bottom of every page on the wiki. Example: [[{{MediaWiki:Privacypage}}|{{MediaWiki:Privacy}}]]. {{doc-important|Do not change <tt>Project:</tt> part.}}', 'badaccess' => 'Title shown within page indicating unauthorized access.', 'badaccess-group0' => 'Shown when you are not allowed to do something.', 'badaccess-groups' => "Error message when you aren't allowed to do something. * $1 is a list of groups. * $2 is the number of groups.", 'versionrequired' => 'This message is not used in the MediaWiki core, but was introduced with the reason that it could be useful for extensions. See also {{msg|versionrequiredtext}}.', 'versionrequiredtext' => 'This message is not used in the MediaWiki core, but was introduced with the reason that it could be useful for extensions. See also {{msg|versionrequired}}.', 'ok' => '{{Identical|OK}}', 'pagetitle' => "{{doc-important|You most probably do not need to translate this message.}} Do '''not''' replace SITENAME with a translation of Wikipedia or some encycopedic additions. The message has to be neutral for all projects.", 'pagetitle-view-mainpage' => '{{optional}}', 'retrievedfrom' => 'Message which appears in the source of every page, but it is hidden. It is shown when printing. $1 is a link back to the current page: {{FULLURL:{{FULLPAGENAME}}}}.', 'youhavenewmessages' => 'The orange message appearing when someone edited your user talk page. The format is: "{{int:youhavenewmessages| [[MediaWiki:Newmessageslink/{{SUBPAGENAME}}|{{int:newmessageslink}}]] |[[MediaWiki:Newmessagesdifflink/{{SUBPAGENAME}}|{{int:newmessagesdifflink}}]]}}"', 'newmessageslink' => 'This is the first link displayed in an orange rectangle when a user gets a message on his talk page. Used in message {{msg|youhavenewmessages|pl=yes}} (as parameter $1). {{Identical|New messages}}', 'newmessagesdifflink' => 'This is the second link displayed in an orange rectangle when a user gets a message on his talk page', 'youhavenewmessagesmulti' => 'The alternative of {{msg|youhavenewmessages}} as used on wikis with a special setup so they can receive the "new message" notice on other wikis as well. Used on [http://www.wikia.com/ Wikia].', 'editsection' => 'Display name of link to edit a section on a content page. Example: [{{MediaWiki:Editsection}}]. {{Identical|Edit}}', 'editsection-brackets' => '{{optional}}', 'editold' => '{{Identical|Edit}}', 'editlink' => 'Text of the edit link shown next to every (editable) template in the list of used templates below the edit window. See also {{msg-mw|Viewsourcelink}}. {{Identical|Edit}}', 'viewsourcelink' => 'Text of the link shown next to every uneditable (protected) template in the list of used templates below the edit window. See also {{msg-mw|Editlink}}. {{Identical|View source}}', 'editsectionhint' => "Tool tip shown when hovering the mouse over the link to '[{{MediaWiki:Editsection}}]' a section. Example: Edit section: Heading name", 'toc' => 'This is the title of the table of contents displayed in pages with more than 3 sections {{Identical|Contents}}', 'showtoc' => 'This is the link used to show the table of contents {{Identical|Show}}', 'hidetoc' => 'This is the link used to hide the table of contents {{Identical|Hide}}', 'thisisdeleted' => 'Message shown on a deleted page when the user has the undelete right. $1 is a link to [[Special:Undelete]], with {{msg-mw|restorelink}} as the text. See also {{msg-mw|viewdeleted}}.', 'viewdeleted' => 'Message shown on a deleted page when the user does not have the undelete right (but has the deletedhistory right). $1 is a link to [[Special:Undelete]], with {{msg-mw|restorelink}} as the text. See also {{msg-mw|thisisdeleted}}.', 'restorelink' => "This text is always displayed in conjunction with the {{msg-mw|thisisdeleted}} message (View or restore $1?). The user will see View or restore <nowiki>{{PLURAL:$1|one deleted edit|$1 deleted edits}}</nowiki>? i.e ''View or restore one deleted edit?'' or ''View or restore n deleted edits?''", 'feed-unavailable' => 'This message is displayed when a user tries to use an RSS or Atom feed on a wiki where such feeds have been disabled.', 'site-rss-feed' => "Used in the HTML header of a wiki's RSS feed. $1 is <nowiki>{{SITENAME}}</nowiki>. HTML markup cannot be used.", 'site-atom-feed' => "Used in the HTML header of a wiki's Atom feed. $1 is <nowiki>{{SITENAME}}</nowiki>. HTML markup cannot be used.", 'feed-atom' => '{{optional}}', 'feed-rss' => '{{optional}}', 'red-link-title' => 'Title for red hyperlinks. Indicates, that the page is empty, not written yet.', # Short words for each namespace, by default used in the namespace tab in monobook 'nstab-main' => 'The name for the tab of the main namespace. Example: [[Example]] {{Identical|Page}}', 'nstab-user' => 'The name for the tab of the user namespace. Example: [[User:Example]] {{Identical|User page}}', 'nstab-special' => 'The name for the tab of the special namespace. Example: [[Special:Version]]', 'nstab-project' => 'The name for the tab of the project namespace. Example: [[Project:Example]]', 'nstab-image' => 'The name for the tab of the image namespace. Example: [[Image:Example]] {{Identical|File}}', 'nstab-mediawiki' => 'The name for the tab of the MediaWiki namespace. Example: [[MediaWiki:Example]] {{Identical|Message}}', 'nstab-template' => 'The name for the tab of the template namespace. Example: [[Template:Example]] {{Identical|Template}}', 'nstab-help' => 'The name for the tab of the help namespace. Example: [[Help:Rollback]]', 'nstab-category' => 'The name for the tab of the category namespace. Example: [[:Category:Example]] {{Identical|Category}}', # Main script and global functions 'nosuchspecialpage' => 'The title of the error you get when trying to open a special page which does not exist. The text of the warning is the message {{msg-mw|nospecialpagetext}}. Example: [[Special:Nosuchpage]]', 'nospecialpagetext' => 'This error is shown when trying to open a special page which does not exist, e.g. [[Special:Nosuchpage]]. * The title of this error is the message {{msg-mw|nosuchspecialpage}}. * Link <code><nowiki>[[Special:SpecialPages|{{int:specialpages}}]]</nowiki></code> should remain untranslated.', # General errors 'error' => '{{Identical|Error}}', 'dberrortext' => 'Parameters: *$5 is the database engine, such as MySQL, PostgreSQL, etc.', 'dberrortextcl' => 'Parameters * $1 - The last SQL command/query * $2 - SQL function name * $3 - Error number * $4 - Error description', 'enterlockreason' => 'For developers when locking the database', 'missing-article' => "This message is shown when a revision does not exist, either as permalink or as diff. Examples: # [http://translatewiki.net/w/i.php?title=Project:News&oldid=9999999 Permalink with invalid revision#] # [http://translatewiki.net/w/i.php?title=Project:News&diff=426850&oldid=99999999 Diff with invalid revision#] '''Parameters''' * $1: Pagename * $2: Content of *# {{msg|Missingarticle-rev}} - Permalink with invalid revision# *# {{msg|Missingarticle-diff}} - Diff with invalid revision#", 'missingarticle-rev' => 'Parameter $2 of {{msg|Missing-article}}: It is shown after the articlename. * $1: revision# of the requested id [http://translatewiki.net/w/i.php?title=Translating:Tasks&oldid=371789000 Click here] to see an example of such an error message.', 'missingarticle-diff' => 'Parameter $2 of {{msg|Missing-article}}: It is shown after the articlename. * $1: revision# of the old id * $2: revision# of the id build the diff with. [http://translatewiki.net/w/i.php?title=Translating:Tasks&diff=372398&oldid=371789000 Click here] to see an example of such an error message.', 'readonly_lag' => 'Error message displayed when the database is locked.', 'internalerror' => '{{Identical|Internal error}}', 'badtitle' => 'The page title when a user requested a page with invalid page name. The content will be {{msg-mw|badtitletext}}.', 'badtitletext' => 'The message shown when a user requested a page with invalid page name. The page title will be {{msg-mw|badtitle}}.', 'querypage-no-updates' => 'Text on some special pages, e.g. [[Special:FewestRevisions]].', 'viewsource' => 'The text displayed in place of the "edit" tab when the user has no permission to edit the page. {{Identical|View source}}', 'viewsourcefor' => 'Subtitle shown when trying to edit a protected page. {{Identical|For $1}}', 'protectedpagetext' => 'This message is displayed when trying to edit a page you can\'t edit because it has been protected. * $1: the protection type, e.g. "protect" for fully protected pages', 'viewsourcetext' => 'The text shown when displaying the source of a page that the user has no permission to edit', 'protectedinterface' => 'Message shown if a user without the "editinterface" right tries to edit a page in the MediaWiki namespace.', 'editinginterface' => "A message shown when editing pages in the namespace MediaWiki:. In the [http://translatewiki.net/wiki/Main_Page?setlang=en URL], '''change \"setlang=en\" to your own language code.'''", 'ns-specialprotected' => 'Error message displayed when trying to edit a page in the Special namespace', # Login and logout pages 'logouttext' => 'Log out message', 'welcomecreation' => 'The welcome message users see after registering a user account. $1 is the username of the new user.', 'yourname' => "In user preferences <nowiki>{{</nowiki>[[Gender|GENDER]]<nowiki>}}</nowiki> is '''NOT''' supported. {{Identical|Username}}", 'yourpassword' => 'In user preferences {{Identical|Password}}', 'yourpasswordagain' => 'In user preferences', 'remembermypassword' => 'A check box in [[Special:UserLogin]] {{Identical|Remember my login on this computer}}', 'externaldberror' => 'This message is thrown when a valid attempt to change the wiki password for a user fails because of a database error or an error from an external system.', 'login' => "Shown to anonymous users in the upper right corner of the page. It is shown when you can't create an account, otherwise the message {{msg|nav-login-createaccount}} is shown. {{Identical|Log in}}", 'nav-login-createaccount' => "Shown to anonymous users in the upper right corner of the page. When you can't create an account, the message {{msg|login}} is shown.", 'loginprompt' => 'A small notice in the log in form.', 'userlogin' => 'Name of special page [[Special:UserLogin]] where a user can log in or click to create a user account.', 'logout' => '{{Identical|Log out}}', 'userlogout' => '{{Identical|Log out}}', 'notloggedin' => 'This message is displayed in the standard skin when not logged in. The message is placed above the login link in the top right corner of pages. {{Identical|Not logged in}}', 'nologin' => 'A message shown in the log in form. $1 is a link to the account creation form, and the text of it is "[[MediaWiki:Nologinlink/{{SUBPAGENAME}}|{{int:nologinlink}}]]".', 'nologinlink' => 'Text of the link to the account creation form. Before that link, the message [[MediaWiki:Nologin/{{SUBPAGENAME}}]] appears.', 'createaccount' => 'Used on the submit button in the form where you register a new account.', 'gotaccount' => 'A message shown in the account creation form. $1 is a link to the log in form, and the text of it is "[[MediaWiki:Gotaccountlink/{{SUBPAGENAME}}|{{int:gotaccountlink}}]]".', 'gotaccountlink' => 'Text of the link to the log in form. Before that link, the message [[MediaWiki:Gotaccount/{{SUBPAGENAME}}]] appears. {{Identical|Log in}}', 'nocookiesnew' => "This message is displayed when a new account was successfully created, but the browser doesn't accept cookies.", 'nocookieslogin' => "This message is displayed when someone tried to login, but the browser doesn't accept cookies.", 'loginsuccesstitle' => 'The title of the page saying that you are logged in. The content of the page is the message "[[MediaWiki:Loginsuccess/{{SUBPAGENAME}}]]".', 'loginsuccess' => 'The content of the page saying that you are logged in. The title of the page is "[[MediaWiki:Loginsuccesstitle/{{SUBPAGENAME}}|{{int:loginsuccesstitle}}]]". $1 is the name of the logged in user. <nowiki>{{</nowiki>[[Gender|GENDER]]<nowiki>}}</nowiki> is supported.', 'nosuchuser' => 'Displayed when trying to log in with an unexisting username. When you are not allowed to create an account, the message {{msg|nosuchusershort}} is displayed.', 'nosuchusershort' => "Displayed when trying to log in with an unexisting username. This message is only shown when you can't create an account, otherwise the message {{msg|nosuchusershort}} is displayed.", 'wrongpasswordempty' => 'Error message displayed when entering a blank password', 'passwordtooshort' => 'This message is shown at * [[Special:Preferences]] * [[Special:CreateAccount]] $1 is the minimum number of characters in the password.', 'mailmypassword' => 'Shown at [[Special:UserLogin]]', 'passwordremindertitle' => 'Title of e-mail which contains temporary password', 'passwordremindertext' => 'This text is used in an e-mail sent when a user requests a new temporary password (he has forgotten his password) or when an sysop creates a new user account choosing to have password and username sent to the new user by e-mail. * $1 is an IP addres. Example: 123.123.123.123 * $2 is a username. Example: Joe * $3 is a password. Example: er##@fdas! * $4 is a URL. Example: http://wiki.example.com * $5 is a number of days in which the temporary password will expire', 'noemail' => 'Shown as error message when trying to register a user sending password to e-mail adress and no e-mail address has been given. Registering users and sending a password to an e-mail address may require non-standard user rights. ([http://translatewiki.net/w/i.php?title=Special:UserLogin&action=submitlogin&type=signup Register user link])', 'acct_creation_throttle_hit' => 'Errormessage at [[Special:CreateAccount]]. "in the last day" precisely means: during the lasts 86400 seconds (24 hours) ending right now.', 'emailauthenticated' => 'In user preferences. ([[Special:Preferences]]) * $1: obsolete, date and time * $2: date * $3: time', 'invalidemailaddress' => 'Shown as a warning when written an invalid e-mail adress in [[Special:Preferences]] and {{fullurl:Special:UserLogin|type=signup}} page', 'createaccount-title' => 'This is the subject of an e-mail sent to the e-mail address entered at [[Special:CreateAccount]] if the button "by e-mail" is clicked.', 'createaccount-text' => 'This text is sent as an e-mail to the e-mail address entered at [[Special:CreateAccount]] if the button "by e-mail" is clicked. *Parameter $2 is the name entered as username. *Parameter $3 is a password (randomly generated). *Parameter $4 is a URL to the wiki', 'login-throttled' => 'Error message shown at [[Special:UserLogin]] after 5 wrong passwords. The hardcoded waiting time is 300 seconds.', # Password reset dialog 'resetpass' => 'The caption of [[Special:Resetpass]] {{Identical|Change password}}', 'resetpass_header' => 'Header on box on special page [[Special:ChangePassword]]. {{Identical|Reset password}}', 'oldpassword' => "Used on the 'User profile' tab of 'my preferences'. This is the text next to an entry box for the old password in the 'change password' section.", 'newpassword' => '{{Identical|New password}}', 'retypenew' => "Appears on the 'User profile' tab of the 'Preferences' special page in the 'Change password' section. It appears next to the text box for entering the new password a second time.", 'resetpass_submit' => 'Submit button on [[Special:Resetpass]]', 'resetpass-submit-loggedin' => 'Button on [[Special:ResetPass]] to submit new password. {{Identical|Change password}}', 'resetpass-wrong-oldpass' => 'Error message shown on [[Special:Resetpass]] when the old password is not valid.', 'resetpass-temp-password' => 'The label of the input box for the temporary password (received by e-mail) on the form displayed after logging in with a temporary password.', # Edit page toolbar 'bold_sample' => 'This is the sample text that you get when you press the first button on the left on the edit toolbar. {{Identical|Bold text}}', 'bold_tip' => 'This is the text that appears when you hover the mouse over the first button on the left of the edit toolbar. {{Identical|Bold text}}', 'italic_sample' => 'The sample text that you get when you press the second button from the left on the edit toolbar. {{Identical|Italic text}}', 'italic_tip' => 'This is the text that appears when you hover the mouse over the second button from the left on the edit toolbar. {{Identical|Italic text}}', 'link_sample' => 'This is the default text in the internal link that is created when you press the third button from the left on the edit toolbar (the "Ab" icon).', 'link_tip' => 'Tip for internal links', 'extlink_sample' => 'This message appears when clicking on the fourth button of the edit toolbar. You can translate "link title". Because many of the localisations had urls that went to domains reserved for advertising, it is recommended that the link is left as-is. All customised links were replaced with the standard one, that is reserved in the standard and will never have adds or something.', 'extlink_tip' => 'This is the tip that appears when you hover the mouse over the fourth button from the left on the edit toolbar.', 'headline_sample' => 'Sample of headline text.', 'headline_tip' => 'This is the text that appears when you hover the mouse over the fifth button from the left on the edit toolbar.', 'math_sample' => 'The sample formula text that you get when you press the fourth button from the right on the edit toolbar.', 'math_tip' => 'This is the text that appears when you hover the mouse over the fourth button from the right on the edit toolbar.', 'nowiki_sample' => 'Text inserted between nowiki tags', 'nowiki_tip' => 'This is the text that appears when you hover the mouse over the third button from the right on the edit toolbar.', 'image_sample' => 'Used in text generated by Picture button in toolbar. {{optional}}', 'image_tip' => 'This is the text that appears when you hover the mouse over the sixth (middle) button on the edit toolbar', 'media_sample' => '{{optional}}', 'media_tip' => 'This is the text that appears when you hover the mouse over the fifth button from the right in the edit toolbar.', 'sig_tip' => 'This is the text that appears when you hover the mouse over the second key from the right on the edit toolbar.', 'hr_tip' => 'This is the text that appears when you hover the mouse over the first button on the right on the edit toolbar.', # Edit pages 'summary' => 'The Summary text beside the edit summary field {{Identical|Summary}}', 'minoredit' => 'Text above Save page button in editor', 'watchthis' => 'Text of checkbox above "Show preview" button in editor. {{Identical|Watch this page}}', 'savearticle' => 'Text on the Save page button. See also {{msg|showpreview}} and {{msg|showdiff}} for the other buttons.', 'preview' => 'The title of the Preview page shown after clicking the "Show preview" button in the edit page. Since this is a heading, it should probably be translated as a noun and not as a verb. {{Identical|Preview}}', 'showpreview' => 'The text of the button to preview the page you are editing. See also {{msg|showdiff}} and {{msg|savearticle}} for the other buttons.', 'showdiff' => 'Button below the edit page. See also {{msg|showpreview}} and {{msg|savearticle}} for the other buttons.', 'anoneditwarning' => 'Shown when editing a page anonymously. <nowiki>{{</nowiki>[[Gender|GENDER]]<nowiki>}}</nowiki> is supported.', 'missingsummary' => 'The text "sdit summary" is in {{msg-mw|summary}}. The text "Save" is in {{msg-mw|savearticle}}.', 'missingcommentheader' => ' The text "Save" is in {{msg-mw|savearticle}}.', 'summary-preview' => 'Preview of the edit summary, shown under the edit summary itself.', 'blockedtext' => 'Text displayed to blocked users. Parameters: * <tt>$1</tt> is the blocking sysop (with a link to his/her userpage) * <tt>$2</tt> is the reason for the block * <tt>$3</tt> is the current IP address of the blocked user * <tt>$4</tt> is the blocking sysop’s username (plain text, without the link) * <tt>$5</tt> is the unique numeric identifier of the applied autoblock * <tt>$6</tt> is the expiry of the block * <tt>$7</tt> is the intended target of the block (what the blocking user specified in the blocking form) * <tt>$8</tt> is the timestamp when the block started', 'autoblockedtext' => 'Text displayed to automatically blocked users. Parameters: * <tt>$1</tt> is the blocking sysop (with a link to his/her userpage) * <tt>$2</tt> is the reason for the block * <tt>$3</tt> is the current IP address of the blocked user * <tt>$4</tt> is the blocking sysop’s username (plain text, without the link) * <tt>$5</tt> is the unique numeric identifier of the applied autoblock * <tt>$6</tt> is the expiry of the block * <tt>$7</tt> is the intended target of the block (what the blocking user specified in the blocking form) * <tt>$8</tt> is the timestamp when the block started', 'blockednoreason' => '{{Identical|No reason given}}', 'whitelistedittext' => '* $1 is a link to [[Special:UserLogin]] with {{msg-mw|loginreqlink}} as link description', 'nosuchsectiontext' => 'This message is displayed when a user tries to edit a section that does not exist. Parameter $1 is the content of section parameter in the URL (for example 1234 in the URL http://translatewiki.net/w/i.php?title=Sandbox&action=edit§ion=1234)', 'loginreqlink' => 'Take a look on inflection. Used as parameter in {{msg-mw|loginreqpagetext}}, {{msg-mw|whitelistedittext}}, {{msg-mw|watchlistanontext‎}} and {{msg-mw|Confirmemail needlogin}}. {{Identical|Log in}}', 'loginreqpagetext' => '* $1 is a link to [[Special:UserLogin]] with {{msg-mw|loginreqlink}} as link description', 'accmailtitle' => 'Page title when temporary password was sent to a user via email.', 'accmailtext' => "The message shown when a temporary password has been sent to the user's email address. {{doc-important|Do not translate \"<nowiki>[[User talk:\$1|\$1]]</nowiki>\" and ''Special:ChangePassword''.}}", 'newarticle' => '{{Identical|New}}', 'newarticletext' => "Text displayed above the edit box in editor when trying to create a new page.<br />'''Very important:''' leave <tt><nowiki>{{MediaWiki:Helppage}}</nowiki></tt> exactly as it is!", 'noarticletext' => 'This is the message that you get if you search for a term that has not yet got any entries on the wiki.', 'userpage-userdoesnotexist' => 'Error message displayed when trying to edit or create a page or a subpage that belongs to a user who is not registered on the wiki', 'clearyourcache' => 'Text at the top of .js/.css pages', 'usercssyoucanpreview' => "Text displayed on every css page. The 'Show preview' part should be the same as {{msg-mw|showpreview}} (or you can use <nowiki>{{int:showpreview}}</nowiki>).", 'userjsyoucanpreview' => "Text displayed on every js page. The 'Show preview' part should be the same as {{msg-mw|showpreview}} (or you can use <nowiki>{{int:showpreview}}</nowiki>).", 'updated' => '{{Identical|Updated}}', 'previewnote' => 'Note displayed when clicking on Show preview', 'editing' => "Shown as page title when editing a page. \$1 is the name of the page that is being edited. Example: \"''Editing Main Page''\".", 'editingsection' => 'The variable $1 is the page name. This message displays at the top of the page when a user is editing a page section.', 'explainconflict' => 'The text "Save page" is in {{msg-mw|savearticle}}.', 'yourdiff' => '', 'copyrightwarning' => 'Copyright warning displayed under the edit box in editor', 'longpagewarning' => 'Warning displayed when trying to edit a long page', 'longpageerror' => 'Warning displayed when trying to save a text larger than the maximum size allowed', 'titleprotectedwarning' => 'Warning message above the edit form when editing a page that has been protected aginst creation.', 'templatesused' => 'Displayed below the page when editing it. It indicates a list of templates which are used on that page.', 'templatesusedpreview' => 'Used in editor when displaying a preview.', 'templatesusedsection' => 'Used in editor when displaying a preview.', 'template-protected' => '{{Identical|Protected}}', 'template-semiprotected' => 'Used on [[Special:ProtectedPages]]. Appears in brackets after listed page titles which are semi-protected.', 'hiddencategories' => "This message is shown below the edit form, like you have a section ''\"Templates used on this page\"''.", 'edittools' => 'This text will be shown below edit and upload forms. It can be used to offer special characters not present on most keyboards for copying/pasting, and also often makes them clickable for insertion via a javascript. Since these are seen as specific to a wiki, however, this message should not contain anything but an html comment explaining how it should be used once the wiki has been installed.', 'permissionserrorstext-withaction' => '* $1 is the number of reasons that were found why the action cannot be performed. * $2 is one of the action-* messages (for example {{msg|action-edit}}). Please report at [[Support]] if you are unable to properly translate this message. Also see [[bugzilla:14246]]', 'recreate-moveddeleted-warn' => 'Warning shown when creating a page which has already been deleted. See for example [[Test]].', 'moveddeleted-notice' => 'Shown on top of a deleted page in normal view modus ([http://translatewiki.net/wiki/Test example]).', # Parser/template warnings 'expensive-parserfunction-warning' => 'On some (expensive) [[MetaWikipedia:Help:ParserFunctions|parser functions]] (e.g. <code><nowiki>{{#ifexist:}}</nowiki></code>) there is a limit of how many times it may be used. This is an error message shown when the limit is exceeded. * $1 is the current number of parser function calls. * $2 is the allowed number of parser function calls.', 'expensive-parserfunction-category' => 'This message is used as a category name for a category where pages are placed automatically if they contain too many calls to expensive parser functions.', 'post-expand-template-inclusion-category' => 'When templates are expanded, there is a size limit for the number of bytes yielded. Usually that occurs from excessively nested templates, recursive templates, or ones having x-zillion of #if #case or similar contructs in them. When the wikicode parser detects this, it outputs a red warning message to the page.', # "Undo" feature 'undo-success' => '{{Identical|Undo}}', 'undo-failure' => '{{Identical|Undo}}', 'undo-norev' => '{{Identical|Undo}}', 'undo-summary' => 'Please change "Special" to <nowiki>{{ns:special}}</nowiki> and "User talk" to <nowiki>{{ns:user_talk}}</nowiki> {{Identical|Undo}}', # History pages 'viewpagelogs' => 'Link displayed in history of pages', 'currentrev' => '{{Identical|Current revision}}', 'currentrev-asof' => 'Used on a difference page when comparing the current versions of a page with each other. See {{msg-mw|Revisionasof}} for the message for non-current version. * $1 is a date and time * $2 is a date (optional) * $3 is a time (optional)', 'revisionasof' => 'Used on a difference page when comparing different versions of a page or when viewing an non-current version of a page. See {{msg-mw|Currentrev-asof}} for the message for the current version. * $1 is the date/time at which the revision was created. Example: "\'\'Revision as of 14:44, 24 January 2008\'\'". * $2 is the date at which the revision was created. * $3 is the time at which the revision was created.', 'revision-info' => 'Appears just below the page title when an old version of the page is being viewed. * $1: date and time of revision * $2: a series of links: to author of the revision, his talk page, etc. * (optional) $3: revision ID * (optional) $4: date of revision * (optional) $5: time of revision * (optional) $6: author of revision, for GENDER use', 'currentrevisionlink' => '{{Identical|Current revision}}', 'cur' => 'Link in page history', 'next' => 'Link in page history {{Identical|Next}}', 'last' => 'Link in page history {{Identical|Last}}', 'page_first' => "This is part of the navigation message on the top and bottom of Special pages which are lists of things in alphabetical order, e.g. the '[[Special:Categories|Categories]]' special page. It is followed by the message {{msg-mw|Viewprevnext}}.", 'page_last' => "This is part of the navigation message on the top and bottom of Special pages which are lists of things in alphabetical order, e.g. the '[[Special:Categories|Categories]]' special page. It is followed by the message {{msg-mw|Viewprevnext}}. {{Identical|Last}}", 'histlegend' => 'Text in history page. Refers to {{msg-mw|cur}}, {{msg-mw|last}}, and {{msg-mw|minoreditletter}}.', 'history-fieldset-title' => 'Fieldset label in the edit history pages.', 'histfirst' => 'Used in page history.', 'histlast' => 'Used in page history.', 'historyempty' => 'Text in page history for empty page revisions {{Identical|Empty}}', # Revision feed 'history-feed-item-nocomment' => "Title for each revision when viewing the RSS/Atom feed for a page history: * '''$1''' - user name, * '''$2''' - date/time, * '''$3''' - date, * '''$4''' - time.", # Revision deletion 'rev-delundel' => 'Link in page history for oversight', 'revisiondelete' => '{{RevisionDelete}} It is the page title of [[Special:RevisionDelete]].', 'revdelete-nooldid-title' => '{{RevisionDelete}}', 'revdelete-nooldid-text' => '{{RevisionDelete}}', 'revdelete-show-file-confirm' => 'A confirmation message shown on Special:Revisiondelete when the request does not contain a valid token (e.g. when a user clicks a link received in mail). * <code>$1</code> is a file name * <code>$2</code> is a date * <code>$3</code> is a time {{identical|Are you sure you want to view the deleted revision of the file...}}', 'revdelete-show-file-submit' => 'Reply to {{msg-mw|Revdelete-show-file-confirm}}. {{Identical|Yes}}', 'revdelete-selected' => '{{RevisionDelete}}', 'logdelete-selected' => '{{RevisionDelete}}', 'revdelete-text' => '{{RevisionDelete}} This is the introduction explaining the feature.', 'revdelete-legend' => '{{RevisionDelete}}', 'revdelete-hide-text' => 'Option for oversight', 'revdelete-hide-name' => 'Option for oversight', 'revdelete-hide-comment' => 'Option for oversight', 'revdelete-hide-user' => 'Option for oversight', 'revdelete-hide-restricted' => 'Option for oversight.', 'revdelete-suppress' => 'Option for oversight', 'revdelete-hide-image' => 'Option for <del>oversight</del> [[:mw:RevisionDelete|RevisionDelete]] feature.', 'revdelete-unsuppress' => '{{RevisionDelete}}', 'revdelete-log' => 'Log comment text for oversight', 'revdelete-submit' => '{{RevisionDelete}} This is the submit button on [[Special:RevisionDelete]].', 'revdelete-logentry' => '{{RevisionDelete}} This is the message for the log entry in [[Special:Log/delete]] when changing visibility restrictions for page revisions. It is followed by the message {{msg|revdelete-log-message}} in brackets. The parameter $1 is the page name. The name of the user doing this task appears before this message.', 'logdelete-logentry' => '{{RevisionDelete}} This is the message for the log entry in [[Special:Log/delete]] when changing visibility restrictions for log events. It is followed by the message {{msg|logdelete-log-message}} in brackets. The parameter $1 is the log name in brackets. The name of the user who did this task appears before this message.', 'revdelete-success' => '{{RevisionDelete}}', 'logdelete-success' => '{{RevisionDelete}}', 'revdel-restore' => '{{RevisionDelete}}', 'pagehist' => 'Links to page history at Special:RevisionDelete header together with links to the logs and Special:Undelete.', 'deletedhist' => 'Links to Special:Undelete at Special:RevisionDelete header together with links to the logs and page history.', 'revdelete-content' => 'This message is used as parameter $1 in {{msg|revdelete-hid}} and {{msg|revdelete-unhid}} when hiding or unhiding the content of a revision or event.', 'revdelete-summary' => 'This message is used as parameter $1 in {{msg|revdelete-hid}} and {{msg|revdelete-unhid}} when hiding or unhiding the edit summary of a revision or event.', 'revdelete-uname' => 'This message is used as parameter $1 in {{msg|revdelete-hid}} and {{msg|revdelete-unhid}} when hiding or unhiding the username for a revision or event. {{Identical|Username}}', 'revdelete-restricted' => 'This message is used as parameter $1 in {{msg|revdelete-log-message}} when setting visibility restrictions for administrators.', 'revdelete-unrestricted' => 'This message is used as parameter $1 in {{msg|revdelete-log-message}} when removing visibility restrictions for administrators.', 'revdelete-hid' => 'This message is used as parameter $1 in {{msg|revdelete-log-message}} when hiding revisions, and {{msg|logdelete-log-message}} when hiding information in the log entry about hiding revisions. Parameter $1 is either {{msg|revdelete-content}} (when hiding the page content), {{msg|revdelete-summary}} (when hiding the edit summary), {{msg|revdelete-uname}} (when hiding the user name), or a combination of these three messages.', 'revdelete-unhid' => 'This message is used as parameter $1 in {{msg|revdelete-log-message}} when unhiding revisions, and {{msg|logdelete-log-message}} when unhiding information in the log entry about unhiding revisions. Parameter $1 is either {{msg|revdelete-content}} (when unhiding the page content), {{msg|revdelete-summary}} (when unhiding the edit summary), {{msg|revdelete-uname}} (when unhiding the user name), or a combination of these three messages.', 'revdelete-log-message' => 'This log message is used together with {{msg|revdelete-logentry}} in the deletion or suppression logs when changing visibility restrictions for page revisions. *Parameter $1 is either {{msg|revdelete-hid}} (when hiding data), {{msg|revdelete-unhid}} (when unhiding data), {{msg|revdelete-restricted}} (when applying restrictions for sysops), {{msg|revdelete-unrestricted}} (when removing restrictions for sysops), or a combination of those messages. *Parameter $2 is the number of revisions for which the restrictions are changed. Please note that the parameters in a log entry will appear in the log only in the default language of the wiki. View [[Special:Log]] for examples on translatewiki.net with English default language.', 'logdelete-log-message' => 'This log message appears in brackets after the message {{msg|logdelete-logentry}} in the deletion or suppression logs when changing the visibility of a log entry for events. For a brief description of the process of changing the visibility of events and their log entries see this [http://www.mediawiki.org/wiki/RevisionDelete mediawiki explanation]. *Parameter $1 is either {{msg|revdelete-hid}} (when hiding data), {{msg|revdelete-unhid}} (when unhiding data), {{msg|revdelete-restricted}} (when applying restrictions for sysops), {{msg|revdelete-unrestricted}} (when removing restrictions for sysops), or a combination of those messages. *Parameter $2 is the number of events for which the restrictions are changed. Please note that the parameters in a log entry will appear in the log only in the default language of the wiki. View [[Special:Log]] for examples on translatewiki.net with English default language.', 'revdelete-hide-current' => 'Parameters: * $1 is a date * $2 is a time', 'revdelete-show-no-access' => 'Parameters: * $1 is a date * $2 is a time', 'revdelete-modify-no-access' => 'Parameters: * $1 is a date * $2 is a time', 'revdelete-modify-missing' => '* $1 is a revision ID', 'revdelete-no-change' => 'Parameters: * $1 is a date * $2 is a time', 'revdelete-concurrent-change' => 'Parameters: * $1 is a date * $2 is a time', 'revdelete-otherreason' => '{{Identical|Other/additional reason}}', 'revdelete-reasonotherlist' => '{{Identical|Other reason}}', # Suppression log 'suppressionlog' => 'Title of the suppression log. Shown in the drop down menu at [[Special:log]] and as header of [[Special:log/suppress]].', 'suppressionlogtext' => 'Description text of the suppression log. Shown at top of [[Special:log/suppress]].', # History merging 'mergehistory-autocomment' => 'This message is used as an edit summary when a redirect is automatically created after an entire page history is merged into another page history, and the user who did the merge wrote no comment. *Parameter $1 is the name of the redirect page which is created *Parameter $2 is the target of the redirect', 'mergehistory-comment' => 'This message is used as an edit summary when a redirect is automatically created after an entire page history is merged into another page history, and the user who did the merge wrote a comment. *Parameter $1 is the name of the redirect page which is created *Parameter $2 is the target of the redirect *Parameter $3 is a log comment for the merge', 'mergehistory-same-destination' => 'Error message shown on [[Special:MergeHistory]] when the user entered the same page title to both source and destination', 'mergehistory-reason' => '{{Identical|Reason}}', # Merge log 'mergelog' => 'This is the name of a log of merge actions done on [[Special:MergeHistory]]. This special page and this log is not enabled by default.', # Diffs 'history-title' => 'Displayed as page title when you click on the "history" tab. The parameter $1 is the normal page title.', 'difference' => 'Displayed under the title when viewing the difference between two or more edits.', 'lineno' => 'Message used when comparing different versions of a page (diff). $1 is a line number.', 'compareselectedversions' => 'Used as button in history pages.', 'visualcomparison' => '{{Identical|Visual comparison}}', 'editundo' => 'Undo link when viewing diffs {{Identical|Undo}}', 'diff-multi' => "This message appears in the revision history of a page when comparing two versions which aren't consecutive.", 'diff-src' => '{{Identical|Source}}', 'diff-with' => '* "<code><nowiki>&#32;</nowiki></code>" is a forced space; leave it in if your language uses spaces * $1 is a name of a HTML attribute (for example <code>style</code> or <code>class</code>) * $2 is the value of the attribute (for example <code>background:red;</code> in <code>style="background:red;"</code>) Used in conjunction with {{msg-mw|diff-with-additional}} and {{msg-mw|diff-with-final}} in the head position before a {{msg-mw|comma-separator}} separated list.', 'diff-with-additional' => '{{optional}} * $1 is a name of a HTML attribute (for example <code>style</code> or <code>class</code>) * $2 is the value of the attribute (for example <code>background:red;</code> in <code>style="background:red;"</code>) Used, possibly repeatedly, in a {{msg-mw|comma-separator}} separated list after {{msg-mw|diff-with}} and before {{msg-mw|diff-with-final}}.', 'diff-with-final' => '* "<code><nowiki>&#32;</nowiki></code>" is a forced space; leave it in if your language uses spaces * $1 is a name of a HTML attribute (for example <code>style</code> or <code>class</code>) * $2 is the value of the attribute (for example <code>background:red;</code> in <code>style="background:red;"</code>) Used in the final position of a {{msg-mw|comma-separator}} separated list headed by {{msg-mw|diff-with}} followed by zero or more repetitions of {{msg-mw|diff-with-additional}}.', 'diff-width' => '{{Identical|Width}}', 'diff-height' => '{{Identical|Height}}', 'diff-dt' => 'I guess that this refers to HTML, as described in the article [http://en.wikipedia.org/wiki/HTML_elements#Lists HTML elements] on Wikipedia.', 'diff-i' => '{{Identical|Italic}}', 'diff-b' => '{{Identical|Bold}}', # Search results 'searchresults-title' => 'Appears as page title in the html header of the search result special page.', 'noexactmatch' => 'This is the message that you get if you follow a link to a page or article that does not exist.', 'notitlematches' => 'Header of results page after a search for a title for which no page exists', 'textmatches' => 'When displaying search results', 'notextmatches' => 'Error message when there are no results', 'prevn' => "This is part of the navigation message on the top and bottom of Special pages (lists of things in alphabetical order, i.e. the '[[Special:Categories]]' page), where it is used as the first argument of {{msg-mw|Viewprevnext}}. It is also used by Category pages (which do ''not'' use {{msg-mw|Viewprevnext}}). {{PLURAL:$1|$1}} is the number of items shown per page. It is not used when {{PLURAL:$1|$1}} is zero; not sure what happens when {{PLURAL:$1|$1}} is one. [[Special:WhatLinksHere|Whatlinkshere]] pages use {{msg-mw|Whatlinkshere-prev}} instead (still as an argument to {{msg-mw|Viewprevnext}}). {{Identical|Previous}}", 'nextn' => "This is part of the navigation message on the top and bottom of Special pages (lists of things in alphabetical order, i.e. the '[[Special:Categories]]' page), where it is used as the second argument of {{msg-mw|Viewprevnext}}. It is also used by Category pages (which do ''not'' use {{msg-mw|Viewprevnext}}). $1 is the number of items shown per page. It is not used when $1 is zero; not sure what happens when $1 is one. [[Special:WhatLinksHere|Whatlinkshere]] pages use {{msg-mw|Whatlinkshere-next}} instead (still as an argument to {{msg-mw|Viewprevnext}}). {{Identical|Next $1}}", 'viewprevnext' => 'This is part of the navigation message on the top and bottom of Special pages which are lists of things, e.g. the User\'s contributions page (in date order) or the list of all categories (in alphabetical order). ($1) and ($2) are either {{msg-mw|Pager-older-n}} and {{msg-mw|Pager-newer-n}} (for date order) or {{msg-mw|Prevn}} and {{msg-mw|Nextn}} (for alphabetical order). It is also used by [[Special:WhatLinksHere|Whatlinkshere]] pages, where ($1) and ($2) are {{msg-mw|Whatlinkshere-prev}} and {{msg-mw|Whatlinkshere-next}}. ($3) is made up in all cases of the various proposed numbers of results per page, e.g. "(20 | 50 | 100 | 250 | 500)". For Special pages, the navigation bar is prefixed by "({{msg-mw|Page_first}} | {{msg-mw|Page_last}})" (alphabetical order) or "({{msg-mw|Histfirst}} | {{msg-mw|Histlast}})" (date order). Viewprevnext is sometimes preceded by the {{msg-mw|Showingresults}} or {{msg-mw|Showingresultsnum}} message (for Special pages) or by the {{msg-mw|Linkshere}} message (for Whatlinkshere pages).', 'searchmenu-legend' => '{{Identical|Search options}}', 'searchmenu-exists' => 'An option shown in a menu beside search form offering a link to the existing page having the specified title (when using the default MediaWiki search engine).', 'searchmenu-new' => 'An option shown in a menu beside search form offering a red link to the not yet existing page having the specified title (when using the default MediaWiki search engine).', 'searchhelp-url' => '{{Identical|HelpContent}} Description: The URL of the search help page. {{doc-important|Do not change "Help:" part.}}', 'searchprofile-articles' => 'A quick link in the advanced search box on [[Special:Search]]. Clicking on this link starts a search in the content pages of the wiki. {{Identical|Content page}}', 'searchprofile-project' => 'An option in the [[Special:Search]] page.', 'searchprofile-images' => 'An option in the [http://translatewiki.net/wiki/Special:Search Special:search] page.', 'searchprofile-everything' => 'An option in the [http://translatewiki.net/wiki/Special:Search Special:search] page.', 'searchprofile-advanced' => 'An option in the [http://translatewiki.net/wiki/Special:Search Special:search] page.', 'searchprofile-articles-tooltip' => '{{Identical|Search in $1}}', 'searchprofile-project-tooltip' => '{{Identical|Search in $1}}', 'search-result-size' => 'Shown per line of a [[Special:Search|search result]] * $1 is the size of the page in bytes, but no need to add "byte" or similar as the unit is added by special function. * $2 is the sum of all words in this page.', 'search-result-score' => 'Shown per line of a [[Special:Search|search result]]. $1 is the relevance of this result in per cent. {{Identical|Relevance: $1%}}', 'search-redirect' => "\$1 is a link to the redirect to the page (so, \$1 is the page that the search result is redirected '''from'''). \"Redirect\" is a noun here, not a verb.", 'search-interwiki-default' => '* $1 is the hostname of the remote wiki from where the additional results listed below are returned', 'search-relatedarticle' => '{{Identical|Related}}', 'searcheverything-enable' => 'Used in [[Special:Preferences]], tab “Search”.', 'searchrelated' => '{{Identical|Related}}', 'searchall' => '{{Identical|All}}', 'showingresults' => "This message is used on some special pages such as 'Wanted categories'. $1 is the total number of results in the batch shown and $2 is the number of the first item listed.", 'showingresultsnum' => '$3 is the number of results on the page and $2 is the first number in the batch of results.', 'showingresultsheader' => 'Used in search results of [[Special:Search]].', 'nonefound' => 'This message appears on the search results page if no results are found. {{doc-important|Do not translate "all:".}}', 'search-nonefound' => 'Message shown when a search returned no results (when using the default MediaWiki search engine).', 'powersearch' => 'Verb. Text of search button at the bottom of [[Special:Search]], for searching in selected namespaces. {{Identical|Advanced search}}', 'powersearch-legend' => 'Advanced search {{Identical|Advanced search}}', 'powersearch-ns' => 'Used in the extended search form at [[Special:Search]]', 'powersearch-redir' => 'Used in the extended search form at [[Special:Search]]', 'powersearch-field' => 'Used in the extended search form at [[Special:Search]]', 'powersearch-togglelabel' => 'Used in [http://translatewiki.net/w/i.php?title=Special:Search&advanced=1 Advanced search]. Synomym: "select" as verb.', 'powersearch-toggleall' => '"All" refers to namespaces. It is used in Advanced search: http://translatewiki.net/w/i.php?title=Special:Search&advanced=1 {{Identical|All}}', 'powersearch-togglenone' => '"None" refers to namespaces. It is used in Advanced search: http://translatewiki.net/w/i.php?title=Special:Search&advanced=1 {{Identical|None}}', 'search-external' => 'Legend of the fieldset for the input form when the internal search is disabled. Inside the fieldset [[MediaWiki:Searchdisabled]] and [[MediaWiki:Googlesearch]] is shown.', 'searchdisabled' => 'Shown on [[Special:Search]] when the internal search is disabled.', # Quickbar 'qbsettings' => 'The title of the section in [[Special:Preferences]], only shown when using the skins "Standard/Classic" or "Cologne Blue". The quicbar is the same as the sidebar.', 'qbsettings-none' => '{{Identical|None}}', # Preferences page 'preferences' => 'Title of the Special:Preferences page. {{Identical|Preferences}}', 'mypreferences' => 'Action link label that leads to Special:Preferences; appears in the top menu (e.g. "Username My talk My preferences My watchlist My contributions Log out"). {{Identical|My preferences}}', 'prefs-edits' => 'In user preferences.', 'prefsnologin' => '{{Identical|Not logged in}}', 'changepassword' => "Section heading on [[Special:Preferences]], tab 'User profile'.", 'prefs-skin' => 'Used in user preferences.', 'skin-preview' => 'The link beside each skin name in [[Special:Preferences|your user preferences]], tab "skin". {{Identical|Preview}}', 'prefs-math' => 'Used in user preferences.', 'prefs-datetime' => '{{Identical|Date}}', 'prefs-personal' => 'Title of a tab in [[Special:Preferences]].', 'prefs-rc' => 'Used in user preferences. {{Identical|Recent changes}}', 'prefs-watchlist' => 'Used in user preferences.', 'prefs-watchlist-days' => 'Used in [[Special:Preferences]], tab "Watchlist".', 'prefs-watchlist-days-max' => 'Shown as hint in [[Special:Preferences]], tab "Watchlist"', 'prefs-watchlist-edits' => 'Used in [[Special:Preferences]], tab "Watchlist".', 'prefs-watchlist-edits-max' => 'Shown as hint in [[Special:Preferences]], tab "Watchlist"', 'prefs-watchlist-token' => 'Used in [[Special:Preferences]], tab Watchlist.', 'prefs-misc' => 'Tab used on the [[Special:Preferences|user preferences]] special page.', 'prefs-resetpass' => 'Button on user data tab in user preferences. When you click the button you go to the special page [[Special:ResetPass]]. {{Identical|Change password}}', 'prefs-rendering' => 'Title of tab in [[Special:Preferences]].', 'saveprefs' => 'Button for saving changes in the preferences page. {{Identical|Save}}', 'resetprefs' => 'Button for resetting changes in the preferences page.', 'restoreprefs' => 'Used in [[Special:Preferences]]', 'prefs-editing' => 'Title of a tab in [[Special:Preferences]].', 'rows' => 'Used on [[Special:Preferences]], "Editing" section in the "Size of editing window" fieldset', 'columns' => 'Used on [[Special:Preferences]], "Editing" section in the "Size of editing window" fieldset', 'searchresultshead' => 'This is the label of the tab in [[Special:Preferences|my preferences]] which contains options for searching the wiki. {{Identical|Search}}', 'contextchars' => 'Used in Preferences/Search tab', 'stub-threshold' => 'Used in [[Special:Preferences]], tab "Misc".', 'recentchangesdays' => 'Used in [[Special:Preferences]], tab "Recent changes".', 'recentchangesdays-max' => 'Shown as hint in [[Special:Preferences]], tab "Recent changes"', 'recentchangescount' => 'Used in [[Special:Preferences]], tab "Recent changes".', 'prefs-help-recentchangescount' => 'Used in [[Special:Preferences]], tab "Recent changes".', 'prefs-help-watchlist-token' => 'Used in [[Special:Preferences]], tab Watchlist.', 'savedprefs' => 'This message appears after saving changes to your user preferences.', 'timezonelegend' => '{{Identical|Time zone}}', 'timezoneoffset' => "Text next to input box in [[Special:Preferences]], tab 'date and time', section 'timezone'.", 'allowemail' => 'Used in [[Special:Preferences]] > {{int:prefs-personal}} > {{int:email}}.', 'prefs-searchoptions' => '{{Identical|Search options}}', 'prefs-namespaces' => "{{Identical|Namespaces}} Shown as legend of the second fieldset of the tab 'Search' in [[Special:Preferences]]", 'defaultns' => 'Used in [[Special:Preferences]], tab "Search".', 'default' => '{{Identical|Default}}', 'prefs-files' => 'Title of a tab in [[Special:Preferences]].', 'prefs-custom-css' => 'visible on [[Special:Preferences]] -[Skins].', 'prefs-reset-intro' => 'Used in [[Special:Preferences/reset]].', 'prefs-emailconfirm-label' => 'Used in [[Special:Preferences]].', 'prefs-textboxsize' => "Header for the box specifying the size of the editing window, displayed on the 'editing' tab of the [[Special:Preferences|user preferences]] special page.", 'youremail' => 'Label of the e-mail text box of the "E-mail options" section of "Special:Preferences". {{Identical|E-mail}}', 'username' => '{{Identical|Username}}', 'uid' => '{{Identical|User ID}}', 'prefs-memberingroups' => 'This message is shown on [[Special:Preferences]], first tab. See also {{msg-mw|prefs-memberingroups-type}}.', 'prefs-memberingroups-type' => '{{optional}} $1 is list of group names, $2 is list of group member names. Label for these is {{msg-mw|prefs-memberingroups}}.', 'prefs-registration' => 'Used in [[Special:Preferences]].', 'prefs-registration-date-time' => '{{optional}} Used in [[Special:Preferences]]. Parameters are: * $1 date and time of registration * $2 date of registration * $3 time of registration', 'yourrealname' => 'Used in [[Special:Preferences]], first tab. {{Identical|Real name}}', 'yourlanguage' => 'Used in [[Special:Preferences]], first tab. {{Identical|Language}}', 'yourvariant' => 'Used in [[Special:Preferences]], first tab, when the wiki content language has variants only. {{optional}}', 'yournick' => 'Used in [[Special:Preferences]], first tab. {{Identical|Signature}}', 'prefs-help-signature' => 'Used in [[Special:Preferences]], tab User profile.', 'badsig' => 'Error message displayed when entering invalid signature in user preferences', 'badsiglength' => 'Warning message that is displayed on [[Special:Preferences]] when trying to save a signature that is too long. Parameter $1 is the maximum number of characters that is allowed in a signature (multi-byte characters are counted as one character).', 'yourgender' => 'Used in [[Special:Preferences]], first tab.', 'gender-unknown' => 'Used in [[Special:Preferences]], first tab, as one of the selectable options of the {{msg-mw|gender}} prompt. Choosing it indicates that the grammatical gender of the user name is not to be made public, or cannot be determined, or matches none of the other choices preset in the select.', 'gender-male' => 'Used in [[Special:Preferences]], first tab, as one of the selectable options of the {{msg-mw|gender}} prompt. Choosing it indicates that the grammatical gender of the user name should be "male" for those languages having a "normal" male grammatical gender.', 'gender-female' => 'Used in [[Special:Preferences]], first tab, as one of the selectable options of the {{msg-mw|gender}} prompt. Choosing it indicates that the grammatical gender of the user name should be "female" for those languages having a "normal" female grammatical gender.', 'email' => '{{Identical|E-mail}}', 'prefs-help-realname' => 'In user preferences.', 'prefs-help-email' => 'Shown as explanation text on [[Special:Preferences]].', 'prefs-info' => "Header for the box giving basic information on the user account, displayed on the 'user profile' tab of the [[Special:Preferences|user preferences]] special page.", 'prefs-signature' => '{{Identical|Signature}}', 'prefs-dateformat' => 'Used in [[Special:Preferences]], tab "Date and time".', 'prefs-timeoffset' => 'Used in [[Special:Preferences]], tab "Date and time".', 'prefs-advancedediting' => 'Used in [[Special:Preferences]], tab "Editing". {{Identical|Advanced options}}', 'prefs-advancedrc' => 'Used in [[Special:Preferences]], tab "Recent changes". {{Identical|Advanced options}}', 'prefs-advancedrendering' => 'Used in [[Special:Preferences]], tab "Appearence". {{Identical|Advanced options}}', 'prefs-advancedsearchoptions' => 'Used in [[Special:Preferences]], tab "Search options". {{Identical|Advanced options}}', 'prefs-advancedwatchlist' => 'Used in [[Special:Preferences]], tab "Watchlist". {{Identical|Advanced options}}', 'prefs-display' => '"Display" is a noun that specifies the kind of "options". So translate as "options about display", not as "display the options". Used in [[Special:Preferences]], tab "Recent changes".', 'prefs-diffs' => 'Used in [[Special:Preferences]], tab "Misc".', # User rights 'userrights' => 'Page title of [[Special:UserRights]].', 'userrights-lookup-user' => 'Label text when managing user rights ([[Special:UserRights]])', 'userrights-user-editname' => 'Displayed on [[Special:UserRights]].', 'editusergroup' => '{{Identical|Edit user groups}}', 'editinguser' => "Appears on [[Special:UserRights]]. The '''last part''' of the message '''should remain completely untranslated''', but if your language has S-O-V word order, the verb can follow it.", 'userrights-editusergroup' => '{{Identical|Edit user groups}}', 'saveusergroups' => 'Button text when editing user groups', 'userrights-groupsmember' => 'When editing user groups', 'userrights-groups-help' => 'Instructions displayed on [[Special:UserRights]].', 'userrights-reason' => 'Text beside log field when editing user groups', 'userrights-no-interwiki' => 'Error message when editing user groups', 'userrights-nodatabase' => 'Error message when editing user groups', 'userrights-nologin' => "Error displayed on [[Special:UserRights]] when you aren't logged in. If you are logged in, but don't have the correct permission, you see {{msg|userrights-notallowed|pl=yes}}.", 'userrights-notallowed' => "Error displayed on [[Special:UserRights]] when you don't have the permission.", 'userrights-changeable-col' => 'Used in [[Special:UserRights]].', 'userrights-unchangeable-col' => 'Used in [[Special:UserRights]].', 'userrights-irreversible-marker' => '{{optional}}', # Groups 'group' => '{{Identical|Group}}', 'group-user' => 'Name of group', 'group-autoconfirmed' => 'Name of group. On Wikimedia sites autoconfirmed users are users which are older than 4 days. After those 4 days, they have more rights.', 'group-bot' => 'Name of group', 'group-sysop' => 'Name of group', 'group-bureaucrat' => 'Name of group', 'group-suppress' => 'This is an optional (disabled by default) user group, meant for the [[mw:RevisionDelete|RevisionDelete]] feature, to change the visibility of revisions through [[Special:RevisionDelete]]. * See also: {{msg-mw|Group-suppress-member|pl=yes}} for a member of this group. {{Identical|Oversight}}', 'group-all' => 'The name of the user group that contains all users, including anonymous users {{Identical|All}}', 'group-user-member' => 'Name of member of group', 'group-autoconfirmed-member' => 'Name of a member of group', 'group-bot-member' => 'Name of a member of group', 'group-sysop-member' => 'Name of member of group', 'group-bureaucrat-member' => 'Name of member of group', 'group-suppress-member' => 'This is a member of the optional (disabled by default) user group, meant for the [[mw:RevisionDelete|RevisionDelete]] feature, to change the visibility of revisions through [[Special:RevisionDelete]]. * See also: {{msg|Group-suppress|pl=yes}} for the name of the group. {{Identical|Oversight}}', 'grouppage-user' => 'Link to group page on wiki', 'grouppage-autoconfirmed' => 'Link to group page on wiki.', 'grouppage-bot' => 'Link to project page of this group, displayed on [[Special:ListUsers/bot]].', 'grouppage-sysop' => 'Link to project page of this group, displayed on [[Special:ListUsers/sysop]].', 'grouppage-bureaucrat' => 'Name of project page of this group, linked to from [[Special:ListUsers/bureaucrat]], [[Special:ListGroupRights]], and some other special pages.', 'grouppage-suppress' => 'Link to project page of this group, displayed on [[Special:ListUsers/suppress]]. {{Identical|Oversight}}', # Rights 'right-read' => '{{doc-right}} Basic right to read any page.', 'right-edit' => '{{doc-right}} Basic right to edit pages that are not protected.', 'right-createpage' => '{{doc-right}} Basic right to create pages. The right to edit discussion/talk pages is {{msg|right-createtalk|pl=yes}}.', 'right-createtalk' => '{{doc-right}} Basic right to create discussion/talk pages. The right to edit other pages is {{msg|right-createpage|pl=yes}}.', 'right-createaccount' => '{{doc-right}} The right to [[Special:CreateAccount|create a user account]].', 'right-minoredit' => '{{doc-right}} The right to use the "This is a minor edit" checkbox. See {{msg|minoredit|pl=yes}} for the message used for that checkbox.', 'right-move' => '{{doc-right}} The right to move any page that is not protected from moving.', 'right-move-subpages' => '{{doc-right|move-subpages}}', 'right-move-rootuserpages' => '{{doc-right}}', 'right-movefile' => '{{doc-right}}', 'right-suppressredirect' => '{{doc-right|suppressredirect}}', 'right-upload' => '{{doc-right}} The right to [[Special:Upload|upload]] a file (this includes images, media, audio, ...).', 'right-reupload' => '{{doc-right}} The right to upload a file under a file name that already exists. Related messages: {{msg|right-upload|pl=yes}}, {{msg|right-reupload-own|pl=yes}} and {{msg|right-reupload-shared|pl=yes}}.', 'right-reupload-own' => '{{doc-right}} Right to upload a file under a file name that already exists, and that the same user has uploaded. Related messages: {{msg|right-upload|pl=yes}} and {{msg|right-reupload|pl=yes}}.', 'right-reupload-shared' => '{{doc-right}} The right to upload a file locally under a file name that already exists in a shared database (for example Commons). Related messages: {{msg|right-upload|pl=yes}} and {{msg|right-reupload|pl=yes}}.', 'right-upload_by_url' => '{{doc-right|upload by url}}', 'right-purge' => '{{doc-right}} The right to use <tt>&action=purge</tt> in the URL, without needing to confirm it (by default, anonymous users need to confirm it).', 'right-autoconfirmed' => "{{doc-right}} If your account is older than [[mw:Manual:\$wgAutoConfirmAge|wgAutoConfirmAge]] and if you have at least [[mw:Manual:\$wgAutoConfirmCount|\$wgAutoConfirmCount]] edits, you are in the '''group \"autoconfirmed\"''' (note that you can't see this group at [[Special:ListUsers]]). If you are in that group, you have (by default) the '''right \"autoconfirmed\"'''. With this right, you can for example <!-- I think this right includes more things --> edit semi-protected pages.", 'right-bot' => '{{doc-right|bot}}', 'right-nominornewtalk' => '{{doc-right}} If someone with this right (bots by default) edits a user talk page and marks it as minor (requires {{msg|right-minoredit|pl=yes}}), the user will not get a notification "You have new messages".', 'right-apihighlimits' => '{{doc-right|apihighlimits}}', 'right-writeapi' => '{{doc-right}}', 'right-delete' => '{{doc-right|delete}}', 'right-bigdelete' => '{{doc-right|bigdelete}}', 'right-deleterevision' => 'This is a user right that is part of the [[mw:RevisionDelete|RevisionDelete]] feature. It can be given to the group {{msg|group-sysop|pl=yes}}, although this right is disabled by default. See also * {{msg|right-suppressionlog|pl=yes}} * {{msg|right-hideuser|pl=yes}} * {{msg|right-suppressrevision|pl=yes}}', 'right-deletedhistory' => '{{doc-right|deletedhistory}}', 'right-browsearchive' => '{{doc-right|browsearchive}}', 'right-undelete' => '{{doc-right|undelete}}', 'right-suppressrevision' => 'This is a user right that is part of the [[mw:RevisionDelete|RevisionDelete]] feature. It can be given to the group {{msg|group-suppress|pl=yes}}, although that group is disabled by default. See also * {{msg|right-suppressionlog|pl=yes}} * {{msg|right-hideuser|pl=yes}} * {{msg|right-deleterevision|pl=yes}}', 'right-suppressionlog' => 'This is a user right that is part of the [[mw:RevisionDelete|RevisionDelete]] feature. It can be given to the group {{msg|group-suppress|pl=yes}}, although that group is disabled by default. See also * {{msg|right-suppressrevision|pl=yes}} * {{msg|right-hideuser|pl=yes}} * {{msg|right-deleterevision|pl=yes}}', 'right-block' => '{{doc-right|block}}', 'right-blockemail' => '{{doc-right|blockemail}}', 'right-hideuser' => 'This is a user right that is part of the [[mw:RevisionDelete|RevisionDelete]] feature. It can be given to the group {{msg|group-suppress|pl=yes}}, although that group is disabled by default. See also * {{msg|right-suppressionlog|pl=yes}} * {{msg|right-suppressrevision|pl=yes}} * {{msg|right-deleterevision|pl=yes}}', 'right-ipblock-exempt' => 'This user automatically bypasses IP blocks, auto-blocks and range blocks - so I presume - but I am uncertain', 'right-proxyunbannable' => '{{doc-right|proxyunbannable}}', 'right-protect' => '{{doc-right|protect}}', 'right-editprotected' => '{{doc-right|editprotected}}', 'right-editinterface' => '{{doc-right|editinterface}}', 'right-editusercssjs' => '{{doc-right|editusercssjs}}', 'right-editusercss' => '{{doc-right|editusercss}}', 'right-edituserjs' => '{{doc-right|edituserjs}}', 'right-rollback' => '{{Identical|Rollback}}', 'right-markbotedits' => '{{doc-right}} A user with this right can mark a roll-back edit as a bot edit by adding <tt>&bot=1</tt> to the URL (not by default).', 'right-noratelimit' => '{{doc-right}} The rate limits have no effect on the groups that have this right. Rate limits is a restriction that you can only do X actions (edits, moves, etc.) in Y number of seconds (set by [[mw:Manual:$wgRateLimits|$wgRateLimits]]).', 'right-import' => '{{doc-right}}', 'right-importupload' => '{{doc-right}}', 'right-patrol' => '{{doc-right}}', 'right-autopatrol' => '{{doc-right|autopatrol}}', 'right-patrolmarks' => '{{doc-right|patrolmarks}}', 'right-unwatchedpages' => '{{doc-right|unwatchedpages}}', 'right-trackback' => '{{doc-right}} "Submit" in this instance means that something called [[:wikipedia:trackback|trackback]] is being sent to the wiki, and the wiki accepts it. When the right is not given to the user, the wiki rejects, or ignores it. There is a nice description at [http://cruftbox.com/cruft/docs/trackback.html How TrackBack Works]. In MediaWiki it is one of those obscure features that probably nobody uses (it is a huge spam trap). An alternative wording for translators could be \'Get the wiki to accept a trackback\'.', 'right-mergehistory' => '{{doc-right|mergehistory}}', 'right-userrights' => '{{doc-right|userrights}}', 'right-userrights-interwiki' => '{{doc-right|userrights-interwiki}}', 'right-siteadmin' => '{{doc-right|siteadmin}}', 'right-reset-passwords' => '{{doc-right}}', 'right-override-export-depth' => '{{doc-right|override-export-depth}}', 'right-versiondetail' => '{{doc-right|versiondetail}} Users having this right receive more detailed information on [[Special:Version]].', # User rights log 'rightslog' => 'In [[Special:Log]]', 'rightslogtext' => 'Text in [[Special:Log/rights]].', 'rightslogentry' => 'This message is displayed in the [[Special:Log/rights|User Rights Log]] when a bureaucrat changes the user groups for a user. * Parameter $1 is the username * Parameters $2 and $3 are lists of user groups or {{msg-mw|Rightsnone}} The name of the bureaucrat who did this task appears before this message. Similar to {{msg-mw|Gur-rightslog-entry}}', 'rightsnone' => 'Default rights for registered users. {{Identical|None}}', # Associated actions - in the sentence "You do not have permission to X" 'action-read' => '{{Doc-action}}', 'action-edit' => '{{Doc-action}}', 'action-createpage' => '{{Doc-action}}', 'action-createtalk' => '{{Doc-action}}', 'action-createaccount' => '{{Doc-action}}', 'action-minoredit' => '{{Doc-action}}', 'action-move' => '{{Doc-action}}', 'action-move-subpages' => '{{Doc-action}}', 'action-move-rootuserpages' => '{{Doc-action}}', 'action-movefile' => '{{doc-action}}', 'action-upload' => '{{Doc-action}}', 'action-reupload' => '{{Doc-action}}', 'action-reupload-shared' => '{{Doc-action}}', 'action-upload_by_url' => '{{Doc-action|upload by url}}', 'action-writeapi' => '{{Doc-action}} API is an abbreviation for [http://en.wikipedia.org/wiki/API application programming interface].', 'action-delete' => '{{Doc-action}}', 'action-deleterevision' => '{{Doc-action}}', 'action-deletedhistory' => '{{Doc-action}}', 'action-browsearchive' => '{{Doc-action}}', 'action-undelete' => '{{Doc-action}}', 'action-suppressrevision' => '{{Doc-action}}', 'action-suppressionlog' => '{{Doc-action|suppressionlog}}', 'action-block' => '{{Doc-action}}', 'action-protect' => '{{Doc-action}}', 'action-import' => '{{Doc-action}}', 'action-importupload' => '{{Doc-action}}', 'action-patrol' => '{{Doc-action}}', 'action-autopatrol' => '{{Doc-action}}', 'action-unwatchedpages' => '{{Doc-action}}', 'action-trackback' => '{{Doc-action}}', 'action-mergehistory' => '{{Doc-action}}', 'action-userrights' => '{{Doc-action}} This action allows editing of all of the "user rights", not just the rights of the group "all users".', 'action-userrights-interwiki' => '{{Doc-action}}', 'action-siteadmin' => '{{Doc-action}}', # Recent changes 'nchanges' => 'Appears on the [[Special:RecentChanges]] special page in brackets after pages having more than one change on that date. $1 is the number of changes on that day.', 'recentchanges' => 'The text of the link in sidebar going to the special page [[Special:RecentChanges]]. Also the page title of that special page. {{Identical|Recent changes}}', 'recentchanges-legend' => 'Legend of the fieldset of [[Special:RecentChanges]]', 'recentchangestext' => 'Text in recent changes', 'recentchanges-label-legend' => 'Used at [[Special:RecentChanges]] and [[Special:Watchlist]].', 'recentchanges-legend-newpage' => '* $1 - message {{msg-mw|newpageletter}} ({{int:newpageletter}})', 'recentchanges-label-newpage' => 'Tooltip for {{msg-mw|minoreditletter}}', 'recentchanges-legend-minor' => '* $1 - message {{msg-mw|minoreditletter}} ({{int:minoreditletter}})', 'recentchanges-label-minor' => 'Tooltip for {{msg-mw|newpageletter}}', 'recentchanges-legend-bot' => '* $1 - message {{msg-mw|boteditletter}} ({{int:boteditletter}})', 'recentchanges-label-bot' => 'Tooltip for {{msg-mw|boteditletter}}', 'recentchanges-legend-unpatrolled' => '* $1 - message {{msg-mw|unpatrolledletter}} ({{int:unpatrolledletter}})', 'recentchanges-label-unpatrolled' => 'Tooltip for {{msg-mw|unpatrolledletter}}', 'rcnote' => 'Used on [[Special:RecentChanges]]. * $1 is the number of changes shown, * $2 is the number of days for which the changes are shown, * $3 is a date and time (deprecated), * $4 is a date alone, * $5 is a time alone. Example: "\'\'Below are the last 50 changes in the last 7 days, as of 14:48, 24 January 2008.\'\'"', 'rcnotefrom' => 'This message is displayed at [[Special:RecentChanges]] when viewing recentchanges from some specific time. Parameter $1 is the maximum number of changes that are displayed. Parameter $2 is a date and time. Parameter $3 is a date. Parameter $4 is a time.', 'rclistfrom' => 'Used on [[Special:RecentChanges]]. Parameter $1 is a link to the revision of a specific date and time. The date and the time are the link description.', 'rcshowhideminor' => 'Option text in [[Special:RecentChanges]]', 'rcshowhidebots' => "Option text in [[Special:RecentChanges]]. $1 is the 'show/hide' command, with the text taken from either [[Mediawiki:Show]] or [[Mediawiki:Hide]]. {{Identical|$1 bots}}", 'rcshowhideliu' => 'Option text in [[Special:RecentChanges]]', 'rcshowhideanons' => 'Option text in [[Special:RecentChanges]]', 'rcshowhidepatr' => "Option text in [[Special:RecentChanges]]. $1 is the 'show/hide' command, with the text taken from either [[Mediawiki:Show]] or [[Mediawiki:Hide]].", 'rclinks' => "Used on [[Special:RecentChanges]]. * '''\$1''' is a list of different choices with number of pages to be shown.<br /> Example: \"''50{{int:pipe-separator}}100{{int:pipe-separator}}250{{int:pipe-separator}}500\". * '''\$2''' is a list of clickable links with a number of days for which recent changes are to be displayed.<br /> Example: \"''1{{int:pipe-separator}}3{{int:pipe-separator}}7{{int:pipe-separator}}14{{int:pipe-separator}}30''\". * '''\$3''' is a block of text that consists of other messages.<br /> Example: \"''Hide minor edits{{int:pipe-separator}}Show bots{{int:pipe-separator}}Hide anonymous users{{int:pipe-separator}}Hide logged-in users{{int:pipe-separator}}Hide patrolled edits{{int:pipe-separator}}Hide my edits''\" List elements are separated by {{msg-mw|pipe-separator}} each. Each list element is, or contains, a link.", 'diff' => 'Short form of "differences". Used on [[Special:RecentChanges]], [[Special:Watchlist]], ...', 'hist' => 'Short form of "history". Used on [[Special:RecentChanges]], [[Special:Watchlist]], ...', 'hide' => 'Option text in [[Special:RecentChanges]], and in [[Special:WhatLinksHere]] {{Identical|Hide}}', 'show' => '{{Identical|Show}}', 'minoreditletter' => "Very short form of \"'''minor edit'''\". Used in [[Special:RecentChanges]], [[Special:Watchlist]], [[Special:Contributions]] and history pages.", 'newpageletter' => "Very short form of \"'''new page'''\". Used in [[Special:RecentChanges]], [[Special:Watchlist]] and [[Special:Contributions]].", 'boteditletter' => 'Abbreviation of "bot". Appears in [[Special:RecentChanges]] and [[Special:Watchlist]].', 'unpatrolledletter' => '{{optional}} Used in {{msg-mw|Recentchanges-label-legend}}, meaning "unpatrolled".', 'sectionlink' => '{{optional}}', 'rc-change-size' => '{{optional}} Does not work under $wgMiserMode ([[mwr:48986|r48986]]).', 'newsectionsummary' => 'Default summary when adding a new section to a page.', # Recent changes linked 'recentchangeslinked' => 'Title of [[Special:RecentChangesLinked]] and display name of page on [[Special:SpecialPages]].', 'recentchangeslinked-feed' => 'Title of [[Special:RecentChangesLinked]] and display name of page on [[Special:SpecialPages]].', 'recentchangeslinked-toolbox' => 'Title of [[Special:RecentChangesLinked]] and display name of page on [[Special:SpecialPages]].', 'recentchangeslinked-title' => 'Message used as title and page header on [[Special:RecentChangesLinked]] (needs an argument like "/Main Page"). Related changes are all recent change to pages that are linked from \'\'this page\'\'. "$1" is the name of the page for which related changes as show.', 'recentchangeslinked-backlink' => '{{optional}}', 'recentchangeslinked-summary' => 'Summary of [[Special:RecentChangesLinked]].', 'recentchangeslinked-page' => '{{Identical|Page name}}', # Upload 'upload' => 'Display name for link to [[Special:Upload]] for uploading files to the wiki. {{Identical|Upload file}}', 'uploadbtn' => 'Button name in [[Special:Upload]]. {{Identical|Upload file}}', 'uploadnologin' => '{{Identical|Not logged in}}', 'uploadtext' => 'Text displayed when uploading a file using [[Special:Upload]].', 'upload-permitted' => 'Used in [[Special:Upload]].', 'upload-preferred' => 'Used in [[Special:Upload]].', 'upload-prohibited' => 'Used in [[Special:Upload]].', 'uploadlogpage' => 'Page title of [[Special:Log/upload]].', 'filename' => '{{Identical|Filename}}', 'filedesc' => '{{Identical|Summary}}', 'fileuploadsummary' => '{{Identical|Summary}}', 'filesource' => 'On page [[Special:Upload]] if defined $wgUseCopyrightUpload for detailed copyright information forms. This is source of file. {{Identical|Source}}', 'ignorewarnings' => 'In [[Special:Upload]]', 'filetype-bad-ie-mime' => '$1 will contain a mime type like <tt>image/jpeg</tt> or <tt>application/zip</tt>', 'filetype-unwanted-type' => "* $1 is the extension of the file which cannot be uploaded * $2 is the list of file extensions that can be uploaded (Example: ''png, gif, jpg, jpeg, ogg, pdf, svg.'') * $3 is the number of allowed file formats (to be used for the PLURAL function)", 'filetype-banned-type' => "* $1 is the extension of the file which cannot be uploaded * $2 is the list of file extensions that can be uploaded (Example: ''png, gif, jpg, jpeg, ogg, pdf, svg.'') * $3 is the number of allowed file formats (to be used for the PLURAL function)", 'filetype-missing' => 'Error when uploading a file with no extension', 'large-file' => 'Variables $1 and $2 have appropriate unit symbols already. See for example [[Mediawiki:size-kilobytes]].', 'largefileserver' => 'Error message when uploading a file whose size is larger than the maximum allowed', 'emptyfile' => 'Error message when trying to upload an empty file', 'filepageexists' => 'Shown on [[Special:Upload]], $1 is link to the page. This message is displayed if a description page exists, but a file with the same name does not yet exists, and a user tries to upload a file with that name. In that case the description page is not changed, even if the uploading user specifies a description with the upload.', 'file-thumbnail-no' => 'Error message at [[Special:Upload]]', 'fileexists-shared-forbidden' => 'Error message at [[Special:Upload]]', 'savefile' => 'When uploading a file', 'uploadedimage' => 'This is the text of an entry in the [[Special:Log|upload log]] (and Recent Changes), after hour (and date, only in the Upload log) and user name. $1 is the name of the file uploaded.', 'overwroteimage' => 'This is the text of an entry in the [[Special:Log|upload log]] (and Recent Changes), after hour (and date, only in the Upload log) and user name. $1 is the name of the file uploaded.', 'uploaddisabled' => 'Title of the Special:Upload page when upload is disabled.', 'uploaddisabledtext' => 'This message can have parameter $1, which contains the name of the target file. See r22243 and [https://bugzilla.wikimedia.org/show_bug.cgi?id=8818 bug 8818].', 'php-uploaddisabledtext' => 'This means that file uploading is disabled in PHP, not upload of PHP-files.', 'uploadvirus' => 'Note displayed when uploaded file contains a virus', 'sourcefilename' => 'In [[Special:Upload]]', 'destfilename' => 'In [[Special:Upload]]', 'upload-maxfilesize' => 'Shows at [[Special:Upload]] the maximum file size that can be uploaded. $1 is the value in KB/MB/GB', 'watchthisupload' => 'In [[Special:Upload]]', 'filewasdeleted' => 'This warning is shown when trying to upload a file that does not exist, but has previously been deleted. Parameter $1 is a link to the deletion log, with the text in {{msg|deletionlog}}.', 'filename-prefix-blacklist' => "Do not translate the file name prefixes before the hash mark (#). Leave all the wiki markup, including the spaces, as is. You can translate the text, including 'Leave this line exactly as it is'. The first line of this messages has one (1) leading space.", 'upload-file-error' => '{{Identical|Internal error}}', 'license' => 'This appears in the upload form for the license drop-down. The header in the file description page is now at {{msg-mw|License-header}}.', 'nolicense' => '{{Identical|None selected}}', 'license-nopreview' => 'Error message when a certain license does not exist', # Special:ListFiles 'listfiles-summary' => 'This message is displayed at the top of [[Special:ImageList]] to explain how to use that special page.', 'listfiles_search_for' => 'Input label for the form displayed on [[Special:ListFiles]].', 'imgfile' => '{{Identical|File}}', 'listfiles' => 'Page title and grouping label for the form displayed on [[Special:ListFiles]]. {{Identical|File list}}', 'listfiles_date' => 'Column header for the result table displayed on [[Special:ListFiles]]. {{Identical|Date}}', 'listfiles_name' => 'Column header for the result table displayed on [[Special:ListFiles]]. {{Identical|Name}}', 'listfiles_user' => 'Column header for the result table displayed on [[Special:ListFiles]]. {{Identical|User}}', 'listfiles_size' => 'Column header for the result table displayed on [[Special:ListFiles]]. {{Identical|Size}}', 'listfiles_description' => 'Column header for the result table displayed on [[Special:ListFiles]]. {{Identical|Description}}', 'listfiles_count' => 'One of the table column headers in [[Special:Listfiles]] denoting the amount of saved versions of that file.', # File description page 'file-anchor-link' => '{{Identical|File}}', 'filehist' => 'Text shown on a media description page. Heads the section where the different versions of the file are displayed.', 'filehist-help' => 'In file description page', 'filehist-deleteall' => 'Link in image description page for admins.', 'filehist-deleteone' => 'Link description on file description page to delete an earlier version of a file. {{Identical|Delete}}', 'filehist-revert' => 'Link in image description page. {{Identical|Revert}}', 'filehist-current' => 'Link in file description page. {{Identical|Current}}', 'filehist-datetime' => 'Used on image descriptions, see for example [[:File:Yes.png#filehistory]]. {{Identical|Date}}', 'filehist-thumb' => 'Shown in the file history list of a file desription page. Example: [[:Image:Addon-icn.png]]', 'filehist-thumbtext' => "Shown in the file history list of a file description page. * '''$1''' is a time followed by a date, e.g. ''10:23, 18 april 2007''. * '''$2''' is the date, * '''$3''' is the time. Example: [[wikipedia:Image:Madeleine close2.jpg]]", 'filehist-nothumb' => 'Shown if no thumbnail is available in the file history list of a file desription page. Example: [[:Image:Addon-icn.png]]', 'filehist-user' => 'In image description page. {{Identical|User}}', 'filehist-dimensions' => 'In file description page', 'filehist-filesize' => 'In image description page', 'filehist-comment' => 'In file description page {{Identical|Comment}}', 'imagelinks' => 'In top header of the image description page, see for example [[:Image:Yes.png]].', 'linkstoimage' => 'Used on image description, see for example [[:Image:Yes.png#filelinks]]. * Parameter $1 is the number of pages that link to the file/image.', 'linkstoimage-more' => 'Shown on an image description page when a file is used/linked more than 100 times on other pages. * $1: limit. At the moment hardcoded at 100 * $2: filename', 'nolinkstoimage' => 'Displayed on image description pages, see for exampe [[:Image:Tournesol.png#filelinks]].', 'redirectstofile' => 'Used on file description pages after the list of pages which used this file', 'duplicatesoffile' => 'Shown on file description pages when a file is duplicated * $1: Number of identical files * $2: Name of the shown file to link to the special page "FileDuplicateSearch"', 'sharedupload' => 'Shown on an image description page when it is used in a central repository (i.e. [http://commons.wikimedia.org/ Commons] for Wikimedia wikis). * $1 is the name of the shared repository. On Wikimedia sites, $1 is {{msg-mw|shared-repo-name-shared}}. The default value for $1 is {{msg-mw|shared-repo}}. {{doc-important|Do not customise this message. Just translate it.|Customisation should be done by local wikis.}}', 'sharedupload-desc-there' => ':See also: {{msg-mw|Sharedupload}}', 'sharedupload-desc-here' => ':See also: {{msg-mw|Sharedupload}}', 'filepage-nofile' => "This message appears when visiting a File page for which there's no file, if the user cannot upload files, or file uploads are disabled. (Otherwise, see {{msg-mw|Filepage-nofile-link}}) Filepage-nofile and Filepage-nofile-link message deprecate {{msg-mw|Noimage}}", 'filepage-nofile-link' => "This message appears when visiting a File page for which there's no file, if the user can upload files, and file uploads are enabled. (Otherwise, see {{msg-mw|Filepage-nofile}}) $1 - URL of upload page for this file. Filepage-nofile and Filepage-nofile-link message deprecate {{msg-mw|Noimage}}", 'shared-repo-from' => 'This message is shown on an image description page when a duplicate of the image exists on a shared repository such as Wikimedia Commons. Example: http://test.wikipedia.org/wiki/File:Wiki.png#filelinks $1 is the name of the shared repository. On wikimedia sites, $1 is {{msg-mw|shared-repo-name-shared}}. The default value for $1 is {{msg-mw|shared-repo}}.', 'shared-repo' => 'This message can be used as parameter $1 in the following messages: * {{msg-mw|shared-repo-from}} * {{msg-mw|sharedupload}}, {{msg-mw|sharedupload-desc-here}}, {{msg-mw|sharedupload-desc-there}}', # File reversion 'filerevert' => '{{Identical|Revert}}', 'filerevert-backlink' => '{{optional}}', 'filerevert-legend' => '{{Identical|Revert}}', 'filerevert-intro' => 'Message displayed when you try to revert a version of a file. * $1 is the name of the media * $2 is a date * $3 is a hour * $4 is an URL and must follow square bracket: [$4 {{Identical|Revert}}', 'filerevert-comment' => '{{Identical|Comment}}', 'filerevert-defaultcomment' => '* $1 is a date * $2 is an hour {{Identical|Revert}}', 'filerevert-submit' => '{{Identical|Revert}}', 'filerevert-success' => 'Message displayed when you succeed in reverting a version of a file. * $1 is the name of the media * $2 is a date * $3 is a hour * $4 is an URL and must follow square bracket: [$4 {{Identical|Revert}}', # File deletion 'filedelete-backlink' => '{{optional}}', 'filedelete-intro-old' => 'Message displayed when you try to delete a version of a file. * $1 is the name of the media * $2 is a date * $3 is a hour * $4 is an URL and must follow square bracket: [$4', 'filedelete-comment' => '{{Identical|Reason for deletion}}', 'filedelete-submit' => 'Delete button when deleting a file for admins {{Identical|Delete}}', 'filedelete-success-old' => 'Message displayed when you succeed in deleting a version of a file. * $1 is the name of the media * $2 is a date * $3 is a hour', 'filedelete-otherreason' => 'Message used when deleting a file. This is the description field for "Other/additional reason" for deletion. {{Identical|Other/additional reason}}', 'filedelete-reason-otherlist' => 'Message used as default in the dropdown menu in the form for deleting a file. Keeping this message selected assumes that a reason for deletion is specified in the field below. {{Identical|Other reason}}', 'filedelete-reason-dropdown' => 'Predefined reasons for deleting a file that can be selected in a drop down list. Entries prefixed with one asterisk ("*") are group headers and cannot be selected. Entries prefixed with two asterisks can be selected as reason for deletion.', 'filedelete-edit-reasonlist' => 'Shown beneath the file deletion form on the right side. It is a link to [[MediaWiki:Filedelete-reason-dropdown]]. {{Identical|Edit delete reasons}}', # MIME search 'mimesearch' => 'Title of [[Special:MIMESearch]].', 'mimesearch-summary' => 'Text for [[Special:MIMESearch]]', 'download' => 'Direct download link in each line returned by [[Special:MIMESearch]]. Points to the actual file, rather than the image description page. {{Identical|Download}}', # Unwatched pages 'unwatchedpages' => 'Name of special page displayed in [[Special:SpecialPages]] for admins', # List redirects 'listredirects' => 'Name of special page displayed in [[Special:SpecialPages]].', # Unused templates 'unusedtemplates' => 'Name of special page displayed in [[Special:SpecialPages]].', 'unusedtemplatestext' => 'Shown on top of [[Special:Unusedtemplates]]', # Random page 'randompage' => 'Name of special page displayed in [[Special:SpecialPages]]. {{Identical|Random page}}', # Random redirect 'randomredirect' => 'Name of special page displayed in [[Special:SpecialPages]].', # Statistics 'statistics' => 'Name of special page displayed in [[Special:SpecialPages]]. {{Identical|Statistics}}', 'statistics-header-pages' => 'Used in [[Special:Statistics]]', 'statistics-header-edits' => 'Used in [[Special:Statistics]]', 'statistics-header-views' => 'Used in [[Special:Statistics]]', 'statistics-header-users' => 'Used in [[Special:Statistics]]', 'statistics-header-hooks' => 'Header of a section on [[Special:Statistics]] containing data provided by MediaWiki extensions', 'statistics-articles' => 'Used in [[Special:Statistics]] {{Identical|Content page}}', 'statistics-pages' => 'Used in [[Special:Statistics]]', 'statistics-pages-desc' => "Tooltip shown over ''Pages'' (or as a note below it) in [[Special:Statistics]]", 'statistics-files' => 'Used in [[Special:Statistics]]', 'statistics-edits' => 'Used in [[Special:Statistics]]', 'statistics-edits-average' => 'Used in [[Special:Statistics]]', 'statistics-views-total' => 'Used in [[Special:Statistics]]', 'statistics-views-peredit' => 'Used in [[Special:Statistics]]', 'statistics-jobqueue' => 'Used in [[Special:Statistics]]', 'statistics-users' => 'Used in [[Special:Statistics]]', 'statistics-users-active' => 'Used in [[Special:Statistics]]', 'statistics-users-active-desc' => "Description shown beneath ''Active users'' in [[Special:Statistics]] * \$1: Value of \$wgRCMaxAge in days", 'statistics-mostpopular' => 'Used in [[Special:Statistics]]', 'disambiguations' => 'Name of a special page displayed in [[Special:SpecialPages]].', 'disambiguationspage' => 'This message is the name of the template used for marking disambiguation pages. It is used by [[Special:Disambiguations]] to find all pages that links to disambiguation pages. {{doc-important|Don\'t translate the "Template:" part!}}', 'disambiguations-text' => "This block of text is shown on [[:Special:Disambiguations]]. * '''Note:''' Do not change the link [[MediaWiki:Disambiguationspage]], even because it is listed as problematic. Be sure the \"D\" is in uppercase, so not \"d\". * '''Background information:''' Beyond telling about links going to disambiguation pages, that they are generally bad, it should explain which pages in the article namespace are seen as diambiguations: [[MediaWiki:Disambiguationspage]] usually holds a list of diambiguation templates of the local wiki. Pages linking to one of them (by transclusion) will count as disambiguation pages. Pages linking to these disambiguation pages, instead to the disambiguated article itself, are listed on [[:Special:Disambiguations]].", 'doubleredirects' => 'Name of [[Special:DoubleRedirects]] displayed in [[Special:SpecialPages]]', 'doubleredirectstext' => 'Shown on top of [[Special:Doubleredirects]]', 'double-redirect-fixed-move' => 'This is the message in the log when the software (under the username {{msg|double-redirect-fixer}}) updates the redirects after a page move. See also {{msg|fix-double-redirects}}.', 'double-redirect-fixer' => "This is the '''username''' of the user who updates the double redirects after a page move. A user is created with this username, so it is perhaps better to not change this message too often. See also {{msg|double-redirect-fixed-move}} and {{msg|fix-double-redirects}}.", 'brokenredirects' => 'Name of [[Special:BrokenRedirects]] displayed in [[Special:SpecialPages]]', 'brokenredirectstext' => 'Shown on top of [[Special:BrokenRedirects]].', 'brokenredirects-edit' => 'Link in [[Special:BrokenRedirects]] {{Identical|Edit}}', 'brokenredirects-delete' => 'Link in [[Special:BrokenRedirects]] for admins {{Identical|Delete}}', 'withoutinterwiki' => 'The title of the special page [[Special:WithoutInterwiki]].', 'withoutinterwiki-summary' => 'Summary of [[Special:WithoutInterwiki]].', 'withoutinterwiki-legend' => 'Used on [[Special:WithoutInterwiki]] as title of fieldset.', 'withoutinterwiki-submit' => '{{Identical|Show}}', 'fewestrevisions' => 'Name of a special page displayed in [[Special:SpecialPages]].', # Miscellaneous special pages 'nbytes' => 'Message used on the history page of a wiki page. Each version of a page consist of a number of bytes. $1 is the number of bytes that the page uses. Uses plural as configured for a language based on $1.', 'ncategories' => "Used in the special page '[[Special:MostCategories]]' in brackets after each entry on the list signifying how many categories a page is part of. $1 is the number of categories.", 'nlinks' => 'This appears in brackets after each entry on the special page [[Special:MostLinked]]. $1 is the number of wiki links.', 'nmembers' => 'Appears in brackets after each category listed on the special page [[Special:WantedCategories]]. $1 is the number of members of the category.', 'nrevisions' => 'Number of revisions.', 'nviews' => 'This message is used on [[Special:PopularPages]] to say how many times each page has been viewed. Parameter $1 is the number of views.', 'specialpage-empty' => 'Used on a special page when there is no data. For example on [[Special:Unusedimages]] when all images are used.', 'lonelypages' => 'Name of [[Special:LonelyPages]] displayed in [[Special:SpecialPages]]', 'lonelypagestext' => 'Text displayed in [[Special:LonelyPages]]', 'uncategorizedpages' => 'Name of a special page displayed in [[Special:SpecialPages]].', 'uncategorizedcategories' => 'Name of special page displayed in [[Special:SpecialPages]]', 'uncategorizedimages' => 'The title of the special page [[Special:UncategorizedImages]].', 'uncategorizedtemplates' => 'The title of the special page [[Special:UncategorizedTemplates]].', 'unusedcategories' => 'Name of special page displayed in [[Special:SpecialPages]]', 'unusedimages' => 'Name of special page displayed in [[Special:SpecialPages]]', 'popularpages' => 'Name of special page displayed in [[Special:SpecialPages]]', 'wantedcategories' => 'Name of special page displayed in [[Special:SpecialPages]]', 'wantedpages' => 'Name of special page displayed in [[Special:SpecialPages]]', 'wantedpages-badtitle' => "Error message shown when [[Special:WantedPages]] is listing a page with a title that shouldn't exist. $1 is a page title", 'wantedfiles' => 'Name of special page displayed in [[Special:SpecialPages]] and title of [[Special:WantedFiles]].', 'wantedtemplates' => 'The page name of [[Special:WantedTemplates]].', 'mostlinked' => 'Name of special page displayed in [[Special:SpecialPages]]', 'mostlinkedcategories' => 'Name of special page displayed in [[Special:SpecialPages]]', 'mostlinkedtemplates' => 'Name of special page displayed in [[Special:SpecialPages]]', 'mostcategories' => 'Name of special page displayed in [[Special:SpecialPages]]', 'mostimages' => 'Name of special page displayed in [[Special:SpecialPages]]', 'mostrevisions' => 'Name of special page displayed in [[Special:SpecialPages]]', 'prefixindex' => 'The page title of [[Special:PrefixIndex]]. When the user limits the list to a certain namespace, {{msg-mw|allinnamespace}} is used instead.', 'shortpages' => 'Name of special page displayed in [[Special:SpecialPages]]', 'longpages' => 'Name of special page displayed in [[Special:SpecialPages]]', 'deadendpages' => 'Name of special page displayed in [[Special:SpecialPages]]', 'deadendpagestext' => 'Introductory text for [[Special:DeadendPages]]', 'protectedpages' => 'Name of special page displayed in [[Special:SpecialPages]]', 'protectedpages-indef' => 'Option in [[Special:ProtectedPages]]', 'protectedpages-cascade' => 'Option in [[Special:ProtectedPages]]', 'protectedpagestext' => 'Shown on top of [[Special:ProtectedPages]]', 'protectedtitles' => 'Name of special page displayed in [[Special:SpecialPages]]', 'protectedtitlestext' => 'Shown on top of list of titles on [[Special:ProtectedTitles]]. If the list is empty the message [[MediaWiki:Protectedtitlesempty]] appears instead of this. See the [http://www.mediawiki.org/wiki/Project:Protected_titles help page on Mediawiki] for more information.', 'protectedtitlesempty' => 'Used on [[Special:ProtectedTitles]]. This text appears if the list of protected titles is empty. See the [http://www.mediawiki.org/wiki/Project:Protected_titles help page on Mediawiki] for more information.', 'listusers' => 'Name of special page displayed in [[Special:SpecialPages]]', 'listusers-editsonly' => 'Option in [[Special:ListUsers]].', 'listusers-creationsort' => 'Option in [[Special:ListUsers]].', 'usereditcount' => 'Shown behind every username on [[Special:ListUsers]].', 'usercreated' => 'Used in [[Special:ListUsers]]. * <code>$1</code> is a date * <code>$2</code> is a time', 'newpages' => 'Name of special page displayed in [[Special:SpecialPages]]', 'newpages-username' => '{{Identical|Username}}', 'ancientpages' => 'The page title of [[Special:Ancientpages]]. [[mw:Manual:Interface/Special pages title|mw manual]]', 'move' => 'Name of Move tab. Should be in the imperative mood. {{Identical|Move}}', 'movethispage' => '{{Identical|Move this page}}', 'unusedimagestext' => 'Header message of [[Special:UnusedFiles]]', 'pager-newer-n' => "This is part of the navigation message on the top and bottom of Special pages which are lists of things in date order, e.g. the User's contributions page. It is passed as the second argument of {{msg-mw|Viewprevnext}}. $1 is the number of items shown per page.", 'pager-older-n' => "This is part of the navigation message on the top and bottom of Special pages which are lists of things in date order, e.g. the User's contributions page. It is passed as the first argument of {{msg-mw|Viewprevnext}}. $1 is the number of items shown per page.", 'suppress' => '{{Identical|Oversight}}', # Book sources 'booksources' => 'Name of special page displayed in [[Special:SpecialPages]]', 'booksources-search-legend' => 'Box heading on [[Special:BookSources|book sources]] special page. The box is for searching for places where a particular book can be bought or viewed.', 'booksources-isbn' => '{{optional}}', 'booksources-go' => 'Name of button in [[Special:BookSources]] {{Identical|Go}}', # Special:Log 'specialloguserlabel' => 'Used in [[Special:Log]]. {{Identical|User}}', 'speciallogtitlelabel' => 'Used in [[Special:Log]]. {{Identical|Title}}', 'log' => 'Name of special page displayed in [[Special:SpecialPages]]', 'all-logs-page' => 'Title of [[Special:Log]].', 'alllogstext' => 'Header of [[Special:Log]]', 'log-title-wildcard' => '* Appears in: [[Special:Log]] * Description: A check box to enable prefix search option', # Special:AllPages 'allpages' => 'First part of the navigation bar for the special page [[Special:AllPages]] and [[Special:PrefixIndex]]. The other parts are {{msg-mw|Prevpage}} and {{msg-mw|Nextpage}}. {{Identical|All pages}}', 'alphaindexline' => 'Used on [[Special:AllPages]] if the main namespace contains more than 960 pages. Indicates the page range displayed behind the link. "from page $1 to page $2". $1 is the source page name. $1 is the target page name.', 'nextpage' => 'Third part of the navigation bar for the special page [[Special:AllPages]] and [[Special:PrefixIndex]]. $1 is a page title. The other parts are {{msg-mw|Allpages}} and {{msg-mw|Prevpage}}. {{Identical|Next page}}', 'prevpage' => 'Second part of the navigation bar for the special page [[Special:AllPages]] and [[Special:PrefixIndex]]. $1 is a page title. The other parts are {{msg-mw|Allpages}} and {{msg-mw|Nextpage}}. {{Identical|Previous page}}', 'allpagesfrom' => 'Option in [[Special:AllPages]]. See also {{msg|allpagesto}}.', 'allpagesto' => 'Option in [[Special:AllPages]]. See also {{msg|allpagesfrom}}.', 'allarticles' => 'The page title of [[Special:Allpages]]. When the user limit the list to a certain namespace, {{msg-mw|allinnamespace}} is used instead. {{Identical|All pages}}', 'allinnamespace' => 'The page title of [[Special:Allpages]] and [[Special:PrefixIndex]], when the user limits the display to a certain namespace. When not limited, {{msg-mw|allarticles}} and {{msg-mw|prefixindex}} is used respectively. {{Identical|All pages}}', 'allnotinnamespace' => 'Presumably intended to be used as a page title of [[Special:Allpages]] and probably also in [[Special:PrefixIndex]] when the user limit the display to other than a certain namespace.', 'allpagesprev' => "Allegedly used in [[Special:AllPages]], although I haven't seen it. {{Identical|Previous}}", 'allpagesnext' => "Allegedly used in [[Special:AllPages]], although I haven't seen it. {{Identical|Next}}", 'allpagessubmit' => 'Text on submit button in [[Special:AllPages]], [[Special:RecentChanges]], [[Special:RecentChangesLinked]], [[Special:NewPages]], [[Special:Log]], [[Special:ListUsers]], [[Special:ProtectedPages]], [[Special:ProtectedTitles]], [[Special:WhatLinksHere]] and [[Special:Watchlist]]. {{Identical|Go}}', 'allpagesprefix' => 'Used for the label of the input box of [[Special:PrefixIndex]].', # Special:Categories 'categories' => 'The page name of [[Special:Categories]]. {{Identical|Categories}}', 'categoriespagetext' => "Text displayed in [[Special:Categories]]. Do not translate or change links. In order to translate ''Unused categories'' and ''wanted categories'' see {{msg|unusedcategories}} and {{msg|wantedcategories}}.", 'special-categories-sort-count' => 'This message is used on [[Special:Categories]] to sort the list by the number of members in the categories.', # Special:DeletedContributions 'deletedcontributions' => 'The message is shown as a link on user contributions page (like [[Special:Contributions/User]]) to the corresponding [[Special:DeletedContributions]] page. {{Identical|Deleted user contributions}}', 'deletedcontributions-title' => 'Title of [[Special:DeletedContributions]] (extension), a special page with a list of edits to pages which were deleted. Only viewable by sysops. {{Identical|Deleted user contributions}}', 'sp-deletedcontributions-contribs' => 'Link to user’s contributions on [[Special:DeletedContributions]]', # Special:LinkSearch 'linksearch-ns' => '{{Identical|Namespace}}', 'linksearch-ok' => '{{Identical|Search}}', # Special:ListUsers 'listusersfrom' => 'identical with {{msg-mw|activeusers-from}}', 'listusers-submit' => 'Text displayed in the submission button of the [[Special:ListUsers]] form. {{Identical|Go}} {{Identical|Show}}', 'listusers-noresult' => 'identical with {{msg-mw|activeusers-noresult}}', 'listusers-blocked' => 'Used on [[Special:ActiveUsers]] when a user has been blocked. * $1 is a user name for use with GENDER (optional)', # Special:ActiveUsers 'activeusers' => 'Title of [[Special:ActiveUsers]]', 'activeusers-count' => "Used in [[Special:ActiveUsers]] to show the active user's recent edit count in brackets ([]). * $1 is the number of recent edits * $2 is the user's name for use with GENDER (optional)", 'activeusers-from' => 'identical with {{msg-mw|listusersfrom}}', 'activeusers-noresult' => 'identical with {{msg-mw|listusers-noresult}}', # Special:Log/newusers 'newuserlogpage' => 'Part of the "Newuserlog" extension. It is both the title of [[Special:Log/newusers]] and the link you can see in the recent changes.', 'newuserlogpagetext' => 'Part of the "Newuserlog" extension. It is the description you can see on [[Special:Log/newusers]].', 'newuserlog-create-entry' => 'Part of the "Newuserlog" extension. It is the summary in the [[Special:RecentChanges|recent changes]] and on [[Special:Log/newusers]].', 'newuserlog-create2-entry' => 'Part of the "Newuserlog" extension. It is the summary in the [[Special:RecentChanges|recent changes]] and on [[Special:Log/newusers]] when creating an account for someone else ("$1"). The name of the user doing this task appears before this message.', 'newuserlog-autocreate-entry' => 'This message is used in the [[:mw:Extension:Newuserlog|new user log]] to mark an account that was created by MediaWiki as part of a [[:mw:Extension:CentralAuth|CentralAuth]] global account.', # Special:ListGroupRights 'listgrouprights' => 'The name of the special page [[Special:ListGroupRights]].', 'listgrouprights-summary' => 'The description used on [[Special:ListGroupRights]].', 'listgrouprights-key' => 'Footer note for the [[Special:ListGroupRights]] page', 'listgrouprights-group' => "The title of the column in the table, about user groups (like you are in the ''translator'' group). {{Identical|Group}}", 'listgrouprights-rights' => "The title of the column in the table, about user rights (like you can ''edit'' this page).", 'listgrouprights-helppage' => "The link used on [[Special:ListGroupRights]]. Just translate \"Group rights\", and '''leave the \"Help:\" namespace exactly as it is'''.", 'listgrouprights-members' => 'Used on [[Special:ListGroupRights]] and [[Special:Statistics]] as a link to [[Special:ListUsers|Special:ListUsers/"group"]], a list of members in that group.', 'listgrouprights-right-display' => '{{optional}}', 'listgrouprights-right-revoked' => '{{optional}}', 'listgrouprights-addgroup' => 'This is an individual right for groups, used on [[Special:ListGroupRights]]. * $1 is an enumeration of group names. * $2 is the number of group names in $1. See also {{msg|listgrouprights-removegroup}}.', 'listgrouprights-removegroup' => 'This is an individual right for groups, used on [[Special:ListGroupRights]]. * $1 is an enumeration of group names. * $2 is the number of group names in $1. See also {{msg|listgrouprights-addgroup}}.', 'listgrouprights-addgroup-all' => '{{doc-right}}', 'listgrouprights-removegroup-all' => '{{doc-right}}', # E-mail user 'emailuser' => 'Link in the sidebar', 'emailpagetext' => 'This is the text that is displayed above the e-mail form on [[Special:EmailUser]]. Special:EmailUser appears when you click on the link "E-mail this user" in the sidebar, but only if there is an e-mail address in the recipient\'s user preferences. If there isn\'t then the message [[Mediawiki:Noemailtext]] will appear instead of Special:EmailUser.', 'noemailtitle' => 'The title of the message that appears instead of Special:EmailUser after clicking the "E-mail this user" link in the sidebar, if no e-mail can be sent to the user.', 'noemailtext' => 'The text of the message that appears instead of Special:EmailUser after clicking the "E-mail this user" link in the sidebar, if no e-mail can be sent to the user.', 'email-legend' => 'Title of the box in [[Special:EmailUser]]', 'emailfrom' => 'Field in [[Special:EmailUser]].', 'emailto' => 'Field in [[Special:EmailUser]].', 'emailsubject' => 'Field in [[Special:EmailUser]]. {{Identical|Subject}}', 'emailmessage' => 'Field in [[Special:EmailUser]]. {{Identical|Message}}', 'emailsend' => 'Button name in [[Special:EmailUser]]. {{Identical|Send}}', 'emailccme' => 'Used at [[Special:Preferences]] > E-mail', 'emailccsubject' => 'Subject of the carbon-copied email for the sender sent through MediaWiki.', 'emailuserfooter' => 'This message is appended to every email sent through the "Email user" function. * $1: username of the sender * $2: username of the recipient', # Watchlist 'watchlist' => '{{Identical|My watchlist}}', 'mywatchlist' => 'Link at the upper right corner of the screen. {{Identical|My watchlist}}', 'watchlistfor' => 'Subtitle on [[Special:Watchlist]]. *$1: Username of current user {{Identical|For $1}}', 'nowatchlist' => 'Displayed when there is no pages in the watchlist.', 'watchlistanontext' => '* $1 is a link to [[Special:UserLogin]] with {{msg-mw|loginreqlink}} as link description', 'watchnologin' => '{{Identical|Not logged in}}', 'addedwatch' => 'Page title displayed when clicking on {{msg|watch}} tab (only when not using the AJAX feauture which allows watching a page without reloading the page or such). See also {{msg|addedwatchtext}}.', 'addedwatchtext' => 'Explanation shown when clicking on the {{msg|watch}} tab. See also {{msg|addedwatch}}.', 'removedwatch' => 'Page title displayed when clicking on {{msg|unwatch}} tab (only when not using the AJAX feauture which allows watching a page without reloading the page or such). See also {{msg|removedwatchtext}}.', 'removedwatchtext' => "After a page has been removed from a user's watchlist by clicking the {{msg|unwatch}} tab at the top of an article, this message appears just below the title of the article. $1 is the title of the article. See also {{msg|removedwatch}} and {{msg|addedwatchtext}}.", 'watch' => 'Name of the Watch tab. Should be in the imperative mood.', 'watchthispage' => '{{Identical|Watch this page}}', 'unwatch' => 'Label of "Unwatch" tab.', 'notanarticle' => '{{Identical|Content page}}', 'watchlist-details' => 'Message on Special page: My watchlist. This is paired with the message [[Mediawiki:Nowatchlist]] which appears instead of Watchlist-details when $1 is 0.', 'wlheader-showupdated' => 'This message shows up near top of users watchlist page.', 'wlshowlast' => "Appears on [[Special:Watchlist]]. Variable $1 gives a choice of different numbers of hours, $2 gives a choice of different numbers of days and $3 is '{{int:watchlistall2}}' ([[Mediawiki:watchlistall2/{{SUBPAGENAME}}]]). Clicking on your choice changes the list of changes you see (without changing the default in my preferences).", 'watchlist-options' => 'Legend of the fieldset of [[Special:Watchlist]]', # Displayed when you click the "watch" button and it is in the process of watching 'watching' => 'Text displayed when clicked on the watch tab: [[MediaWiki:Watch/{{SUBPAGENAME}}|{{int:watch}}]]. It means the wiki is adding that page to your watchlist.', 'unwatching' => 'Text displayed when clicked on the unwatch tab: [[MediaWiki:Unwatch/{{SUBPAGENAME}}|{{int:unwatch}}]]. It means the wiki is removing that page from your watchlist.', 'changed' => 'Possible value for $CHANGEDORCREATED in {{msg|enotif_subject}} and {{msg|enotif_body}}.', 'created' => 'Possible value for $CHANGEDORCREATED in {{msg|enotif_subject}} and {{msg|enotif_body}}.', 'deleted' => 'Verb in {{msg-mw|Enotif body|notext=1}} {{Identical|Deleted}}', 'enotif_subject' => '$CHANGEDORCREATED can be one of {{msg|changed}} and {{msg|created}}.', 'enotif_rev_info' => 'Substituted as $REVINFO in {{msg-mw|enotif body|notext=1}} * $1 is an URL to the page', 'enotif_body' => 'Text of a notification e-mail sent when a watched page has been edited or deleted. * <tt>$CHANGEDORCREATED</tt> can be one of {{msg-mw|changed}}, {{msg-mw|created}}, or {{msg-mw|deleted}}. * <tt>$REVINFO</tt> is {{msg-mw|Enotif rev info}} (if the page has not been deleted).', # Delete 'confirm' => 'Submit button text for protection confirmation {{Identical|Confirm}}', 'excontent' => 'Automated deletion reason when deleting a page for admins', 'excontentauthor' => 'Automated deletion reason when deleting a page for admins providing that the page has one author only.', 'exbeforeblank' => 'Automated deletion reason when deleting a page for admins providing that the page was blanked before deletion.', 'delete-confirm' => 'The title of the form to delete a page. $1 = the name of the page', 'delete-backlink' => '{{optional}}', 'delete-legend' => '{{Identical|Delete}}', 'historywarning' => 'Warning when about to delete a page that has history.', 'confirmdeletetext' => 'Introduction shown when deleting a page.', 'actioncomplete' => 'Used in several situations, for example when a page has been deleted.', 'deletedarticle' => "This is a ''logentry'' message. $1 is deleted page name.", 'dellogpage' => 'The name of the deletion log. Used as heading on [[Special:Log/delete]] and in the drop down menu for selecting logs on [[Special:Log]]. {{Identical|Deletion log}}', 'dellogpagetext' => 'Text in [[Special:Log/delete]].', 'deletionlog' => 'This message is used to link to the deletion log as parameter $1 of {{msg|Filewasdeleted}} and as parameter $2 of {{msg|deletedtext}}. {{Identical|Deletion log}}', 'reverted' => '{{Identical|Revert}}', 'deletecomment' => '{{Identical|Reason for deletion}}', 'deleteotherreason' => '{{Identical|Other/additional reason}}', 'deletereasonotherlist' => '{{Identical|Other reason}}', 'deletereason-dropdown' => 'Default reasons for deletion. Displayed as a drop-down list. Format: <pre>* Group ** Common delete reason ** ...</pre>', 'delete-edit-reasonlist' => 'Shown beneath the page deletion form on the right side. It is a link to [[MediaWiki:Deletereason-dropdown]]. See also {{msg|Ipb-edit-dropdown}} and {{msg|Protect-edit-reasonlist}}. {{Identical|Edit delete reasons}}', # Rollback 'rollback' => '{{Identical|Rollback}}', 'rollback_short' => '{{Identical|Rollback}}', 'rollbacklink' => '{{Identical|Rollback}}', 'rollbackfailed' => '{{Identical|Rollback}}', 'cantrollback' => '{{Identical|Revert}} {{Identical|Rollback}}', 'alreadyrolled' => "Appear when there's rollback and/or edit collision. * $1: the page to be rollbacked * $2: the editor to be rollbacked of that page * $3: the editor that cause collision {{Identical|Rollback}}", 'editcomment' => 'Only shown if there is an edit comment', 'revertpage' => '{{Identical|Revert}} Additionally available: * $3: revid of the revision reverted to, * $4: timestamp of the revision reverted to, * $5: revid of the revision reverted from, * $6: timestamp of the revision reverted from', 'rollback-success' => 'This message shows up on screen after successful revert (generally visible only to admins). $1 describes user whose changes have been reverted, $2 describes user which produced version, which replaces reverted version. {{Identical|Revert}} {{Identical|Rollback}}', # Protect 'protectlogpage' => 'Title of [[Special:Log/protect]].', 'protectlogtext' => 'Text in [[Special:Log/protect]].', 'protectedarticle' => 'Text describing an action on [[Special:Log]]. $1 is a page title.', 'modifiedarticleprotection' => 'Text describing an action on [[Special:Log]]. $1 is a page title.', 'protect-title' => 'Title for the protection form. $1 is the title of the page to be (un)protected.', 'protect-backlink' => '{{optional|Translate it only if you have to change it, i.e. for RTL wikis}} Shown as subtitle of the protection form. $1 is the title of the page to be (un)protected.', 'protect-legend' => 'Legend of the fieldset around the input form of the protection form.', 'protectcomment' => '{{Identical|Reason}}', 'protectexpiry' => '{{Identical|Expires}}', 'protect-unchain' => 'Used for a checkbox to be able to change move permissions. See [[meta:Protect]] for more information.', 'protect-text' => 'Intro of the protection interface. See [[meta:Protect]] for more information.', 'protect-default' => '{{Identical|Default}}', 'protect-fallback' => 'This message is used as an option in the protection form on wikis were extra protection levels have been configured.', 'protect-summary-cascade' => 'Used in edit summary when cascade protecting a page.', 'protect-expiring' => 'Used in page history, and in [[Special:Protectedtitles]], [[Special:Protectedpages]], and extension FlaggedRevs. * $1 is a date and time * $2 is a date (optional) * $3 is a time (optional) {{Identical|Expires $1 (UTC)}}', 'protect-cascade' => 'See [[meta:Protect]] for more information.', 'protect-othertime' => 'Used on the page protection form as label for the following input field (text) {{Identical|Other time}}', 'protect-othertime-op' => 'Used on the page protection form in the drop down menu {{Identical|Other time}}', 'protect-existing-expiry' => 'Shows the existing expiry time in the drop down menu of the protection form ([http://translatewiki.net/w/i.php?title=User:Raymond/test&action=unprotect example]) * $1: date and time of the existing expiry time (kept for backward compatibility purposes) * $2: date of the existing expiry time * $3: time of the existing expiry time', 'protect-otherreason' => 'Shown on the page protection form as label for the following input field (text) {{Identical|Other/additional reason}}', 'protect-otherreason-op' => 'Shown on the page protection form in the drop down menu {{Identical|Other/additional reason}}', 'protect-dropdown' => 'Shown on the page protection form as drop down menu for protection reasons. <tt><nowiki>* Groupname</nowiki></tt> - defines a new group<br /> <tt><nowiki>** Reason</nowiki></tt> - defines a reason in this group', 'protect-edit-reasonlist' => 'Shown beneath the page protection form on the right side. It is a link to [[MediaWiki:Protect-dropdown]]. See also {{msg|Delete-edit-reasonlist}} and {{msg|Ipb-edit-dropdown}}.', 'protect-expiry-options' => "* Description: Options for the duration of the block. * <font color=\"red\">Be careful:</font> '''1 translation:1 english''', so the first part is the translation and the second part should stay in English. * Example: See e.g. [[MediaWiki:Protect-expiry-options/nl]] if you still don't know how to do it. {{Identical|Infinite}}", 'restriction-type' => 'Used on [[Special:ProtectedPages]]. The text next to a drop-down box. See [[mw:Manual:Administrators|MediaWiki Manual]] for more information on protection.', 'restriction-level' => 'Used on [[Special:ProtectedPages]] and [[Special:ProtectedTitles]]. The text next to a drop-down box. See the [http://www.mediawiki.org/wiki/Project:Protected_titles help page on Mediawiki] and on [http://meta.wikimedia.org/wiki/Protect Meta] for more information.', 'minimum-size' => 'Used in [[Special:Protectedpages]] as a pair of radio buttons, with [[MediaWiki:Maximum-size]]. There is an input box to specify the minimum bites of the projected pages listed.', 'maximum-size' => 'Used in [[Special:Protectedpages]] as a pair of radio buttons, with [[MediaWiki:Minimum-size]]. There is an input box to specify the maximum bites of the projected pages listed.', 'pagesize' => 'Used on [[Special:ProtectedPages]]. See the help page on [http://meta.wikimedia.org/wiki/Protect Meta] for more information on protection.', # Restrictions (nouns) 'restriction-edit' => "Used on [[Special:ProtectedPages]]. Option in the 'permission' drop-down box. {{Identical|Edit}}", 'restriction-move' => "Used on [[Special:ProtectedPages]]. Option in the 'permission' drop-down box. {{Identical|Move}}", 'restriction-create' => 'Used on [[Special:ProtectedPages]]. An option in a drop-down box. See the help pages on [http://www.mediawiki.org/wiki/Project:Protected_titles MediaWiki] and [http://meta.wikimedia.org/wiki/Protect Meta] for more information on protection. {{Identical|Create}}', # Restriction levels 'restriction-level-sysop' => "Used on [[Special:ProtectedPages]] and [[Special:ProtectedTitles]]. An option in the drop-down box 'Restriction level'. See the [http://www.mediawiki.org/wiki/Project:Protected_titles help page on Mediawiki] and on [http://meta.wikimedia.org/wiki/Protect Meta] for more information.", 'restriction-level-autoconfirmed' => "Used on [[Special:ProtectedPages]] and [[Special:ProtectedTitles]]. An option in the drop-down box 'Restriction level'. See the [http://www.mediawiki.org/wiki/Project:Protected_titles help page on Mediawiki] and on [http://meta.wikimedia.org/wiki/Protect Meta] for more information.", 'restriction-level-all' => "Used on [[Special:ProtectedPages]] and [[Special:ProtectedTitles]]. An option in the drop-down box 'Restriction level'. See the [http://www.mediawiki.org/wiki/Project:Protected_titles help page on Mediawiki] and on [http://meta.wikimedia.org/wiki/Protect Meta] for more information.", # Undelete 'undelete' => 'Name of special page for admins as displayed in [[Special:SpecialPages]]. {{Identical|View deleted pages}}', 'undeletepage' => 'Title of special page [[Special:Undelete]]. This special page is only visible to administrators.', 'viewdeletedpage' => '{{Identical|View deleted pages}}', 'undeleteextrahelp' => "Help message displayed when restoring history of a page. In your language, ''Restore'' is called ''[[MediaWiki:Undeletebtn/{{SUBPAGENAME}}|{{int:Undeletebtn}}]]'' ({{msg|Undeletebtn}}), ''Reset'' button is called ''[[MediaWiki:Undeletereset/{{SUBPAGENAME}}|{{int:Undeletereset}}]]'' ({{msg|Undeletereset}}).", 'undelete-revision' => 'Shown in "View and restore deleted pages" ([[Special:Undelete/$1]]). * $1: deleted page name * $3: user name (author of revision, not who deleted it) * $4: date of the revision * $5: time of the revision \'\'Example:\'\' Deleted revision of [[Main Page]] (as of {{CURRENTDAY}} {{CURRENTMONTHNAME}} {{CURRENTYEAR}}, at {{CURRENTTIME}}) by [[User:Username|Username]]:', 'undeletebtn' => 'Shown on [[Special:Undelete]] as button caption and on [[Special:Log/delete|deletion log]] after each entry (for sysops). {{Identical|Restore}}', 'undeletelink' => 'Display name of link to undelete a page used on [[Special:Log/delete]] {{Identical|View}} {{Identical|Restore}}', 'undeleteviewlink' => 'First part of {{msg-mw|undeletelink}}', 'undeletereset' => 'Shown on [[Special:Undelete]] as button caption. {{Identical|Reset}}', 'undeleteinvert' => '{{Identical|Invert selection}}', 'undeletecomment' => '{{Identical|Comment}}', 'undelete-search-submit' => '{{Identical|Search}}', 'undelete-show-file-confirm' => 'A confirmation message shown on Special:Undelete when the request does not contain a valid token (e.g. when a user clicks a link received in mail). * <code>$1</code> is the name of the file being undeleted. * <code>$2</code> is the date of the displayed revision. * <code>$3</code> is the time of the displayed revision. {{identical|Are you sure you want to view the deleted revision of the file...}}', 'undelete-show-file-submit' => '{{Identical|Yes}}', # Namespace form on various pages 'namespace' => '{{Identical|Namespace}}', 'invert' => 'Displayed in [[Special:RecentChanges|RecentChanges]], [[Special:RecentChangesLinked|RecentChangesLinked]] and [[Special:Watchlist|Watchlist]] {{Identical|Invert selection}}', 'blanknamespace' => 'Name for main namespace (blank namespace) in drop-down menus at [[Special:RecentChanges]] and other special pages.', # Contributions 'contributions' => "Display name for the 'User contributions', shown in the sidebar menu of all user pages and user talk pages. Also the page name of the target page. The target page shows an overview of the most recent contributions by a user.", 'contributions-title' => 'The page title in your browser bar, but not the page title. See also {{msg|contributions}}. Parameter $1 is the username.', 'mycontris' => 'In the personal urls page section - right upper corner.', 'nocontribs' => 'Optional parameter: $1 is the user name', 'uctop' => 'This message is used in [[Special:Contributions]]. It is used to show that a particular edit was the last made to a page. Example: 09:57, 11 February 2008 (hist) (diff) Pagename‎ (edit summary) (top)', 'month' => 'Used in [[Special:Contributions]] and history pages ([{{fullurl:Sandbox|action=history}} example]), as label for a dropdown box to select a specific month to view the edits made in that month, and the earlier months. See also {{msg|year}}.', 'year' => 'Used in [[Special:Contributions]] and history pages ([{{fullurl:Sandbox|action=history}} example]), as label for a inputbox to select a specific year to view the edits made in that year, and the earlier years. See also {{msg|month}}.', 'sp-contributions-newbies' => 'Text of radio button on special page [[Special:Contributions]].', 'sp-contributions-newbies-sub' => "Note at the top of the page of results for a search on [[Special:Contributions]] where 'Show contributions for new accounts only' has been selected.", 'sp-contributions-newbies-title' => 'The page title in your browser bar, but not the page title. See also {{msg|sp-contributions-newbies-sub}}.', 'sp-contributions-blocklog' => 'Used as a display name for a link to the block log on for example [[Special:Contributions/Mediawiki default]] {{Identical|Block log}}', 'sp-contributions-deleted' => "This is a link anchor used in [[Special:Contributions]]/''name'', when user viewing the page has the right to delete pages, or to restore deleted pages.", 'sp-contributions-logs' => "Appears as an action link in the header of the Special:Contributions/''Username'' pages (e.g. \"For Somebody (talk | block log | logs)\").", 'sp-contributions-talk' => "This is a link anchor used in the [[Special:Contributions]]/''usernamename'' pages. The link appears in a list of similar ones separated by {{msg-mw|pipe-separator}}, e.g. like this:<br /> ( talk | block log | logs | deleted contributions | rights management )", 'sp-contributions-userrights' => "This is a link anchor used in [[Special:Contributions]]/''name'', if the user viewing the page has the right to set or alter user rights.", 'sp-contributions-username' => 'This message appears whenever someone requests [[Special:Contributions]].', 'sp-contributions-submit' => '{{Identical|Search}}', # What links here 'whatlinkshere' => 'The text of the link in the toolbox (on the left, below the search menu) going to [[Special:WhatLinksHere]].', 'whatlinkshere-title' => "Title of the special page [[Special:WhatLinksHere]]. This page appears when you click on the 'What links here' button in the toolbox. $1 is the name of the page concerned.", 'whatlinkshere-page' => '{{Identical|Page}}', 'whatlinkshere-backlink' => '{{optional}}', 'linkshere' => "This message is the header line of the [[Special:WhatLinksHere/$1]] page generated by clicking 'What links here' in the sidebar toolbox. It is followed by a navigation bar built using {{msg-mw|Viewprevnext}}.", 'nolinkshere' => 'This appears on Whatlinkshere pages which are empty. Parameter $1 is a page title.', 'isredirect' => 'Displayed in Special:WhatLinksHere (see [{{fullurl:Special:WhatLinksHere/Project:Translator|hidelinks=1}} Special:WhatLinksHere/Project:Translator] for example). {{Identical|Redirect page}}', 'istemplate' => 'Means that a page (a template, specifically) is used as <code><nowiki>{{Page name}}</nowiki></code>. Displayed in Special:WhatLinksHere (see [[Special:WhatLinksHere/Template:New portal]] for example).', 'isimage' => 'This message is displayed on [[Special:WhatLinksHere]] for images. It means that the image is used on the page (as opposed to just being linked to like an non-image page).', 'whatlinkshere-prev' => 'This is part of the navigation message on the top and bottom of Whatlinkshere pages, where it is used as the first argument of {{msg-mw|Viewprevnext}}. $1 is the number of items shown per page. It is not used when $1 is zero; not sure what happens when $1 is one. Special pages use {{msg-mw|Prevn}} instead (still as an argument to {{msg-mw|Viewprevnext}}). {{Identical|Previous}}', 'whatlinkshere-next' => 'This is part of the navigation message on the top and bottom of Whatlinkshere pages, where it is used as the second argument of {{msg-mw|Viewprevnext}}. $1 is the number of items shown per page. It is not used when $1 is zero; not sure what happens when $1 is one. Special pages use {{msg-mw|Nextn}} instead (still as an argument to {{msg-mw|Viewprevnext}}). {{Identical|Next}}', 'whatlinkshere-links' => 'Used on [[Special:WhatLinksHere]]. It is a link to the WhatLinksHere page of that page. Example line: * [[Main Page]] ([[Special:WhatLinksHere/Main Page|{{int:whatlinkshere-links}}]]) {{Identical|Links}}', 'whatlinkshere-hideredirs' => 'Parameter $1 is the message "[[MediaWiki:Hide/{{SUBPAGENAME}}|hide]]" or "[[MediaWiki:Show/{{SUBPAGENAME}}|show]]".', 'whatlinkshere-hidetrans' => 'Parameter $1 is the message "[[MediaWiki:Hide/{{SUBPAGENAME}}|hide]]" or "[[MediaWiki:Show/{{SUBPAGENAME}}|show]]".', 'whatlinkshere-hidelinks' => 'Parameter $1 is the message "[[MediaWiki:Hide/{{SUBPAGENAME}}|hide]]" or "[[MediaWiki:Show/{{SUBPAGENAME}}|show]]".', 'whatlinkshere-hideimages' => 'This is the text of the option on [[Special:WhatLinksHere]] for image pages, allowing to hide/show pages which display the file inline. Parameter $1 is the message "[[MediaWiki:Hide/{{SUBPAGENAME}}|hide]]" or "[[MediaWiki:Show/{{SUBPAGENAME}}|show]]".', 'whatlinkshere-filters' => '{{Identical|Filter}}', # Block/unblock 'blockip' => 'The title of the special page [[Special:BlockIP]]. {{Identical|Block user}}', 'blockip-legend' => 'Legend/Header for the fieldset around the input form of [[Special:BlockIP]]. {{Identical|Block user}}', 'ipaddress' => '{{Identical|IP Address}}', 'ipbexpiry' => '{{Identical|Expiry}}', 'ipbreason' => 'Label of the block reason dropdown in [[Special:BlockIP]] and the unblock reason textfield in [{{fullurl:Special:IPBlockList|action=unblock}} Special:IPBlockList?action=unblock]. {{Identical|Reason}}', 'ipbreasonotherlist' => '{{Identical|Other reason}}', 'ipbanononly' => '{{Identical|Block anonymous users only}}', 'ipbcreateaccount' => '{{Identical|Prevent account creation}}', 'ipbemailban' => '{{Identical|Prevent user from sending e-mail}}', 'ipbenableautoblock' => '{{Identical|Automatically block ...}}', 'ipbsubmit' => '{{Identical|Block this user}}', 'ipbother' => '{{Identical|Other time}}', 'ipboptions' => "* Description: Options for the duration of the block. * <font color=\"red\">Be careful:</font> '''1 translation:1 english''', so the first part is the translation and the second part should stay in English. * Example: See e.g. [[MediaWiki:Ipboptions/nl]] if you still don't know how to do it. {{Identical|Infinite}}", 'ipbotheroption' => '{{Identical|Other}}', 'ipbotherreason' => '{{Identical|Other/additional reason}}', 'ipbhidename' => 'This is the label for a checkbox in the user block form on [[Special:Block]].', 'ipbwatchuser' => 'This is an option on [[Special:BlockIP]] to watch the user page and talk page of the blocked user', 'ipballowusertalk' => 'Option in [[Special:BlockIP]] that allows the blocked user to edit own talk page.', 'ipb-change-block' => 'Confirmation checkbox required for blocks that would override an earlier block. Appears together with {{msg|ipb-needreblock}}.', 'badipaddress' => 'An error message shown when one entered an invalid IP address in blocking page.', 'blockipsuccesstext' => '<nowiki>{{</nowiki>[[Gender|GENDER]]<nowiki>}}</nowiki> is supported.', 'ipb-edit-dropdown' => 'Shown beneath the user block form on the right side. It is a link to [[MediaWiki:Ipbreason-dropdown]]. See also {{msg|Delete-edit-reasonlist}} and {{msg|Protect-edit-reasonlist}}.', 'ipusubmit' => 'Used as button text on Special:BlockList?action=unblock. To see the message: * Go to [[Special:BlockList]] * Click "unblock" for any block (but you can only see "unblock" if you have administrator rights) * It is now the button below the form', 'unblocked' => 'Do not translate the namespace "User:".', 'ipblocklist' => 'Title of [[Special:Ipblocklist]].', 'ipblocklist-sh-userblocks' => 'Top selection button at [[Special:IPBlockList]], which means Show/Hide indefinite blocks * $1 - word "{{msg|Hide}}" or "{{msg|Show}}"', 'ipblocklist-sh-tempblocks' => 'Top selection button at [[Special:IPBlockList]] * $1 - word "{{msg|Hide}}" or "{{msg|Show}}"', 'ipblocklist-sh-addressblocks' => 'Top selection button at [[Special:IPBlockList]] * $1 - word "{{msg|Hide}}" or "{{msg|Show}}"', 'ipblocklist-submit' => '{{Identical|Search}}', 'blocklistline' => 'This is the text of an entry in the [[Special:BlockList]]. * $1 is the hour and date of the block. * $2 is the sysop. * $3 is the blocked user or IP (with link to contributions and talk) * $4 contains "hour and date of expiry" ({{msg-mw|Expiringblock}} or {{msg-mw|Infiniteblock}}) See also {{msg-mw|Blocklogentry}}.', 'infiniteblock' => "* contents of $4 in {{msg-mw|Blocklistline}}: (''{{int:Blocklistline}}'') * contents of $4 in {{msg-mw|Globalblocking-blocked}}: <blockquote>''{{int:Globalblocking-blocked}}''</blockquote> *See also {{msg-mw|Expiringblock}} {{Identical|Infinite}}", 'expiringblock' => "* contents of $4 in {{msg-mw|Blocklistline}}: (''{{int:Blocklistline}}'') * contents of $4 in {{msg-mw|Globalblocking-blocked}}: <blockquote>''{{int:Globalblocking-blocked}}''</blockquote> *See also {{msg-mw|Infiniteblock}}", 'anononlyblock' => 'Part of the log entry of user block. {{Identical|Anon only}}', 'noautoblockblock' => '{{Identical|Autoblock disabled}}', 'emailblock' => '{{Identical|E-mail blocked}}', 'blocklist-nousertalk' => 'Used in [[Special:IPBlockList]] when "Allow this user to edit own talk page while blocked" option hasn\'t been flagged. See also {{msg-mw|Block-log-flags-nousertalk}}.', 'blocklink' => "Display name for a link that, when selected, leads to a form where a user can be blocked. Used in page history and recent changes pages. Example: \"''UserName (Talk | contribs | '''block''')''\".", 'change-blocklink' => 'Used to name the link on Special:Log', 'contribslink' => 'Short for "contributions". Used as display name for a link to user contributions on history pages, [[Special:RecentChanges]], [[Special:Watchlist]], etc.', 'blocklogpage' => "The page name of [[Special:Log/block]]. Also appears in the drop down menu of [[Special:Log]] pages and in the action links of Special:Contributions/''Username'' pages (e.g. \"For Somebody (talk | block log | logs)\"). {{Identical|Block log}}", 'blocklog-fulllog' => 'Shown at Special:BlockIP at the end of the block log if there are more than 10 entries for this user, see [[Special:BlockIP/Raymond]] as example (visible for sysops only).', 'blocklogentry' => 'This is the text of an entry in the Block log, and recent changes, after hour (and date, only in the Block log) and sysop name: * $1 is the blocked user or IP (with link to contributions and talk) * $2 is the duration of the block (hours, days etc.) or the specified expiry date * $3 contains "(details) (\'\'reason\'\')" See also {{msg-mw|Blocklistline}}.', 'reblock-logentry' => 'This is the text of an entry in the Block log (and Recent Changes), after hour (and date, only in the Block log) and sysop name: * $1 is the user being reblocked * $2 is the expiry time of the block * $3 is the reason for the block', 'blocklogtext' => 'Appears on top of [[Special:Log/block]].', 'unblocklogentry' => 'This is the text of an entry in the Block log (and Recent Changes), after hour (and date, only in the Block log) and sysop name: * $1 is the user being unblocked', 'block-log-flags-noautoblock' => '{{Identical|Autoblock disabled}}', 'block-log-flags-noemail' => "Log message for [[Special:Log/block]] to note that a user cannot use the 'email another user' option. {{Identical|E-mail blocked}}", 'block-log-flags-nousertalk' => 'Used in [[Special:Log/block]] when "Allow this user to edit own talk page while blocked" option hasn\'t been flagged. See also {{msg-mw|Blocklist-nousertalk}}.', 'ipb_expiry_temp' => 'Warning message displayed on [[Special:BlockIP]] if the option "hide username" is selected but the expiry time is not infinite.', 'ipb_already_blocked' => '{{Identical|$1 is already blocked}}', 'blockme' => 'The page title of [[Special:Blockme]], a feature which is disabled by default.', 'sorbs' => '{{optional}}', # Developer tools 'lockdb' => 'The title of the special page [[Special:LockDB]]. {{Identical|Lock database}}', 'unlockdb' => 'The title of the special page [[Special:UnlockDB]]. {{Identical|Unlock database}}', 'lockbtn' => 'The submit button on the special page [[Special:LockDB]]. {{Identical|Lock database}}', 'unlockbtn' => 'The submit button on the special page [[Special:UnlockDB]]. {{Identical|Unlock database}}', 'lockfilenotwritable' => "'No longer needed' on wikipedia.", # Move page 'move-page' => 'Header of the special page to move pages. $1 is the name of the page to be moved.', 'move-page-backlink' => '{{optional|Translate it only if you have to change it, i.e. for RTL wikis}} Shown as subtitle of [[Special:MovePage/testpage]]. $1 is the title of the page to be moved.', 'move-page-legend' => 'Legend of the fieldset around the input form of [[Special:MovePage/testpage]]. {{Identical|Move page}}', 'movepagetext' => 'Introduction shown when moving a page ([[Special:MovePage]]).', 'movepagetalktext' => "Text on the special 'Move page'. This text only appears if the talk page is not empty.", 'movearticle' => 'The text before the name of the page that you are moving. {{Identical|Move page}}', 'movenologin' => '{{Identical|Not logged in}}', 'movenologintext' => "Text of message on special page 'Permissions Errors', which appears when somebody tries to move a page without being logged in.", 'newtitle' => 'Used in the special page "[[Special:MovePage]]". The text for the inputbox to give the new page title.', 'move-watch' => 'The text of the checkbox to watch the pages you are moving from and to. If checked, the original page will be added to the watchlist even if you decide not to leave a redirect behind.', 'movepagebtn' => "Button label on the special 'Move page'. {{Identical|Move page}}", 'pagemovedsub' => 'Message displayed as aheader of the body, after succesfully moving a page from source to target name.', 'movepage-moved' => 'Message displayed after succesfully moving a page from source to target name. * $1 is the source page as a link with display name * $2 is the target page as a link with display name * $3 (optional) is the source page name without a link * $4 (optional) is the target page name without a link', 'movepage-moved-noredirect' => 'The message is shown after pagemove if checkbox "{{int:move-leave-redirect}}" was unselected before moving.', 'movetalk' => 'The text of the checkbox to watch the associated talk page to the page you are moving. This only appears when the talk page is not empty.', 'move-subpages' => 'The text of an option on the special page [[Special:MovePage|MovePage]]. If this option is ticked, any subpages will be moved with the main page to a new title.', 'move-talk-subpages' => 'The text of an option on the special page [[Special:MovePage|MovePage]]. If this option is ticked, any subpages will be moved with the talk page to a new title.', '1movedto2' => "This is ''logentry'' message. $1 is the original page name, $2 is the destination page name.", '1movedto2_redir' => "This is ''logentry'' message. $1 is the original page name, $2 is the destination page name.", 'movelogpage' => 'Title of [[Special:Log/move]]. Used as heading on that page, and in the dropdown menu on log pages.', 'movelogpagetext' => "Text on the special page 'Move log'.", 'movesubpage' => "This is a page header. Parameters: *'''$1''' = number of subpages <!--{{Note|Plural is supported if you need it, the number of subpages is available in <code>$1</code>.}}-->", 'movereason' => 'Used in [[Special:MovePage]]. The text for the inputbox to give a reason for the page move. {{Identical|Reason}}', 'revertmove' => '{{Identical|Revert}}', 'delete_and_move_text' => 'Used when moving a page, but the destination page already exists and needs deletion. This message is to confirm that you really want to delete the page. See also {{msg|delete and move confirm}}.', 'delete_and_move_confirm' => 'Used when moving a page, but the destination page already exists and needs deletion. This message is for a checkbox to confirm that you really want to delete the page. See also {{msg|delete and move text}}.', 'immobile-target-namespace-iw' => "This message appears when attempting to move a page, if a person has typed an interwiki link as a namespace prefix in the input box labelled 'To new title'. The special page 'Movepage' cannot be used to move a page to another wiki. 'Destination' can be used instead of 'target' in this message.", 'fix-double-redirects' => 'This is a checkbox in [[Special:MovePage]] which allows to move all redirects from the old title to the new title.', 'protectedpagemovewarning' => 'Related message: [[MediaWiki:protectedpagewarning/{{#titleparts:{{PAGENAME}}|1|2}}]]', 'semiprotectedpagemovewarning' => 'Related message: [[MediaWiki:Semiprotectedpagewarning/{{#titleparts:{{PAGENAME}}|1|2}}]]', # Export 'export' => 'Page title of [[Special:Export]], a page where a user can export pages from a wiki to a file.', 'exporttext' => 'Main text on [[Special:Export]]. Leave the line <tt><nowiki>[[{{#Special:Export}}/{{MediaWiki:Mainpage}}]]</nowiki></tt> exactly as it is!', 'exportcuronly' => 'A label of checkbox option in [[Special:Export]]', 'export-submit' => 'Button name in [[Special:Export]]. {{Identical|Export}}', 'export-addcat' => '{{Identical|Add}}', 'export-addns' => '{{Identical|Add}}', 'export-download' => 'A label of checkbox option in [[Special:Export]]', 'export-templates' => 'A label of checkbox option in [[Special:Export]]', 'export-pagelinks' => 'This is an input in [[Special:Export]]', # Namespace 8 related 'allmessages' => 'The title of the special page [[Special:AllMessages]].', 'allmessagesname' => 'Used on [[Special:Allmessages]] meaning "the name of the message". {{Identical|Name}}', 'allmessagesdefault' => 'The header for the lower row of each column in the table of [[Special:AllMessages]].', 'allmessagescurrent' => 'The header for the upper row of each column in the table of [[Special:AllMessages]].', 'allmessagestext' => 'Summary displayed at the top of [[Special:AllMessages]].', 'allmessagesnotsupportedDB' => 'This message is displayed on [[Special:AllMessages]] on wikis were the configuration variable $wgUseDatabaseMessages is disabled. It means that the MediaWiki namespace is not used.', 'allmessages-filter-legend' => 'Used in [[Special:AllMessages]]. {{Identical|Filter}}', 'allmessages-filter' => 'Option used in [[Special:AllMessages]].', 'allmessages-filter-unmodified' => 'Used in [[Special:AllMessages]].', 'allmessages-filter-all' => 'Used in [[Special:AllMessages]]. {{Identical|All}}', 'allmessages-filter-modified' => 'Used in [[Special:AllMessages]].', 'allmessages-prefix' => 'Used in [[Special:AllMessages]].', 'allmessages-language' => 'Used on [[Special:Allmessages]]. {{Identical|Language}}', 'allmessages-filter-submit' => 'Used on [[Special:Allmessages]]. {{Identical|Go}}', # Thumbnails 'thumbnail-more' => '[[Image:Yes.png|thumb|This:]] Tooltip shown when hovering over a little sign of a thumb image, to go to the image page (where it is bigger). For example, see the image at the right:', 'thumbnail_error' => 'Message shown in a thumbnail frame when creation of the thumbnail fails. * $1 is the reason', 'thumbnail_image-type' => 'This is the parameter 1 of the message {{msg-mw|thumbnail error}}', 'thumbnail_gd-library' => 'This is the parameter 1 of the message {{msg-mw|thumbnail error}}. *$1 is a function name of the GD library', 'thumbnail_image-missing' => 'This is the parameter 1 of the message {{msg-mw|thumbnail error}}. *$1 is the path incl. filename of the missing image', # Special:Import 'import' => 'The title of the special page [[Special:Import]];', 'import-interwiki-submit' => '{{Identical|Import}}', 'xml-error-string' => ':$1: Some kind of message, perhaps name of the error? :$2: line number :$3: columm number :$4: ?? $this->mByte . $this->mContext :$5: error description ---- :Example Import failed: XML import parse failure at line 1, col 1 (byte 3; "- <mediawiki xml"): Empty document', 'import-upload' => 'Used on [[Special:Import]]. Related messages: {{msg|right-importupload|pl=yes}} (the user right for this).', # Import log 'importlogpage' => '', 'importlogpagetext' => 'This text appears at the top of the [http://translatewiki.net/w/i.php?title=Special%3ALog&type=import&user=&page=&year=&month=-1 import log] special page.', 'import-logentry-upload' => 'This is the text of an entry in the Import log (and Recent Changes), after hour (and date, only in the Import log) and sysop name: * $1 is the name of the imported file', # Tooltip help for the actions 'tooltip-pt-userpage' => 'This text appears in the tool-tip when you hover the mouse over your the tab with you User name on it', 'tooltip-pt-mytalk' => 'Tooltip shown when hovering over the "my talk" link in your personal toolbox (upper right side).', 'tooltip-pt-preferences' => 'Tooltip shown when hovering over the "my preferences" ([[MediaWiki:Mypreferences]]) link in your personal toolbox (upper right side). {{Identical|My preferences}}', 'tooltip-pt-watchlist' => 'Tooltip shown when hovering over the "my watchlist" link in your personal toolbox (upper right side).', 'tooltip-pt-mycontris' => 'Tooltip shown when hovering over the "my contributions" link in your personal toolbox (upper right side).', 'tooltip-pt-login' => "Tooltip shown when hovering over the link 'Log in / create account' in the upper right corner show on all pages while not logged in.", 'tooltip-pt-logout' => 'Tooltip shown when hovering over the "Log out" link in your personal toolbox (upper right side). {{Identical|Log out}}', 'tooltip-ca-talk' => 'Tooltip shown when hovering over the "[[MediaWiki:Talk/{{SUBPAGENAME}}|{{int:talk}}]]" tab. {{Identical|Content page}}', 'tooltip-ca-edit' => 'The tooltip when hovering over the "[[MediaWiki:Edit/{{SUBPAGENAME}}|{{int:edit}}]]" tab.', 'tooltip-ca-addsection' => 'Tooltip shown when hovering over the "addsection" tab (shown on talk pages).', 'tooltip-ca-viewsource' => 'Tooltip displayed when hovering over the {{msg|viewsource}} tab.', 'tooltip-ca-protect' => '{{Identical|Protect this page}}', 'tooltip-ca-unprotect' => '{{Identical|Unprotect this page}}', 'tooltip-ca-delete' => 'Tooltip shown when hovering over the "[[MediaWiki:Delete/{{SUBPAGENAME}}|{{int:delete}}]]" tab. {{Identical|Delete this page}}', 'tooltip-ca-move' => '{{Identical|Move this page}}', 'tooltip-ca-watch' => '{{Identical|Add this page to your watchlist}}', 'tooltip-ca-unwatch' => 'Tooltip shown when hovering over the {{msg|unwatch}} tab.', 'tooltip-search' => 'The tooltip when hovering over the search menu.', 'tooltip-search-go' => 'This is the text of the tooltip displayed when hovering the mouse over the “[[MediaWiki:Go|Go]]” button next to the search box.', 'tooltip-search-fulltext' => 'This is the text of the tooltip displayed when hovering the mouse over the “[[MediaWiki:Search|Search]]” button under the search box.', 'tooltip-p-logo' => 'Tool tip shown when hovering the mouse over the logo that links to [[Main Page]]. {{Identical|Visit the main page}}', 'tooltip-n-mainpage' => 'Tool tip shown when hovering the mouse over the link to [[{{MediaWiki:Mainpage}}]]. {{Identical|Visit the main page}}', 'tooltip-n-mainpage-description' => '{{Identical|Visit the main page}}', 'tooltip-n-portal' => "Tooltip shown when hovering over the link to 'Community portal' shown in the side bar menu on all pages.", 'tooltip-n-currentevents' => 'Tooltip shown when hovering over {{msg|currentevents}} in the sidebar.', 'tooltip-n-recentchanges' => 'The tooltip when hovering over the "[[MediaWiki:Recentchanges/{{SUBPAGENAME}}|{{int:recentchanges}}]]" link in the sidebar going to the special page [[Special:RecentChanges]].', 'tooltip-n-randompage' => "Tooltip shown when hovering over the link to 'Random page' shown in the side bar menu on all pages. Clicking the link will show a random page in from the wiki's main namespace.", 'tooltip-n-help' => "Tooltip shown when hovering over the link 'help' shown in the side bar menu on all pages.", 'tooltip-t-whatlinkshere' => 'Tooltip shown when hovering over the {{msg|whatlinkshere}} message in the toolbox.', 'tooltip-t-contributions' => 'Tooltip shown when hovering over {{msg|contributions}} in the toolbox.', 'tooltip-t-emailuser' => 'Tooltip shown when hovering over the {{msg|emailuser}} link in the toolbox (sidebar, below).', 'tooltip-t-upload' => 'Tooltip shown when hovering over the link to upload files shown in the side bar menu on all pages.', 'tooltip-t-specialpages' => 'The tooltip when hovering over the link "[[MediaWiki:Specialpages/{{SUBPAGENAME}}|{{int:specialpages}}]]" going to a list of all special pages available in the wiki.', 'tooltip-ca-nstab-main' => '{{Identical|Content page}}', 'tooltip-ca-nstab-user' => 'Tooltip shown when hovering over {{msg|nstab-user}} (User namespace tab).', 'tooltip-ca-nstab-image' => 'Tooltip shown when hovering over {{msg|nstab-image}} (Image namespace tab).', 'tooltip-ca-nstab-template' => 'Tooltip shown when hovering over the {{msg|nstab-template}} tab.', 'tooltip-ca-nstab-help' => 'Tootip shown when hovering over the {{msg|nstab-help}} tab in the Help namespace.', 'tooltip-ca-nstab-category' => 'Tooltip shown when hovering over the {{msg|nstab-category}} tab.', 'tooltip-minoredit' => 'Tooltip shown when hovering over the "[[MediaWiki:Minoredit/{{SUBPAGENAME}}|{{int:minoredit}}]]" link below the edit form.', 'tooltip-save' => "This is the text that appears when you hover the mouse over the 'Save page' button on the edit page", 'tooltip-preview' => 'Tooltip shown when hovering over the "Show preview" button. If the length of the translated message is over 60 characters (including spaces) then the end of the message will be cut off when using Firefox 2.0.0.7 browser, Linux operating system and the Monobook skin.', 'tooltip-diff' => 'This is the text (tooltip) that appears when you hover the mouse over the "Show changes" button ({{msg|showdiff}}) on the edit page.', 'tooltip-compareselectedversions' => 'Tooltip of {{msg|compareselectedversions}} (which is used as button in history pages).', 'tooltip-watch' => '{{Identical|Add this page to your watchlist}}', 'tooltip-rollback' => 'Tooltip of the rollback link on the history page and the diff view {{Identical|Rollback}} {{Identical|Revert}}', 'tooltip-undo' => 'Tooltip of the undo link on the history page and the diff view {{Identical|Undo}}{{Identical|Revert}}', # Stylesheets 'common.css' => 'CSS applied to all users.', 'monobook.css' => 'CSS applied to users using Monobook skin.', # Scripts 'common.js' => 'JS for all users.', 'monobook.js' => 'JS for users using Monobook skin.', # Attribution 'anonymous' => 'This message is shown when viewing the credits of a page (example: {{fullurl:Main Page|action=credits}}). Note that this action is disabled by default (currently enabled on translatewiki.net). This message appears at the very end of the list of names in the message [[MediaWiki:Othercontribs/{{SUBPAGENAME}}|othercontribs]]. If there are no anonymous users in the credits list then this message does not appear at all. * $1 is the number of anonymous users in the message', 'siteuser' => "This message is shown when viewing the credits of a page (example: {{fullurl:Main Page|action=credits}}). Note that this action is disabled by default (currently enabled on translatewiki.net). This message is the variable $3 in the message {{msg-mw|lastmodifiedatby}}. This message only appears if the user has not entered his 'real name' in his preferences. The variable $1 in this message is a user name. See also {{msg-mw|Siteusers}}.", 'lastmodifiedatby' => "This message is shown when viewing the credits of a page (example: {{fullurl:Main Page|action=credits}}). Note that this action is disabled by default (currently enabled on translatewiki.net). * $1: date * $2: time * $3: if the user has entered his 'real name' in his preferences then this variable is his 'real name'. If the user has not entered his 'real name' in his preferences then this variable is the message [[Mediawiki:siteuser/{{SUBPAGENAME}}]], which includes his username. * $4: username in plain text. Can be used for GENDER See also [[MediaWiki:Lastmodifiedat/{{SUBPAGENAME}}]].", 'othercontribs' => 'This message is shown when viewing the credits of a page (example: {{fullurl:Main Page|action=credits}}). Note that this action is disabled by default (currently enabled on translatewiki.net - to use type <nowiki>&action=credits</nowiki> at the end of any URL in the address bar). * $1: the list of author(s) of the revisions preceding the current revision. It appears after the message [[Mediawiki:lastmodifiedatby/{{SUBPAGENAME}}]]. If there are no previous authors this message does not appear at all. If needed the messages [[Mediawiki:siteusers/{{SUBPAGENAME}}]], [[Mediawiki:anonymous/{{SUBPAGENAME}}]] and [[Mediawiki:and/{{SUBPAGENAME}}]] are part of the list of names.', 'others' => 'The following explanation is guesswork. This message is shown when viewing the credits of a page (example: {{fullurl:Main Page|action=credits}}). Note that this action is disabled by default (currently enabled on translatewiki.net - to use type <nowiki>&action=credits</nowiki> at the end of any URL in the address bar). The message appears at the end of the list of credits given in the message [[Mediawiki:Othercontribs/{{SUBPAGENAME}}]] if the number of contributors is above a certain level.', 'siteusers' => 'This message is shown when viewing the credits of a page (example: {{fullurl:Main Page|action=credits}}). Note that this action is disabled by default (currently enabled on translatewiki.net). It should be in a form that fits with [[MediaWiki:Othercontribs/{{SUBPAGENAME}}|othercontribs]]. * $1 is a list of user names (example: "\'\'Jim, Janet, Jane, Joe\'\'") where the user has not put his \'real name\' in his preferences. * $2 is the number of user names in $1 If there is more than one user in the list then the message {{msg-mw|and}} appears before the last name. If $2 is NIL then this message does not appear at all. See also {{msg-mw|Siteuser}}.', 'creditspage' => "This message is the ''contentSub'' (the grey subtitle) shown when viewing credits of a page (example: {{fullurl:Project:News|action=credits}}). Note that the credits action is disabled by default (currently enabled on translatewiki.net).", 'nocredits' => 'This message is shown when viewing the credits of a page (example: {{fullurl:Main Page|action=credits}}) but when there are no credits available. Note that the credits action is disabled by default (currently enabled on translatewiki.net).', # Spam protection 'spam_reverting' => '{{Identical|Revert}}', # Skin names 'skinname-standard' => '{{optional}}', 'skinname-nostalgia' => '{{optional}}', 'skinname-cologneblue' => '{{optional}}', 'skinname-monobook' => '{{optional}}', 'skinname-myskin' => '{{optional}}', 'skinname-chick' => '{{optional}}', 'skinname-simple' => '{{optional}}', 'skinname-modern' => '{{optional}}', # Math options 'mw_math_png' => 'In user preferences.', 'mw_math_simple' => 'In [[Special:Preferences|user preferences]].', 'mw_math_html' => 'In user preferences.', 'mw_math_source' => 'In user preferences (math)', 'mw_math_modern' => 'In user preferences (math)', 'mw_math_mathml' => 'In user preferences.', # Math errors 'math_syntax_error' => '{{Identical|Syntax error}}', # Patrol log 'patrol-log-page' => 'Name of log.', 'patrol-log-header' => 'Text that appears above the log entries on the [[Special:log|patrol log]].', 'patrol-log-line' => 'Text of notes on entries in the [[Special:Log|patrol log]]. $1 is the link whose text is [[Mediawiki:patrol-log-diff]]. $2 is the name of the page. $3 appears to be [[Mediawiki:Patrol-log-auto]] (at least sometimes). The message appears after the name of the patroller.', 'patrol-log-auto' => 'Automated edit summary when patrolling. {{Identical|Automatic}}', 'patrol-log-diff' => 'The text of the diff link in [[MediaWiki:Patrol-log-line]] (inside $1 there)', 'log-show-hide-patrol' => '* $1 is one of {{msg|show}} or {{msg|hide}}', # Browsing diffs 'previousdiff' => 'Used when viewing the difference between edits. See also {{msg|nextdiff}}.', 'nextdiff' => 'Used when viewing the difference between edits. See also {{msg|previousdiff}}.', # Visual comparison 'visual-comparison' => '{{Identical|Visual comparison}}', # Media information 'mediawarning' => 'Shows up on file description pages if the file type is not listed in [[mw:Manual:$wgTrustedMediaFormats|Manual:$wgTrustedMediaFormats]].', 'imagemaxsize' => 'This is used in Special:Preferences, under Files.', 'widthheight' => '{{optional}}', 'widthheightpage' => 'This message is used on image pages in the dimensions column in the file history section for images with more than one page. Parameter $1 is the image width (in pixels), parameter $2 is the image height, and parameter $3 is the number of pages.', 'file-info' => 'File info displayed on file description page.', 'file-info-size' => 'File info displayed on file description page.', 'file-nohires' => 'File info displayed on file description page.', 'svg-long-desc' => 'Displayed under an SVG image at the image description page. Note that argument 3 is a string that includes the file size unit symbol. See for example [[:Image:Wiki.svg]].', 'show-big-image' => 'Displayed under an image at the image description page, when it is displayed smaller there than it was uploaded.', 'show-big-image-thumb' => 'File info displayed on file description page.', # Special:NewFiles 'newimages' => 'Page title of [[Special:NewImages]].', 'imagelisttext' => 'This is text on [[Special:NewImages]]. $1 is the number of files. $2 is the message {{msg-mw|Mediawiki:Bydate}}.', 'newimages-summary' => 'This message is displayed at the top of [[Special:NewImages]] to explain what is shown on that special page.', 'newimages-legend' => 'Caption of the fieldset for the filter on [[Special:NewImages]] {{Identical|Filter}}', 'newimages-label' => 'Caption of the filter editbox on [[Special:NewImages]]', 'showhidebots' => 'This is shown on the special page [[Special:NewImages]]. The format is "{{int:showhidebots|[[MediaWiki:Hide/{{SUBPAGENAME}}|{{int:hide}}]]}}" or "{{int:showhidebots|[[MediaWiki:Show/{{SUBPAGENAME}}|{{int:show}}]]}}" {{Identical|$1 bots}}', 'noimages' => "This is shown on the special page [[Special:NewImages]], when there aren't any recently uploaded files.", 'ilsubmit' => '{{Identical|Search}}', 'bydate' => '{{Identical|Date}}', 'sp-newimages-showfrom' => "This is a link on [[Special:NewImages]] which takes you to a gallery of the newest files. * $1 is a date (example: ''19 March 2008'') * $2 is a time (example: ''12:15'')", +#img_auth script messages +'img-auth-desc' => '[[Manual:Image Authorization]] script, see http://www.mediawiki.org/wiki/Manual:Image_Authorization', +'img-auth-accessdenied' => "[[Manual:Image Authorization]] Access Denied", +'img-auth-nopathinfo' => "[[Manual:Image Authorization]] Missing PATH_INFO - see english description", +'img-auth-notindir' => "[[Manual:Image Authorization]] when the specified path is not in upload directory.", +'img-auth-badtitle' => "[[Manual:Image Authorization]] bad title, $1 is the invalid title", +'img-auth-nologinnWL' => "[[Manual:Image Authorization]] logged in and file not whitelisted. $1 is the file not in whitelist.", +'img-auth-nofile' => "[[Manual:Image Authorization]] non existent file, $1 is the file that does not exist.", +'img-auth-isdir' => "[[Manual:Image Authorization]] trying to access a directory instead of a file, $1 is the directory.", +'img-auth-streaming' => "[[Manual:Image Authorization]] is now streaming file specified by $1.", +'img-auth-public' => "[[Manual:Image Authorization]] an error message when the admin has configured the wiki to be a public wiki, but is using img_auth script - normally this is a configuration error, except when special restriction extensions are used", +'img-auth-noread' => "[[Manual:Image Authorization]] User does not have access to read file, $1 is the file", + # Video information, used by Language::formatTimePeriod() to format lengths in the above messages 'seconds-abbrev' => '{{optional}}', 'minutes-abbrev' => '{{optional}}', 'hours-abbrev' => 'Abbreviation for "hours"', # Bad image list 'bad_image_list' => 'This is only message appears to guide administrators to add links with right format. This will not appear anywhere else in Mediawiki.', /* Short names for language variants used for language conversion links. To disable showing a particular link, set it to 'disable', e.g. 'variantname-zh-sg' => 'disable', Variants for Chinese language */ 'variantname-zh-hans' => '{{Optional}} Variant option for wikis with variants conversion enabled.', 'variantname-zh-hant' => '{{Optional}} Variant option for wikis with variants conversion enabled.', 'variantname-zh-cn' => '{{Optional}} Variant option for wikis with variants conversion enabled.', 'variantname-zh-tw' => '{{Optional}} Variant option for wikis with variants conversion enabled.', 'variantname-zh-hk' => '{{Optional}} Variant option for wikis with variants conversion enabled.', 'variantname-zh-mo' => '{{Optional}} Variant option for wikis with variants conversion enabled.', 'variantname-zh-sg' => '{{Optional}} Variant option for wikis with variants conversion enabled.', 'variantname-zh-my' => '{{Optional}} Variant option for wikis with variants conversion enabled.', 'variantname-zh' => '{{Optional}} Variant option for wikis with variants conversion enabled.', # Variants for Gan language 'variantname-gan-hans' => '{{Optional}} Variant option for wikis with variants conversion enabled.', 'variantname-gan-hant' => '{{Optional}} Variant option for wikis with variants conversion enabled.', 'variantname-gan' => '{{Optional}} Variant option for wikis with variants conversion enabled.', # Variants for Serbian language 'variantname-sr-ec' => 'Varient Option for wikis with variants conversion enabled.', 'variantname-sr-el' => 'Varient Option for wikis with variants conversion enabled.', 'variantname-sr' => 'Varient Option for wikis with variants conversion enabled.', # Variants for Kazakh language 'variantname-kk-kz' => 'Varient Option for wikis with variants conversion enabled.', 'variantname-kk-tr' => 'Varient Option for wikis with variants conversion enabled.', 'variantname-kk-cn' => 'Varient Option for wikis with variants conversion enabled.', 'variantname-kk-cyrl' => 'Varient Option for wikis with variants conversion enabled.', 'variantname-kk-latn' => 'Varient Option for wikis with variants conversion enabled.', 'variantname-kk-arab' => 'Varient Option for wikis with variants conversion enabled.', 'variantname-kk' => 'Varient Option for wikis with variants conversion enabled.', # Variants for Kurdish language 'variantname-ku-arab' => 'Varient Option for wikis with variants conversion enabled.', 'variantname-ku-latn' => 'Varient Option for wikis with variants conversion enabled.', 'variantname-ku' => 'Varient Option for wikis with variants conversion enabled.', # Variants for Tajiki language 'variantname-tg-cyrl' => '{{optional}}', 'variantname-tg-latn' => '{{optional}}', 'variantname-tg' => '{{optional}}', # Metadata 'metadata' => 'The title of a section on an image description page, with information and data about the image. {{Identical|Metadata}}', 'metadata-expand' => 'On an image description page, there is mostly a table containing data (metadata) about the image. The most important data are shown, but if you click on this link, you can see more data and information. For the link to hide back the less important data, see "[[MediaWiki:Metadata-collapse/{{SUBPAGENAME}}|{{int:metadata-collapse}}]]".', 'metadata-collapse' => 'On an image description page, there is mostly a table containing data (metadata) about the image. The most important data are shown, but if you click on the link "[[MediaWiki:Metadata-expand/{{SUBPAGENAME}}|{{int:metadata-expand}}]]", you can see more data and information. This message is for the link to hide back the less important data.', 'metadata-fields' => "'''Warning:''' Do not translate list items, only translate the text! So leave \"<tt>* make</tt>\" and the other items exactly as they are.", # EXIF tags 'exif-imagewidth' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. {{Identical|Width}}', 'exif-imagelength' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. {{Identical|Height}}', 'exif-bitspersample' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-compression' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-photometricinterpretation' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-orientation' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-samplesperpixel' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-planarconfiguration' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-ycbcrsubsampling' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-ycbcrpositioning' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-xresolution' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-yresolution' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-resolutionunit' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-stripoffsets' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-rowsperstrip' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-stripbytecounts' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-jpeginterchangeformat' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-jpeginterchangeformatlength' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-transferfunction' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-whitepoint' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-primarychromaticities' => 'The chromaticity of the three primary colours of the image. Normally this tag is not necessary, since colour space is specified in the colour space information tag. This should probably be translated it as "Chromaticity of primary colours". Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-ycbcrcoefficients' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-referenceblackwhite' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-datetime' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. Datetime is the time that the digital file was last changed.', 'exif-imagedescription' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-make' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-model' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-software' => 'Short for "The software which was used to create this image". Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-artist' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. {{Identical|Author}}', 'exif-copyright' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-exifversion' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-flashpixversion' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-colorspace' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-componentsconfiguration' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-compressedbitsperpixel' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-pixelydimension' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-pixelxdimension' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-makernote' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-usercomment' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-relatedsoundfile' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-datetimeoriginal' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. The date and time when the original image data was generated.', 'exif-datetimedigitized' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. The date and time when the image was stored as digital data.', 'exif-subsectime' => "Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. 'DateTime subseconds' shows the detail of the fraction of a second (1/100s) at which the file was changed, when the tag {{msg-mw|Exif-datetime}} is recorded to the whole second.", 'exif-subsectimeoriginal' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. This tag shows the detail of the fraction of a second (1/100s) at which the file data was originally generated, when the tag {{msg-mw|Exif-datetimeoriginal}} is recorded to the whole second.', 'exif-subsectimedigitized' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. This tag shows the detail of the fraction of a second (1/100s) at which the file was stored as digital data, when the tag {{msg-mw|Exif-datetimedigitized}} is recorded to the whole second.', 'exif-exposuretime' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-exposuretime-format' => "Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. *$1 is the exposure time written as a fraction of a second, for example 1/640 of a second. *$2 is the exposure time written as a decimal, for example 0.0015625. *'sec' is the abbreviation used in English for the unit of time 'second'.", 'exif-fnumber' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. The [http://en.wikipedia.org/wiki/F_number F number] is the relative aperture of the camera.', 'exif-fnumber-format' => "Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. *$1 is a number *f is the abbreviation used in English for 'f-number'.", 'exif-exposureprogram' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-spectralsensitivity' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-isospeedratings' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-oecf' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-shutterspeedvalue' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. [http://en.wikipedia.org/wiki/Shutter_speed Shutter speed] is the time that the camera shutter is open.', 'exif-aperturevalue' => "Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. The [http://en.wikipedia.org/wiki/Aperture aperture] of a camera is the hole through which light shines. This message can be translated 'Aperture width'.", 'exif-brightnessvalue' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-exposurebiasvalue' => "Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. Another term for [http://en.wikipedia.org/wiki/Exposure_bias 'exposure bias'] is 'exposure compensation'.", 'exif-maxaperturevalue' => "Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. The 'land' in a camera refers possibly to the inner surface of the barrel of the lens. An alternative phrasing for this message could perhaps be 'maximum width of the land aperture'.", 'exif-subjectdistance' => "Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. The subject of a photograph is the person or thing on which the camera focuses. 'Subject distance' is the distance to the subject given in meters.", 'exif-meteringmode' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. See [http://en.wikipedia.org/wiki/Metering_mode Wikipedia article] on metering mode.', 'exif-lightsource' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-flash' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. See this [http://en.wikipedia.org/wiki/Flash_(photography) Wikipedia article] for an explanation of the term. {{Identical|Flash}}', 'exif-focallength' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. See this [http://en.wikipedia.org/wiki/Focal_length_(photography) Wikipedia article] for an explanation of the term.', 'exif-focallength-format' => "Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. *$1 is a number *mm is the abbreviation used in English for the unit of measurement of length 'millimetre'.", 'exif-subjectarea' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. This exif property contains the position of the main subject of the picture in pixels from the upper left corner and additionally its width and height in pixels.', 'exif-flashenergy' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-spatialfrequencyresponse' => '[http://en.wikipedia.org/wiki/Spatial_frequency Spatial frequency] is the number of edges per degree of the visual angle. The human eye scans the viewed scenary for edges and uses these edges to detect what it sees. Few edges make it hard to recognize the seen objects, but many edges do so too. A rate of about 4 to 6 edges per degree of the viewing range is seen as optimal for the recognition of objects. Spatial frequency response is a measure for the capability of camera lenses to depict spatial frequencies.', 'exif-focalplanexresolution' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. Indicates the number of pixels in the image width (X) direction per FocalPlaneResolutionUnit on the camera focal plane.', 'exif-focalplaneyresolution' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-focalplaneresolutionunit' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-subjectlocation' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-exposureindex' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-sensingmethod' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-filesource' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-scenetype' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-cfapattern' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. CFA stands for [http://en.wikipedia.org/wiki/Color_filter_array color filter array].', 'exif-customrendered' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. See also Wikipedia on [http://en.wikipedia.org/wiki/Image_processing image processing].', 'exif-exposuremode' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. See also Wikipedia on [http://en.wikipedia.org/wiki/Exposure_(photography) exposure in photography].', 'exif-whitebalance' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. See also Wikipedia on [http://en.wikipedia.org/wiki/Color_balance color balance].', 'exif-digitalzoomratio' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. See also Wikipedia on [http://en.wikipedia.org/wiki/Digital_zoom digital zoom].', 'exif-focallengthin35mmfilm' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. See also Wikipedia on [http://en.wikipedia.org/wiki/Focal_length#In_photography focal length].', 'exif-gpslatitude' => '{{Identical|Latitude}}', 'exif-gpslongitude' => '{{Identical|Longitude}}', # EXIF attributes 'exif-compression-6' => '{{optional}}', 'exif-photometricinterpretation-2' => '{{optional}}', 'exif-orientation-1' => '{{Identical|Normal}} 0th row: top; 0th column: left', 'exif-orientation-2' => '0th row: top; 0th column: right', 'exif-orientation-3' => '0th row: bottom; 0th column: right', 'exif-orientation-4' => '0th row: bottom; 0th column: left', 'exif-orientation-5' => '0th row: left; 0th column: top', 'exif-orientation-6' => '0th row: right; 0th column: top', 'exif-orientation-7' => '0th row: right; 0th column: bottom', 'exif-orientation-8' => '0th row: left; 0th column: bottom', 'exif-componentsconfiguration-1' => '{{optional}}', 'exif-componentsconfiguration-2' => '{{optional}}', 'exif-componentsconfiguration-3' => '{{optional}}', 'exif-componentsconfiguration-4' => '{{optional}}', 'exif-componentsconfiguration-5' => '{{optional}}', 'exif-componentsconfiguration-6' => '{{optional}}', 'exif-exposureprogram-1' => "One of the exposure program types in the table of metadata on image description pages. See the Wikipedia article '[http://en.wikipedia.org/wiki/Mode_dial Mode dial]' for an explanation.", 'exif-exposureprogram-3' => 'One of the exposure program types in the table of metadata on image description pages. See the Wikipedia article for a definition of the term [http://en.wikipedia.org/wiki/Aperture_priority aperture priority].', 'exif-exposureprogram-4' => 'One of the exposure program types in the table of metadata on image description pages. See the Wikipedia article for a definition of the term [http://en.wikipedia.org/wiki/Shutter_priority shutter priority].', 'exif-exposureprogram-5' => "One of the exposure program types in the table of metadata on image description pages. See the Wikipedia article '[http://en.wikipedia.org/wiki/Mode_dial Mode dial]' for an explanation.", 'exif-exposureprogram-6' => "One of the exposure program types in the table of metadata on image description pages. See the Wikipedia article '[http://en.wikipedia.org/wiki/Mode_dial Mode dial]' for an explanation.", 'exif-exposureprogram-7' => "One of the exposure program types in the table of metadata on image description pages. See the Wikipedia article '[http://en.wikipedia.org/wiki/Mode_dial Mode dial]' for an explanation.", 'exif-exposureprogram-8' => "One of the exposure program types in the table of metadata on image description pages. See the Wikipedia article '[http://en.wikipedia.org/wiki/Mode_dial Mode dial]' for an explanation.", 'exif-subjectdistance-value' => '$1 is a distance measured in metres. The value can, and usually does, include decimal places.', 'exif-meteringmode-0' => '{{Identical|Unknown}}', 'exif-meteringmode-255' => '{{Identical|Other}}', 'exif-lightsource-0' => '{{Identical|Unknown}}', 'exif-lightsource-4' => '{{Identical|Flash}}', 'exif-lightsource-21' => '{{optional}}', 'exif-lightsource-22' => '{{optional}}', 'exif-lightsource-23' => '{{optional}}', # Flash modes 'exif-flash-return-0' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. "Strobe" and "flash" mean the same here.', 'exif-flash-return-2' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. "Strobe" and "flash" mean the same here.', 'exif-flash-return-3' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail]. "Strobe" and "flash" mean the same here.', 'exif-flash-mode-1' => 'This is when you have chosen that your camera must use a flash for this picture.', 'exif-flash-mode-2' => "This is when you have chosen that your camera must ''not'' use a flash for this picture.", 'exif-flash-function-1' => 'Exif is a format for storing metadata in image files. See this [http://en.wikipedia.org/wiki/Exchangeable_image_file_format Wikipedia article] and the example at the bottom of [http://commons.wikimedia.org/wiki/File:Phalacrocorax-auritus-020.jpg this page on Commons]. The tags are explained [http://www.awaresystems.be/imaging/tiff/tifftags/privateifd/exif.html briefly] and [http://www.kodak.com/global/plugins/acrobat/en/service/digCam/exifStandard2.pdf in further detail].', 'exif-sensingmethod-5' => "''Color sequential'' means, that the three base colors are measured one after another (i.e. the sensor is first measuring red, than green, than blue).", 'exif-sensingmethod-8' => "''Color sequential'' means, that the three base colors are measured one after another (i.e. the sensor is first measuring red, than green, than blue).", 'exif-filesource-3' => '{{optional}}', 'exif-exposuremode-2' => "A type of exposure mode shown as part of the metadata on image description pages. The Wikipedia article on [http://en.wikipedia.org/wiki/Bracketing#Exposure_bracketing bracketing] says that 'auto bracket' is a camera exposure setting which automatically takes a series of pictures at slightly different light exposures.", 'exif-scenecapturetype-0' => '{{Identical|Standard}}', 'exif-gaincontrol-0' => 'Gain amplifies the signal off of the image sensor. Gain turns the brightness level up or down. :0: None: no gain at all :1: Low gain up: some more brightness :2: High gain up: much more brightness :3: Low gain down: some less brightness (seems to be uncommon in photography) :4: High gain down: much less brightness (seems to be uncommon in photography) {{Identical|None}}', 'exif-gaincontrol-1' => '{{:MediaWiki:Exif-gaincontrol-0/qqq}}', 'exif-gaincontrol-2' => '{{:MediaWiki:Exif-gaincontrol-0/qqq}}', 'exif-gaincontrol-3' => '{{:MediaWiki:Exif-gaincontrol-0/qqq}}', 'exif-gaincontrol-4' => '{{:MediaWiki:Exif-gaincontrol-0/qqq}}', 'exif-contrast-0' => '{{Identical|Normal}}', 'exif-contrast-1' => '{{Identical|Soft}}', 'exif-contrast-2' => '{{Identical|Hard}}', 'exif-saturation-0' => '{{Identical|Normal}}', 'exif-sharpness-0' => '{{Identical|Normal}}', 'exif-sharpness-1' => '{{Identical|Soft}}', 'exif-sharpness-2' => '{{Identical|Hard}}', 'exif-subjectdistancerange-0' => '{{Identical|Unknown}}', 'exif-subjectdistancerange-1' => 'See also: * {{msg|Exif-subjectdistancerange-0}} * {{msg|Exif-subjectdistancerange-1}} * {{msg|Exif-subjectdistancerange-2}} * {{msg|Exif-subjectdistancerange-3}}', # Pseudotags used for GPSSpeedRef 'exif-gpsspeed-n' => "Knots: ''Knot'' is a unit of speed on water used for ships, etc., equal to one nautical mile per hour.", # External editor support 'edit-externally' => 'Displayed on image description pages. See for example [[:Image:Yes.png#filehistory]].', 'edit-externally-help' => 'Displayed on image description pages. See for example [[:Image:Yes.png#filehistory]]. Please leave the link http://www.mediawiki.org/wiki/Manual:External_editors exactly as it is.', # 'all' in various places, this might be different for inflected languages 'recentchangesall' => '{{Identical|All}}', 'imagelistall' => '{{Identical|All}}', 'watchlistall2' => 'Appears on [[Special:Watchlist]]. It is variable $3 in the text message [[Mediawiki:Wlshowlast]]. {{Identical|All}}', 'namespacesall' => 'In special page [[Special:WhatLinksHere]]. Drop-down box option for namespace. {{Identical|All}}', 'monthsall' => 'Used in a drop-down box on [[Special:Contributions]] as an option for "all months". See also [[MediaWiki:Month/{{SUBPAGENAME}}]]. {{Identical|All}}', 'limitall' => 'Used on [[Special:AllMessages]] (and potentially other TablePager based tables) to display "all" the messages. {{Identical|All}}', # E-mail address confirmation 'confirmemail_needlogin' => 'Used on [[Special:ConfirmEmail]] when you are logged out. * $1 is a link to [[Special:UserLogin]] with {{msg-mw|loginreqlink}} as link description', 'confirmemail_body' => 'This message is sent as an e-mail to users when they add or change their e-mail adress in [[Special:Preferences]]. *$1 is the IP address of the user that changed the e-mail address *$2 is the name of the user *$3 is a URL to [[Special:ConfirmEmail]] *$4 is a time and date (duplicated by $6 and $7) *$5 is a URL to [[Special:InvalidateEmail]] *$6 is a date *$7 is a time', 'confirmemail_invalidated' => 'This is the text of the special page [[Special:InvalidateEmail|InvalidateEmail]] (with the title in [[Mediawiki:Invalidateemail]]) where user goes if he chooses the cancel e-mail confirmation link from the confirmation e-mail.', 'invalidateemail' => "This is the '''name of the special page''' where user goes if he chooses the cancel e-mail confirmation link from the confirmation e-mail.", # Trackbacks 'trackbackbox' => '* $1 is the content of [[MediaWiki:Trackbackexcerpt]] or [[MediaWiki:Trackback]], depending if the trackback has an excerpt {{doc-important|Do not remove the linebreak. $1 has to be the first character on a new line because it contains wiki markup}} For information on trackback see [http://www.mediawiki.org/wiki/Manual:$wgUseTrackbacks mediawiki manual].', 'trackback' => '{{optional}} Do \'\'not\'\' change the leading ; and the first : as it is wiki markup. * $1: title of the trackback * $2: URL of the trackback * <font style="color:grey;">$3: unused in this message, see [[MediaWiki:trackbackexcerpt]] instead</font> * $4: name of the trackback * $5: a link to delete the trackback. The content of [[MediaWiki:Trackbackremove]] is injected here.', 'trackbackexcerpt' => "{{optional}} Do ''not'' change the leading ; and the first : as it is wiki markup. * $1: title of the trackback * $2: URL of the trackback * $3: an excerpt of the trackback * $4: name of the trackback * $5: a link to delete the trackback. The content of [[MediaWiki:Trackbackremove]] is injected here.", 'unit-pixel' => '{{optional}}', # action=purge 'confirm_purge_button' => '{{Identical|OK}}', # Separators for various lists, etc. 'comma-separator' => '{{optional}}', 'colon-separator' => "Optional message. Change it only if your language uses another character for ':' or it needs an extra space before the colon.", 'pipe-separator' => '{{optional}}', 'word-separator' => 'This is a string which is (usually) put between words of the language. It is used, e.g. when messages are concatenated (appended to each other). Note that you must express a space as html entity &#32; because the editing and updating process strips leading and trailing spaces from messages. Most languages use a space, but some Asian languages, such as Thai and Chinese, do not. {{optional}}', # Multipage image navigation 'imgmultipageprev' => '{{Identical|Previous page}}', 'imgmultipagenext' => '{{Identical|Next page}}', 'imgmultigo' => '{{Identical|Go}}', # Table pager 'ascending_abbrev' => 'Abbreviation of Ascending power', 'table_pager_next' => '{{Identical|Next page}}', 'table_pager_prev' => '{{Identical|Previous page}}', 'table_pager_limit' => "Do not use PLURAL in this message, because ''$1'' is not the actual number. ''$1'' is a limit selector drop-down list.", 'table_pager_limit_submit' => '{{Identical|Go}}', 'table_pager_empty' => 'Used in a table pager when there are no results (e.g. when there are no images in the table on [[Special:ImageList]]).', # Auto-summaries 'autosumm-blank' => 'The auto summary when blanking the whole page. This is not the same as deleting the page.', 'autosumm-replace' => 'The auto summary when a user removes a lot of characters in the page.', 'autoredircomment' => 'The auto summary when making a redirect. $1 is the page where it redirects to.', 'autosumm-new' => 'The auto summary when creating a new page. $1 are the first X number of characters of the new page.', # Size units 'size-bytes' => 'Size (of a page, typically) in bytes.', 'size-kilobytes' => 'Size (of a page, typically) in kibibytes (1 kibibyte = 1024 bytes).', 'size-megabytes' => 'Size (of a file, typically) in mebibytes (1 mebibyte = 1024×1024 bytes).', 'size-gigabytes' => 'Size (of a file, typically) in gibibytes (1 gibibyte = 1024×1024×1024 bytes).', # Live preview 'livepreview-loading' => '{{Identical|Loading}}', # Watchlist editor 'watchlistedit-numitems' => 'Message on Special page: Edit watchlist. This is paired with the message [[Mediawiki:Watchlistedit-noitems]] which appears instead of Watchlistedit-numitems when $1 is 0.', 'watchlistedit-noitems' => "Message on Special page: Edit watchlist, which only appears when a user's watchlist is empty.", 'watchlistedit-normal-explain' => 'An introduction/explanation about the [[Special:Watchlist/edit|normal edit watchlist function]]. Hint: the text "Remove Titles" is in {{msg-mw|watchlistedit-normal-submit}}', 'watchlistedit-normal-done' => 'Message on Special page: Edit watchlist after pages are removed from the watchlist.', 'watchlistedit-raw-title' => '{{Identical|Edit raw watchlist}}', 'watchlistedit-raw-legend' => '{{Identical|Edit raw watchlist}}', 'watchlistedit-raw-explain' => 'An introduction/explanation about the [[Special:Watchlist/raw|raw edit watchlist function]].', 'watchlistedit-raw-added' => 'Message on special page: Edit raw watchlist. The message appears after at least 1 message is added to the raw watchlist.', 'watchlistedit-raw-removed' => 'Message on special page: Edit raw watchlist. The message appears after at least 1 message is deleted from the raw watchlist.', # Watchlist editing tools 'watchlisttools-view' => '[[Special:Watchlist]]: Navigation link under the title. See also {{msg|watchlisttools-edit}} and {{msg|watchlisttools-raw}}.', 'watchlisttools-edit' => '[[Special:Watchlist]]: Navigation link under the title. See also {{msg|watchlisttools-view}} and {{msg|watchlisttools-raw}}.', 'watchlisttools-raw' => '[[Special:Watchlist]]: Navigation link under the title. See also {{msg|watchlisttools-view}} and {{msg|watchlisttools-edit}}. {{Identical|Edit raw watchlist}}', # Iranian month names 'iranian-calendar-m1' => 'Name of month in Iranian calender.', 'iranian-calendar-m2' => 'Name of month in Iranian calender.', 'iranian-calendar-m3' => 'Name of month in Iranian calender.', 'iranian-calendar-m4' => 'Name of month in Iranian calender.', 'iranian-calendar-m5' => 'Name of month in Iranian calender.', 'iranian-calendar-m6' => 'Name of month in Iranian calender.', 'iranian-calendar-m7' => 'Name of month in Iranian calender.', 'iranian-calendar-m8' => 'Name of month in Iranian calender.', 'iranian-calendar-m9' => 'Name of month in Iranian calender.', 'iranian-calendar-m10' => 'Name of month in Iranian calender.', 'iranian-calendar-m11' => 'Name of month in Iranian calender.', 'iranian-calendar-m12' => 'Name of month in Iranian calender.', # Hijri month names 'hijri-calendar-m1' => 'Name of month in Islamic calender.', 'hijri-calendar-m2' => 'Name of month in Islamic calender.', 'hijri-calendar-m3' => 'Name of month in Islamic calender.', 'hijri-calendar-m4' => 'Name of month in Islamic calender.', 'hijri-calendar-m5' => 'Name of month in Islamic calender.', 'hijri-calendar-m6' => 'Name of month in Islamic calender.', 'hijri-calendar-m7' => 'Name of month in Islamic calender.', 'hijri-calendar-m8' => 'Name of month in Islamic calender.', 'hijri-calendar-m9' => 'Name of month in Islamic calender.', 'hijri-calendar-m10' => 'Name of month in Islamic calender.', 'hijri-calendar-m11' => 'Name of month in Islamic calender.', 'hijri-calendar-m12' => 'Name of month in Islamic calender.', # Hebrew month names 'hebrew-calendar-m1' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m2' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m3' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m4' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m5' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m6' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m6a' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m6b' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m7' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m8' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m9' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m10' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m11' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m12' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m1-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m2-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m3-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m4-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m5-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m6-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m6a-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m6b-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m7-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m8-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m9-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m10-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m11-gen' => 'Name of month in Hebrew calender.', 'hebrew-calendar-m12-gen' => 'Name of month in Hebrew calender.', # Signatures 'timezone-utc' => '{{optional}}', # Core parser functions 'unknown_extension_tag' => '* Description: This is an error shown when you use an unknown extension tag name. This feature allows tags like <tt><nowiki><pre></nowiki></tt> to be called with a parser like <tt><nowiki>{{#tag:pre}}</nowiki></tt>. * Parameter $1: This is the unknown extension tag name.', # Special:Version 'version' => 'Name of special page displayed in [[Special:SpecialPages]] {{Identical|Version}}', 'version-extensions' => 'Header on [[Special:Version]].', 'version-specialpages' => 'Part of [[Special:Version]]. {{Identical|Special pages}}', 'version-parserhooks' => 'This message is a heading at [[Special:Version]] for extensions that modifies the parser of wikitext.', 'version-other' => '{{Identical|Other}}', 'version-mediahandlers' => 'Used in [[Special:Version]]. It is the title of a section for media handler extensions (e.g. [[mw:Extension:OggHandler]]). There are no such extensions here, so look at [[wikipedia:Special:Version]] for an example.', 'version-hooks' => 'Shown in [[Special:Version]]', 'version-extension-functions' => 'Shown in [[Special:Version]]', 'version-parser-function-hooks' => 'Shown in [[Special:Version]]', 'version-skin-extension-functions' => 'Shown in [[Special:Version]]', 'version-hook-name' => 'Shown in [[Special:Version]]', 'version-hook-subscribedby' => 'Shown in [[Special:Version]]', 'version-version' => '{{Identical|Version}}', 'version-svn-revision' => 'This is being used in [[Special:Version]], preceeding the subversion revision numbers of the extensions loaded inside brackets, like this: "({{int:version-revision}} r012345") {{Identical|Revision}}', 'version-software-product' => 'Shown in [[Special:Version]]', 'version-software-version' => '{{Identical|Version}}', # Special:FilePath 'filepath' => 'Shown in [[Special:FilePath]]', 'filepath-page' => 'Shown in [[Special:FilePath]] {{Identical|File}}', 'filepath-submit' => 'Shown in [[Special:FilePath]]', 'filepath-summary' => 'Shown in [[Special:FilePath]]', # Special:FileDuplicateSearch 'fileduplicatesearch-summary' => 'Summary of [[Special:FileDuplicateSearch]]', 'fileduplicatesearch-legend' => 'Legend of the fieldset around the input form of [[Special:FileDuplicateSearch]]', 'fileduplicatesearch-filename' => 'Input form of [[Special:FileDuplicateSearch]]: {{Identical|Filename}}', 'fileduplicatesearch-submit' => '{{Identical|Search}}', 'fileduplicatesearch-info' => 'Information beneath the thumbnail on the right side shown after a successful search via [[Special:FileDuplicateSearch]] * $1: width of the file * $2: height of the file * $3: File size * $4: MIME type', 'fileduplicatesearch-result-1' => 'Result line after the list of files of [[Special:FileDuplicateSearch]] $1 is the name of the requested file.', 'fileduplicatesearch-result-n' => 'Result line after the list of files of [[Special:FileDuplicateSearch]] * $1 is the name of the requested file. * $2 is the number of identical duplicates of the requested file', # Special:SpecialPages 'specialpages' => 'Display name of link to [[Special:SpecialPages]] shown on all pages in the toolbox, as well as the page title and header of [[Special:SpecialPages]]. {{Identical|Special pages}}', 'specialpages-note' => 'Footer note for the [[Special:SpecialPages]] page', 'specialpages-group-maintenance' => 'Section heading in the list of [[Special:SpecialPages|Special pages]].', 'specialpages-group-other' => 'Section heading in the list of [[Special:SpecialPages|Special pages]].', 'specialpages-group-login' => 'Section heading in the list of [[Special:SpecialPages|Special pages]].', 'specialpages-group-changes' => 'Section heading in the list of [[Special:SpecialPages|Special pages]].', 'specialpages-group-media' => 'Section heading in the list of [[Special:SpecialPages|Special pages]].', 'specialpages-group-users' => 'Section heading in the list of [[Special:SpecialPages|Special pages]].', 'specialpages-group-highuse' => 'Section heading in the list of [[Special:SpecialPages|Special pages]].', 'specialpages-group-pages' => 'Used on [[Special:SpecialPages]]. Title of the special pages group, containing pages like [[Special:AllPages]], [[Special:PrefixIndex]], [[Special:Categories]], [[Special:Disambiguations]], etc.', 'specialpages-group-pagetools' => 'Title of the special pages group containing special pages like [[Special:MovePage]], [[Special:Undelete]], [[Special:WhatLinksHere]], [[Special:Export]] etc.', 'specialpages-group-wiki' => 'Title of the special pages group, containing special pages like [[Special:Version]], [[Special:Statistics]], [[Special:LockDB]], etc.', 'specialpages-group-redirects' => 'Title of the special pages group, containing special pages that redirect to another location, like [[Special:Randompage]], [[Special:Mypage]], [[Special:Mytalk]], etc.', # Special:BlankPage 'intentionallyblankpage' => 'Text displayed in [[Special:BlankPage]].', # External image whitelist 'external_image_whitelist' => "As usual please leave all the wiki markup, including the spaces, as they are. You can translate the text, including 'Leave this line exactly as it is'. The first line of this messages has one (1) leading space.", # Special:Tags 'tags' => "Shown on [[Special:Specialpages]] for page listing the tags that the software may mark an edit with, and their meaning. For more information on tags see [http://www.mediawiki.org/wiki/Manual:Tags Mediawiki]. It appears that the word 'valid' describes 'tags', not 'change'. It also appears that you could use the term 'defined' instead of 'valid', or perhaps use a phrase meaning 'Change tags in use'.", 'tag-filter' => 'Caption of a filter shown on lists of changes (e.g. [[Special:Log]], [[Special:Contributions]], [[Special:Newpages]], [[Special:Recentchanges]], [[Special:Recentchangeslinked]], page histories)', 'tag-filter-submit' => 'Caption of the submit button displayed next to the tag filter on lists of changes (e.g. [[Special:Log]], [[Special:Contributions]], [[Special:Newpages]], [[Special:Recentchanges]], [[Special:Recentchangeslinked]], page histories) {{Identical|Filter}}', 'tags-title' => 'The title of [[Special:Tags]]', 'tags-intro' => 'Explanation on top of [[Special:Tags]]. For more information on tags see [http://www.mediawiki.org/wiki/Manual:Tags Mediawiki].', 'tags-tag' => 'Caption of a column in [[Special:Tags]]. For more information on tags see [http://www.mediawiki.org/wiki/Manual:Tags Mediawiki].', 'tags-display-header' => 'Caption of a column in [[Special:Tags]]. For more information on tags see [http://www.mediawiki.org/wiki/Manual:Tags Mediawiki].', 'tags-description-header' => 'Caption of a column in [[Special:Tags]]. For more information on tags see [http://www.mediawiki.org/wiki/Manual:Tags Mediawiki].', 'tags-hitcount-header' => 'Caption of a column in [[Special:Tags]]. For more information on tags see [http://www.mediawiki.org/wiki/Manual:Tags Mediawiki].', 'tags-edit' => '{{Identical|Edit}} Used on [[Special:Tags]]. Verb. Used as display text on a link to create/edit a description.', 'tags-hitcount' => 'Shown in the “Tagged changes” column in [[Special:Tags]]. For more information on tags see [http://www.mediawiki.org/wiki/Manual:Tags Mediawiki]. * <code>$1</code> is the number of changes marked with the tag', # Database error messages 'dberr-header' => 'This message does not allow any wiki nor html markup.', 'dberr-problems' => 'This message does not allow any wiki nor html markup.', 'dberr-again' => 'This message does not allow any wiki nor html markup.', 'dberr-info' => 'This message does not allow any wiki nor html markup.', 'dberr-usegoogle' => 'This message does not allow any wiki nor html markup.', 'dberr-outofdate' => "In this sentence, '''their''' indexes refers to '''Google's''' indexes. This message does not allow any wiki nor html markup.", # HTML forms 'htmlform-submit' => '{{Identical|Submit}}', 'htmlform-reset' => '{{Identical|Undo}}', 'htmlform-selectorother-other' => 'Used in drop-down boxes in [[Special:Preferences]] as follows: * selection of timezone (date and time tab) * stub threshold (appearance tab) {{Identical|Other}}', ); Index: trunk/phase3/maintenance/language/messages.inc =================================================================== --- trunk/phase3/maintenance/language/messages.inc (revision 55799) +++ trunk/phase3/maintenance/language/messages.inc (revision 55800) @@ -1,3320 +1,3331 @@ <?php /** * Define the messages structure in the messages file, for an automated rewriting. * * @file * @ingroup MaintenanceLanguage */ /** The structure of the messages, divided to blocks */ $wgMessageStructure = array( 'sidebar' => array( 'sidebar', ), 'toggles' => array( 'tog-underline', 'tog-highlightbroken', 'tog-justify', 'tog-hideminor', 'tog-hidepatrolled', 'tog-newpageshidepatrolled', 'tog-extendwatchlist', 'tog-usenewrc', 'tog-numberheadings', 'tog-showtoolbar', 'tog-editondblclick', 'tog-editsection', 'tog-editsectiononrightclick', 'tog-showtoc', 'tog-rememberpassword', 'tog-editwidth', 'tog-watchcreations', 'tog-watchdefault', 'tog-watchmoves', 'tog-watchdeletion', 'tog-minordefault', 'tog-previewontop', 'tog-previewonfirst', 'tog-nocache', 'tog-enotifwatchlistpages', 'tog-enotifusertalkpages', 'tog-enotifminoredits', 'tog-enotifrevealaddr', 'tog-shownumberswatching', 'tog-oldsig', 'tog-fancysig', 'tog-externaleditor', 'tog-externaldiff', 'tog-showjumplinks', 'tog-uselivepreview', 'tog-forceeditsummary', 'tog-watchlisthideown', 'tog-watchlisthidebots', 'tog-watchlisthideminor', 'tog-watchlisthideliu', 'tog-watchlisthideanons', 'tog-watchlisthidepatrolled', 'tog-nolangconversion', 'tog-ccmeonemails', 'tog-diffonly', 'tog-showhiddencats', 'tog-noconvertlink', 'tog-norollbackdiff', ), 'underline' => array( 'underline-always', 'underline-never', 'underline-default', ), 'editfont' => array( 'editfont-style', 'editfont-default', 'editfont-monospace', 'editfont-sansserif', 'editfont-serif', ), 'dates' => array( 'sunday', 'monday', 'tuesday', 'wednesday', 'thursday', 'friday', 'saturday', 'sun', 'mon', 'tue', 'wed', 'thu', 'fri', 'sat', 'january', 'february', 'march', 'april', 'may_long', 'june', 'july', 'august', 'september', 'october', 'november', 'december', 'january-gen', 'february-gen', 'march-gen', 'april-gen', 'may-gen', 'june-gen', 'july-gen', 'august-gen', 'september-gen', 'october-gen', 'november-gen', 'december-gen', 'jan', 'feb', 'mar', 'apr', 'may', 'jun', 'jul', 'aug', 'sep', 'oct', 'nov', 'dec', ), 'categorypages' => array( 'pagecategories', 'pagecategorieslink', 'category_header', 'subcategories', 'category-media-header', 'category-empty', 'hidden-categories', 'hidden-category-category', 'category-subcat-count', 'category-subcat-count-limited', 'category-article-count', 'category-article-count-limited', 'category-file-count', 'category-file-count-limited', 'listingcontinuesabbrev', ), 'mainpage' => array( 'linkprefix', 'mainpagetext', 'mainpagedocfooter', ), 'miscellaneous1' => array( 'about', 'article', 'newwindow', 'cancel', 'moredotdotdot', 'mypage', 'mytalk', 'anontalk', 'navigation', 'and', ), 'cologneblue' => array( 'qbfind', 'qbbrowse', 'qbedit', 'qbpageoptions', 'qbpageinfo', 'qbmyoptions', 'qbspecialpages', 'faq', 'faqpage', 'sitetitle', 'sitesubtitle', ), 'vector' => array( 'vector-action-addsection', 'vector-action-delete', 'vector-action-move', 'vector-action-protect', 'vector-action-undelete', 'vector-action-unprotect', 'vector-namespace-category', 'vector-namespace-help', 'vector-namespace-image', 'vector-namespace-main', 'vector-namespace-media', 'vector-namespace-mediawiki', 'vector-namespace-project', 'vector-namespace-special', 'vector-namespace-talk', 'vector-namespace-template', 'vector-namespace-user', 'vector-view-create', 'vector-view-edit', 'vector-view-history', 'vector-view-view', 'vector-view-viewsource', 'actions', 'namespaces', 'variants', ), 'metadata_help' => array( 'metadata_help', ), 'miscellaneous2' => array( 'errorpagetitle', 'returnto', 'tagline', 'help', 'search', 'searchbutton', 'go', 'searcharticle', 'history', 'history_short', 'updatedmarker', 'info_short', 'printableversion', 'permalink', 'print', 'edit', 'create', 'editthispage', 'create-this-page', 'delete', 'deletethispage', 'undelete_short', 'protect', 'protect_change', 'protectthispage', 'unprotect', 'unprotectthispage', 'newpage', 'talkpage', 'talkpagelinktext', 'specialpage', 'personaltools', 'postcomment', 'addsection', 'articlepage', 'talk', 'views', 'toolbox', 'userpage', 'projectpage', 'imagepage', 'mediawikipage', 'templatepage', 'viewhelppage', 'categorypage', 'viewtalkpage', 'otherlanguages', 'redirectedfrom', 'redirectpagesub', 'talkpageheader', 'lastmodifiedat', 'viewcount', 'protectedpage', 'jumpto', 'jumptonavigation', 'jumptosearch', 'view-pool-error', ), 'links' => array( 'aboutsite', 'aboutpage', 'copyright', 'copyrightpage', 'currentevents', 'currentevents-url', 'disclaimers', 'disclaimerpage', 'edithelp', 'edithelppage', 'help', 'helppage', 'mainpage', 'mainpage-description', 'policy-url', 'portal', 'portal-url', 'privacy', 'privacypage', ), 'badaccess' => array( 'badaccess', 'badaccess-group0', 'badaccess-groups', ), 'versionrequired' => array( 'versionrequired', 'versionrequiredtext', ), 'miscellaneous3' => array( 'ok', 'pagetitle', 'pagetitle-view-mainpage', 'retrievedfrom', 'youhavenewmessages', 'newmessageslink', 'newmessagesdifflink', 'youhavenewmessagesmulti', 'newtalkseparator', 'editsection', 'editsection-brackets', 'editold', 'viewsourceold', 'editlink', 'viewsourcelink', 'editsectionhint', 'toc', 'showtoc', 'hidetoc', 'thisisdeleted', 'viewdeleted', 'restorelink', 'feedlinks', 'feed-invalid', 'feed-unavailable', 'site-rss-feed', 'site-atom-feed', 'page-rss-feed', 'page-atom-feed', 'feed-atom', 'feed-rss', 'sitenotice', 'anonnotice', 'newsectionheaderdefaultlevel', 'red-link-title', + 'img-auth-accessdenied', + 'img-auth-desc', + 'img-auth-nopathinfo', + 'img-auth-notindir', + 'img-auth-badtitle', + 'img-auth-nologinnWL', + 'img-auth-nofile', + 'img-auth-isdir', + 'img-auth-streaming', + 'img-auth-public', + 'img-auth-noread', ), 'nstab' => array( 'nstab-main', 'nstab-user', 'nstab-media', 'nstab-special', 'nstab-project', 'nstab-image', 'nstab-mediawiki', 'nstab-template', 'nstab-help', 'nstab-category', ), 'main' => array( 'nosuchaction', 'nosuchactiontext', 'nosuchspecialpage', 'nospecialpagetext', ), 'errors' => array( 'error', 'databaseerror', 'dberrortext', 'dberrortextcl', 'laggedslavemode', 'readonly', 'enterlockreason', 'readonlytext', 'missing-article', 'missingarticle-rev', 'missingarticle-diff', 'readonly_lag', 'internalerror', 'internalerror_info', 'fileappenderror', 'filecopyerror', 'filerenameerror', 'filedeleteerror', 'directorycreateerror', 'filenotfound', 'fileexistserror', 'unexpected', 'formerror', 'badarticleerror', 'cannotdelete', 'badtitle', 'badtitletext', 'perfcached', 'perfcachedts', 'querypage-no-updates', 'wrong_wfQuery_params', 'viewsource', 'viewsourcefor', 'actionthrottled', 'actionthrottledtext', 'protectedpagetext', 'viewsourcetext', 'protectedinterface', 'editinginterface', 'sqlhidden', 'cascadeprotected', 'namespaceprotected', 'customcssjsprotected', 'ns-specialprotected', 'titleprotected', ), 'virus' => array( 'virus-badscanner', 'virus-scanfailed', 'virus-unknownscanner', ), 'login' => array( 'logouttext', 'welcomecreation', 'yourname', 'yourpassword', 'yourpasswordagain', 'remembermypassword', 'yourdomainname', 'externaldberror', 'login', 'nav-login-createaccount', 'loginprompt', 'userlogin', 'logout', 'userlogout', 'notloggedin', 'nologin', 'nologinlink', 'createaccount', 'gotaccount', 'gotaccountlink', 'createaccountmail', 'badretype', 'userexists', 'loginerror', 'nocookiesnew', 'nocookieslogin', 'noname', 'loginsuccesstitle', 'loginsuccess', 'nosuchuser', 'nosuchusershort', 'nouserspecified', 'wrongpassword', 'wrongpasswordempty', 'passwordtooshort', 'password-name-match', 'mailmypassword', 'passwordremindertitle', 'passwordremindertext', 'noemail', 'passwordsent', 'blocked-mailpassword', 'eauthentsent', 'throttled-mailpassword', 'loginstart', 'loginend', 'signupend', 'mailerror', 'acct_creation_throttle_hit', 'emailauthenticated', 'emailnotauthenticated', 'noemailprefs', 'emailconfirmlink', 'invalidemailaddress', 'accountcreated', 'accountcreatedtext', 'createaccount-title', 'createaccount-text', 'login-throttled', 'loginlanguagelabel', 'loginlanguagelinks', ), 'resetpass' => array( 'resetpass', 'resetpass_announce', 'resetpass_text', 'resetpass_header', 'oldpassword', 'newpassword', 'retypenew', 'resetpass_submit', 'resetpass_success', 'resetpass_forbidden', 'resetpass-no-info', 'resetpass-submit-loggedin', 'resetpass-wrong-oldpass', 'resetpass-temp-password', ), 'toolbar' => array( 'bold_sample', 'bold_tip', 'italic_sample', 'italic_tip', 'link_sample', 'link_tip', 'extlink_sample', 'extlink_tip', 'headline_sample', 'headline_tip', 'math_sample', 'math_tip', 'nowiki_sample', 'nowiki_tip', 'image_sample', 'image_tip', 'media_sample', 'media_tip', 'sig_tip', 'hr_tip', ), 'edit' => array( 'summary', 'subject', 'minoredit', 'watchthis', 'savearticle', 'preview', 'showpreview', 'showlivepreview', 'showdiff', 'anoneditwarning', 'missingsummary', 'missingcommenttext', 'missingcommentheader', 'summary-preview', 'subject-preview', 'blockedtitle', 'blockedtext', 'autoblockedtext', 'blockednoreason', 'blockedoriginalsource', 'blockededitsource', 'whitelistedittitle', 'whitelistedittext', 'confirmedittext', 'nosuchsectiontitle', 'nosuchsectiontext', 'loginreqtitle', 'loginreqlink', 'loginreqpagetext', 'accmailtitle', 'accmailtext', 'newarticle', 'newarticletext', 'newarticletextanon', 'talkpagetext', 'anontalkpagetext', 'noarticletext', 'noarticletextanon', 'userpage-userdoesnotexist', 'clearyourcache', 'usercssyoucanpreview', 'userjsyoucanpreview', 'usercsspreview', 'userjspreview', 'userinvalidcssjstitle', 'updated', 'note', 'previewnote', 'previewconflict', 'session_fail_preview', 'session_fail_preview_html', 'token_suffix_mismatch', 'editing', 'editingsection', 'editingcomment', 'editconflict', 'explainconflict', 'yourtext', 'storedversion', 'nonunicodebrowser', 'editingold', 'yourdiff', 'copyrightwarning', 'copyrightwarning2', 'editpage-tos-summary', 'longpagewarning', 'longpageerror', 'readonlywarning', 'protectedpagewarning', 'semiprotectedpagewarning', 'cascadeprotectedwarning', 'titleprotectedwarning', 'templatesused', 'templatesusedpreview', 'templatesusedsection', 'template-protected', 'template-semiprotected', 'hiddencategories', 'edittools', 'nocreatetitle', 'nocreatetext', 'nocreate-loggedin', 'permissionserrors', 'permissionserrorstext', 'permissionserrorstext-withaction', 'recreate-moveddeleted-warn', 'moveddeleted-notice', 'log-fulllog', 'edit-hook-aborted', 'edit-gone-missing', 'edit-conflict', 'edit-no-change', 'edit-already-exists', ), 'parserwarnings' => array( 'expensive-parserfunction-warning', 'expensive-parserfunction-category', 'post-expand-template-inclusion-warning', 'post-expand-template-inclusion-category', 'post-expand-template-argument-warning', 'post-expand-template-argument-category', 'parser-template-loop-warning', 'parser-template-recursion-depth-warning', ), 'undo' => array( 'undo-success', 'undo-failure', 'undo-norev', 'undo-summary', ), 'cantcreateaccount' => array( 'cantcreateaccounttitle', 'cantcreateaccount-text', 'cantcreateaccount-nonblock-text', ), 'history' => array( 'viewpagelogs', 'nohistory', 'currentrev', 'currentrev-asof', 'revisionasof', 'revision-info', 'revision-info-current', 'revision-nav', 'previousrevision', 'nextrevision', 'currentrevisionlink', 'cur', 'next', 'last', 'page_first', 'page_last', 'histlegend', 'history-fieldset-title', 'history_copyright', 'histfirst', 'histlast', 'historysize', 'historyempty', ), 'history-feed' => array( 'history-feed-title', 'history-feed-description', 'history-feed-item-nocomment', 'history-feed-empty', ), 'revdelete' => array( 'rev-deleted-comment', 'rev-deleted-user', 'rev-deleted-event', 'rev-deleted-text-permission', 'rev-deleted-text-unhide', 'rev-suppressed-text-unhide', 'rev-deleted-text-view', 'rev-suppressed-text-view', 'rev-deleted-no-diff', 'rev-deleted-unhide-diff', 'rev-delundel', 'revisiondelete', 'revdelete-nooldid-title', 'revdelete-nooldid-text', 'revdelete-nologtype-title', 'revdelete-nologtype-text', 'revdelete-nologid-title', 'revdelete-nologid-text', 'revdelete-no-file', 'revdelete-show-file-confirm', 'revdelete-show-file-submit', 'revdelete-selected', 'logdelete-selected', 'revdelete-text', 'revdelete-suppress-text', 'revdelete-legend', 'revdelete-hide-text', 'revdelete-hide-name', 'revdelete-hide-comment', 'revdelete-hide-user', 'revdelete-hide-restricted', 'revdelete-suppress', 'revdelete-hide-image', 'revdelete-unsuppress', 'revdelete-log', 'revdelete-submit', 'revdelete-logentry', 'logdelete-logentry', 'revdelete-logaction', 'logdelete-logaction', 'revdelete-success', 'revdelete-failure', 'logdelete-success', 'logdelete-failure', 'revdel-restore', 'pagehist', 'deletedhist', 'revdelete-content', 'revdelete-summary', 'revdelete-uname', 'revdelete-restricted', 'revdelete-unrestricted', 'revdelete-hid', 'revdelete-unhid', 'revdelete-log-message', 'logdelete-log-message', 'revdelete-hide-current', 'revdelete-show-no-access', 'revdelete-modify-no-access', 'revdelete-modify-missing', 'revdelete-no-change', 'revdelete-concurrent-change', 'revdelete-only-restricted', 'revdelete-reason-dropdown', 'revdelete-otherreason', 'revdelete-reasonotherlist', ), 'suppression' => array( 'suppressionlog', 'suppressionlogtext', ), 'mergehistory' => array( 'mergehistory', 'mergehistory-header', 'mergehistory-box', 'mergehistory-from', 'mergehistory-into', 'mergehistory-list', 'mergehistory-merge', 'mergehistory-go', 'mergehistory-submit', 'mergehistory-empty', 'mergehistory-success', 'mergehistory-fail', 'mergehistory-no-source', 'mergehistory-no-destination', 'mergehistory-invalid-source', 'mergehistory-invalid-destination', 'mergehistory-autocomment', 'mergehistory-comment', 'mergehistory-same-destination', 'mergehistory-reason' ), 'mergelog' => array( 'mergelog', 'pagemerge-logentry', 'revertmerge', 'mergelogpagetext', ), 'diffs' => array( 'history-title', 'difference', 'lineno', 'compareselectedversions', 'showhideselectedversions', 'visualcomparison', 'wikicodecomparison', 'editundo', 'diff-multi', 'diff-movedto', 'diff-styleadded', 'diff-added', 'diff-changedto', 'diff-movedoutof', 'diff-styleremoved', 'diff-removed', 'diff-changedfrom', 'diff-src', 'diff-withdestination', 'diff-with', 'diff-with-additional', 'diff-with-final', 'diff-width', 'diff-height', 'diff-p', 'diff-blockquote', 'diff-h1', 'diff-h2', 'diff-h3', 'diff-h4', 'diff-h5', 'diff-pre', 'diff-div', 'diff-ul', 'diff-ol', 'diff-li', 'diff-table', 'diff-tbody', 'diff-tr', 'diff-td', 'diff-th', 'diff-br', 'diff-hr', 'diff-code', 'diff-dl', 'diff-dt', 'diff-dd', 'diff-input', 'diff-form', 'diff-img', 'diff-span', 'diff-a', 'diff-i', 'diff-b', 'diff-strong', 'diff-em', 'diff-font', 'diff-big', 'diff-del', 'diff-tt', 'diff-sub', 'diff-sup', 'diff-strike', ), 'search' => array( 'searchresults', 'searchresults-title', 'searchresulttext', 'searchsubtitle', 'searchsubtitleinvalid', 'noexactmatch', 'noexactmatch-nocreate', 'toomanymatches', 'titlematches', 'notitlematches', 'textmatches', 'notextmatches', 'prevn', 'nextn', 'prevn-title', 'nextn-title', 'shown-title', 'viewprevnext', 'searchmenu-legend', 'searchmenu-exists', 'searchmenu-new', 'searchhelp-url', 'searchmenu-prefix', 'searchmenu-help', 'searchprofile-articles', 'searchprofile-project', 'searchprofile-images', 'searchprofile-everything', 'searchprofile-advanced', 'searchprofile-articles-tooltip', 'searchprofile-project-tooltip', 'searchprofile-images-tooltip', 'searchprofile-everything-tooltip', 'searchprofile-advanced-tooltip', 'search-result-size', 'search-result-score', 'search-redirect', 'search-section', 'search-suggest', 'search-interwiki-caption', 'search-interwiki-default', 'search-interwiki-custom', 'search-interwiki-more', 'search-mwsuggest-enabled', 'search-mwsuggest-disabled', 'search-relatedarticle', 'mwsuggest-disable', 'searcheverything-enable', 'searchrelated', 'searchall', 'showingresults', 'showingresultsnum', 'showingresultsheader', 'nonefound', 'search-nonefound', 'powersearch', 'powersearch-legend', 'powersearch-ns', 'powersearch-redir', 'powersearch-field', 'powersearch-togglelabel', 'powersearch-toggleall', 'powersearch-togglenone', 'search-external', 'searchdisabled', 'googlesearch', ), 'opensearch' => array( 'opensearch-desc', ), 'quickbar' => array( 'qbsettings', 'qbsettings-none', 'qbsettings-fixedleft', 'qbsettings-fixedright', 'qbsettings-floatingleft', 'qbsettings-floatingright', ), 'preferences' => array( 'preferences', 'preferences-summary', 'mypreferences', 'prefs-edits', 'prefsnologin', 'prefsnologintext', 'changepassword', 'prefs-skin', 'skin-preview', 'prefs-math', 'datedefault', 'prefs-datetime', 'prefs-personal', 'prefs-rc', 'prefs-watchlist', 'prefs-watchlist-days', 'prefs-watchlist-days-max', 'prefs-watchlist-edits', 'prefs-watchlist-edits-max', 'prefs-watchlist-token', 'prefs-misc', // continue checking if used from here on (r49916) 'prefs-resetpass', 'prefs-email', 'prefs-rendering', 'saveprefs', 'resetprefs', 'restoreprefs', 'prefs-editing', 'prefs-edit-boxsize', 'rows', 'columns', 'searchresultshead', 'resultsperpage', 'contextlines', 'contextchars', 'stub-threshold', 'recentchangesdays', 'recentchangesdays-max', 'recentchangescount', 'prefs-help-recentchangescount', 'prefs-help-watchlist-token', 'savedprefs', 'timezonelegend', 'localtime', 'timezoneuseserverdefault', 'timezoneuseoffset', 'timezoneoffset', 'servertime', 'guesstimezone', 'timezoneregion-africa', 'timezoneregion-america', 'timezoneregion-antarctica', 'timezoneregion-arctic', 'timezoneregion-asia', 'timezoneregion-atlantic', 'timezoneregion-australia', 'timezoneregion-europe', 'timezoneregion-indian', 'timezoneregion-pacific', 'allowemail', 'prefs-searchoptions', 'prefs-namespaces', 'defaultns', 'default', 'defaultns', 'prefs-files', 'prefs-custom-css', 'prefs-custom-js', 'prefs-reset-intro', 'prefs-emailconfirm-label', 'prefs-textboxsize', 'youremail', 'username', 'uid', 'prefs-memberingroups', 'prefs-memberingroups-type', 'prefs-registration', 'prefs-registration-date-time', 'yourrealname', 'yourlanguage', 'yourvariant', 'yournick', 'prefs-help-signature', 'badsig', 'badsiglength', 'yourgender', 'gender-unknown', 'gender-male', 'gender-female', 'prefs-help-gender', 'email', 'prefs-help-realname', 'prefs-help-email', 'prefs-help-email-required', 'prefs-info', 'prefs-i18n', 'prefs-signature', 'prefs-dateformat', 'prefs-timeoffset', 'prefs-advancedediting', 'prefs-advancedrc', 'prefs-advancedrendering', 'prefs-advancedsearchoptions', 'prefs-advancedwatchlist', 'prefs-display', 'prefs-diffs', ), 'userrights' => array( 'userrights', 'userrights-summary', 'userrights-lookup-user', 'userrights-user-editname', 'editusergroup', 'editinguser', 'userrights-editusergroup', 'saveusergroups', 'userrights-groupsmember', 'userrights-groups-help', 'userrights-reason', 'userrights-no-interwiki', 'userrights-nodatabase', 'userrights-nologin', 'userrights-notallowed', 'userrights-changeable-col', 'userrights-unchangeable-col', 'userrights-irreversible-marker', ), 'group' => array( 'group', 'group-user', 'group-autoconfirmed', 'group-bot', 'group-sysop', 'group-bureaucrat', 'group-suppress', 'group-all', ), 'group-member' => array( 'group-user-member', 'group-autoconfirmed-member', 'group-bot-member', 'group-sysop-member', 'group-bureaucrat-member', 'group-suppress-member', ), 'grouppage' => array( 'grouppage-user', 'grouppage-autoconfirmed', 'grouppage-bot', 'grouppage-sysop', 'grouppage-bureaucrat', 'grouppage-suppress', ), 'right' => array( 'right-read', 'right-edit', 'right-createpage', 'right-createtalk', 'right-createaccount', 'right-minoredit', 'right-move', 'right-move-subpages', 'right-move-rootuserpages', 'right-movefile', 'right-suppressredirect', 'right-upload', 'right-reupload', 'right-reupload-own', 'right-reupload-shared', 'right-upload_by_url', 'right-purge', 'right-autoconfirmed', 'right-bot', 'right-nominornewtalk', 'right-apihighlimits', 'right-writeapi', 'right-delete', 'right-bigdelete', 'right-deleterevision', 'right-deletedhistory', 'right-browsearchive', 'right-undelete', 'right-suppressrevision', 'right-suppressionlog', 'right-block', 'right-blockemail', 'right-hideuser', 'right-ipblock-exempt', 'right-proxyunbannable', 'right-protect', 'right-editprotected', 'right-editinterface', 'right-editusercssjs', 'right-editusercss', 'right-edituserjs', 'right-rollback', 'right-markbotedits', 'right-noratelimit', 'right-import', 'right-importupload', 'right-patrol', 'right-autopatrol', 'right-patrolmarks', 'right-unwatchedpages', 'right-trackback', 'right-mergehistory', 'right-userrights', 'right-userrights-interwiki', 'right-siteadmin', 'right-reset-passwords', 'right-override-export-depth', 'right-versiondetail', ), 'rightslog' => array( 'rightslog', 'rightslogtext', 'rightslogentry', 'rightsnone', ), 'action' => array( 'action-read', 'action-edit', 'action-createpage', 'action-createtalk', 'action-createaccount', 'action-minoredit', 'action-move', 'action-move-subpages', 'action-move-rootuserpages', 'action-movefile', 'action-upload', 'action-reupload', 'action-reupload-shared', 'action-upload_by_url', 'action-writeapi', 'action-delete', 'action-deleterevision', 'action-deletedhistory', 'action-browsearchive', 'action-undelete', 'action-suppressrevision', 'action-suppressionlog', 'action-block', 'action-protect', 'action-import', 'action-importupload', 'action-patrol', 'action-autopatrol', 'action-unwatchedpages', 'action-trackback', 'action-mergehistory', 'action-userrights', 'action-userrights-interwiki', 'action-siteadmin', ), 'recentchanges' => array( 'nchanges', 'recentchanges', 'recentchanges-url', 'recentchanges-legend', 'recentchangestext', 'recentchanges-feed-description', 'recentchanges-label-legend', 'recentchanges-legend-newpage', 'recentchanges-label-newpage', 'recentchanges-legend-minor', 'recentchanges-label-minor', 'recentchanges-legend-bot', 'recentchanges-label-bot', 'recentchanges-legend-unpatrolled', 'recentchanges-label-unpatrolled', 'rcnote', 'rcnotefrom', 'rclistfrom', 'rcshowhideminor', 'rcshowhidebots', 'rcshowhideliu', 'rcshowhideanons', 'rcshowhidepatr', 'rcshowhidemine', 'rclinks', 'diff', 'hist', 'hide', 'show', 'minoreditletter', 'newpageletter', 'boteditletter', 'unpatrolledletter', 'sectionlink', 'number_of_watching_users_RCview', 'number_of_watching_users_pageview', 'rc_categories', 'rc_categories_any', 'rc-change-size', 'newsectionsummary', 'rc-enhanced-expand', 'rc-enhanced-hide', ), 'recentchangeslinked' => array( 'recentchangeslinked', 'recentchangeslinked-feed', 'recentchangeslinked-toolbox', 'recentchangeslinked-title', 'recentchangeslinked-backlink', 'recentchangeslinked-noresult', 'recentchangeslinked-summary', 'recentchangeslinked-page', 'recentchangeslinked-to', ), 'upload' => array( 'upload', 'uploadbtn', 'reupload', 'reuploaddesc', 'uploadnologin', 'uploadnologintext', 'upload_directory_missing', 'upload_directory_read_only', 'uploaderror', 'upload-summary', 'uploadtext', 'upload-permitted', 'upload-preferred', 'upload-prohibited', 'uploadfooter', 'uploadlog', 'uploadlogpage', 'uploadlogpagetext', 'filename', 'filedesc', 'fileuploadsummary', 'filereuploadsummary', 'filestatus', 'filesource', 'uploadedfiles', 'ignorewarning', 'ignorewarnings', 'minlength1', 'illegalfilename', 'badfilename', 'filetype-badmime', 'filetype-bad-ie-mime', 'filetype-unwanted-type', 'filetype-banned-type', 'filetype-missing', 'large-file', 'largefileserver', 'emptyfile', 'fileexists', 'filepageexists', 'fileexists-extension', 'fileexists-thumb', 'fileexists-thumbnail-yes', 'file-thumbnail-no', 'fileexists-forbidden', 'fileexists-shared-forbidden', 'file-exists-duplicate', 'file-deleted-duplicate', 'successfulupload', 'uploadwarning', 'savefile', 'uploadedimage', 'overwroteimage', 'uploaddisabled', 'uploaddisabledtext', 'php-uploaddisabledtext', 'uploadscripted', 'uploadcorrupt', 'uploadvirus', 'sourcefilename', 'destfilename', 'upload-maxfilesize', 'watchthisupload', 'filewasdeleted', 'upload-wasdeleted', 'filename-bad-prefix', 'filename-prefix-blacklist', ), 'upload-errors' => array( 'upload-proto-error', 'upload-proto-error-text', 'upload-file-error', 'upload-file-error-text', 'upload-misc-error', 'upload-misc-error-text', 'upload-too-many-redirects', 'upload-unknown-size', 'upload-http-error', ), 'upload-curl-errors' => array( 'upload-curl-error6', 'upload-curl-error6-text', 'upload-curl-error28', 'upload-curl-error28-text', ), 'licenses' => array( 'license', 'license-header', 'nolicense', 'licenses', 'license-nopreview', 'upload_source_url', 'upload_source_file', ), 'filelist' => array( 'listfiles-summary', 'listfiles_search_for', 'imgfile', 'listfiles', 'listfiles_date', 'listfiles_name', 'listfiles_user', 'listfiles_size', 'listfiles_description', 'listfiles_count', ), 'filedescription' => array( 'file-anchor-link', 'filehist', 'filehist-help', 'filehist-deleteall', 'filehist-deleteone', 'filehist-revert', 'filehist-current', 'filehist-datetime', 'filehist-thumb', 'filehist-thumbtext', 'filehist-nothumb', 'filehist-user', 'filehist-dimensions', 'filehist-filesize', 'filehist-comment', 'filehist-missing', 'imagelinks', 'linkstoimage', 'linkstoimage-more', 'nolinkstoimage', 'morelinkstoimage', 'redirectstofile', 'duplicatesoffile', 'sharedupload', 'sharedupload-desc-there', 'sharedupload-desc-here', 'shareddescriptionfollows', 'filepage-nofile', 'filepage-nofile-link', 'uploadnewversion-linktext', 'shared-repo-from', 'shared-repo', ), 'filerevert' => array( 'filerevert', 'filerevert-backlink', 'filerevert-legend', 'filerevert-intro', 'filerevert-comment', 'filerevert-defaultcomment', 'filerevert-submit', 'filerevert-success', 'filerevert-badversion', ), 'filedelete' => array( 'filedelete', 'filedelete-backlink', 'filedelete-legend', 'filedelete-intro', 'filedelete-intro-old', 'filedelete-comment', 'filedelete-submit', 'filedelete-success', 'filedelete-success-old', 'filedelete-nofile', 'filedelete-nofile-old', 'filedelete-otherreason', 'filedelete-reason-otherlist', 'filedelete-reason-dropdown', 'filedelete-edit-reasonlist', ), 'mimesearch' => array( 'mimesearch', 'mimesearch-summary', 'mimetype', 'download', ), 'unwatchedpages' => array( 'unwatchedpages', 'unwatchedpages-summary', ), 'listredirects' => array( 'listredirects', 'listredirects-summary', ), 'unusedtemplates' => array( 'unusedtemplates', 'unusedtemplates-summary', 'unusedtemplatestext', 'unusedtemplateswlh', ), 'randompage' => array( 'randompage', 'randompage-nopages', 'randompage-url', ), 'randomredirect' => array( 'randomredirect', 'randomredirect-nopages', ), 'statistics' => array( 'statistics', 'statistics-summary', 'statistics-header-pages', 'statistics-header-edits', 'statistics-header-views', 'statistics-header-users', 'statistics-header-hooks', 'statistics-articles', 'statistics-pages', 'statistics-pages-desc', 'statistics-files', 'statistics-edits', 'statistics-edits-average', 'statistics-views-total', 'statistics-views-peredit', 'statistics-jobqueue', 'statistics-users', 'statistics-users-active', 'statistics-users-active-desc', 'statistics-mostpopular', 'statistics-footer', ), 'disambiguations' => array( 'disambiguations', 'disambiguations-summary', 'disambiguationspage', 'disambiguations-text', ), 'doubleredirects' => array( 'doubleredirects', 'doubleredirects-summary', 'doubleredirectstext', 'double-redirect-fixed-move', 'double-redirect-fixer', ), 'brokenredirects' => array( 'brokenredirects', 'brokenredirects-summary', 'brokenredirectstext', 'brokenredirects-edit', 'brokenredirects-delete', ), 'withoutinterwiki' => array( 'withoutinterwiki', 'withoutinterwiki-summary', 'withoutinterwiki-legend', 'withoutinterwiki-submit', ), 'fewestrevisions' => array( 'fewestrevisions', 'fewestrevisions-summary', ), 'specialpages' => array( 'nbytes', 'ncategories', 'nlinks', 'nmembers', 'nrevisions', 'nviews', 'nchanges', 'specialpage-empty', 'lonelypages', 'lonelypages-summary', 'lonelypagestext', 'uncategorizedpages', 'uncategorizedpages-summary', 'uncategorizedcategories', 'uncategorizedcategories-summary', 'uncategorizedimages', 'uncategorizedimages-summary', 'uncategorizedtemplates', 'uncategorizedtemplates-summary', 'unusedcategories', 'unusedimages', 'popularpages', 'popularpages-summary', 'wantedcategories', 'wantedcategories-summary', 'wantedpages', 'wantedpages-summary', 'wantedpages-badtitle', 'wantedfiles', 'wantedfiles-summary', 'wantedtemplates', 'wantedtemplates-summary', 'mostlinked', 'mostlinked-summary', 'mostlinkedcategories', 'mostlinkedcategories-summary', 'mostlinkedtemplates', 'mostlinkedtemplates-summary', 'mostcategories', 'mostcategories-summary', 'mostimages', 'mostimages-summary', 'mostrevisions', 'mostrevisions-summary', 'prefixindex', 'prefixindex-summary', 'shortpages', 'shortpages-summary', 'longpages', 'longpages-summary', 'deadendpages', 'deadendpages-summary', 'deadendpagestext', 'protectedpages', 'protectedpages-indef', 'protectedpages-summary', 'protectedpages-cascade', 'protectedpagestext', 'protectedpagesempty', 'protectedtitles', 'protectedtitles-summary', 'protectedtitlestext', 'protectedtitlesempty', 'listusers', 'listusers-summary', 'listusers-editsonly', 'listusers-creationsort', 'usereditcount', 'usercreated', 'newpages', 'newpages-summary', 'newpages-username', 'ancientpages', 'ancientpages-summary', 'move', 'movethispage', 'unusedimagestext', 'unusedcategoriestext', 'notargettitle', 'notargettext', 'nopagetitle', 'nopagetext', 'pager-newer-n', 'pager-older-n', 'suppress', ), 'booksources' => array( 'booksources', 'booksources-summary', 'booksources-search-legend', 'booksources-isbn', 'booksources-go', 'booksources-text', 'booksources-invalid-isbn', ), 'magicwords' => array( 'rfcurl', 'pubmedurl', ), 'logpages' => array( 'specialloguserlabel', 'speciallogtitlelabel', 'log', 'all-logs-page', 'alllogstext', 'logempty', 'log-title-wildcard', ), 'allpages' => array( 'allpages', 'allpages-summary', 'alphaindexline', 'nextpage', 'prevpage', 'allpagesfrom', 'allpagesto', 'allarticles', 'allinnamespace', 'allnotinnamespace', 'allpagesprev', 'allpagesnext', 'allpagessubmit', 'allpagesprefix', 'allpagesbadtitle', 'allpages-bad-ns', ), 'categories' => array( 'categories', 'categories-summary', 'categoriespagetext', 'categoriesfrom', 'special-categories-sort-count', 'special-categories-sort-abc', ), 'deletedcontribs' => array( 'deletedcontributions', 'deletedcontributions-title', 'sp-deletedcontributions-contribs', ), 'linksearch' => array( 'linksearch', 'linksearch-pat', 'linksearch-ns', 'linksearch-ok', 'linksearch-text', 'linksearch-line', 'linksearch-error', ), 'listusers' => array( 'listusersfrom', 'listusers-submit', 'listusers-noresult', 'listusers-blocked', ), 'activeusers' => array( 'activeusers', 'activeusers-summary', 'activeusers-count', 'activeusers-from', 'activeusers-submit', 'activeusers-noresult', ), 'newuserlog' => array( 'newuserlogpage', 'newuserlogpagetext', 'newuserlogentry', 'newuserlog-byemail', 'newuserlog-create-entry', 'newuserlog-create2-entry', 'newuserlog-autocreate-entry', ), 'listgrouprights' => array( 'listgrouprights', 'listgrouprights-summary', 'listgrouprights-key', 'listgrouprights-group', 'listgrouprights-rights', 'listgrouprights-helppage', 'listgrouprights-members', 'listgrouprights-right-display', 'listgrouprights-right-revoked', 'listgrouprights-addgroup', 'listgrouprights-removegroup', 'listgrouprights-addgroup-all', 'listgrouprights-removegroup-all', 'listgrouprights-addgroup-self', 'listgrouprights-removegroup-self', 'listgrouprights-addgroup-self-all', 'listgrouprights-removegroup-self-all', ), 'emailuser' => array( 'mailnologin', 'mailnologintext', 'emailuser', 'emailpage', 'emailpagetext', 'usermailererror', 'defemailsubject', 'noemailtitle', 'noemailtext', 'nowikiemailtitle', 'nowikiemailtext', 'email-legend', 'emailfrom', 'emailto', 'emailsubject', 'emailmessage', 'emailsend', 'emailccme', 'emailccsubject', 'emailsent', 'emailsenttext', 'emailuserfooter', ), 'watchlist' => array( 'watchlist', 'mywatchlist', 'watchlistfor', 'nowatchlist', 'watchlistanontext', 'watchnologin', 'watchnologintext', 'addedwatch', 'addedwatchtext', 'removedwatch', 'removedwatchtext', 'watch', 'watchthispage', 'unwatch', 'unwatchthispage', 'notanarticle', 'notvisiblerev', 'watchnochange', 'watchlist-details', 'wlheader-enotif', 'wlheader-showupdated', 'watchmethod-recent', 'watchmethod-list', 'watchlistcontains', 'iteminvalidname', 'wlnote', 'wlshowlast', 'watchlist-options', ), 'watching' => array( 'watching', 'unwatching', ), 'enotif' => array( 'enotif_mailer', 'enotif_reset', 'enotif_newpagetext', 'enotif_impersonal_salutation', 'changed', 'created', 'deleted', 'enotif_deletedpagetext', 'enotif_subject', 'enotif_lastvisited', 'enotif_lastdiff', 'enotif_anon_editor', 'enotif_rev_info', 'enotif_body', ), 'delete' => array( 'deletepage', 'confirm', 'excontent', 'excontentauthor', 'exbeforeblank', 'exblank', 'delete-confirm', 'delete-backlink', 'delete-legend', 'historywarning', 'confirmdeletetext', 'actioncomplete', 'actionfailed', 'deletedtext', 'deletedarticle', 'suppressedarticle', 'dellogpage', 'dellogpagetext', 'deletionlog', 'reverted', 'deletecomment', 'deleteotherreason', 'deletereasonotherlist', 'deletereason-dropdown', 'delete-edit-reasonlist', 'delete-toobig', 'delete-warning-toobig', ), 'rollback' => array( 'rollback', 'rollback_short', 'rollbacklink', 'rollbackfailed', 'cantrollback', 'alreadyrolled', 'editcomment', 'revertpage', 'revertpage-nouser', 'rollback-success', 'sessionfailure', ), 'protect' => array( 'protectlogpage', 'protectlogtext', 'protectedarticle', 'modifiedarticleprotection', 'unprotectedarticle', 'movedarticleprotection', 'protect-title', 'prot_1movedto2', 'protect-backlink', 'protect-legend', 'protectcomment', 'protectexpiry', 'protect_expiry_invalid', 'protect_expiry_old', 'protect-unchain', 'protect-text', 'protect-locked-blocked', 'protect-locked-dblock', 'protect-locked-access', 'protect-cascadeon', 'protect-default', 'protect-fallback', 'protect-level-autoconfirmed', 'protect-level-sysop', 'protect-summary-cascade', 'protect-expiring', 'protect-expiry-indefinite', 'protect-cascade', 'protect-cantedit', 'protect-othertime', 'protect-othertime-op', 'protect-existing-expiry', 'protect-otherreason', 'protect-otherreason-op', 'protect-dropdown', 'protect-edit-reasonlist', 'protect-expiry-options', 'restriction-type', 'restriction-level', 'minimum-size', 'maximum-size', 'pagesize', ), 'restrictions' => array( 'restriction-edit', 'restriction-move', 'restriction-create', 'restriction-upload', ), 'restriction-levels' => array( 'restriction-level-sysop', 'restriction-level-autoconfirmed', 'restriction-level-all', ), 'undelete' => array( 'undelete', 'undeletepage', 'undeletepagetitle', 'viewdeletedpage', 'undeletepagetext', 'undelete-fieldset-title', 'undeleteextrahelp', 'undeleterevisions', 'undeletehistory', 'undeleterevdel', 'undeletehistorynoadmin', 'undelete-revision', 'undeleterevision-missing', 'undelete-nodiff', 'undeletebtn', 'undeletelink', 'undeleteviewlink', 'undeletereset', 'undeleteinvert', 'undeletecomment', 'undeletedarticle', 'undeletedrevisions', 'undeletedrevisions-files', 'undeletedfiles', 'cannotundelete', 'undeletedpage', 'undelete-header', 'undelete-search-box', 'undelete-search-prefix', 'undelete-search-submit', 'undelete-no-results', 'undelete-filename-mismatch', 'undelete-bad-store-key', 'undelete-cleanup-error', 'undelete-missing-filearchive', 'undelete-error-short', 'undelete-error-long', 'undelete-show-file-confirm', 'undelete-show-file-submit', ), 'nsform' => array( 'namespace', 'invert', 'blanknamespace', ), 'contributions' => array( 'contributions', 'contributions-title', 'mycontris', 'contribsub2', 'nocontribs', 'uctop', 'month', 'year', ), 'sp-contributions' => array( 'sp-contributions-newbies', 'sp-contributions-newbies-sub', 'sp-contributions-newbies-title', 'sp-contributions-blocklog', 'sp-contributions-deleted', 'sp-contributions-logs', 'sp-contributions-talk', 'sp-contributions-userrights', 'sp-contributions-search', 'sp-contributions-username', 'sp-contributions-submit', 'sp-contributions-explain', 'sp-contributions-footer', 'sp-contributions-footer-anon', ), 'whatlinkshere' => array( 'whatlinkshere', 'whatlinkshere-title', 'whatlinkshere-summary', 'whatlinkshere-page', 'whatlinkshere-backlink', 'linkshere', 'nolinkshere', 'nolinkshere-ns', 'isredirect', 'istemplate', 'isimage', 'whatlinkshere-prev', 'whatlinkshere-next', 'whatlinkshere-links', 'whatlinkshere-hideredirs', 'whatlinkshere-hidetrans', 'whatlinkshere-hidelinks', 'whatlinkshere-hideimages', 'whatlinkshere-filters', ), 'block' => array( 'blockip', 'blockip-legend', 'blockiptext', 'ipaddress', 'ipadressorusername', 'ipbexpiry', 'ipbreason', 'ipbreasonotherlist', 'ipbreason-dropdown', 'ipbanononly', 'ipbcreateaccount', 'ipbemailban', 'ipbenableautoblock', 'ipbsubmit', 'ipbother', 'ipboptions', 'ipbotheroption', 'ipbotherreason', 'ipbhidename', 'ipbwatchuser', 'ipballowusertalk', 'ipb-change-block', 'badipaddress', 'blockipsuccesssub', 'blockipsuccesstext', 'ipb-edit-dropdown', 'ipb-unblock-addr', 'ipb-unblock', 'ipb-blocklist-addr', 'ipb-blocklist', 'ipb-blocklist-contribs', 'unblockip', 'unblockiptext', 'ipusubmit', 'unblocked', 'unblocked-id', 'ipblocklist', 'ipblocklist-legend', 'ipblocklist-username', 'ipblocklist-sh-userblocks', 'ipblocklist-sh-tempblocks', 'ipblocklist-sh-addressblocks', 'ipblocklist-summary', 'ipblocklist-submit', 'blocklistline', 'infiniteblock', 'expiringblock', 'anononlyblock', 'noautoblockblock', 'createaccountblock', 'emailblock', 'blocklist-nousertalk', 'ipblocklist-empty', 'ipblocklist-no-results', 'blocklink', 'unblocklink', 'change-blocklink', 'contribslink', 'autoblocker', 'blocklogpage', 'blocklog-fulllog', 'blocklogentry', 'reblock-logentry', 'blocklogtext', 'unblocklogentry', 'block-log-flags-anononly', 'block-log-flags-nocreate', 'block-log-flags-noautoblock', 'block-log-flags-noemail', 'block-log-flags-nousertalk', 'block-log-flags-angry-autoblock', 'block-log-flags-hiddenname', 'range_block_disabled', 'ipb_expiry_invalid', 'ipb_expiry_temp', 'ipb_hide_invalid', 'ipb_already_blocked', 'ipb-needreblock', 'ipb_cant_unblock', 'ipb_blocked_as_range', 'ip_range_invalid', 'blockme', 'proxyblocker', 'proxyblocker-disabled', 'proxyblockreason', 'proxyblocksuccess', 'sorbs', 'sorbsreason', 'sorbs_create_account_reason', 'cant-block-while-blocked', ), 'developertools' => array( 'lockdb', 'unlockdb', 'lockdbtext', 'unlockdbtext', 'lockconfirm', 'unlockconfirm', 'lockbtn', 'unlockbtn', 'locknoconfirm', 'lockdbsuccesssub', 'unlockdbsuccesssub', 'lockdbsuccesstext', 'unlockdbsuccesstext', 'lockfilenotwritable', 'databasenotlocked', ), 'movepage' => array( 'move-page', 'move-page-backlink', 'move-page-legend', 'movepagetext', 'movepagetalktext', 'movearticle', 'movenologin', 'movenologintext', 'movenotallowed', 'movenotallowedfile', 'cant-move-user-page', 'cant-move-to-user-page', 'newtitle', 'move-watch', 'movepagebtn', 'pagemovedsub', 'movepage-moved', 'movepage-moved-redirect', 'movepage-moved-noredirect', 'articleexists', 'cantmove-titleprotected', 'talkexists', 'movedto', 'movetalk', 'move-subpages', 'move-talk-subpages', 'movepage-page-exists', 'movepage-page-moved', 'movepage-page-unmoved', 'movepage-max-pages', '1movedto2', '1movedto2_redir', 'move-redirect-suppressed', 'movelogpage', 'movelogpagetext', 'movesubpage', 'movesubpagetext', 'movenosubpage', 'movereason', 'revertmove', 'delete_and_move', 'delete_and_move_text', 'delete_and_move_confirm', 'delete_and_move_reason', 'selfmove', 'immobile-source-namespace', 'immobile-target-namespace', 'immobile-target-namespace-iw', 'immobile-source-page', 'immobile-target-page', 'immobile_namespace', 'imagenocrossnamespace', 'imagetypemismatch', 'imageinvalidfilename', 'fix-double-redirects', 'move-leave-redirect', 'protectedpagemovewarning', 'semiprotectedpagemovewarning', ), 'export' => array( 'export', 'exporttext', 'exportcuronly', 'exportnohistory', 'export-submit', 'export-addcattext', 'export-addcat', 'export-addnstext', 'export-addns', 'export-download', 'export-templates', 'export-pagelinks', ), 'allmessages' => array( 'allmessages', 'allmessagesname', 'allmessagesdefault', 'allmessagescurrent', 'allmessagestext', 'allmessagesnotsupportedDB', 'allmessages-filter-legend', 'allmessages-filter', 'allmessages-filter-unmodified', 'allmessages-filter-all', 'allmessages-filter-modified', 'allmessages-prefix', 'allmessages-language', 'allmessages-filter-submit', ), 'thumbnails' => array( 'thumbnail-more', 'filemissing', 'thumbnail_error', 'djvu_page_error', 'djvu_no_xml', 'thumbnail_invalid_params', 'thumbnail_dest_directory', 'thumbnail_image-type', 'thumbnail_gd-library', 'thumbnail_image-missing', ), 'import' => array( 'import', 'importinterwiki', 'import-interwiki-text', 'import-interwiki-source', 'import-interwiki-history', 'import-interwiki-templates', 'import-interwiki-submit', 'import-interwiki-namespace', 'import-upload-filename', 'import-comment', 'importtext', 'importstart', 'import-revision-count', 'importnopages', 'importfailed', 'importunknownsource', 'importcantopen', 'importbadinterwiki', 'importnotext', 'importsuccess', 'importhistoryconflict', 'importnosources', 'importnofile', 'importuploaderrorsize', 'importuploaderrorpartial', 'importuploaderrortemp', 'import-parse-failure', 'import-noarticle', 'import-nonewrevisions', 'xml-error-string', 'import-upload', 'import-token-mismatch', 'import-invalid-interwiki', ), 'importlog' => array( 'importlogpage', 'importlogpagetext', 'import-logentry-upload', 'import-logentry-upload-detail', 'import-logentry-interwiki', 'import-logentry-interwiki-detail', ), 'accesskeys' => array( 'accesskey-pt-userpage', 'accesskey-pt-anonuserpage', 'accesskey-pt-mytalk', 'accesskey-pt-anontalk', 'accesskey-pt-preferences', 'accesskey-pt-watchlist', 'accesskey-pt-mycontris', 'accesskey-pt-login', 'accesskey-pt-anonlogin', 'accesskey-pt-logout', 'accesskey-ca-talk', 'accesskey-ca-edit', 'accesskey-ca-addsection', 'accesskey-ca-viewsource', 'accesskey-ca-history', 'accesskey-ca-protect', 'accesskey-ca-unprotect', 'accesskey-ca-delete', 'accesskey-ca-undelete', 'accesskey-ca-move', 'accesskey-ca-watch', 'accesskey-ca-unwatch', 'accesskey-search', 'accesskey-search-go', 'accesskey-search-fulltext', 'accesskey-p-logo', 'accesskey-n-mainpage', 'accesskey-n-mainpage-description', 'accesskey-n-portal', 'accesskey-n-currentevents', 'accesskey-n-recentchanges', 'accesskey-n-randompage', 'accesskey-n-help', 'accesskey-t-whatlinkshere', 'accesskey-t-recentchangeslinked', 'accesskey-t-random', 'accesskey-feed-rss', 'accesskey-feed-atom', 'accesskey-t-contributions', 'accesskey-t-emailuser', 'accesskey-t-permalink', 'accesskey-t-print', 'accesskey-t-upload', 'accesskey-t-specialpages', 'accesskey-ca-nstab-main', 'accesskey-ca-nstab-user', 'accesskey-ca-nstab-media', 'accesskey-ca-nstab-special', 'accesskey-ca-nstab-project', 'accesskey-ca-nstab-image', 'accesskey-ca-nstab-mediawiki', 'accesskey-ca-nstab-template', 'accesskey-ca-nstab-help', 'accesskey-ca-nstab-category', 'accesskey-minoredit', 'accesskey-save', 'accesskey-preview', 'accesskey-diff', 'accesskey-compareselectedversions', 'accesskey-visualcomparison', 'accesskey-watch', 'accesskey-upload', ), 'tooltips' => array( 'tooltip-pt-userpage', 'tooltip-pt-anonuserpage', 'tooltip-pt-mytalk', 'tooltip-pt-anontalk', 'tooltip-pt-preferences', 'tooltip-pt-watchlist', 'tooltip-pt-mycontris', 'tooltip-pt-login', 'tooltip-pt-anonlogin', 'tooltip-pt-logout', 'tooltip-ca-talk', 'tooltip-ca-edit', 'tooltip-ca-addsection', 'tooltip-ca-viewsource', 'tooltip-ca-history', 'tooltip-ca-protect', 'tooltip-ca-unprotect', 'tooltip-ca-delete', 'tooltip-ca-undelete', 'tooltip-ca-move', 'tooltip-ca-watch', 'tooltip-ca-unwatch', 'tooltip-search', 'tooltip-search-go', 'tooltip-search-fulltext', 'tooltip-p-logo', 'tooltip-n-mainpage', 'tooltip-n-mainpage-description', 'tooltip-n-portal', 'tooltip-n-currentevents', 'tooltip-n-recentchanges', 'tooltip-n-randompage', 'tooltip-n-help', 'tooltip-t-whatlinkshere', 'tooltip-t-recentchangeslinked', 'tooltip-t-random', 'tooltip-feed-rss', 'tooltip-feed-atom', 'tooltip-t-contributions', 'tooltip-t-emailuser', 'tooltip-t-upload', 'tooltip-t-specialpages', 'tooltip-t-print', 'tooltip-t-permalink', 'tooltip-ca-nstab-main', 'tooltip-ca-nstab-user', 'tooltip-ca-nstab-media', 'tooltip-ca-nstab-special', 'tooltip-ca-nstab-project', 'tooltip-ca-nstab-image', 'tooltip-ca-nstab-mediawiki', 'tooltip-ca-nstab-template', 'tooltip-ca-nstab-help', 'tooltip-ca-nstab-category', 'tooltip-minoredit', 'tooltip-save', 'tooltip-preview', 'tooltip-diff', 'tooltip-compareselectedversions', 'tooltip-watch', 'tooltip-recreate', 'tooltip-upload', 'tooltip-rollback', 'tooltip-undo', ), 'stylesheets' => array( 'common.css', 'standard.css', 'nostalgia.css', 'cologneblue.css', 'monobook.css', 'myskin.css', 'chick.css', 'simple.css', 'modern.css', 'vector.css', 'print.css', 'handheld.css', ), 'scripts' => array( 'common.js', 'standard.js', 'nostalgia.js', 'cologneblue.js', 'monobook.js', 'myskin.js', 'chick.js', 'simple.js', 'modern.js', 'vector.js', ), 'metadata_cc' => array( 'nodublincore', 'nocreativecommons', 'notacceptable', ), 'attribution' => array( 'anonymous', 'siteuser', 'lastmodifiedatby', 'othercontribs', 'others', 'siteusers', 'creditspage', 'nocredits', ), 'spamprotection' => array( 'spamprotectiontitle', 'spamprotectiontext', 'spamprotectionmatch', 'spambot_username', 'spam_reverting', 'spam_blanking', ), 'info' => array( 'infosubtitle', 'numedits', 'numtalkedits', 'numwatchers', 'numauthors', 'numtalkauthors', ), 'skin' => array( 'skinname-standard', 'skinname-nostalgia', 'skinname-cologneblue', 'skinname-monobook', 'skinname-myskin', 'skinname-chick', 'skinname-simple', 'skinname-modern', 'skinname-vector', ), 'math' => array( 'mw_math_png', 'mw_math_simple', 'mw_math_html', 'mw_math_source', 'mw_math_modern', 'mw_math_mathml', ), 'matherrors' => array( 'math_failure', 'math_unknown_error', 'math_unknown_function', 'math_lexing_error', 'math_syntax_error', 'math_image_error', 'math_bad_tmpdir', 'math_bad_output', 'math_notexvc', ), 'patrolling' => array( 'markaspatrolleddiff', 'markaspatrolledlink', 'markaspatrolledtext', 'markedaspatrolled', 'markedaspatrolledtext', 'rcpatroldisabled', 'rcpatroldisabledtext', 'markedaspatrollederror', 'markedaspatrollederrortext', 'markedaspatrollederror-noautopatrol', ), 'patrol-log' => array( 'patrol-log-page', 'patrol-log-header', 'patrol-log-line', 'patrol-log-auto', 'patrol-log-diff', 'log-show-hide-patrol', ), 'imagedeletion' => array( 'deletedrevision', 'filedeleteerror-short', 'filedeleteerror-long', 'filedelete-missing', 'filedelete-old-unregistered', 'filedelete-current-unregistered', 'filedelete-archive-read-only', ), 'browsediffs' => array( 'previousdiff', 'nextdiff', ), 'visual-comparison' => array( 'visual-comparison', ), 'media-info' => array( 'mediawarning', 'imagemaxsize', 'thumbsize', 'widthheight', 'widthheightpage', 'file-info', 'file-info-size', 'file-nohires', 'svg-long-desc', 'show-big-image', 'show-big-image-thumb', 'file-info-gif-looped', 'file-info-gif-frames', ), 'newfiles' => array( 'newimages', 'imagelisttext', 'newimages-summary', 'newimages-legend', 'newimages-label', 'showhidebots', 'noimages', 'ilsubmit', 'bydate', 'sp-newimages-showfrom', ), 'video-info' => array( 'video-dims', 'seconds-abbrev', 'minutes-abbrev', 'hours-abbrev', ), 'badimagelist' => array( 'bad_image_list', ), 'variantname-zh' => array( 'variantname-zh-hans', 'variantname-zh-hant', 'variantname-zh-cn', 'variantname-zh-tw', 'variantname-zh-hk', 'variantname-zh-mo', 'variantname-zh-sg', 'variantname-zh-my', 'variantname-zh', ), 'variantname-gan' => array( 'variantname-gan-hans', 'variantname-gan-hant', 'variantname-gan', ), 'variantname-sr' => array( 'variantname-sr-ec', 'variantname-sr-el', 'variantname-sr', ), 'variantname-kk' => array( 'variantname-kk-kz', 'variantname-kk-tr', 'variantname-kk-cn', 'variantname-kk-cyrl', 'variantname-kk-latn', 'variantname-kk-arab', 'variantname-kk', ), 'variantname-ku' => array( 'variantname-ku-arab', 'variantname-ku-latn', 'variantname-ku', ), 'variantname-tg' => array( 'variantname-tg-cyrl', 'variantname-tg-latn', 'variantname-tg', ), 'metadata' => array( 'metadata', 'metadata-help', 'metadata-expand', 'metadata-collapse', 'metadata-fields', ), 'exif' => array( 'exif-imagewidth', 'exif-imagelength', 'exif-bitspersample', 'exif-compression', 'exif-photometricinterpretation', 'exif-orientation', 'exif-samplesperpixel', 'exif-planarconfiguration', 'exif-ycbcrsubsampling', 'exif-ycbcrpositioning', 'exif-xresolution', 'exif-yresolution', 'exif-resolutionunit', 'exif-stripoffsets', 'exif-rowsperstrip', 'exif-stripbytecounts', 'exif-jpeginterchangeformat', 'exif-jpeginterchangeformatlength', 'exif-transferfunction', 'exif-whitepoint', 'exif-primarychromaticities', 'exif-ycbcrcoefficients', 'exif-referenceblackwhite', 'exif-datetime', 'exif-imagedescription', 'exif-make', 'exif-model', 'exif-software', 'exif-artist', 'exif-copyright', 'exif-exifversion', 'exif-flashpixversion', 'exif-colorspace', 'exif-componentsconfiguration', 'exif-compressedbitsperpixel', 'exif-pixelydimension', 'exif-pixelxdimension', 'exif-makernote', 'exif-usercomment', 'exif-relatedsoundfile', 'exif-datetimeoriginal', 'exif-datetimedigitized', 'exif-subsectime', 'exif-subsectimeoriginal', 'exif-subsectimedigitized', 'exif-exposuretime', 'exif-exposuretime-format', 'exif-fnumber', 'exif-fnumber-format', 'exif-exposureprogram', 'exif-spectralsensitivity', 'exif-isospeedratings', 'exif-oecf', 'exif-shutterspeedvalue', 'exif-aperturevalue', 'exif-brightnessvalue', 'exif-exposurebiasvalue', 'exif-maxaperturevalue', 'exif-subjectdistance', 'exif-meteringmode', 'exif-lightsource', 'exif-flash', 'exif-focallength', 'exif-focallength-format', 'exif-subjectarea', 'exif-flashenergy', 'exif-spatialfrequencyresponse', 'exif-focalplanexresolution', 'exif-focalplaneyresolution', 'exif-focalplaneresolutionunit', 'exif-subjectlocation', 'exif-exposureindex', 'exif-sensingmethod', 'exif-filesource', 'exif-scenetype', 'exif-cfapattern', 'exif-customrendered', 'exif-exposuremode', 'exif-whitebalance', 'exif-digitalzoomratio', 'exif-focallengthin35mmfilm', 'exif-scenecapturetype', 'exif-gaincontrol', 'exif-contrast', 'exif-saturation', 'exif-sharpness', 'exif-devicesettingdescription', 'exif-subjectdistancerange', 'exif-imageuniqueid', 'exif-gpsversionid', 'exif-gpslatituderef', 'exif-gpslatitude', 'exif-gpslongituderef', 'exif-gpslongitude', 'exif-gpsaltituderef', 'exif-gpsaltitude', 'exif-gpstimestamp', 'exif-gpssatellites', 'exif-gpsstatus', 'exif-gpsmeasuremode', 'exif-gpsdop', 'exif-gpsspeedref', 'exif-gpsspeed', 'exif-gpstrackref', 'exif-gpstrack', 'exif-gpsimgdirectionref', 'exif-gpsimgdirection', 'exif-gpsmapdatum', 'exif-gpsdestlatituderef', 'exif-gpsdestlatitude', 'exif-gpsdestlongituderef', 'exif-gpsdestlongitude', 'exif-gpsdestbearingref', 'exif-gpsdestbearing', 'exif-gpsdestdistanceref', 'exif-gpsdestdistance', 'exif-gpsprocessingmethod', 'exif-gpsareainformation', 'exif-gpsdatestamp', 'exif-gpsdifferential', ), 'exif-values' => array( 'exif-make-value', 'exif-model-value', 'exif-software-value', ), 'exif-compression' => array( 'exif-compression-1', 'exif-compression-6', ), 'exif-photometricinterpretation' => array( 'exif-photometricinterpretation-2', 'exif-photometricinterpretation-6', ), 'exif-unknowndate' => array( 'exif-unknowndate', ), 'exif-orientation' => array( 'exif-orientation-1', 'exif-orientation-2', 'exif-orientation-3', 'exif-orientation-4', 'exif-orientation-5', 'exif-orientation-6', 'exif-orientation-7', 'exif-orientation-8', ), 'exif-planarconfiguration' => array( 'exif-planarconfiguration-1', 'exif-planarconfiguration-2', ), 'exif-xyresolution' => array( 'exif-xyresolution-i', 'exif-xyresolution-c', ), 'exif-colorspace' => array( 'exif-colorspace-1', 'exif-colorspace-ffff.h', ), 'exif-componentsconfiguration' => array( 'exif-componentsconfiguration-0', 'exif-componentsconfiguration-1', 'exif-componentsconfiguration-2', 'exif-componentsconfiguration-3', 'exif-componentsconfiguration-4', 'exif-componentsconfiguration-5', 'exif-componentsconfiguration-6', ), 'exif-exposureprogram' => array( 'exif-exposureprogram-0', 'exif-exposureprogram-1', 'exif-exposureprogram-2', 'exif-exposureprogram-3', 'exif-exposureprogram-4', 'exif-exposureprogram-5', 'exif-exposureprogram-6', 'exif-exposureprogram-7', 'exif-exposureprogram-8', ), 'exif-subjectdistance-value' => array( 'exif-subjectdistance-value', ), 'exif-meteringmode' => array( 'exif-meteringmode-0', 'exif-meteringmode-1', 'exif-meteringmode-2', 'exif-meteringmode-3', 'exif-meteringmode-4', 'exif-meteringmode-5', 'exif-meteringmode-6', 'exif-meteringmode-255', ), 'exif-lightsource' => array( 'exif-lightsource-0', 'exif-lightsource-1', 'exif-lightsource-2', 'exif-lightsource-3', 'exif-lightsource-4', 'exif-lightsource-9', 'exif-lightsource-10', 'exif-lightsource-11', 'exif-lightsource-12', 'exif-lightsource-13', 'exif-lightsource-14', 'exif-lightsource-15', 'exif-lightsource-17', 'exif-lightsource-18', 'exif-lightsource-19', 'exif-lightsource-20', 'exif-lightsource-21', 'exif-lightsource-22', 'exif-lightsource-23', 'exif-lightsource-24', 'exif-lightsource-255', ), 'exif-flash' => array( 'exif-flash-fired-0' , 'exif-flash-fired-1' , 'exif-flash-return-0' , 'exif-flash-return-2' , 'exif-flash-return-3' , 'exif-flash-mode-1' , 'exif-flash-mode-2' , 'exif-flash-mode-3' , 'exif-flash-function-1' , 'exif-flash-redeye-1' , ), 'exif-focalplaneresolutionunit' => array( 'exif-focalplaneresolutionunit-2', ), 'exif-sensingmethod' => array( 'exif-sensingmethod-1', 'exif-sensingmethod-2', 'exif-sensingmethod-3', 'exif-sensingmethod-4', 'exif-sensingmethod-5', 'exif-sensingmethod-7', 'exif-sensingmethod-8', ), 'exif-filesource' => array( 'exif-filesource-3', ), 'exif-scenetype' => array( 'exif-scenetype-1', ), 'exif-customrendered' => array( 'exif-customrendered-0', 'exif-customrendered-1', ), 'exif-exposuremode' => array( 'exif-exposuremode-0', 'exif-exposuremode-1', 'exif-exposuremode-2', ), 'exif-whitebalance' => array( 'exif-whitebalance-0', 'exif-whitebalance-1', ), 'exif-scenecapturetype' => array( 'exif-scenecapturetype-0', 'exif-scenecapturetype-1', 'exif-scenecapturetype-2', 'exif-scenecapturetype-3', ), 'exif-gaincontrol' => array( 'exif-gaincontrol-0', 'exif-gaincontrol-1', 'exif-gaincontrol-2', 'exif-gaincontrol-3', 'exif-gaincontrol-4', ), 'exif-contrast' => array( 'exif-contrast-0', 'exif-contrast-1', 'exif-contrast-2', ), 'exif-saturation' => array( 'exif-saturation-0', 'exif-saturation-1', 'exif-saturation-2', ), 'exif-sharpness' => array( 'exif-sharpness-0', 'exif-sharpness-1', 'exif-sharpness-2', ), 'exif-subjectdistancerange' => array( 'exif-subjectdistancerange-0', 'exif-subjectdistancerange-1', 'exif-subjectdistancerange-2', 'exif-subjectdistancerange-3', ), 'exif-gpslatitude' => array( 'exif-gpslatitude-n', 'exif-gpslatitude-s', ), 'exif-gpslongitude' => array( 'exif-gpslongitude-e', 'exif-gpslongitude-w', ), 'exif-gpsstatus' => array( 'exif-gpsstatus-a', 'exif-gpsstatus-v', ), 'exif-gpsmeasuremode' => array( 'exif-gpsmeasuremode-2', 'exif-gpsmeasuremode-3', ), 'exif-gpsspeed' => array( 'exif-gpsspeed-k', 'exif-gpsspeed-m', 'exif-gpsspeed-n', ), 'exif-gpsdirection' => array( 'exif-gpsdirection-t', 'exif-gpsdirection-m', ), 'edit-externally' => array( 'edit-externally', 'edit-externally-help', ), 'all' => array( 'recentchangesall', 'imagelistall', 'watchlistall2', 'namespacesall', 'monthsall', 'limitall', ), 'confirmemail' => array( 'confirmemail', 'confirmemail_noemail', 'confirmemail_text', 'confirmemail_pending', 'confirmemail_send', 'confirmemail_sent', 'confirmemail_oncreate', 'confirmemail_sendfailed', 'confirmemail_invalid', 'confirmemail_needlogin', 'confirmemail_success', 'confirmemail_loggedin', 'confirmemail_error', 'confirmemail_subject', 'confirmemail_body', 'confirmemail_invalidated', 'invalidateemail', ), 'scarytransclusion' => array( 'scarytranscludedisabled', 'scarytranscludefailed', 'scarytranscludetoolong', ), 'trackbacks' => array( 'trackbackbox', 'trackback', 'trackbackexcerpt', 'trackbackremove', 'trackbacklink', 'trackbackdeleteok', ), 'deleteconflict' => array( 'deletedwhileediting', 'confirmrecreate', 'recreate', ), 'unit-pixel' => array( 'unit-pixel', ), 'purge' => array( 'confirm_purge_button', 'confirm-purge-top', 'confirm-purge-bottom', ), 'separators' => array( 'catseparator', 'semicolon-separator', 'comma-separator', 'colon-separator', 'autocomment-prefix', 'pipe-separator', 'word-separator', 'ellipsis', 'percent', 'parentheses', ), 'imgmulti' => array( 'imgmultipageprev', 'imgmultipagenext', 'imgmultigo', 'imgmultigoto', ), 'tablepager' => array( 'ascending_abbrev', 'descending_abbrev', 'table_pager_next', 'table_pager_prev', 'table_pager_first', 'table_pager_last', 'table_pager_limit', 'table_pager_limit_submit', 'table_pager_empty', ), 'autosumm' => array( 'autosumm-blank', 'autosumm-replace', 'autoredircomment', 'autosumm-new', ), 'autoblock_whitelist' => array( 'autoblock_whitelist', ), 'sizeunits' => array( 'size-bytes', 'size-kilobytes', 'size-megabytes', 'size-gigabytes', ), 'livepreview' => array( 'livepreview-loading', 'livepreview-ready', 'livepreview-failed', 'livepreview-error', ), 'lagwarning' => array( 'lag-warn-normal', 'lag-warn-high', ), 'watchlisteditor' => array( 'watchlistedit-numitems', 'watchlistedit-noitems', 'watchlistedit-normal-title', 'watchlistedit-normal-legend', 'watchlistedit-normal-explain', 'watchlistedit-normal-submit', 'watchlistedit-normal-done', 'watchlistedit-raw-title', 'watchlistedit-raw-legend', 'watchlistedit-raw-explain', 'watchlistedit-raw-titles', 'watchlistedit-raw-submit', 'watchlistedit-raw-done', 'watchlistedit-raw-added', 'watchlistedit-raw-removed', ), 'watchlisttools' => array( 'watchlisttools-view', 'watchlisttools-edit', 'watchlisttools-raw', ), 'iranian-dates' => array( 'iranian-calendar-m1', 'iranian-calendar-m2', 'iranian-calendar-m3', 'iranian-calendar-m4', 'iranian-calendar-m5', 'iranian-calendar-m6', 'iranian-calendar-m7', 'iranian-calendar-m8', 'iranian-calendar-m9', 'iranian-calendar-m10', 'iranian-calendar-m11', 'iranian-calendar-m12', ), 'hijri-dates' => array( 'hijri-calendar-m1', 'hijri-calendar-m2', 'hijri-calendar-m3', 'hijri-calendar-m4', 'hijri-calendar-m5', 'hijri-calendar-m6', 'hijri-calendar-m7', 'hijri-calendar-m8', 'hijri-calendar-m9', 'hijri-calendar-m10', 'hijri-calendar-m11', 'hijri-calendar-m12', ), 'hebrew-dates' => array( 'hebrew-calendar-m1', 'hebrew-calendar-m2', 'hebrew-calendar-m3', 'hebrew-calendar-m4', 'hebrew-calendar-m5', 'hebrew-calendar-m6', 'hebrew-calendar-m6a', 'hebrew-calendar-m6b', 'hebrew-calendar-m7', 'hebrew-calendar-m8', 'hebrew-calendar-m9', 'hebrew-calendar-m10', 'hebrew-calendar-m11', 'hebrew-calendar-m12', 'hebrew-calendar-m1-gen', 'hebrew-calendar-m2-gen', 'hebrew-calendar-m3-gen', 'hebrew-calendar-m4-gen', 'hebrew-calendar-m5-gen', 'hebrew-calendar-m6-gen', 'hebrew-calendar-m6a-gen', 'hebrew-calendar-m6b-gen', 'hebrew-calendar-m7-gen', 'hebrew-calendar-m8-gen', 'hebrew-calendar-m9-gen', 'hebrew-calendar-m10-gen', 'hebrew-calendar-m11-gen', 'hebrew-calendar-m12-gen', ), 'signatures' => array( 'signature', 'signature-anon', 'timezone-utc', ), 'CoreParserFunctions' => array( 'unknown_extension_tag', 'duplicate-defaultsort', ), 'version' => array( 'version', 'version-extensions', 'version-specialpages', 'version-parserhooks', 'version-variables', 'version-other', 'version-mediahandlers', 'version-hooks', 'version-extension-functions', 'version-parser-extensiontags', 'version-parser-function-hooks', 'version-skin-extension-functions', 'version-hook-name', 'version-hook-subscribedby', 'version-version', 'version-svn-revision', 'version-license', 'version-software', 'version-software-product', 'version-software-version', ), 'filepath' => array( 'filepath', 'filepath-page', 'filepath-submit', 'filepath-summary', ), 'fileduplicatesearch' => array( 'fileduplicatesearch', 'fileduplicatesearch-summary', 'fileduplicatesearch-legend', 'fileduplicatesearch-filename', 'fileduplicatesearch-submit', 'fileduplicatesearch-info', 'fileduplicatesearch-result-1', 'fileduplicatesearch-result-n', ), 'special-specialpages' => array( 'specialpages', 'specialpages-summary', 'specialpages-note', 'specialpages-group-maintenance', 'specialpages-group-other', 'specialpages-group-login', 'specialpages-group-changes', 'specialpages-group-media', 'specialpages-group-users', 'specialpages-group-highuse', 'specialpages-group-pages', 'specialpages-group-pagetools', 'specialpages-group-wiki', 'specialpages-group-redirects', 'specialpages-group-spam', ), 'special-blank' => array( 'blankpage', 'intentionallyblankpage', ), 'external_images' => array( 'external_image_whitelist', ), 'special-tags' => array( 'tags', 'tag-filter', 'tag-filter-submit', 'tags-title', 'tags-intro', 'tags-tag', 'tags-display-header', 'tags-description-header', 'tags-hitcount-header', 'tags-edit', 'tags-hitcount', ), 'db-error-messages' => array( 'dberr-header', 'dberr-problems', 'dberr-again', 'dberr-info', 'dberr-usegoogle', 'dberr-outofdate', 'dberr-cachederror', ), 'html-forms' => array( 'htmlform-invalid-input', 'htmlform-select-badoption', 'htmlform-int-invalid', 'htmlform-float-invalid', 'htmlform-int-toolow', 'htmlform-int-toohigh', 'htmlform-submit', 'htmlform-reset', 'htmlform-selectorother-other', ), ); /** Comments for each block */ $wgBlockComments = array( 'sidebar' => "The sidebar for MonoBook is generated from this message, lines that do not begin with * or ** are discarded, furthermore lines that do begin with ** and do not contain | are also discarded, but do not depend on this behaviour for future releases. Also note that since each list value is wrapped in a unique XHTML id it should only appear once and include characters that are legal XHTML id names.", 'toggles' => 'User preference toggles', 'underline' => '', 'editfont' => 'Font style option in Special:Preferences', 'dates' => 'Dates', 'categorypages' => 'Categories related messages', 'mainpage' => '', 'miscellaneous1' => '', 'cologneblue' => 'Cologne Blue skin', 'vector' => 'Vector skin', 'metadata_help' => 'Metadata in edit box', 'miscellaneous2' => '', 'links' => 'All link text and link target definitions of links into project namespace that get used by other message strings, with the exception of user group pages (see grouppage) and the disambiguation template definition (see disambiguations).', 'badaccess' => '', 'versionrequired' => '', 'miscellaneous3' => '', 'nstab' => "Short words for each namespace, by default used in the namespace tab in monobook", 'main' => 'Main script and global functions', 'errors' => 'General errors', 'virus' => 'Virus scanner', 'login' => 'Login and logout pages', 'resetpass' => 'Password reset dialog', 'toolbar' => 'Edit page toolbar', 'edit' => 'Edit pages', 'parserwarnings' => 'Parser/template warnings', 'undo' => '"Undo" feature', 'cantcreateaccount' => 'Account creation failure', 'history' => 'History pages', 'history-feed' => 'Revision feed', 'revdelete' => 'Revision deletion', 'suppression' => 'Suppression log', 'mergehistory' => 'History merging', 'mergelog' => 'Merge log', 'diffs' => 'Diffs', 'search' => 'Search results', 'opensearch' => 'OpenSearch description', 'quickbar' => 'Quickbar', 'preferences' => 'Preferences page', 'userrights' => 'User rights', 'group' => 'Groups', 'group-member' => '', 'grouppage' => '', 'right' => 'Rights', 'action' => 'Associated actions - in the sentence "You do not have permission to X"', 'rightslog' => 'User rights log', 'recentchanges' => 'Recent changes', 'recentchangeslinked' => 'Recent changes linked', 'upload' => 'Upload', 'upload-errors' => '', 'upload-curl-errors' => 'Some likely curl errors. More could be added from <http://curl.haxx.se/libcurl/c/libcurl-errors.html>', 'licenses' => '', 'filelist' => 'Special:ListFiles', 'filedescription' => 'File description page', 'filerevert' => 'File reversion', 'filedelete' => 'File deletion', 'mimesearch' => 'MIME search', 'unwatchedpages' => 'Unwatched pages', 'listredirects' => 'List redirects', 'unusedtemplates' => 'Unused templates', 'randompage' => 'Random page', 'randomredirect' => 'Random redirect', 'statistics' => 'Statistics', 'disambiguations' => '', 'doubleredirects' => '', 'brokenredirects' => '', 'withoutinterwiki' => '', 'fewestrevisions' => '', 'specialpages' => 'Miscellaneous special pages', 'booksources' => 'Book sources', 'magicwords' => 'Magic words', 'logpages' => 'Special:Log', 'allpages' => 'Special:AllPages', 'categories' => 'Special:Categories', 'deletedcontribs' => 'Special:DeletedContributions', 'linksearch' => 'Special:LinkSearch', 'listusers' => 'Special:ListUsers', 'activeusers' => 'Special:ActiveUsers', 'newuserlog' => 'Special:Log/newusers', 'listgrouprights' => 'Special:ListGroupRights', 'emailuser' => 'E-mail user', 'watchlist' => 'Watchlist', 'watching' => 'Displayed when you click the "watch" button and it is in the process of watching', 'enotif' => '', 'delete' => 'Delete', 'rollback' => 'Rollback', 'protect' => 'Protect', 'restrictions' => 'Restrictions (nouns)', 'restriction-levels' => 'Restriction levels', 'undelete' => 'Undelete', 'nsform' => 'Namespace form on various pages', 'contributions' => 'Contributions', 'sp-contributions' => '', 'whatlinkshere' => 'What links here', 'block' => 'Block/unblock', 'developertools' => 'Developer tools', 'movepage' => 'Move page', 'export' => 'Export', 'allmessages' => 'Namespace 8 related', 'thumbnails' => 'Thumbnails', 'import' => 'Special:Import', 'importlog' => 'Import log', 'accesskeys' => 'Keyboard access keys for power users', 'tooltips' => 'Tooltip help for the actions', 'stylesheets' => 'Stylesheets', 'scripts' => 'Scripts', 'metadata_cc' => 'Metadata', 'attribution' => 'Attribution', 'spamprotection' => 'Spam protection', 'info' => 'Info page', 'skin' => 'Skin names', 'math' => 'Math options', 'matherrors' => 'Math errors', 'patrolling' => 'Patrolling', 'patrol-log' => 'Patrol log', 'imagedeletion' => 'Image deletion', 'browsediffs' => 'Browsing diffs', 'newfiles' => 'Special:NewFiles', 'video-info' => 'Video information, used by Language::formatTimePeriod() to format lengths in the above messages', 'badimagelist' => 'Bad image list', 'variantname-zh' => "Short names for language variants used for language conversion links. To disable showing a particular link, set it to 'disable', e.g. 'variantname-zh-sg' => 'disable', Variants for Chinese language", 'variantname-gan' => 'Variants for Gan language', 'variantname-sr' => 'Variants for Serbian language', 'variantname-kk' => 'Variants for Kazakh language', 'variantname-ku' => 'Variants for Kurdish language', 'variantname-tg' => 'Variants for Tajiki language', 'visual-comparison' => 'Visual comparison', 'media-info' => 'Media information', 'metadata' => 'Metadata', 'exif' => 'EXIF tags', 'exif-values' => 'Make & model, can be wikified in order to link to the camera and model name', 'exif-compression' => 'EXIF attributes', 'exif-unknowndate' => '', 'exif-photometricinterpretation' => '', 'exif-orientation' => '', 'exif-planarconfiguration' => '', 'exif-xyresolution' => '', 'exif-colorspace' => '', 'exif-componentsconfiguration' => '', 'exif-exposureprogram' => '', 'exif-subjectdistance-value' => '', 'exif-meteringmode' => '', 'exif-lightsource' => '', 'exif-flash' => 'Flash modes', 'exif-focalplaneresolutionunit' => '', 'exif-sensingmethod' => '', 'exif-filesource' => '', 'exif-scenetype' => '', 'exif-customrendered' => '', 'exif-exposuremode' => '', 'exif-whitebalance' => '', 'exif-scenecapturetype' => '', 'exif-gaincontrol' => '', 'exif-contrast' => '', 'exif-saturation' => '', 'exif-sharpness' => '', 'exif-subjectdistancerange' => '', 'exif-gpslatitude' => 'Pseudotags used for GPSLatitudeRef and GPSDestLatitudeRef', 'exif-gpslongitude' => 'Pseudotags used for GPSLongitudeRef and GPSDestLongitudeRef', 'exif-gpsstatus' => '', 'exif-gpsmeasuremode' => '', 'exif-gpsspeed' => 'Pseudotags used for GPSSpeedRef', 'exif-gpsdirection' => 'Pseudotags used for GPSTrackRef, GPSImgDirectionRef and GPSDestBearingRef', 'edit-externally' => 'External editor support', 'all' => "'all' in various places, this might be different for inflected languages", 'confirmemail' => 'E-mail address confirmation', 'scarytransclusion' => 'Scary transclusion', 'trackbacks' => 'Trackbacks', 'deleteconflict' => 'Delete conflict', 'unit-pixel' => '', 'purge' => 'action=purge', 'separators' => 'Separators for various lists, etc.', 'imgmulti' => 'Multipage image navigation', 'tablepager' => 'Table pager', 'autosumm' => 'Auto-summaries', 'autoblock_whitelist' => 'Autoblock whitelist', 'sizeunits' => 'Size units', 'livepreview' => 'Live preview', 'lagwarning' => 'Friendlier slave lag warnings', 'watchlisteditor' => 'Watchlist editor', 'watchlisttools' => 'Watchlist editing tools', 'iranian-dates' => 'Iranian month names', 'hijri-dates' => 'Hijri month names', 'hebrew-dates' => 'Hebrew month names', 'signatures' => 'Signatures', 'CoreParserFunctions' => 'Core parser functions', 'version' => 'Special:Version', 'filepath' => 'Special:FilePath', 'fileduplicatesearch' => 'Special:FileDuplicateSearch', 'special-specialpages' => 'Special:SpecialPages', 'special-blank' => 'Special:BlankPage', 'external_images' => 'External image whitelist', 'special-tags' => 'Special:Tags', 'db-error-messages' => 'Database error messages', 'html-forms' => 'HTML forms', );